NShiny
NShiny

Reputation: 1156

Python logging.FileHandler prints messages into standard output

I am working with Python logging package and I need to log two types of messages:

  1. Messages that should be only logged into standard output
  2. Messages that should be only logged into a file.

However I cannot achieve it. Here is my code:

import logging                                                     

logger = logging.getLogger("file_logger")                          
fh = logging.FileHandler("tmp.log")                                
logger.addHandler(fh)                                              

logging.warning("Message for std output")                          
logging.getLogger("file_logger").warning("Message for file logger")

When I run this script then following messages are printed in terminal:

WARNING:root:Message for std output
WARNING:file_logger:Message for file logger

How can I fix this behavior so "Message for file logger" will be only printed into the file?

Upvotes: 3

Views: 144

Answers (2)

Rami DH
Rami DH

Reputation: 11

import logging  

LOG_FILENAME = 'example.log'    
logging.propagate = false 

logging.basicConfig(filename=LOG_FILENAME,level=logging.DEBUG)


logging.debug('This message should go to the log file')

try this, it should works you need to disable propagation (The root logger prints to stdout by default) and define the logging level you want in your file.

Upvotes: 0

henne90gen
henne90gen

Reputation: 666

You can fix this by turning off propagation like this:

logger.propagate = False

Without this setting the logging call will be propagated up the logging hierarchy to the root logger. The root logger prints to stdout by default, as you have shown in your example.

Upvotes: 2

Related Questions