转载

设计模式(c#)代码总结

之前写过Python的设计模式,由于经常不使用Python,回过头来再看Python的设计模式,有时候感觉并不是那么的显而易见,所以使用c#重新将代码编写一遍,更加清晰明了。

这里借用原来的介绍,对模式做简要说明,模式简易说明和类图,请查看 http://www.cnblogs.com/cotton/category/606629.html

设计模式分为三种类型

  • 创建型模式:简单工厂、工厂方法模式、抽象工厂模式、建造者模式、原型模式、单例模式

  • 结构型模式:适配器模式、桥接模式、装饰模式、组合模式、外观模式、享元模式、代理模式。

  • 行为型模式:模版方法模式、命令模式、迭代器模式、观察者模式、中介者模式、备忘录模式、解释器模式、状态模式、策略模式、职责链模式、访问者模式。

创建型模式

一、简单工厂模式

模式说明

简单工厂模式又称之为静态工厂方法,属于创建型模式。在简单工厂模式中,可以根据传递的参数不同,返回不同类的实例。简单工厂模式定义了一个类,这个类专门用于创建其他类的实例,这些被创建的类都有一个共同的父类。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public class SimpleFactory  {   public static Operation GetOperation(op op, double a, double b)   {    switch (op)    {     case op.add: return new Add(a, b);     case op.sub: return new Sub(a, b);     case op.mul: return new Mul(a, b);     case op.div: return new Div(a, b);     default: return new undef(a, b);    }   }  }  public enum op  {   add = '+',   sub = '-',   mul = '*',   div = '/'  }  public abstract class Operation  {   public double a, b;   public Operation(double a, double b)   {    this.a = a;    this.b = b;   }   public abstract double GetResult();  }  public class Add : Operation  {   public Add(double a, double b) : base(a, b) { }   public override double GetResult()   {    return a + b;   }  }  public class Sub : Operation  {   public Sub(double a, double b) : base(a, b) { }   public override double GetResult()   {    return a - b;   }  }  public class Mul : Operation  {   public Mul(double a, double b) : base(a, b) { }   public override double GetResult()   {    return a * b;   }  }  public class Div : Operation  {   public Div(double a, double b) : base(a, b) { }   public override double GetResult()   {    try    {     return a / b;    }    catch (DivideByZeroException e)    {     throw e;    }   }  }  public class undef : Operation  {   public undef(double a, double b) : base(a, b) { }   public override double GetResult()   {    throw new NotImplementedException();   }  } } 
View Code

二、工厂方法模式

模式说明

工厂方法模式定义了一个创建对象的接口,但由子类决定要实例化的类是哪一个。工厂方法模式让实例化推迟到子类。

和简单工厂区别在于,每个工厂只管生产自己对应的产品,而简单工厂是一个工厂生产各种产品。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public interface ILogger  {   void write(string log);  }  public class EventLogger : ILogger  {   public void write(string log)   {    Console.WriteLine("EventLog:" + log);   }  }  public class FileLogger : ILogger  {   public void write(string log)   {    Console.WriteLine("FileLog:" + log);   }  }  public interface ILoggerFactory  {   ILogger CreateLogger();  }  public class EventLoggerFactory : ILoggerFactory  {   public ILogger CreateLogger()   {    return new EventLogger();   }  }  public class FileLoggerFactory : ILoggerFactory  {   public ILogger CreateLogger()   {    return new FileLogger();   }  } } 
View Code

三、抽象工厂模式

模式说明

抽象工厂模式提供一个接口,用于创建相关或者依赖对象的家族,而不需要明确指定具体类。

抽象工厂允许客户端使用抽象的接口来创建一组相关的产品,而不需要关系实际产出的具体产品是什么。这样一来,客户就可以从具体的产品中被解耦。

和工厂方法主要区别于,抽象工厂内要像像定义中说的一样,‘创建一组相关的产品’。

感觉像是(不知道这样理解对否):简单工厂是一个工厂生产多个产品;工厂方法是拆分成子工厂,分别生产各自产品;抽象工厂整合工厂方法和简单工厂,随着子工厂规模变大,也可以生产多个类似产品。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  //抽象实体  public abstract class absSalary  {   protected double salary;   protected double bonus;   protected double tax;   public absSalary(double sal, double bns, double t)   {    this.salary = sal;    this.bonus = bns;    this.tax = t;   }   public abstract double CalculateTax();  }  public class ChineseSalary : absSalary  {   public ChineseSalary(double sal, double bns, double t)    : base(sal, bns, t)   {   }   public override double CalculateTax()   {    return (base.salary + base.bonus - 3500) * base.tax;   }  }  public class ForeignerSalary : absSalary  {   public ForeignerSalary(double sal, double bonus, double tax)    : base(sal, bonus, tax)   {   }   public override double CalculateTax()   {    return (base.salary + base.bonus - 4000) * base.tax;   }  }  public abstract class absSocialSecurity  {   protected double SocialSecurity;   public absSocialSecurity()   {    this.SocialSecurity = 0;   }   public virtual double GetSocialSecurity()   {    return this.SocialSecurity;   }  }  public class ChineseSocialSecurity : absSocialSecurity  {   public ChineseSocialSecurity(double socialsecurity)    : base()   {    base.SocialSecurity = socialsecurity < 1000 ? 1000 : socialsecurity;   }  }  public class ForeignerSocialSecurity : absSocialSecurity  {   public ForeignerSocialSecurity(double socialsecurity)    : base()   {    base.SocialSecurity = socialsecurity < 1500 ? 1500 : socialsecurity;   }  }  //抽象工厂,生产一系列产品(多个Create方法,分别对应不同产品)  public interface AbstractFactory  {   absSalary CreateSalary(double sal, double bonus, double tax);   absSocialSecurity CreateSocialSecurity(double socialsecurity);  }  public class ChineseFactory : AbstractFactory  {   public absSalary CreateSalary(double sal, double bonus, double tax)   {    return new ChineseSalary(sal, bonus, tax);   }   public absSocialSecurity CreateSocialSecurity(double socialsecurity)   {    return new ChineseSocialSecurity(socialsecurity);   }  }  public class ForeignerFactory : AbstractFactory  {   public absSalary CreateSalary(double sal, double bonus, double tax)   {    return new ForeignerSalary(sal, bonus, tax);   }   public absSocialSecurity CreateSocialSecurity(double socialsecurity)   {    return new ForeignerSocialSecurity(socialsecurity);   }  } } 
View Code

