-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsingleton_design_pattern.py
43 lines (31 loc) · 1.07 KB
/
singleton_design_pattern.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
from abc import ABCMeta, abstractmethod
class IPerson(metaclass=ABCMeta):
@abstractmethod
def print_data(self):
""" Implement in child class """
class Person_Singleton(IPerson):
__instance = None
@staticmethod
def get_instance():
if Person_Singleton.__instance is None:
print("Error: No instance found!")
print("Creating...")
Person_Singleton("Default Name", 0)
return Person_Singleton.__instance
def __init__(self, name, age):
if Person_Singleton.__instance is not None:
raise Exception("Singleton cannot be instantiated more than once!")
else:
self.name = name
self.age = age
Person_Singleton.__instance = self
@staticmethod
def print_data():
print(f"Name: {Person_Singleton.__instance.name}")
print(f"Age: {Person_Singleton.__instance.age}")
p1 = Person_Singleton("John", 25)
print(p1)
p1.print_data()
p2 = Person_Singleton.get_instance()
print(p2)
p2.print_data()