C#设计模式--原型模式
设计模式:
原型模式(Prototype Pattern)
简单介绍:
原型模式(Prototype Pattern)是用于创建重复的对象,同时又能保证性能。这种类型的设计模式属于创建型模式,它提供了一种创建对象的最佳方式。
这种模式是实现了一个原型接口,该接口用于创建当前对象的克隆。当直接创建对象的代价比较大时,则采用这种模式。例如,一个对象需要在一个高代价的数据库操作之后被创建。我们可以缓存该对象,在下一个请求时返回它的克隆,在需要的时候更新数据库,以此来减少数据库调用。
原型模式参与者:
Prototype:原型类,声明一个Clone自身的接口;
ConcretePrototype:具体原型类,实现一个Clone自身的操作。
在原型模式中,Prototype通常提供一个包含Clone方法的接口,具体的原型ConcretePrototype使用Clone方法完成对象的创建。
原型模式类图:
原型模式c#代码示例:
Prototype类 原型基类
1 public abstract class Prototype 2 { 3 private string _id; 4 5 public Prototype(string id) 6 { 7 this._id = id; 8 } 9 10 public string Id 11 { 12 get { return _id; } 13 } 14 15 public abstract Prototype Clone(); 16 }
ConcretePrototype1类 具体的原型类实现Clone方法
1 public class ConcretePrototype1:Prototype 2 { 3 public ConcretePrototype1(string id) 4 : base(id) 5 { 6 } 7 8 public override Prototype Clone() 9 { 10 return (Prototype)this.MemberwiseClone(); 11 } 12 }
ConcretePrototype2类 具体的原型类实现Clone方法
1 public class ConcretePrototype2:Prototype 2 { 3 public ConcretePrototype2(string id) 4 : base(id) 5 { 6 } 7 8 public override Prototype Clone() 9 { 10 return (Prototype)this.MemberwiseClone(); 11 } 12 }
测试调用
1 class Client 2 { 3 static void Main(string[] args) 4 { 5 ConcretePrototype1 p1 = new ConcretePrototype1("I"); 6 ConcretePrototype1 c1 = (ConcretePrototype1)p1.Clone(); 7 Console.WriteLine("Cloned: {0}", c1.Id); 8 9 ConcretePrototype2 p2 = new ConcretePrototype2("II"); 10 ConcretePrototype2 c2 = (ConcretePrototype2)p2.Clone(); 11 Console.WriteLine("Cloned: {0}", c2.Id); 12 Console.Read(); 13 } 14 }
运行结果:
源代码工程文件下载
原型模式手机举例
MobilePhonePrototype类 手机原型基类
1 public abstract class MobilePhonePrototype 2 { 3 private string _brand; 4 5 public string Brand 6 { 7 get { return _brand; } 8 } 9 10 public MobilePhonePrototype(string brand) 11 { 12 this._brand = brand; 13 } 14 15 public abstract MobilePhonePrototype Clone(); 16 17 18 }
XiaoMiPrototype类 小米手机原型类
1 public class XiaoMiPrototype:MobilePhonePrototype 2 { 3 public XiaoMiPrototype(string brand) 4 : base(brand) 5 { 6 7 } 8 9 public override MobilePhonePrototype Clone() 10 { 11 return (MobilePhonePrototype)this.MemberwiseClone(); 12 } 13 }
ApplePrototype类 苹果手机原型类
1 public class ApplePrototype:MobilePhonePrototype 2 { 3 public ApplePrototype(string brand) 4 : base(brand) 5 { 6 } 7 8 public override MobilePhonePrototype Clone() 9 { 10 return (MobilePhonePrototype)this.MemberwiseClone(); 11 } 12 }
用户测试类
1 class Client 2 { 3 static void Main(string[] args) 4 { 5 XiaoMiPrototype xiaomi = new XiaoMiPrototype("小米"); 6 XiaoMiPrototype xiaomi2 = (XiaoMiPrototype)xiaomi.Clone(); 7 Console.WriteLine(xiaomi2.Brand); 8 9 ApplePrototype iphone = new ApplePrototype("iPhone7 Plus"); 10 ApplePrototype iphone2 = (ApplePrototype)iphone.Clone(); 11 Console.WriteLine(iphone2.Brand); 12 Console.Read(); 13 } 14 }