四、创建者模式

模式说明

建造者模式将一个复杂对象的构建与表示分离,使得同样的构建过程可以创建不同的表示。

建造者模式构建复杂对象就像造汽车一样,是一个一个组件一个一个步骤创建出来的,它允许用户通过制定的对象类型和内容来创建他们,但是用户并不需要知道这个复杂对象是如何构建的,它只需要明白通过这样做我可以得到一个完整的复杂对象实例。

和工厂方法很像,创造者是一个builder内每个方法分别创建产品零部件,而工厂方法是每个factory生产一个产品。如果把builder的零部件当做一个完整产品呢?是不是就像 builder又再一次封装了factory~

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public class Meal  {   private string food;   private string drink;   public Meal() { }   public void setFood(string food)   {    this.food = food;   }   public void setDrink(string drink)   {    this.drink = drink;   }   public string getFood()   {    return this.food;   }   public string getDrink()   {    return this.drink;   }  }  //建造者,分别建造不同部件,然后返回整体  public abstract class Builder  {   protected Meal meal = new Meal();   public abstract void buildFood();   public abstract void buildDrink();   public Meal GetMeal()   {    return meal;   }  }  public class MealABuilder : Builder  {   public override void buildFood()   {    meal.setFood("A food");   }   public override void buildDrink()   {    meal.setDrink("A drink");   }  }  public class MealBBuilder : Builder  {   public override void buildFood()   {    meal.setFood("B food");   }   public override void buildDrink()   {    meal.setDrink("B drink");   }  }  public class Waitor  {   public void PrepareMeal(Builder builder)   {    builder.buildDrink();    builder.buildFood();   }  } } 
View Code

五、原型模式

模式说明

所谓原型模式就是用原型实例指定创建对象的种类,并且通过复制这些原型创建新的对象。

说到复制,就会有深/浅两种复制,这是面向对象的值类型和引用类型的差异,具体不作说明

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  [Serializable]  public class other  {   public int value { get; set; }   public other()   {    value = 10;   }  }  [Serializable]  public abstract class ColorPrototype  {   public int red { get; set; }   public int green { get; set; }   public int blue { get; set; }   public other o = new other();   //浅拷贝   public virtual ColorPrototype Clone()   {    return (ColorPrototype)this.MemberwiseClone();   }  }  public class Red : ColorPrototype  {   public override ColorPrototype Clone()   {    return base.Clone();   }  }  [Serializable]  public class Green : ColorPrototype  {   public override ColorPrototype Clone()   {    BinaryFormatter formatter = new BinaryFormatter();    MemoryStream stream = new MemoryStream();    formatter.Serialize(stream, this);    stream.Position = 0;    ColorPrototype obj = (ColorPrototype)formatter.Deserialize(stream);    return obj;   }  } } 
View Code

六、单例模式

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public class Singleton  {   private int cnt = 0;   private static Singleton instance = null;   private volatile static Singleton safeInstance = null;   private static readonly object lockedobj = new object();   private Singleton()   {   }   public static Singleton GetInstance()   {    if (instance == null) instance = new Singleton();    return instance;   }   public static Singleton GetSafeInstance()   {    if (safeInstance == null)    {     lock (lockedobj)     {      if (safeInstance == null)      {       safeInstance = new Singleton();      }     }    }    return safeInstance;   }   public void count()   {    cnt += 1;   }   public int getCnt()   {    return cnt;   }  } } 
View Code

结构型模式

七、适配器模式

模式说明

适配器模式就是将一个类的接口,转换成客户期望的另一个接口。适配器让原本接口不兼容的类可以合作无间。

在适配器模式中,我们可以定义一个包装类,包装不兼容接口的对象,这个包装类就是适配器,它所包装的对象就是适配者。

适配器提供给客户需要的接口,适配器的实现就是将客户的请求转换成对适配者的相应的接口的引用。也就是说,当客户调用适配器的方法时,适配器方法内部将调用 适配者的方法,客户并不是直接访问适配者的,而是通过调用适配器方法访问适配者。因为适配器可以使互不兼容的类能够“合作愉快”。

