logging.txt 25 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738
  1. =======
  2. Logging
  3. =======
  4. .. module:: django.utils.log
  5. :synopsis: Logging tools for Django applications
  6. A quick logging primer
  7. ======================
  8. Django uses Python's builtin :mod:`logging` module to perform system logging.
  9. The usage of this module is discussed in detail in Python's own documentation.
  10. However, if you've never used Python's logging framework (or even if you have),
  11. here's a quick primer.
  12. The cast of players
  13. -------------------
  14. A Python logging configuration consists of four parts:
  15. * :ref:`topic-logging-parts-loggers`
  16. * :ref:`topic-logging-parts-handlers`
  17. * :ref:`topic-logging-parts-filters`
  18. * :ref:`topic-logging-parts-formatters`
  19. .. _topic-logging-parts-loggers:
  20. Loggers
  21. ~~~~~~~
  22. A logger is the entry point into the logging system. Each logger is
  23. a named bucket to which messages can be written for processing.
  24. A logger is configured to have a *log level*. This log level describes
  25. the severity of the messages that the logger will handle. Python
  26. defines the following log levels:
  27. * ``DEBUG``: Low level system information for debugging purposes
  28. * ``INFO``: General system information
  29. * ``WARNING``: Information describing a minor problem that has
  30. occurred.
  31. * ``ERROR``: Information describing a major problem that has
  32. occurred.
  33. * ``CRITICAL``: Information describing a critical problem that has
  34. occurred.
  35. Each message that is written to the logger is a *Log Record*. Each log
  36. record also has a *log level* indicating the severity of that specific
  37. message. A log record can also contain useful metadata that describes
  38. the event that is being logged. This can include details such as a
  39. stack trace or an error code.
  40. When a message is given to the logger, the log level of the message is
  41. compared to the log level of the logger. If the log level of the
  42. message meets or exceeds the log level of the logger itself, the
  43. message will undergo further processing. If it doesn't, the message
  44. will be ignored.
  45. Once a logger has determined that a message needs to be processed,
  46. it is passed to a *Handler*.
  47. .. _topic-logging-parts-handlers:
  48. Handlers
  49. ~~~~~~~~
  50. The handler is the engine that determines what happens to each message
  51. in a logger. It describes a particular logging behavior, such as
  52. writing a message to the screen, to a file, or to a network socket.
  53. Like loggers, handlers also have a log level. If the log level of a
  54. log record doesn't meet or exceed the level of the handler, the
  55. handler will ignore the message.
  56. A logger can have multiple handlers, and each handler can have a
  57. different log level. In this way, it is possible to provide different
  58. forms of notification depending on the importance of a message. For
  59. example, you could install one handler that forwards ``ERROR`` and
  60. ``CRITICAL`` messages to a paging service, while a second handler
  61. logs all messages (including ``ERROR`` and ``CRITICAL`` messages) to a
  62. file for later analysis.
  63. .. _topic-logging-parts-filters:
  64. Filters
  65. ~~~~~~~
  66. A filter is used to provide additional control over which log records
  67. are passed from logger to handler.
  68. By default, any log message that meets log level requirements will be
  69. handled. However, by installing a filter, you can place additional
  70. criteria on the logging process. For example, you could install a
  71. filter that only allows ``ERROR`` messages from a particular source to
  72. be emitted.
  73. Filters can also be used to modify the logging record prior to being
  74. emitted. For example, you could write a filter that downgrades
  75. ``ERROR`` log records to ``WARNING`` records if a particular set of
  76. criteria are met.
  77. Filters can be installed on loggers or on handlers; multiple filters
  78. can be used in a chain to perform multiple filtering actions.
  79. .. _topic-logging-parts-formatters:
  80. Formatters
  81. ~~~~~~~~~~
  82. Ultimately, a log record needs to be rendered as text. Formatters
  83. describe the exact format of that text. A formatter usually consists
  84. of a Python formatting string containing
  85. :ref:`LogRecord attributes <python:logrecord-attributes>`; however,
  86. you can also write custom formatters to implement specific formatting behavior.
  87. Using logging
  88. =============
  89. Once you have configured your loggers, handlers, filters and
  90. formatters, you need to place logging calls into your code. Using the
  91. logging framework is very simple. Here's an example::
  92. # import the logging library
  93. import logging
  94. # Get an instance of a logger
  95. logger = logging.getLogger(__name__)
  96. def my_view(request, arg1, arg):
  97. ...
  98. if bad_mojo:
  99. # Log an error message
  100. logger.error('Something went wrong!')
  101. And that's it! Every time the ``bad_mojo`` condition is activated, an
  102. error log record will be written.
  103. Naming loggers
  104. --------------
  105. The call to :func:`logging.getLogger()` obtains (creating, if
  106. necessary) an instance of a logger. The logger instance is identified
  107. by a name. This name is used to identify the logger for configuration
  108. purposes.
  109. By convention, the logger name is usually ``__name__``, the name of
  110. the python module that contains the logger. This allows you to filter
  111. and handle logging calls on a per-module basis. However, if you have
  112. some other way of organizing your logging messages, you can provide
  113. any dot-separated name to identify your logger::
  114. # Get an instance of a specific named logger
  115. logger = logging.getLogger('project.interesting.stuff')
  116. The dotted paths of logger names define a hierarchy. The
  117. ``project.interesting`` logger is considered to be a parent of the
  118. ``project.interesting.stuff`` logger; the ``project`` logger
  119. is a parent of the ``project.interesting`` logger.
  120. Why is the hierarchy important? Well, because loggers can be set to
  121. *propagate* their logging calls to their parents. In this way, you can
  122. define a single set of handlers at the root of a logger tree, and
  123. capture all logging calls in the subtree of loggers. A logging handler
  124. defined in the ``project`` namespace will catch all logging messages
  125. issued on the ``project.interesting`` and
  126. ``project.interesting.stuff`` loggers.
  127. This propagation can be controlled on a per-logger basis. If
  128. you don't want a particular logger to propagate to its parents, you
  129. can turn off this behavior.
  130. Making logging calls
  131. --------------------
  132. The logger instance contains an entry method for each of the default
  133. log levels:
  134. * ``logger.debug()``
  135. * ``logger.info()``
  136. * ``logger.warning()``
  137. * ``logger.error()``
  138. * ``logger.critical()``
  139. There are two other logging calls available:
  140. * ``logger.log()``: Manually emits a logging message with a
  141. specific log level.
  142. * ``logger.exception()``: Creates an ``ERROR`` level logging
  143. message wrapping the current exception stack frame.
  144. .. _configuring-logging:
  145. Configuring logging
  146. ===================
  147. Of course, it isn't enough to just put logging calls into your code.
  148. You also need to configure the loggers, handlers, filters and
  149. formatters to ensure that logging output is output in a useful way.
  150. Python's logging library provides several techniques to configure
  151. logging, ranging from a programmatic interface to configuration files.
  152. By default, Django uses the `dictConfig format`_.
  153. In order to configure logging, you use :setting:`LOGGING` to define a
  154. dictionary of logging settings. These settings describes the loggers,
  155. handlers, filters and formatters that you want in your logging setup,
  156. and the log levels and other properties that you want those components
  157. to have.
  158. By default, the :setting:`LOGGING` setting is merged with :ref:`Django's
  159. default logging configuration <default-logging-configuration>` using the
  160. following scheme.
  161. If the ``disable_existing_loggers`` key in the :setting:`LOGGING` dictConfig is
  162. set to ``True`` (which is the default) then all loggers from the default
  163. configuration will be disabled. Disabled loggers are not the same as removed;
  164. the logger will still exist, but will silently discard anything logged to it,
  165. not even propagating entries to a parent logger. Thus you should be very
  166. careful using ``'disable_existing_loggers': True``; it's probably not what you
  167. want. Instead, you can set ``disable_existing_loggers`` to ``False`` and
  168. redefine some or all of the default loggers; or you can set
  169. :setting:`LOGGING_CONFIG` to ``None`` and :ref:`handle logging config yourself
  170. <disabling-logging-configuration>`.
  171. Logging is configured as part of the general Django ``setup()`` function.
  172. Therefore, you can be certain that loggers are always ready for use in your
  173. project code.
  174. .. _dictConfig format: https://docs.python.org/library/logging.config.html#configuration-dictionary-schema
  175. Examples
  176. --------
  177. The full documentation for `dictConfig format`_ is the best source of
  178. information about logging configuration dictionaries. However, to give
  179. you a taste of what is possible, here are several examples.
  180. First, here's a simple configuration which writes all logging from the
  181. :ref:`django-logger` logger to a local file::
  182. LOGGING = {
  183. 'version': 1,
  184. 'disable_existing_loggers': False,
  185. 'handlers': {
  186. 'file': {
  187. 'level': 'DEBUG',
  188. 'class': 'logging.FileHandler',
  189. 'filename': '/path/to/django/debug.log',
  190. },
  191. },
  192. 'loggers': {
  193. 'django': {
  194. 'handlers': ['file'],
  195. 'level': 'DEBUG',
  196. 'propagate': True,
  197. },
  198. },
  199. }
  200. If you use this example, be sure to change the ``'filename'`` path to a
  201. location that's writable by the user that's running the Django application.
  202. Second, here's an example of how to make the logging system print Django's
  203. logging to the console. It may be useful during local development.
  204. By default, this config only sends messages of level ``INFO`` or higher to the
  205. console (same as Django's default logging config, except that the default only
  206. displays log records when ``DEBUG=True``). Django does not log many such
  207. messages. With this config, however, you can also set the environment variable
  208. ``DJANGO_LOG_LEVEL=DEBUG`` to see all of Django's debug logging which is very
  209. verbose as it includes all database queries::
  210. import os
  211. LOGGING = {
  212. 'version': 1,
  213. 'disable_existing_loggers': False,
  214. 'handlers': {
  215. 'console': {
  216. 'class': 'logging.StreamHandler',
  217. },
  218. },
  219. 'loggers': {
  220. 'django': {
  221. 'handlers': ['console'],
  222. 'level': os.getenv('DJANGO_LOG_LEVEL', 'INFO'),
  223. },
  224. },
  225. }
  226. .. versionchanged:: 1.9
  227. Django's default logging configuration changed. See :ref:`the release notes
  228. <default-logging-changes-19>` for a description of the changes.
  229. Finally, here's an example of a fairly complex logging setup::
  230. LOGGING = {
  231. 'version': 1,
  232. 'disable_existing_loggers': False,
  233. 'formatters': {
  234. 'verbose': {
  235. 'format': '%(levelname)s %(asctime)s %(module)s %(process)d %(thread)d %(message)s'
  236. },
  237. 'simple': {
  238. 'format': '%(levelname)s %(message)s'
  239. },
  240. },
  241. 'filters': {
  242. 'special': {
  243. '()': 'project.logging.SpecialFilter',
  244. 'foo': 'bar',
  245. },
  246. 'require_debug_true': {
  247. '()': 'django.utils.log.RequireDebugTrue',
  248. },
  249. },
  250. 'handlers': {
  251. 'console': {
  252. 'level': 'INFO',
  253. 'filters': ['require_debug_true'],
  254. 'class': 'logging.StreamHandler',
  255. 'formatter': 'simple'
  256. },
  257. 'mail_admins': {
  258. 'level': 'ERROR',
  259. 'class': 'django.utils.log.AdminEmailHandler',
  260. 'filters': ['special']
  261. }
  262. },
  263. 'loggers': {
  264. 'django': {
  265. 'handlers': ['console'],
  266. 'propagate': True,
  267. },
  268. 'django.request': {
  269. 'handlers': ['mail_admins'],
  270. 'level': 'ERROR',
  271. 'propagate': False,
  272. },
  273. 'myproject.custom': {
  274. 'handlers': ['console', 'mail_admins'],
  275. 'level': 'INFO',
  276. 'filters': ['special']
  277. }
  278. }
  279. }
  280. This logging configuration does the following things:
  281. * Identifies the configuration as being in 'dictConfig version 1'
  282. format. At present, this is the only dictConfig format version.
  283. * Defines two formatters:
  284. * ``simple``, that just outputs the log level name (e.g.,
  285. ``DEBUG``) and the log message.
  286. The ``format`` string is a normal Python formatting string
  287. describing the details that are to be output on each logging
  288. line. The full list of detail that can be output can be
  289. found in the `formatter documentation`_.
  290. * ``verbose``, that outputs the log level name, the log
  291. message, plus the time, process, thread and module that
  292. generate the log message.
  293. * Defines two filters:
  294. * ``project.logging.SpecialFilter``, using the alias ``special``. If this
  295. filter required additional arguments, they can be provided as additional
  296. keys in the filter configuration dictionary. In this case, the argument
  297. ``foo`` will be given a value of ``bar`` when instantiating
  298. ``SpecialFilter``.
  299. * ``django.utils.log.RequireDebugTrue``, which passes on records when
  300. :setting:`DEBUG` is ``True``.
  301. * Defines two handlers:
  302. * ``console``, a StreamHandler, which will print any ``DEBUG``
  303. (or higher) message to stderr. This handler uses the ``simple`` output
  304. format.
  305. * ``mail_admins``, an AdminEmailHandler, which will email any
  306. ``ERROR`` (or higher) message to the site admins. This handler uses
  307. the ``special`` filter.
  308. * Configures three loggers:
  309. * ``django``, which passes all messages to the ``console`` handler.
  310. * ``django.request``, which passes all ``ERROR`` messages to
  311. the ``mail_admins`` handler. In addition, this logger is
  312. marked to *not* propagate messages. This means that log
  313. messages written to ``django.request`` will not be handled
  314. by the ``django`` logger.
  315. * ``myproject.custom``, which passes all messages at ``INFO``
  316. or higher that also pass the ``special`` filter to two
  317. handlers -- the ``console``, and ``mail_admins``. This
  318. means that all ``INFO`` level messages (or higher) will be
  319. printed to the console; ``ERROR`` and ``CRITICAL``
  320. messages will also be output via email.
  321. .. _formatter documentation: https://docs.python.org/library/logging.html#formatter-objects
  322. Custom logging configuration
  323. ----------------------------
  324. If you don't want to use Python's dictConfig format to configure your
  325. logger, you can specify your own configuration scheme.
  326. The :setting:`LOGGING_CONFIG` setting defines the callable that will
  327. be used to configure Django's loggers. By default, it points at
  328. Python's :func:`logging.config.dictConfig()` function. However, if you want to
  329. use a different configuration process, you can use any other callable
  330. that takes a single argument. The contents of :setting:`LOGGING` will
  331. be provided as the value of that argument when logging is configured.
  332. .. _disabling-logging-configuration:
  333. Disabling logging configuration
  334. -------------------------------
  335. If you don't want to configure logging at all (or you want to manually
  336. configure logging using your own approach), you can set
  337. :setting:`LOGGING_CONFIG` to ``None``. This will disable the
  338. configuration process for :ref:`Django's default logging
  339. <default-logging-configuration>`. Here's an example that disables Django's
  340. logging configuration and then manually configures logging:
  341. .. snippet::
  342. :filename: settings.py
  343. LOGGING_CONFIG = None
  344. import logging.config
  345. logging.config.dictConfig(...)
  346. Setting :setting:`LOGGING_CONFIG` to ``None`` only means that the automatic
  347. configuration process is disabled, not logging itself. If you disable the
  348. configuration process, Django will still make logging calls, falling back to
  349. whatever default logging behavior is defined.
  350. Django's logging extensions
  351. ===========================
  352. Django provides a number of utilities to handle the unique
  353. requirements of logging in Web server environment.
  354. Loggers
  355. -------
  356. Django provides several built-in loggers.
  357. .. _django-logger:
  358. ``django``
  359. ~~~~~~~~~~
  360. ``django`` is the catch-all logger. No messages are posted directly to
  361. this logger.
  362. .. _django-request-logger:
  363. ``django.request``
  364. ~~~~~~~~~~~~~~~~~~
  365. Log messages related to the handling of requests. 5XX responses are
  366. raised as ``ERROR`` messages; 4XX responses are raised as ``WARNING``
  367. messages.
  368. Messages to this logger have the following extra context:
  369. * ``status_code``: The HTTP response code associated with the
  370. request.
  371. * ``request``: The request object that generated the logging
  372. message.
  373. .. _django-template-logger:
  374. ``django.template``
  375. ~~~~~~~~~~~~~~~~~~~
  376. .. versionadded:: 1.9
  377. Log messages related to the rendering of templates.
  378. * Missing context variables are logged as ``DEBUG`` messages.
  379. * Uncaught exceptions raised during the rendering of an
  380. :ttag:`{% include %} <include>` are logged as ``WARNING`` messages when
  381. debug mode is off (helpful since ``{% include %}`` silences the exception and
  382. returns an empty string in that case).
  383. .. _django-db-logger:
  384. ``django.db.backends``
  385. ~~~~~~~~~~~~~~~~~~~~~~
  386. Messages relating to the interaction of code with the database. For example,
  387. every application-level SQL statement executed by a request is logged at the
  388. ``DEBUG`` level to this logger.
  389. Messages to this logger have the following extra context:
  390. * ``duration``: The time taken to execute the SQL statement.
  391. * ``sql``: The SQL statement that was executed.
  392. * ``params``: The parameters that were used in the SQL call.
  393. For performance reasons, SQL logging is only enabled when
  394. ``settings.DEBUG`` is set to ``True``, regardless of the logging
  395. level or handlers that are installed.
  396. This logging does not include framework-level initialization (e.g.
  397. ``SET TIMEZONE``) or transaction management queries (e.g. ``BEGIN``,
  398. ``COMMIT``, and ``ROLLBACK``). Turn on query logging in your database if you
  399. wish to view all database queries.
  400. ``django.security.*``
  401. ~~~~~~~~~~~~~~~~~~~~~~
  402. The security loggers will receive messages on any occurrence of
  403. :exc:`~django.core.exceptions.SuspiciousOperation`. There is a sub-logger for
  404. each sub-type of SuspiciousOperation. The level of the log event depends on
  405. where the exception is handled. Most occurrences are logged as a warning, while
  406. any ``SuspiciousOperation`` that reaches the WSGI handler will be logged as an
  407. error. For example, when an HTTP ``Host`` header is included in a request from
  408. a client that does not match :setting:`ALLOWED_HOSTS`, Django will return a 400
  409. response, and an error message will be logged to the
  410. ``django.security.DisallowedHost`` logger.
  411. These log events will reach the 'django' logger by default, which mails error
  412. events to admins when ``DEBUG=False``. Requests resulting in a 400 response due
  413. to a ``SuspiciousOperation`` will not be logged to the ``django.request``
  414. logger, but only to the ``django.security`` logger.
  415. To silence a particular type of ``SuspiciousOperation``, you can override that
  416. specific logger following this example:
  417. .. code-block:: python
  418. 'handlers': {
  419. 'null': {
  420. 'class': 'logging.NullHandler',
  421. },
  422. },
  423. 'loggers': {
  424. 'django.security.DisallowedHost': {
  425. 'handlers': ['null'],
  426. 'propagate': False,
  427. },
  428. },
  429. ``django.db.backends.schema``
  430. ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
  431. Logs the SQL queries that are executed during schema changes to the database by
  432. the :doc:`migrations framework </topics/migrations>`. Note that it won't log the
  433. queries executed by :class:`~django.db.migrations.operations.RunPython`.
  434. Handlers
  435. --------
  436. Django provides one log handler in addition to those provided by the
  437. Python logging module.
  438. .. class:: AdminEmailHandler(include_html=False, email_backend=None)
  439. This handler sends an email to the site admins for each log
  440. message it receives.
  441. If the log record contains a ``request`` attribute, the full details
  442. of the request will be included in the email. The email subject will be
  443. include the phrase "internal IP" if the client's IP address is in the
  444. :setting:`INTERNAL_IPS` setting; if not, it will include "EXTERNAL IP".
  445. If the log record contains stack trace information, that stack
  446. trace will be included in the email.
  447. The ``include_html`` argument of ``AdminEmailHandler`` is used to
  448. control whether the traceback email includes an HTML attachment
  449. containing the full content of the debug Web page that would have been
  450. produced if :setting:`DEBUG` were ``True``. To set this value in your
  451. configuration, include it in the handler definition for
  452. ``django.utils.log.AdminEmailHandler``, like this:
  453. .. code-block:: python
  454. 'handlers': {
  455. 'mail_admins': {
  456. 'level': 'ERROR',
  457. 'class': 'django.utils.log.AdminEmailHandler',
  458. 'include_html': True,
  459. }
  460. },
  461. Note that this HTML version of the email contains a full traceback,
  462. with names and values of local variables at each level of the stack, plus
  463. the values of your Django settings. This information is potentially very
  464. sensitive, and you may not want to send it over email. Consider using
  465. something such as `Sentry`_ to get the best of both worlds -- the
  466. rich information of full tracebacks plus the security of *not* sending the
  467. information over email. You may also explicitly designate certain
  468. sensitive information to be filtered out of error reports -- learn more on
  469. :ref:`Filtering error reports<filtering-error-reports>`.
  470. By setting the ``email_backend`` argument of ``AdminEmailHandler``, the
  471. :ref:`email backend <topic-email-backends>` that is being used by the
  472. handler can be overridden, like this:
  473. .. code-block:: python
  474. 'handlers': {
  475. 'mail_admins': {
  476. 'level': 'ERROR',
  477. 'class': 'django.utils.log.AdminEmailHandler',
  478. 'email_backend': 'django.core.mail.backends.filebased.EmailBackend',
  479. }
  480. },
  481. By default, an instance of the email backend specified in
  482. :setting:`EMAIL_BACKEND` will be used.
  483. .. method:: send_mail(subject, message, *args, **kwargs)
  484. Sends emails to admin users. To customize this behavior, you can
  485. subclass the :class:`~django.utils.log.AdminEmailHandler` class and
  486. override this method.
  487. .. _Sentry: https://pypi.python.org/pypi/sentry
  488. Filters
  489. -------
  490. Django provides two log filters in addition to those provided by the Python
  491. logging module.
  492. .. class:: CallbackFilter(callback)
  493. This filter accepts a callback function (which should accept a single
  494. argument, the record to be logged), and calls it for each record that
  495. passes through the filter. Handling of that record will not proceed if the
  496. callback returns False.
  497. For instance, to filter out :exc:`~django.http.UnreadablePostError`
  498. (raised when a user cancels an upload) from the admin emails, you would
  499. create a filter function::
  500. from django.http import UnreadablePostError
  501. def skip_unreadable_post(record):
  502. if record.exc_info:
  503. exc_type, exc_value = record.exc_info[:2]
  504. if isinstance(exc_value, UnreadablePostError):
  505. return False
  506. return True
  507. and then add it to your logging config:
  508. .. code-block:: python
  509. 'filters': {
  510. 'skip_unreadable_posts': {
  511. '()': 'django.utils.log.CallbackFilter',
  512. 'callback': skip_unreadable_post,
  513. }
  514. },
  515. 'handlers': {
  516. 'mail_admins': {
  517. 'level': 'ERROR',
  518. 'filters': ['skip_unreadable_posts'],
  519. 'class': 'django.utils.log.AdminEmailHandler'
  520. }
  521. },
  522. .. class:: RequireDebugFalse()
  523. This filter will only pass on records when settings.DEBUG is False.
  524. This filter is used as follows in the default :setting:`LOGGING`
  525. configuration to ensure that the :class:`AdminEmailHandler` only sends
  526. error emails to admins when :setting:`DEBUG` is ``False``:
  527. .. code-block:: python
  528. 'filters': {
  529. 'require_debug_false': {
  530. '()': 'django.utils.log.RequireDebugFalse',
  531. }
  532. },
  533. 'handlers': {
  534. 'mail_admins': {
  535. 'level': 'ERROR',
  536. 'filters': ['require_debug_false'],
  537. 'class': 'django.utils.log.AdminEmailHandler'
  538. }
  539. },
  540. .. class:: RequireDebugTrue()
  541. This filter is similar to :class:`RequireDebugFalse`, except that records are
  542. passed only when :setting:`DEBUG` is ``True``.
  543. .. _default-logging-configuration:
  544. Django's default logging configuration
  545. ======================================
  546. By default, Django configures the following logging:
  547. When :setting:`DEBUG` is ``True``:
  548. * The ``django`` catch-all logger sends all messages at the ``INFO`` level or
  549. higher to the console.
  550. * The ``py.warnings`` logger, which handles messages from ``warnings.warn()``,
  551. sends messages to the console.
  552. When :setting:`DEBUG` is ``False``:
  553. * The ``django`` logger send messages with ``ERROR`` or ``CRITICAL`` level to
  554. :class:`AdminEmailHandler`.
  555. .. versionchanged:: 1.9
  556. Django's default logging configuration changed. See :ref:`the release notes
  557. <default-logging-changes-19>` for a description of the changes.
  558. See also :ref:`Configuring logging <configuring-logging>` to learn how you can
  559. complement or replace this default logging configuration.