原型模式
1、个人理解:也就是在具体的原型类中去重写Clone方法,在这个方法中去掉用this.MemberwiseClone()方法,这是对对象的浅表复制
2、专业解释:用原型实例指定创建对象的种类,并且通过拷贝这些原创建新的对象
3、代码实现
1)抽象的原型类
1 abstract class Prototype 2 { 3 private string id; 4 public Prototype(string id ) 5 { 6 this.id = id; 7 } 8 public string Id { get { return id; } } 9 10 public abstract Prototype Clone(); 11 } 12 }
2)具体的原型类
1 class ConcretePrototype : Prototype 2 { 3 public ConcretePrototype(string id):base(id){} 4 public override Prototype Clone() 5 { 6 return (Prototype)this.MemberwiseClone(); 7 } 8 }
3)客户端代码
1 static void Main(string[] args) { 2 ConcretePrototype cp = new ConcretePrototype("a"); 3 ConcretePrototype cloneCp = (ConcretePrototype)cp.Clone(); 4 Console.WriteLine(cloneCp.Id); 5 Console.ReadLine(); 6 }