로깅 Python 모듈을 사용하여 파일에 쓰는 방법은 무엇입니까?


128

Python 의 로깅 모듈을 사용하여 파일에 쓰는 방법은 무엇입니까? 내가 그것을 사용하려고 할 때마다 메시지를 인쇄합니다.

답변:


171

logging.basicConfig대신 사용의 예logging.fileHandler()

logging.basicConfig(filename=logname,
                            filemode='a',
                            format='%(asctime)s,%(msecs)d %(name)s %(levelname)s %(message)s',
                            datefmt='%H:%M:%S',
                            level=logging.DEBUG)

logging.info("Running Urban Planning")

self.logger = logging.getLogger('urbanGUI')

순서대로 다섯 부분은 다음을 수행합니다.

  1. 출력 파일 설정 ( filename=logname)
  2. 덮어 쓰지 않고 추가하도록 설정 ( filemode='a')
  3. 출력 메시지의 형식 결정 ( format=...)
  4. 출력 시간 형식 결정 ( datefmt='%H:%M:%S')
  5. 수락 할 최소 메시지 수준을 결정합니다 ( level=logging.DEBUG).

파일 이름이 hdfs 위치가 될 수 있습니까? 그렇다면 어떻게?
Augmented Jacob

이 설정 파일의 경로로 가능하다
neeraja

1
있는지 확인이하지에서 if __name__ == '__main__':아파치에서 실행되는 경우
라미 Alloush

@RamiAlloush 자세히 설명해 주시겠습니까? 왜 그런 겁니까? (호기심 :))
알림

@notihs, 서버는 스크립트 파일을 직접 if __name__ == '__main__':실행하지 않으므로 아래 섹션 이 실행되지 않습니다.
Rami Alloush

71

" 로깅 요리 책 "에서 발췌 :

# create logger with 'spam_application'
logger = logging.getLogger('spam_application')
logger.setLevel(logging.DEBUG)
# create file handler which logs even debug messages
fh = logging.FileHandler('spam.log')
fh.setLevel(logging.DEBUG)
logger.addHandler(fh)

그리고 당신은 갈 수 있습니다.

추신 로깅 하우투 도 읽으십시오 .


4
첫 번째 질문에 답하려면 내가 요청한 질문의 제목을보세요. 제공하신 링크를 살펴 봤는데 도움이되었습니다. 귀하가 제공 한 코드를 복사했으며 logger.info ( "message") 및 logger.warning ( "message")을 성공적으로 사용할 수 있다고 가정하는 것이 잘못 되었습니까? logger.warning을 사용하여 파일에 쓸 수 있었지만 logger.info가 파일에 쓰지 않는 것 같습니다.
Takkun

setLevel 호출을 제거하십시오. 핸들러 문서를 읽으면 모든 메시지가 기본적으로 처리되는 것처럼 보입니다.
thegrinner 2011-06-17

2
나는을 사용해서 만 파일에 쓸 수 있고 logger.warning("message"), logger.info("message")또는 사용할 수 없습니다 logger.debug("message"). 그것은 약간 성가신 일입니다.
m3nda