模式结构图

设计模式(c#)代码总结

代码示例

注:此处ILogger接口使用了【工厂方法模式】定义的接口

设计模式(c#)代码总结
namespace DesignPattern {  public interface IAdaptor  {   void writelog(string log);  }  public class LogAdaptor : IAdaptor  {   ILogger logger;   public LogAdaptor(ILogger logger)   {    this.logger = logger;   }   public void writelog(string log)   {    this.logger.write(log);   }  }   } 
View Code

八、桥接模式

模式说明

桥接模式即将抽象部分与它的实现部分分离开来,使他们都可以独立变化。

桥接模式将继承关系转化成关联关系,它降低了类与类之间的耦合度,减少了系统中类的数量,也减少了代码量。

个人感觉,代理模式、适配器模式和桥接模式相类似,代理模式是一个代理对外表示一个特定的类,适配器模式相当于一个适配器代理多个类,而桥接模式则更加适用于多个对多个的时候

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public abstract class Color  {   public string name { get; set; }  }  public abstract class Shape  {   private Color color;   public string name { get; set; }   public void SetColor(Color c)   {    color = c;   }   public void Draw()   {    Console.WriteLine("draw shape {0} with color {1}", this.name, this.color.name);   }  }  public class White : Color  {   public White()   {    this.name = "white";   }  }  public class Blue : Color  {   public Blue()   {    this.name = "blue";   }  }  public class Squre : Shape  {   public Squre()   {    this.name = "squre";   }  }  public class Circle : Shape  {   public Circle()   {    this.name = "circle";   }  } } 
View Code

九、装饰者模式

模式说明

装饰者模式装饰者模式可以动态地给一个对象增加一些额外的职责。就增加功能来说,装饰者模式相比生成子类更为灵活。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public abstract class Car  {   public string color { get; set; }   public int compartment { get; set; }   public void run()   {    Console.WriteLine(color + " " + compartment + " compartment " + this.GetType().Name + "  is running!");   }    }  public class Benz:Car  {   public Benz()   {    base.color = "black";    base.compartment = 1;   }  }  public class QQ:Car  {   public QQ()   {    base.color = "black";    base.compartment = 1;   }  }  public abstract class Decorator : Car  {   public Car car;   public Decorator(Car car)   {    this.car = car;   }  }  public class ColorDecorator:Decorator  {   //一般在构造函数内完成属性的修改(装饰),这里单独加了一个decorate方法   public ColorDecorator(Car car):base(car)   {   }   public Car decorate(string color)   {    base.car.color = color;    return base.car;   }  }  public class CompartmentDecorator : Decorator  {   public CompartmentDecorator(Car car)    : base(car)   {   }   public Car decorate(int compartment)   {    base.car.compartment = compartment;    return base.car;   }  } } 
View Code

十、组合模式

模式说明

组合模式组合多个对象形成树形结构以表示“整体-部分”的结构层次。

组合模式对单个对象(叶子对象)和组合对象(组合对象)具有一致性,它将对象组织到树结构中,可以用来描述整体与部分的关系。同时它也模糊了简单元素(叶 子对象)和复杂元素(容器对象)的概念,使得客户能够像处理简单元素一样来处理复杂元素,从而使客户程序能够与复杂元素的内部结构解耦。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public abstract class File  {   protected string name;   public File(string name)   {    this.name = name;   }   public abstract void Display();  }  public class Folder : File  {   IList<File> list;   public Folder(string name)    : base(name)   {    list = new List<File>();   }   public void AddFile(File file)   {    list.Add(file);   }   public void RemoveFile(File file)   {    list.Remove(file);   }   public override void Display()   {    Console.WriteLine("folder:" + this.name);    foreach (File f in list)    {     f.Display();    }   }  }  public class ImageFile : File  {   public ImageFile(string name)    : base(name)   {   }   public override void Display()   {    Console.WriteLine("ImageFile:" + this.name);   }  } } 
View Code

十一、外观模式

模式说明

所谓外观模式就是提供一个统一的接口,用来访问子系统中的一群接口。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public class Facade  {   Light _light = new Light();   TV _tv = new TV();   public void off()   {    _light.on();    _tv.off();   }   public void on()   {    _tv.on();    _light.off();   }  }  class Light  {   public void on()   {    Console.WriteLine("light on!");   }   public void off()   {    Console.WriteLine("light off!");   }  }  class TV  {   public void on()   {    Console.WriteLine("tv on!");   }   public void off()   {    Console.WriteLine("tv off!");   }  } } 
View Code

十二、享元模式

模式说明

所谓享元模式就是运行共享技术有效地支持大量细粒度对象的复用。系统使用少量对象,而且这些都比较相似,状态变化小,可以实现对象的多次复用。

FlyweightFactory内定义的实体是不变的(共享的),传入参数是状态变化。

