-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathabstract_factory_generic.py
73 lines (49 loc) · 1.88 KB
/
abstract_factory_generic.py
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
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
from __future__ import annotations
from abc import ABC, abstractmethod
class AbstractFactory(ABC):
@abstractmethod
def create_product_a(self) -> AbstractProductA:
pass
@abstractmethod
def create_product_b(self) -> AbstractProductB:
pass
class ConcreteFactoryOne(AbstractFactory):
def create_product_a(self) -> AbstractProductA:
return ConcreteProductAOne()
def create_product_b(self) -> AbstractProductB:
return ConcreteProductBOne()
class ConcreteFactoryTwo(AbstractFactory):
def create_product_a(self) -> AbstractProductA:
return ConcreteProductATwo()
def create_product_b(self) -> AbstractProductB:
return ConcreteProductBTwo()
class AbstractProductA(ABC):
@abstractmethod
def useful_function_a(self) -> str:
pass
class ConcreteProductAOne(AbstractProductA):
def useful_function_a(self) -> str:
return "The result of the product AOne."
class ConcreteProductATwo(AbstractProductA):
def useful_function_a(self) -> str:
return "The result of the product ATwo."
class AbstractProductB(ABC):
@abstractmethod
def useful_function_b(self) -> None:
pass
class ConcreteProductBOne(AbstractProductB):
def useful_function_b(self) -> str:
return "The result of the product BOne."
class ConcreteProductBTwo(AbstractProductB):
def useful_function_b(self) -> str:
return "The result of the product BTwo."
def client(factory: AbstractFactory) -> None:
product_a = factory.create_product_a()
product_b = factory.create_product_b()
print(f"{product_a.useful_function_a()}")
print(f"{product_b.useful_function_b()}")
if __name__ == "__main__":
print("\nClient: Testing client code with Factory Type One:")
client(ConcreteFactoryOne())
print("\nClient: Testing client code with Factory Type Two:")
client(ConcreteFactoryTwo())