python 執行緒安全的 單例 實現 日誌分級

qq_734449600發表於2020-12-14

什麼叫 單例 模式

多次初始化 只返回 同一個物件 叫做單例模式

為什麼 要使用單例模式

  1. 程式碼 中 有些 物件 比如 日誌物件 為了防止 多次初始化 可以使用單例模式
  2. 有些 模型 物件 體積龐大, 載入緩慢, 必須使用 單例模式

python 單例 執行緒安全的 實現方式

import threading

class SingletonType(type):
    _instance_lock = threading.Lock()
    def __call__(cls, *args, **kwargs):
        if not hasattr(cls, "_instance"):
            with SingletonType._instance_lock:
                if not hasattr(cls, "_instance"):
                    cls._instance = super(SingletonType,cls).__call__(*args, **kwargs)
        return cls._instance

class Foo(metaclass=SingletonType):
    def __init__(self,name):
        self.name = name
        print(name)


obj1 = Foo('name2')
obj2 = Foo('name1')
print(obj1,obj2)

# 測試結果 init 函式 只被執行了一次
# python3 singlon.py 
# name2
# <__main__.Foo object at 0x7f7cd9b04860> <__main__.Foo object at 0x7f7cd9b04860>

使用 單例 封裝 日誌物件

  1. 實現日誌單例
  2. 實現日誌 分級 輸出檔案
  3. 實現日誌 按照 每週 分檔案儲存

Singleton.py

#!/usr/bin/python
# -*- coding:utf-8 -*-
'''
@File    :   Singleton.py
@Time    :   2020/12/14 14:17:11
@Author  :   lmk
@Version :   1.0
'''

import threading

class SingletonType(type):
    _instance_lock = threading.Lock()
    def __call__(cls, *args, **kwargs):
        if not hasattr(cls, "_instance"):
            with SingletonType._instance_lock:
                if not hasattr(cls, "_instance"):
                    cls._instance = super(SingletonType,cls).__call__(*args, **kwargs)
        return cls._instance

if __name__ == '__main__':
    pass

singleton_log.py

#!/usr/bin/python
# -*- coding:utf-8 -*-
'''
@File    :   singleton_log.py
@Time    :   2020/12/14 14:26:05
@Author  :   lmk
@Version :   1.0
'''


from scripts.Singleton import SingletonType
from logging import Logger
import logging  # 引入logging模組
import os
import time
from gen_log.a_log_config import info_log_path,err_log_path


class singleLogger(metaclass=SingletonType):
    def __init__(self):
        # 第一步,建立一個logger
        self.logger = logging.getLogger()
        self.logger.setLevel(logging.INFO)  # Log等級總開關

        # 第二步,建立一個handler,用於寫入日誌檔案
        # fh = logging.FileHandler(info_log_path,mode="w")
        info_fh = logging.handlers.TimedRotatingFileHandler(info_log_path,when="W0")

        # fh.setLevel(logging.DEBUG)  # 輸出到file的log等級的開關
        # 設定日誌過濾器
        info_filter = logging.Filter()
        info_filter.filter = lambda record: record.levelno <= logging.WARNING # 設定過濾等級
        info_fh.setLevel(logging.INFO)
        info_fh.addFilter(info_filter)


        # fh = logging.FileHandler(info_log_path,mode="w")
        err_fh = logging.handlers.TimedRotatingFileHandler(err_log_path,when="W0")


        # fh.setLevel(logging.DEBUG)  # 輸出到file的log等級的開關
        err_filter = logging.Filter()
        err_filter.filter = lambda record: record.levelno > logging.WARNING
        err_fh.setLevel(logging.ERROR)
        err_fh.addFilter(err_filter)
       

        # 第三步,定義handler的輸出格式
        formatter = logging.Formatter("%(asctime)s - %(filename)s[line:%(lineno)d] - %(levelname)s: \n%(message)s\n")
        info_fh.setFormatter(formatter)
        err_fh.setFormatter(formatter)
        # 第四步,將logger新增到handler裡面
        self.logger.addHandler(info_fh)
        self.logger.addHandler(err_fh)

logger = singleLogger().logger

相關文章