缓存形式,传入参数已经被缓存则直接返回,否则创建参数对应实体,放入缓存并返回该新实体

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public class FlyweightFactory  {   static Dictionary<string, IFlyweight> pendic = new Dictionary<string, IFlyweight>();   public IFlyweight getPen(string color)   {    if (pendic.ContainsKey(color))    {     return pendic[color];    }    else    {     IFlyweight pen = new ConcreteFlyweight(color);     pendic.Add(color, pen);     return pen;    }   }   public void Display()   {    foreach (KeyValuePair<string,IFlyweight> pair in pendic)    {     Console.WriteLine(pair.Value.GetType().FullName + ":" + pair.Key);    }   }  }  public interface IFlyweight  {   string GetColor();  };  public class ConcreteFlyweight : IFlyweight  {   string color;   public ConcreteFlyweight(string color)   {    this.color = color;   }   public string GetColor()   {    return this.color;   }  } } 
View Code

十三、代理模式

模式说明

代理模式就是给一个对象提供一个代理,并由代理对象控制对原对象的引用。

在代理模式中,“第三者”代理主要是起到一个中介的作用,它连接客户端和目标对象。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public class Girl  {   public string name { get; set; }   public Girl(string name)   {    this.name = name;   }  }  public class Boy  {   private Girl girl;   public string name { get; set; }   public Boy(string name, Girl girl)   {    this.name = name;    this.girl = girl;   }   public void GiveFlower()   {    Console.WriteLine("boy {0} give flower to girl {1}", this.name, this.girl.name);   }  }  public class Proxy  {   private Boy boy;   public Proxy(Boy boy)   {    this.boy = boy;   }   public void GiveFlower()   {    this.boy.GiveFlower();   }  } } 
View Code

行为型模式

十四、迭代器模式

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public class Persons : IEnumerable  {   string[] m_Names;   public Persons(params string[] Names)   {    m_Names = new string[Names.Length];    Names.CopyTo(m_Names, 0);   }   public IEnumerator GetEnumerator()   {    foreach (string s in m_Names)    {     yield return s;    }   }   public int Length { get { return m_Names.Length; } }   public string this[int i]   {    get    {     return m_Names[i];    }    set    {     m_Names[i] = value;    }   }  } } 
View Code

十五、解释器模式

模式说明

所谓解释器(Interpreter)就是将一系列指令转化成代码,能够执行的代码。Interpreter本来就有翻译的意思。GoF给它的定义是:给定一个语言,定义它的文法的一种表示,并定义一个解释器,这个解释器使用该表示来解释语言中的句子。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public class Context  {   private string msg;   public Context(string msg)   {    this.msg = msg;   }   public string GetMsg()   {    return this.msg;   }  }  public interface Interpreter  {   string Interprete(Context context);  }  public class UpperInterpreter : Interpreter  {   public string Interprete(Context context)   {    string msg = context.GetMsg();    return msg.ToUpperInvariant();   }  }  public class LowerInterpreter : Interpreter  {   public string Interprete(Context context)   {    string msg = context.GetMsg();    return msg.ToLowerInvariant();   }  } } 
View Code

十六、命令模式

模式说明

将请求封装成对象,从而使可用不同的请求对客户进行参数化;对请求排队或记录请求日志,以及支持可撤消的操作。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  //接受命令的对象  public class CDMachine  {   public void on()   {    Console.WriteLine("CD Machine turns on!");   }   public void off()   {    Console.WriteLine("CD Machine turns off!");   }  }  //定义命令  public abstract class Command  {   public abstract void Execute(CDMachine cdMachine);  }  public class TurnonCommand : Command  {   public override void Execute(CDMachine cdMachine)   {    cdMachine.on();   }  }  public class TurnoffCommand : Command  {   public override void Execute(CDMachine cdMachine)   {    cdMachine.off();   }  }  //发送命令的对象  public class Controller  {   //遥控的功能 --- 可发送的命令   private TurnonCommand turnonCommand;   private TurnoffCommand turnoffCommand;   public Controller(TurnonCommand turnonCommand, TurnoffCommand turnoffCommand)   {    this.turnonCommand = turnonCommand;    this.turnoffCommand = turnoffCommand;   }   public void turnOn(CDMachine cdMachine)   {    this.turnonCommand.Execute(cdMachine);   }   public void turnOff(CDMachine cdMachine)   {    this.turnoffCommand.Execute(cdMachine);   }  } } 
View Code

十七、中介者模式

模式说明