3
@EliBendersky가 작성한 코드 예제는 정보 / 디버그 메시지를 작성하려는 경우 1 단계가 누락되었습니다. 로거 자체는 해당 수준의 로깅 메시지를 수락하도록 구성 할 자체 로그 수준이 필요합니다 (예 : logger.setLevel(logging.DEBUG). 로거는 여러 핸들러로 구성 할 수 있습니다. 로거에 구성된 수준은 각 처리기에 보낼 로그 메시지의 심각도 수준을 결정하고 처리기에 설정된 수준은 처리기가 처리 할 수준을 결정합니다. 정보 메시지를 인쇄하려는 사람들 INFO은 로거와 핸들러 모두에서 이것을 설정하면됩니다 .
testworks

내가 할 수있는 샘플을 업데이 트했습니다 logger.setLevel(logging.DEBUG)- 감사 의견에 대한
엘리 Bendersky에게

13

구성 파일을 선호합니다. 개발에서 릴리스로 이동할 때 코드를 변경하지 않고도 로깅 수준, 위치 등을 전환 할 수 있습니다. 동일한 이름과 동일한 정의 된 로거를 사용하여 다른 구성 파일을 단순히 패키지화합니다.

import logging.config
if __name__ == '__main__':
    # Configure the logger
    # loggerConfigFileName: The name and path of your configuration file
    logging.config.fileConfig(path.normpath(loggerConfigFileName))

    # Create the logger
    # Admin_Client: The name of a logger defined in the config file
    mylogger = logging.getLogger('Admin_Client')

    msg='Bite Me'
    myLogger.debug(msg)
    myLogger.info(msg)
    myLogger.warn(msg)
    myLogger.error(msg)
    myLogger.critical(msg)

    # Shut down the logger
    logging.shutdown()

다음은 로그 구성 파일의 코드입니다.

#These are the loggers that are available from the code
#Each logger requires a handler, but can have more than one
[loggers]
keys=root,Admin_Client


#Each handler requires a single formatter
[handlers]
keys=fileHandler, consoleHandler


[formatters]
keys=logFormatter, consoleFormatter


[logger_root]
level=DEBUG
handlers=fileHandler


[logger_Admin_Client]
level=DEBUG
handlers=fileHandler, consoleHandler
qualname=Admin_Client
#propagate=0 Does not pass messages to ancestor loggers(root)
propagate=0


# Do not use a console logger when running scripts from a bat file without a console
# because it hangs!
[handler_consoleHandler]
class=StreamHandler
level=DEBUG
formatter=consoleFormatter
args=(sys.stdout,)# The comma is correct, because the parser is looking for args


[handler_fileHandler]
class=FileHandler
level=DEBUG
formatter=logFormatter
# This causes a new file to be created for each script
# Change time.strftime("%Y%m%d%H%M%S") to time.strftime("%Y%m%d")
# And only one log per day will be created. All messages will be amended to it.
args=("D:\\Logs\\PyLogs\\" + time.strftime("%Y%m%d%H%M%S")+'.log', 'a')


[formatter_logFormatter]
#name is the name of the logger root or Admin_Client
#levelname is the log message level debug, warn, ect 
#lineno is the line number from where the call to log is made
#04d is simple formatting to ensure there are four numeric places with leading zeros
#4s would work as well, but would simply pad the string with leading spaces, right justify
#-4s would work as well, but would simply pad the string with trailing spaces, left justify
#filename is the file name from where the call to log is made
#funcName is the method name from where the call to log is made
#format=%(asctime)s | %(lineno)d | %(message)s
#format=%(asctime)s | %(name)s | %(levelname)s | %(message)s
#format=%(asctime)s | %(name)s | %(module)s-%(lineno) | %(levelname)s | %(message)s
#format=%(asctime)s | %(name)s | %(module)s-%(lineno)04d | %(levelname)s | %(message)s
#format=%(asctime)s | %(name)s | %(module)s-%(lineno)4s | %(levelname)-8s | %(message)s

format=%(asctime)s | %(levelname)-8s | %(lineno)04d | %(message)s


#Use a separate formatter for the console if you want
[formatter_consoleFormatter]
format=%(asctime)s | %(levelname)-8s | %(filename)s-%(funcName)s-%(lineno)04d | %(message)s

1
날짜로 파일 이름을 지정하려면 %%Python 3에서 double 이 필요합니다. 예time.strftime("%%Y%%m%%D")
AH

9

http://docs.python.org/library/logging.html#logging.basicConfig

logging.basicConfig(filename='/path/to/your/log', level=....)

1
이것은 파일에 로그를 저장합니다. 이것과 함께 터미널에 출력을 기록하고 싶다면 어떻게해야합니까?
Rishabh 인스 Agrahari

공식 logging모듈 문서에서이를 허용합니다. 터미널에 들어가는 로그와 파일에 들어가는 로그, 그리고 더 많은 흥미로운 응용 프로그램을 선택할 수도 있습니다. docs.python.org/3/howto/...
다니엘 에르난데스에게

4

여기에 더 간단한 방법이 있습니다. 이 솔루션은 구성 사전을 사용하지 않고 다음과 같이 회전 파일 처리기를 사용합니다.

import logging
from logging.handlers import RotatingFileHandler

logging.basicConfig(handlers=[RotatingFileHandler(filename=logpath+filename,
                     mode='w', maxBytes=512000, backupCount=4)], level=debug_level,
                     format='%(levelname)s %(asctime)s %(message)s', 
                    datefmt='%m/%d/%Y%I:%M:%S %p')

logger = logging.getLogger('my_logger')

또는 그렇게 :

import logging
from logging.handlers import RotatingFileHandler

handlers = [
            RotatingFileHandler(filename=logpath+filename, mode='w', maxBytes=512000, 
                                backupCount=4)
           ]
logging.basicConfig(handlers=handlers, level=debug_level, 
                    format='%(levelname)s %(asctime)s %(message)s', 
                    datefmt='%m/%d/%Y%I:%M:%S %p')

logger = logging.getLogger('my_logger')

핸들러 변수는 반복 가능해야합니다. logpath + filename 및 debug_level은 해당 정보를 보유하는 변수 일뿐입니다. 물론 함수 매개 변수의 값은 귀하에게 달려 있습니다.

로깅 모듈을 처음 사용했을 때 OS 파일 잠금 오류가 발생하는 다음을 작성하는 실수를 저질렀습니다 (위가 이에 대한 해결책입니다).

import logging
from logging.handlers import RotatingFileHandler

logging.basicConfig(filename=logpath+filename, level=debug_level, format='%(levelname)s %(asctime)s %(message)s', datefmt='%m/%d/%Y
 %I:%M:%S %p')

logger = logging.getLogger('my_logger')
logger.addHandler(RotatingFileHandler(filename=logpath+filename, mode='w', 
                  maxBytes=512000, backupCount=4))

그리고 밥은 당신의 삼촌입니다!


3

http://docs.python.org/library/logging.handlers.html#filehandler

FileHandler핵심에있는 클래스, logging패키지는 디스크 파일에 로그 출력을 보냅니다.


3
: 완전한 예를 들어 하나는 "기본 튜토리얼"을 참조하십시오 docs.python.org/howto/logging.html#logging-to-a-file
페르디난트 바이어

나는 FileHandler다양한 상황에 대해 여러 가지 유형이 있다는 것을 좋아합니다 . ( WatchedFileHandler, RotatingFileHandler등)
JAB

0
import sys
import logging

from util import reducer_logfile
logging.basicConfig(filename=reducer_logfile, format='%(message)s',
                    level=logging.INFO, filemode='w')

0

이 예제는 잘 작동합니다. 콘솔 용 streamhandler를 추가했습니다. 콘솔 로그와 파일 핸들러 데이터는 유사해야합니다.

    # MUTHUKUMAR_TIME_DATE.py #>>>>>>>> file name(module)

    import sys
    import logging
    import logging.config
    # ================== Logger ================================
    def Logger(file_name):
        formatter = logging.Formatter(fmt='%(asctime)s %(module)s,line: %(lineno)d %(levelname)8s | %(message)s',
                                      datefmt='%Y/%m/%d %H:%M:%S') # %I:%M:%S %p AM|PM format
        logging.basicConfig(filename = '%s.log' %(file_name),format= '%(asctime)s %(module)s,line: %(lineno)d %(levelname)8s | %(message)s',
                                      datefmt='%Y/%m/%d %H:%M:%S', filemode = 'w', level = logging.INFO)
        log_obj = logging.getLogger()
        log_obj.setLevel(logging.DEBUG)
        # log_obj = logging.getLogger().addHandler(logging.StreamHandler())

        # console printer
        screen_handler = logging.StreamHandler(stream=sys.stdout) #stream=sys.stdout is similar to normal print
        screen_handler.setFormatter(formatter)
        logging.getLogger().addHandler(screen_handler)

        log_obj.info("Logger object created successfully..")
        return log_obj
    # =======================================================


MUTHUKUMAR_LOGGING_CHECK.py #>>>>>>>>>>> file name
# calling **Logger** function
file_name = 'muthu'
log_obj =Logger(file_name)
log_obj.info("yes   hfghghg ghgfh".format())
log_obj.critical("CRIC".format())
log_obj.error("ERR".format())
log_obj.warning("WARN".format())
log_obj.debug("debug".format())
log_obj.info("qwerty".format())
log_obj.info("asdfghjkl".format())
log_obj.info("zxcvbnm".format())
# closing file
log_obj.handlers.clear()

OUTPUT:
2019/07/13 23:54:40 MUTHUKUMAR_TIME_DATE,line: 17     INFO | Logger object created successfully..
2019/07/13 23:54:40 MUTHUKUMAR_LOGGING_CHECK,line: 8     INFO | yes   hfghghg ghgfh
2019/07/13 23:54:40 MUTHUKUMAR_LOGGING_CHECK,line: 9 CRITICAL | CRIC
2019/07/13 23:54:40 MUTHUKUMAR_LOGGING_CHECK,line: 10    ERROR | ERR
2019/07/13 23:54:40 MUTHUKUMAR_LOGGING_CHECK,line: 11  WARNING | WARN
2019/07/13 23:54:40 MUTHUKUMAR_LOGGING_CHECK,line: 12    DEBUG | debug
2019/07/13 23:54:40 MUTHUKUMAR_LOGGING_CHECK,line: 13     INFO | qwerty
2019/07/13 23:54:40 MUTHUKUMAR_LOGGING_CHECK,line: 14     INFO | asdfghjkl
2019/07/13 23:54:40 MUTHUKUMAR_LOGGING_CHECK,line: 15     INFO | zxcvbnm

Thanks, 

0

형식 설명

#%(name)s       Name of the logger (logging channel).
#%(levelname)s  Text logging level for the message ('DEBUG', 'INFO', 'WARNING', 'ERROR', 'CRITICAL').
#%(asctime)s    Human-readable time when the LogRecord was created. By default this is of the form ``2003-07-08 16:49:45,896'' (the numbers after the comma are millisecond portion of the time).
#%(message)s    The logged message. 

일반적인 전화 방법

import logging
#logging.basicConfig(level=logging.INFO)
logging.basicConfig(level=logging.DEBUG)
logger = logging.getLogger(__name__)
logger.info('Start reading database')
# read database here
records = {'john': 55, 'tom': 66}
logger.debug('Records: %s', records)
logger.info('Updating records ...')
# update records here
logger.info('Finish updating records')

산출

INFO:__main__:Start reading database
DEBUG:__main__:Records: {'john': 55, 'tom': 66}
INFO:__main__:Updating records ...
INFO:__main__:Finish updating records

Dict, Call 값 사용

import logging
import logging.config
import otherMod2

def main():
    """
    Based on http://docs.python.org/howto/logging.html#configuring-logging
    """
    dictLogConfig = {
        "version":1,
        "handlers":{
                    "fileHandler":{
                        "class":"logging.FileHandler",
                        "formatter":"myFormatter",
                        "filename":"config2.log"
                        }
                    },        
        "loggers":{
            "exampleApp":{
                "handlers":["fileHandler"],
                "level":"INFO",
                }
            },

        "formatters":{
            "myFormatter":{
                "format":"%(asctime)s - %(name)s - %(levelname)s - %(message)s"
                }
            }
        }

    logging.config.dictConfig(dictLogConfig)

    logger = logging.getLogger("exampleApp")

    logger.info("Program started")
    result = otherMod2.add(7, 8)
    logger.info("Done!")

if __name__ == "__main__":
    main()

otherMod2.py

import logging
def add(x, y):
    """"""
    logger = logging.getLogger("exampleApp.otherMod2.add")
    logger.info("added %s and %s to get %s" % (x, y, x+y))
    return x+y

산출

2019-08-12 18:03:50,026 - exampleApp - INFO - Program started
2019-08-12 18:03:50,026 - exampleApp.otherMod2.add - INFO - added 7 and 8 to get 15
2019-08-12 18:03:50,027 - exampleApp - INFO - Done!
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.