原型模式(Prototype)

1

定义

  原型模式(Prototype):属于创建型模式,通过拷贝原型实例创建新的对象,而无需知道对象的任何创建细节。

代码实战

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
interface IClone {
Object myClone();
}

class Phone implements IClone {
String type;

int price;

int rom;

int ram;

Phone(String type, int price, int rom, int ram) {
this.type = type;
this.price = price;
this.rom = rom;
this.ram = ram;
}

Phone(Phone phone) {
this.type = phone.type;
this.price = phone.price;
this.rom = phone.rom;
this.ram = phone.ram;
}

@Override
public Object myClone() {
return new Phone(this);
}
}

class Test {
public static void main(String[] args) {
Phone phone1 = new Phone("mate40 Pro", 6999, 256, 8);
Phone phone2 = (Phone) phone1.myClone();
System.out.println(phone1);
System.out.println(phone2);
}
}

类图

1

特点

  原型模式定义了一个接口,其中只有一个clone方法。如果可以clone的类就去实现这个方法,可以在clone方法中调用拷贝构造,也可以不提供拷贝构造,直接写在clone方法体中。

  Java语言提供了这样的一个接口Cloneable,如果想调用某个类的clone方法,就实现该接口即可。

总结

  原型模式常用于经常拷贝的对象中,可以保证内部成员对外部的不感知,代码非常简单,希望小伙伴们能够掌握它。

-------------本文结束感谢您的阅读-------------
0%