所谓中介者模式就是用一个中介对象来封装一系列的对象交互,中介者使各对象不需要显式地相互引用,从而使其耦合松散,而且可以独立地改变它们之间的交互。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public abstract class Person  {   public string name;   public Mediator mediator;   public Person(string name, Mediator mediator)   {    this.name = name;    this.mediator = mediator;   }   public void Contact(string msg)   {    //参数 this 代表 消息来自我    this.mediator.SendMsg(msg, this);   }   internal void GetMsg(string msg)   {    Console.WriteLine(this.name + " 收到消息:" + msg);   }  }  public class HouseOwner : Person  {   public HouseOwner(string name, Mediator mediator) : base(name, mediator) { }  }  public class Tenant : Person  {   public Tenant(string name, Mediator mediator) : base(name, mediator) { }  }  public interface Mediator  {   void SendMsg(string msg, Person p);  }  public class ConcreteMediator : Mediator  {   HouseOwner houseOwner;   Tenant tenant;   public ConcreteMediator()   {   }   public void SetHouseOwner(HouseOwner houseOwner)   {    this.houseOwner = houseOwner;   }   public void SetTenant(Tenant tenant)   {    this.tenant = tenant;   }   public void SendMsg(string msg, Person p)   {    if (p.GetType() == houseOwner.GetType())    {     tenant.GetMsg(msg);    }    else    {     houseOwner.GetMsg(msg);    }   }  } } 
View Code

十八、备忘录模式

模式说明

所谓备忘录模式就是在不破坏封装的前提下,捕获一个对象的内部状态,并在该对象之外保存这个状态,这样可以在以后将对象恢复到原先保存的状态。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public class Memonto  {   public int blood { get; set; }   public int magic { get; set; }  }  public class Caretaker  {   private Memonto memonto;   public void SetMemonto(Memonto memonto)   {    this.memonto = memonto;   }   public Memonto getMemonto()   {    return this.memonto;   }  }  public class Original  {   public int blood { get; set; }   public int magic { get; set; }   public Memonto SaveMemonto()   {    return new Memonto() { blood = this.blood, magic = this.magic };   }   public void RestoreMemonto(Memonto memonto)   {    this.blood = memonto.blood;    this.magic = memonto.magic;   }   public void display()   {    Console.WriteLine("blood:" + this.blood + "/tmagic:" + this.magic);   }  } } 
View Code

十九、观察者模式

模式说明

定义了一种一对多的关系,让多个观察对象同时监听一个主题对象,当主题对象状态发生变化时会通知所有观察者。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
public interface Observer {  void Update(Subject subject); } public abstract class Subject {  List<Observer> obsList = new List<Observer>();  public void AddObserver(Observer observer)  {   obsList.Add(observer);  }  public void RemoveObserver(Observer observer)  {   obsList.Remove(observer);  }  public void notity()  {   foreach (Observer o in obsList)   {    o.Update(this);   }  }  private string _state;  public void SetState(string state)  {   this._state = state;  }  public string GetState()  {   return this._state;  } } public class ConcreteSubject : Subject { } public class ConcreteObserver1 : Observer {  public void Update(Subject subject)  {   Console.WriteLine("ConcreteObserver1 get notice:" + subject.GetState());  } } public class ConcreteObserver2 : Observer {  public void Update(Subject subject)  {   Console.WriteLine("ConcreteObserver2 get notice:" + subject.GetState());  } } 
View Code
设计模式(c#)代码总结
//事件委托的方式 public delegate void updateDelegate(Subject subject); public class EventSubjet : Subject {  public event updateDelegate UpdateHandler;  public void EventNotify()  {   OnUpdate();  }  private void OnUpdate()  {   if (UpdateHandler != null)   {    UpdateHandler(this);   }  } } 
View Code

二十、状态模式

模式说明

当一个对象的内在状态改变时允许改变其行为,这个对象看起来像是改变了其类。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public interface IState  {   void display();  }  public class WorkState:IState  {   public void display()   {    Console.WriteLine("Working State");   }  }  public class RestState:IState  {   public void display()   {    Console.WriteLine("Rest State");   }  }  public class Programmer  {   IState _state;   public void Doing(DateTime dt)   {    if(dt.Hour<7 || dt.Hour > 22)    {     _state = new RestState();    }    else    {     _state = new WorkState();    }    _state.display();   }  } } 
View Code

二十一、模板模式

模式说明

定义一个操作中的算法的骨架,而将步骤延迟到子类中。模板方法使得子类可以不改变一个算法的结构即可重定义算法的某些特定步骤。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public abstract class Template  {   protected void boilWater()   {    Console.WriteLine("boil water");   }   protected virtual void brew()   {    Console.WriteLine("brew");   }   protected void pourInCup()   {    Console.WriteLine("pour into cup");   }   protected virtual void addOther()   {    Console.WriteLine("add other");   }   public void makeBeverage()   {    boilWater();    brew();    pourInCup();    addOther();   }  }  public class Tea : Template  {   protected override void brew()   {    Console.WriteLine("tea");   }   protected override void addOther()   {    Console.WriteLine("add lemon");   }  }  public class Coffee : Template  {   protected override void brew()   {    Console.WriteLine("coffee");   }   protected override void addOther()   {    Console.WriteLine("add sugar");   }  } } 
View Code

二十二、策略模式

模式说明

