简单工厂的作用是实例化对象,而不需要客户了解这个对象属于哪个具体的子类。
简单工厂实例化的类具有相同的接口,在类有限并且基本不需要扩展时,可以使用简单工厂。例如,数据库连接对象,常用的数据库类类可以预知,则使用简单工厂。
采用简单工厂的优点是可以使用户根据参数获得对应的类实例,避免了直接实例化类,降低了耦合性;缺点是可实例化的类型在编译期间已经被确定,如果增加新类型,则需要修改工厂,不符合OCP的原则。简单工厂需要知道所有要生成的类型,当子类过多或者子类层次过多时不适合使用。
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
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
|
namespace DP
{ class Client
{
static void Main( string [] args)
{
// 避免了这里对Sugar类的直接依赖
IFood food = FoodShop.Sale( "Sugar" );
food.Eat();
// 避免了这里对Bread类的直接依赖
food = FoodShop.Sale( "Bread" );
food.Eat();
Console.Read();
}
}
public interface IFood
{
void Eat();
}
public class Bread : IFood
{
public void Eat()
{
Console.WriteLine( "Bread is delicious!" );
}
}
public class Sugar : IFood
{
public void Eat()
{
Console.WriteLine( "Sugar is delicious!" );
}
}
public class FoodShop
{
public static IFood Sale( string foodName)
{
switch (foodName)
{
case "Sugar" :
return new Sugar();
case "Bread" :
return new Bread();
default :
throw new ArgumentException();
}
}
}
} |
王德水