mirror of
https://github.com/grillazz/fastapi-sqlalchemy-asyncpg.git
synced 2025-08-26 16:40:40 +03:00
37 lines
866 B
Python
37 lines
866 B
Python
from threading import Lock
|
|
|
|
|
|
class SingletonMeta(type):
|
|
"""
|
|
This is a thread-safe implementation of Singleton.
|
|
"""
|
|
|
|
_instances = {}
|
|
|
|
_lock: Lock = Lock()
|
|
|
|
def __call__(cls, *args, **kwargs):
|
|
with cls._lock:
|
|
if cls not in cls._instances:
|
|
instance = super().__call__(*args, **kwargs)
|
|
cls._instances[cls] = instance
|
|
return cls._instances[cls]
|
|
|
|
|
|
class SingletonMetaNoArgs(type):
|
|
"""
|
|
Singleton metaclass for classes without parameters on constructor,
|
|
for compatibility with FastApi Depends() function.
|
|
"""
|
|
|
|
_instances = {}
|
|
|
|
_lock: Lock = Lock()
|
|
|
|
def __call__(cls):
|
|
with cls._lock:
|
|
if cls not in cls._instances:
|
|
instance = super().__call__()
|
|
cls._instances[cls] = instance
|
|
return cls._instances[cls]
|