定义算法家族并且分别封装,它们之间可以相互替换而不影响客户端。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public abstract class OrderStrategy  {   public List<int> orderList;   public abstract void Order();   public void display()   {    foreach (int i in orderList)    {     Console.Write(i + "/t");    }    Console.WriteLine();   }  }  public class BubbleStrategy : OrderStrategy  {   public override void Order()   {    for (int i = 0; i < orderList.Count; i++)    {     for (int j = i + 1; j < orderList.Count; j++)     {      if (orderList[i] < orderList[j])//冒泡降序 小的冒上去      {       int temp = orderList[i];       orderList[i] = orderList[j];       orderList[j] = temp;      }     }    }   }  }  public class SelectionStrategy : OrderStrategy  {   public override void Order()   {    for (int i = 0; i < orderList.Count; i++)    {     int smallvalue = orderList[i];     int smallposition = i;     for (int j = i + 1; j < orderList.Count; j++)     {      if (orderList[j] < smallvalue)      {       smallposition = j;       smallvalue = orderList[j];      }     }     //将最小值放到当前要排序的位置     orderList[smallposition] = orderList[i];     orderList[i] = smallvalue;    }   }  }  public class InsertionStrategy : OrderStrategy  {   public override void Order()   {    for (int i = 1; i < orderList.Count; i++)    {     int temp = orderList[i];//当前要插入的值,相当于位置I是个空白位置,供对比进行后移     int j = i;     //j之前的序列已经排序好,选一个位置把当前值插入     while (j > 0)     {      //i从1开始,是因为这里j要比较前一个值      if (temp < orderList[j - 1]) //插入过程中,每次比较的值大于当前值则向后移动      {       orderList[j] = orderList[j-1];       j--;      }      else      {       break;      }     }     //找到位置(break)或者循环正常结束(说明当前值最小)则赋值。     orderList[j] = temp;    }   }  }  public class StrategyManager  {   OrderStrategy strategy;   public void SetStrategy(OrderStrategy strategy)   {    this.strategy =strategy;   }   public void Sort(List<int> list)   {    this.strategy.orderList = list;    this.strategy.Order();    this.strategy.display();   }  } } 
View Code

二十三、访问者模式

模式说明

访问者模式即表示一个作用于某对象结构中的各元素的操作,它使我们可以在不改变各元素的类的前提下定义作用于这些元素的新操作。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public interface Element  {   void accept(Visitor visitor);  }  public class ConcreteElementA : Element  {   string name;   public void SetName(string name)   {    this.name = name;   }   public string GetName()   {    return this.name;   }   public void accept(Visitor visitor)   {    visitor.visitElementA(this);   }  }  public class ConcreteElementB : Element  {   int ID;   public void SetID(int id)   {    this.ID = id;   }   public int GetID()   {    return this.ID;   }   public void accept(Visitor visitor)   {    visitor.visitElementB(this);   }  }  public interface Visitor  {   void visitElementA(ConcreteElementA ea);   void visitElementB(ConcreteElementB eb);  }  public class ConcreteVisitorA : Visitor  {   public void visitElementA(ConcreteElementA ea)   {    Console.WriteLine("ConcreteVisitorA visit ElemantA:" + ea.GetName());   }   public void visitElementB(ConcreteElementB eb)   {    Console.WriteLine("ConcreteVisitorA visit ElemantB:" + eb.GetID());   }  }  public class ConcreteVisitorB : Visitor  {   public void visitElementA(ConcreteElementA ea)   {    Console.WriteLine("ConcreteVisitorB visit ElemantA:" + ea.GetName());   }   public void visitElementB(ConcreteElementB eb)   {    Console.WriteLine("ConcreteVisitorB visit ElemantB:" + eb.GetID());   }  }  public class objectStructure  {   List<Element> elementlist = new List<Element>();   public void Attach(Element e)   {    elementlist.Add(e);   }   public void Dettach(Element e)   {    elementlist.Remove(e);   }   public void Accept(Visitor visit)   {    foreach(Element e in elementlist)    {     e.accept(visit);    }   }  } } 
View Code

二十四、责任链模式

模式说明

避免请求发送者与接收者耦合在一起,让多个对象都有可能接收请求,将这些对象连接成一条链,并且沿着这条链传递请求,直到有对象处理它为止,这就是职责链模式。

模式结构图

设计模式(c#)代码总结

代码示例

设计模式(c#)代码总结
namespace DesignPattern {  public class Request  {   int days;   string name;   public Request(int days, string name)   {    this.days = days;    this.name = name;   }   public int GetDays()   {    return days;   }   public string GetName()   {    return name;   }  }  public abstract class Responsibility  {   protected Responsibility responsibility;   public Responsibility(Responsibility responsibility)   {    this.responsibility = responsibility;   }   public abstract void HandleRequest(Request request);  }  public class Leader : Responsibility  {   public Leader(Responsibility responsibility)    : base(responsibility)   { }   public override void HandleRequest(Request request)   {    if (request.GetDays() < 3)    {     Console.WriteLine("Leader passed {0}'s {1} days request", request.GetName(), request.GetDays());    }    else    {     this.responsibility.HandleRequest(request);    }   }  }  public class Department : Responsibility  {   public Department(Responsibility responsibility)    : base(responsibility)   { }   public override void HandleRequest(Request request)   {    if (request.GetDays() < 8)    {     Console.WriteLine("Department passed {0}'s {1} days request", request.GetName(), request.GetDays());    }    else    {     this.responsibility.HandleRequest(request);    }   }  }  //责任链终端必须处理  public class Boss : Responsibility  {   public Boss() : base(null) { }   public override void HandleRequest(Request request)   {    if (request.GetDays() < 15)    {     Console.WriteLine("Boss passed {0}'s {1} days request", request.GetName(), request.GetDays());    }    else    {     Console.WriteLine("Boss refused {0}'s {1} days request", request.GetName(), request.GetDays());    }   }  } } 
View Code

主程序(注:调用顺序与该列表顺序不一致)

设计模式(c#)代码总结
namespace DesignPattern {     class Program     {         static void Main(string[] args)         {  //简单工厂  Console.WriteLine("简单工厂");  Console.WriteLine(SimpleFactory.GetOperation(op.add, 1.1, 2.2).GetResult());  //工厂方法  Console.WriteLine("/n工厂方法");  ILoggerFactory factorymethod = new EventLoggerFactory();  ILogger iLogger = factorymethod.CreateLogger();  iLogger.write("123");  factorymethod = new FileLoggerFactory();  iLogger = factorymethod.CreateLogger();  iLogger.write("321");  //抽象工厂  Console.WriteLine("/n抽象工厂");  AbstractFactory absFactory = new ChineseFactory();  absSalary chSalary = absFactory.CreateSalary(10000, 8000, 0.12);  absSocialSecurity chScSc = absFactory.CreateSocialSecurity(1200);  Console.WriteLine(chSalary.CalculateTax());  Console.WriteLine(chScSc.GetSocialSecurity());  absFactory = new ForeignerFactory();  chSalary = absFactory.CreateSalary(10000, 8000, 0.12);  chScSc = absFactory.CreateSocialSecurity(1200);  Console.WriteLine(chSalary.CalculateTax());  Console.WriteLine(chScSc.GetSocialSecurity());  //创造者模式  Console.WriteLine("/n创造者模式");  Waitor waiter = new Waitor();  Builder b1 = new MealABuilder();  Builder b2 = new MealBBuilder();  waiter.PrepareMeal(b1);  Meal ma = b1.GetMeal();  Console.WriteLine(ma.getFood() + "/t" + ma.getDrink());  waiter.PrepareMeal(b2);  Meal mb = b2.GetMeal();  Console.WriteLine(mb.getFood() + "/t" + mb.getDrink());  //原型模式  Console.WriteLine("/n原型模式");  Red r = new Red();  r.o.value = 20;//改变引用值  ColorPrototype RCopy = r.Clone();  RCopy.o.value = 30;  Console.WriteLine(r.o.value);//30 浅拷贝,指向同一个应用对象,一处改变,都改变   Green g = new Green();  g.o.value = 20;  ColorPrototype GCopy = g.Clone();  GCopy.o.value = 30;  Console.WriteLine(g.o.value);//20 深拷贝,引用对象独立  //单例模式  Console.WriteLine("/n单例模式");  Task[] tArr = new Task[]{  Task.Run(() => Singleton.GetInstance().count()),  Task.Run(() => Singleton.GetInstance().count()),  Task.Run(() => Singleton.GetInstance().count()),  Task.Run(() => Singleton.GetInstance().count()),  Task.Run(() => Singleton.GetInstance().count()),  Task.Run(() => Singleton.GetInstance().count()),  Task.Run(() => Singleton.GetInstance().count()),  Task.Run(() => Singleton.GetInstance().count()),  Task.Run(() => Singleton.GetInstance().count()),  Task.Run(() => Singleton.GetInstance().count())  };  Singleton.GetInstance().count();  Task.WaitAll(tArr);  Console.WriteLine("danger:" + Singleton.GetInstance().getCnt());  Task[] tArrSafe = new Task[]{  Task.Run(() => Singleton.GetSafeInstance().count()),  Task.Run(() => Singleton.GetSafeInstance().count()),  Task.Run(() => Singleton.GetSafeInstance().count()),  Task.Run(() => Singleton.GetSafeInstance().count()),  Task.Run(() => Singleton.GetSafeInstance().count()),  Task.Run(() => Singleton.GetSafeInstance().count()),  Task.Run(() => Singleton.GetSafeInstance().count()),  Task.Run(() => Singleton.GetSafeInstance().count()),  Task.Run(() => Singleton.GetSafeInstance().count()),  Task.Run(() => Singleton.GetSafeInstance().count())  };  Singleton.GetSafeInstance().count();  Task.WaitAll(tArrSafe);  Console.WriteLine("safe:" + Singleton.GetSafeInstance().getCnt());  //迭代器  Console.WriteLine("/n迭代器");  Persons ps = new Persons(new string[] { "1", "2", "3" });  foreach (string name in ps)  {      Console.WriteLine(name);  }  for (var i = 0; i < ps.Length; i++)  {      Console.WriteLine(ps[i]);  }  //适配器模式  Console.WriteLine("/n适配器模式");  EventLogger eLog = new EventLogger();  FileLogger fLog = new FileLogger();  LogAdaptor adapter = new LogAdaptor(eLog);  adapter.writelog("123123");  adapter = new LogAdaptor(fLog);  adapter.writelog("123123");  //代理模式  Console.WriteLine("/n代理模式");  Girl girl = new Girl("Han MeiMei");  Boy boy = new Boy("Li Lei", girl);  Proxy proxy = new Proxy(boy);  proxy.GiveFlower();  //桥接模式  Console.WriteLine("/n桥接模式");  Color blue = new Blue();  Color white = new White();  Shape squre = new Squre();  Shape circle = new Circle();  squre.SetColor(blue);  squre.Draw();  circle.SetColor(white);  circle.Draw();  //组合模式  Console.WriteLine("/n组合模式");  Folder folder1 = new Folder("study");  File img = new ImageFile("img");  folder1.AddFile(img);  Folder folder2 = new Folder("c#");  folder2.AddFile(img);  folder1.AddFile(folder2);  folder1.Display();  //解释器模式  Console.WriteLine("/n解释器模式");  Context context = new Context("ABcdeFG");  UpperInterpreter ui = new UpperInterpreter();  string inprResut = ui.Interprete(context);  Console.WriteLine("up:" + inprResut);  LowerInterpreter li = new LowerInterpreter();  inprResut = li.Interprete(context);  Console.WriteLine("low:" + inprResut);  //外观模式  Console.WriteLine("/n外观模式");  Facade facade = new Facade();  Console.WriteLine("电视打开,电灯关闭!");  facade.on();  Console.WriteLine("3秒后电灯打开,电视关闭");  Thread.Sleep(3000);  facade.off();  //享元模式  Console.WriteLine("/n享元模式");  FlyweightFactory flyfactory = new FlyweightFactory();  IFlyweight flyweidht = flyfactory.getPen("red");  Console.WriteLine(flyweidht.GetColor());  flyweidht = flyfactory.getPen("blue");  Console.WriteLine(flyweidht.GetColor());  flyweidht = flyfactory.getPen("red");  Console.WriteLine(flyweidht.GetColor());  flyfactory.Display();  //责任链模式  Console.WriteLine("/n责任链模式");  Request request = new Request(20, "wang");  Boss boss = new Boss();  Department department = new Department(boss);  Leader leader = new Leader(department);  leader.HandleRequest(request);  //命令模式  Console.WriteLine("/n命令模式");  CDMachine cd = new CDMachine();  TurnoffCommand off = new TurnoffCommand();  TurnonCommand on = new TurnonCommand();  Controller ctrl = new Controller(on, off);  //遥控器发送命令到cd机  ctrl.turnOn(cd);  ctrl.turnOff(cd);  //中介者模式  Console.WriteLine("/n中介者模式");  //中介单独存在  //Mediator mediator = new ConcreteMediator();  ConcreteMediator mediator = new ConcreteMediator();  //房主和租客寻找中介  HouseOwner houseOwner = new HouseOwner("houseowner", mediator);  Tenant tenant = new Tenant("tenant", mediator);  //中介给他们搭建链接  mediator.SetHouseOwner(houseOwner);  mediator.SetTenant(tenant);  houseOwner.Contact("出租房");  tenant.Contact("租房");  //备忘录模式  Console.WriteLine("/n备忘录模式");  Caretaker caretaker = new Caretaker();  Original original = new Original();  original.blood = 100;  original.magic = 100;  original.display();  caretaker.SetMemonto(original.SaveMemonto());  original.blood = 50;  original.magic = 50;  original.display();  original.RestoreMemonto(caretaker.getMemonto());  original.display();  //观察者模式  Console.WriteLine("/n观察者模式");  Subject subject = new ConcreteSubject();  subject.SetState("start");  Observer o1 = new ConcreteObserver1();  Observer o2 = new ConcreteObserver2();  subject.AddObserver(o1);  subject.AddObserver(o2);  subject.notity();  subject.SetState("change");  subject.notity();  //Subject eventSubject = new EventSubjet();  EventSubjet eventSubject = new EventSubjet();  eventSubject.UpdateHandler += o1.Update;  eventSubject.UpdateHandler += o2.Update;  eventSubject.SetState("event");  eventSubject.EventNotify();  //状态模式  Console.WriteLine("/n状态模式");  Programmer programmer = new Programmer();  Console.WriteLine(DateTime.Now + "程序员正在做什么呢?");  programmer.Doing(DateTime.Now);  Console.WriteLine(DateTime.Now.AddHours(-10) + "程序员正在做什么呢?");  programmer.Doing(DateTime.Now.AddHours(-10));  //策略模式  Console.WriteLine("/n策略模式");  BubbleStrategy bubble = new BubbleStrategy();  SelectionStrategy selection = new SelectionStrategy();  InsertionStrategy insertion = new InsertionStrategy();  var list = new List<int>() { 3, 1, 6, 2, 5 };  StrategyManager manager = new StrategyManager();  manager.SetStrategy(bubble);  manager.Sort(list);  manager.SetStrategy(selection);  manager.Sort(list);  manager.SetStrategy(insertion);  manager.Sort(list);  //模板模式  Console.WriteLine("/n模板模式");  Template tea = new Tea();  tea.makeBeverage();  Template coffee = new Coffee();  coffee.makeBeverage();  //访问者模式  Console.WriteLine("/n访问者模式");  ConcreteElementA elementA = new ConcreteElementA();  elementA.SetName("ea");  ConcreteElementB elementB = new ConcreteElementB();  elementB.SetID(2);  objectStructure structure = new objectStructure();  structure.Attach(elementA);  structure.Attach(elementB);  Visitor visitorA = new ConcreteVisitorA();  Visitor visitorB = new ConcreteVisitorB();  structure.Accept(visitorA);  structure.Accept(visitorB);  //装饰者模式  Console.WriteLine("/n装饰者模式");  Car car = new Benz();  car = new ColorDecorator(car).decorate("red");  car.run();  car = new CompartmentDecorator(car).decorate(3);  car.run();         }     } } 
View Code

该博文出发点是使用面向对象的语言, 使用简单的示例 简要概括 说明各个模式的应用,已备不时之需。

提交了一次竟然没通过,从首页移除

设计模式(c#)代码总结

重新发送一遍,是不是能通过呢?

为避免某某些折叠代码不能正常打开,附源码下载地址

正文到此结束
Loading...