Reputation: 25282
I've recently inherited some Selenium Webdriver code, written in Python 2.7. It is logging copious amounts of data to /tmp on Ubuntu - so much that it is becoming a problem. I am trying to turn it off (or at least down).
I have been running around trying to RTFM, but this is a new version of Selenium (2.19.0) and the manuals aren't written yet!
I can see there is a method called set_browser_log_level(logLevel)
which sounds promising, but to get to it, I need to instantiate a selenium.selenium.selenium
object. I don't otherwise have to instantiate one of these, and it takes a lot of parameters (which host? what port?) that I am not expecting to have to provide.
Clearly, I am misunderstanding something.
Can someone please explain either (a) how to turn off logging, or (b) what service is it that selenium.selenium.selenium.selenium.selenium (I may have got carried away there, sorry!) wants to talk to?
Upvotes: 38
Views: 38053
Reputation: 3529
You can fine-tune it, this will turn of all logging, but the print will let you see what module you affects:
import logging
for logger in [logging.getLogger(name) for name in logging.root.manager.loggerDict]:
# print(logger)
logger.setLevel(logging.WARNING)
#logger.setlevel(logging.DEBUG)
Upvotes: 0
Reputation: 329
The answer from alecxe worked for me. There were still some debug messages in the log however, originating from urllib3. It is imported by selenium, and not affected by the solution above. Here is what I used, for what it's worth:
# Set the threshold for selenium to WARNING
from selenium.webdriver.remote.remote_connection import LOGGER as seleniumLogger
seleniumLogger.setLevel(logging.WARNING)
# Set the threshold for urllib3 to WARNING
from urllib3.connectionpool import log as urllibLogger
urllibLogger.setLevel(logging.WARNING)
If someone knows of more pythonic way to achieve the same - I'll be glad to hear it.
Upvotes: 33
Reputation: 473783
Here's what helped me to overcome the problem:
import logging
from selenium.webdriver.remote.remote_connection import LOGGER
LOGGER.setLevel(logging.WARNING)
Note: this code should be put before webdriver initialization.
Hope that helps.
Upvotes: 63
Reputation: 643
import logging
selenium_logger = logging.getLogger('selenium.webdriver.remote.remote_connection')
# Only display possible problems
selenium_logger.setLevel(logging.WARNING)
Upvotes: 13