config.py 35 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933
  1. # Copyright 2001-2014 by Vinay Sajip. All Rights Reserved.
  2. #
  3. # Permission to use, copy, modify, and distribute this software and its
  4. # documentation for any purpose and without fee is hereby granted,
  5. # provided that the above copyright notice appear in all copies and that
  6. # both that copyright notice and this permission notice appear in
  7. # supporting documentation, and that the name of Vinay Sajip
  8. # not be used in advertising or publicity pertaining to distribution
  9. # of the software without specific, written prior permission.
  10. # VINAY SAJIP DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE, INCLUDING
  11. # ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL
  12. # VINAY SAJIP BE LIABLE FOR ANY SPECIAL, INDIRECT OR CONSEQUENTIAL DAMAGES OR
  13. # ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER
  14. # IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT
  15. # OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
  16. """
  17. Configuration functions for the logging package for Python. The core package
  18. is based on PEP 282 and comments thereto in comp.lang.python, and influenced
  19. by Apache's log4j system.
  20. Copyright (C) 2001-2014 Vinay Sajip. All Rights Reserved.
  21. To use, simply 'import logging' and log away!
  22. """
  23. import errno
  24. import io
  25. import logging
  26. import logging.handlers
  27. import re
  28. import struct
  29. import sys
  30. import traceback
  31. try:
  32. import _thread as thread
  33. import threading
  34. except ImportError: #pragma: no cover
  35. thread = None
  36. from socketserver import ThreadingTCPServer, StreamRequestHandler
  37. DEFAULT_LOGGING_CONFIG_PORT = 9030
  38. RESET_ERROR = errno.ECONNRESET
  39. #
  40. # The following code implements a socket listener for on-the-fly
  41. # reconfiguration of logging.
  42. #
  43. # _listener holds the server object doing the listening
  44. _listener = None
  45. def fileConfig(fname, defaults=None, disable_existing_loggers=True):
  46. """
  47. Read the logging configuration from a ConfigParser-format file.
  48. This can be called several times from an application, allowing an end user
  49. the ability to select from various pre-canned configurations (if the
  50. developer provides a mechanism to present the choices and load the chosen
  51. configuration).
  52. """
  53. import configparser
  54. if isinstance(fname, configparser.RawConfigParser):
  55. cp = fname
  56. else:
  57. cp = configparser.ConfigParser(defaults)
  58. if hasattr(fname, 'readline'):
  59. cp.read_file(fname)
  60. else:
  61. cp.read(fname)
  62. formatters = _create_formatters(cp)
  63. # critical section
  64. logging._acquireLock()
  65. try:
  66. logging._handlers.clear()
  67. del logging._handlerList[:]
  68. # Handlers add themselves to logging._handlers
  69. handlers = _install_handlers(cp, formatters)
  70. _install_loggers(cp, handlers, disable_existing_loggers)
  71. finally:
  72. logging._releaseLock()
  73. def _resolve(name):
  74. """Resolve a dotted name to a global object."""
  75. name = name.split('.')
  76. used = name.pop(0)
  77. found = __import__(used)
  78. for n in name:
  79. used = used + '.' + n
  80. try:
  81. found = getattr(found, n)
  82. except AttributeError:
  83. __import__(used)
  84. found = getattr(found, n)
  85. return found
  86. def _strip_spaces(alist):
  87. return map(lambda x: x.strip(), alist)
  88. def _create_formatters(cp):
  89. """Create and return formatters"""
  90. flist = cp["formatters"]["keys"]
  91. if not len(flist):
  92. return {}
  93. flist = flist.split(",")
  94. flist = _strip_spaces(flist)
  95. formatters = {}
  96. for form in flist:
  97. sectname = "formatter_%s" % form
  98. fs = cp.get(sectname, "format", raw=True, fallback=None)
  99. dfs = cp.get(sectname, "datefmt", raw=True, fallback=None)
  100. stl = cp.get(sectname, "style", raw=True, fallback='%')
  101. c = logging.Formatter
  102. class_name = cp[sectname].get("class")
  103. if class_name:
  104. c = _resolve(class_name)
  105. f = c(fs, dfs, stl)
  106. formatters[form] = f
  107. return formatters
  108. def _install_handlers(cp, formatters):
  109. """Install and return handlers"""
  110. hlist = cp["handlers"]["keys"]
  111. if not len(hlist):
  112. return {}
  113. hlist = hlist.split(",")
  114. hlist = _strip_spaces(hlist)
  115. handlers = {}
  116. fixups = [] #for inter-handler references
  117. for hand in hlist:
  118. section = cp["handler_%s" % hand]
  119. klass = section["class"]
  120. fmt = section.get("formatter", "")
  121. try:
  122. klass = eval(klass, vars(logging))
  123. except (AttributeError, NameError):
  124. klass = _resolve(klass)
  125. args = section["args"]
  126. args = eval(args, vars(logging))
  127. h = klass(*args)
  128. if "level" in section:
  129. level = section["level"]
  130. h.setLevel(level)
  131. if len(fmt):
  132. h.setFormatter(formatters[fmt])
  133. if issubclass(klass, logging.handlers.MemoryHandler):
  134. target = section.get("target", "")
  135. if len(target): #the target handler may not be loaded yet, so keep for later...
  136. fixups.append((h, target))
  137. handlers[hand] = h
  138. #now all handlers are loaded, fixup inter-handler references...
  139. for h, t in fixups:
  140. h.setTarget(handlers[t])
  141. return handlers
  142. def _handle_existing_loggers(existing, child_loggers, disable_existing):
  143. """
  144. When (re)configuring logging, handle loggers which were in the previous
  145. configuration but are not in the new configuration. There's no point
  146. deleting them as other threads may continue to hold references to them;
  147. and by disabling them, you stop them doing any logging.
  148. However, don't disable children of named loggers, as that's probably not
  149. what was intended by the user. Also, allow existing loggers to NOT be
  150. disabled if disable_existing is false.
  151. """
  152. root = logging.root
  153. for log in existing:
  154. logger = root.manager.loggerDict[log]
  155. if log in child_loggers:
  156. logger.level = logging.NOTSET
  157. logger.handlers = []
  158. logger.propagate = True
  159. else:
  160. logger.disabled = disable_existing
  161. def _install_loggers(cp, handlers, disable_existing):
  162. """Create and install loggers"""
  163. # configure the root first
  164. llist = cp["loggers"]["keys"]
  165. llist = llist.split(",")
  166. llist = list(map(lambda x: x.strip(), llist))
  167. llist.remove("root")
  168. section = cp["logger_root"]
  169. root = logging.root
  170. log = root
  171. if "level" in section:
  172. level = section["level"]
  173. log.setLevel(level)
  174. for h in root.handlers[:]:
  175. root.removeHandler(h)
  176. hlist = section["handlers"]
  177. if len(hlist):
  178. hlist = hlist.split(",")
  179. hlist = _strip_spaces(hlist)
  180. for hand in hlist:
  181. log.addHandler(handlers[hand])
  182. #and now the others...
  183. #we don't want to lose the existing loggers,
  184. #since other threads may have pointers to them.
  185. #existing is set to contain all existing loggers,
  186. #and as we go through the new configuration we
  187. #remove any which are configured. At the end,
  188. #what's left in existing is the set of loggers
  189. #which were in the previous configuration but
  190. #which are not in the new configuration.
  191. existing = list(root.manager.loggerDict.keys())
  192. #The list needs to be sorted so that we can
  193. #avoid disabling child loggers of explicitly
  194. #named loggers. With a sorted list it is easier
  195. #to find the child loggers.
  196. existing.sort()
  197. #We'll keep the list of existing loggers
  198. #which are children of named loggers here...
  199. child_loggers = []
  200. #now set up the new ones...
  201. for log in llist:
  202. section = cp["logger_%s" % log]
  203. qn = section["qualname"]
  204. propagate = section.getint("propagate", fallback=1)
  205. logger = logging.getLogger(qn)
  206. if qn in existing:
  207. i = existing.index(qn) + 1 # start with the entry after qn
  208. prefixed = qn + "."
  209. pflen = len(prefixed)
  210. num_existing = len(existing)
  211. while i < num_existing:
  212. if existing[i][:pflen] == prefixed:
  213. child_loggers.append(existing[i])
  214. i += 1
  215. existing.remove(qn)
  216. if "level" in section:
  217. level = section["level"]
  218. logger.setLevel(level)
  219. for h in logger.handlers[:]:
  220. logger.removeHandler(h)
  221. logger.propagate = propagate
  222. logger.disabled = 0
  223. hlist = section["handlers"]
  224. if len(hlist):
  225. hlist = hlist.split(",")
  226. hlist = _strip_spaces(hlist)
  227. for hand in hlist:
  228. logger.addHandler(handlers[hand])
  229. #Disable any old loggers. There's no point deleting
  230. #them as other threads may continue to hold references
  231. #and by disabling them, you stop them doing any logging.
  232. #However, don't disable children of named loggers, as that's
  233. #probably not what was intended by the user.
  234. #for log in existing:
  235. # logger = root.manager.loggerDict[log]
  236. # if log in child_loggers:
  237. # logger.level = logging.NOTSET
  238. # logger.handlers = []
  239. # logger.propagate = 1
  240. # elif disable_existing_loggers:
  241. # logger.disabled = 1
  242. _handle_existing_loggers(existing, child_loggers, disable_existing)
  243. IDENTIFIER = re.compile('^[a-z_][a-z0-9_]*$', re.I)
  244. def valid_ident(s):
  245. m = IDENTIFIER.match(s)
  246. if not m:
  247. raise ValueError('Not a valid Python identifier: %r' % s)
  248. return True
  249. class ConvertingMixin(object):
  250. """For ConvertingXXX's, this mixin class provides common functions"""
  251. def convert_with_key(self, key, value, replace=True):
  252. result = self.configurator.convert(value)
  253. #If the converted value is different, save for next time
  254. if value is not result:
  255. if replace:
  256. self[key] = result
  257. if type(result) in (ConvertingDict, ConvertingList,
  258. ConvertingTuple):
  259. result.parent = self
  260. result.key = key
  261. return result
  262. def convert(self, value):
  263. result = self.configurator.convert(value)
  264. if value is not result:
  265. if type(result) in (ConvertingDict, ConvertingList,
  266. ConvertingTuple):
  267. result.parent = self
  268. return result
  269. # The ConvertingXXX classes are wrappers around standard Python containers,
  270. # and they serve to convert any suitable values in the container. The
  271. # conversion converts base dicts, lists and tuples to their wrapped
  272. # equivalents, whereas strings which match a conversion format are converted
  273. # appropriately.
  274. #
  275. # Each wrapper should have a configurator attribute holding the actual
  276. # configurator to use for conversion.
  277. class ConvertingDict(dict, ConvertingMixin):
  278. """A converting dictionary wrapper."""
  279. def __getitem__(self, key):
  280. value = dict.__getitem__(self, key)
  281. return self.convert_with_key(key, value)
  282. def get(self, key, default=None):
  283. value = dict.get(self, key, default)
  284. return self.convert_with_key(key, value)
  285. def pop(self, key, default=None):
  286. value = dict.pop(self, key, default)
  287. return self.convert_with_key(key, value, replace=False)
  288. class ConvertingList(list, ConvertingMixin):
  289. """A converting list wrapper."""
  290. def __getitem__(self, key):
  291. value = list.__getitem__(self, key)
  292. return self.convert_with_key(key, value)
  293. def pop(self, idx=-1):
  294. value = list.pop(self, idx)
  295. return self.convert(value)
  296. class ConvertingTuple(tuple, ConvertingMixin):
  297. """A converting tuple wrapper."""
  298. def __getitem__(self, key):
  299. value = tuple.__getitem__(self, key)
  300. # Can't replace a tuple entry.
  301. return self.convert_with_key(key, value, replace=False)
  302. class BaseConfigurator(object):
  303. """
  304. The configurator base class which defines some useful defaults.
  305. """
  306. CONVERT_PATTERN = re.compile(r'^(?P<prefix>[a-z]+)://(?P<suffix>.*)$')
  307. WORD_PATTERN = re.compile(r'^\s*(\w+)\s*')
  308. DOT_PATTERN = re.compile(r'^\.\s*(\w+)\s*')
  309. INDEX_PATTERN = re.compile(r'^\[\s*(\w+)\s*\]\s*')
  310. DIGIT_PATTERN = re.compile(r'^\d+$')
  311. value_converters = {
  312. 'ext' : 'ext_convert',
  313. 'cfg' : 'cfg_convert',
  314. }
  315. # We might want to use a different one, e.g. importlib
  316. importer = staticmethod(__import__)
  317. def __init__(self, config):
  318. self.config = ConvertingDict(config)
  319. self.config.configurator = self
  320. def resolve(self, s):
  321. """
  322. Resolve strings to objects using standard import and attribute
  323. syntax.
  324. """
  325. name = s.split('.')
  326. used = name.pop(0)
  327. try:
  328. found = self.importer(used)
  329. for frag in name:
  330. used += '.' + frag
  331. try:
  332. found = getattr(found, frag)
  333. except AttributeError:
  334. self.importer(used)
  335. found = getattr(found, frag)
  336. return found
  337. except ImportError:
  338. e, tb = sys.exc_info()[1:]
  339. v = ValueError('Cannot resolve %r: %s' % (s, e))
  340. v.__cause__, v.__traceback__ = e, tb
  341. raise v
  342. def ext_convert(self, value):
  343. """Default converter for the ext:// protocol."""
  344. return self.resolve(value)
  345. def cfg_convert(self, value):
  346. """Default converter for the cfg:// protocol."""
  347. rest = value
  348. m = self.WORD_PATTERN.match(rest)
  349. if m is None:
  350. raise ValueError("Unable to convert %r" % value)
  351. else:
  352. rest = rest[m.end():]
  353. d = self.config[m.groups()[0]]
  354. #print d, rest
  355. while rest:
  356. m = self.DOT_PATTERN.match(rest)
  357. if m:
  358. d = d[m.groups()[0]]
  359. else:
  360. m = self.INDEX_PATTERN.match(rest)
  361. if m:
  362. idx = m.groups()[0]
  363. if not self.DIGIT_PATTERN.match(idx):
  364. d = d[idx]
  365. else:
  366. try:
  367. n = int(idx) # try as number first (most likely)
  368. d = d[n]
  369. except TypeError:
  370. d = d[idx]
  371. if m:
  372. rest = rest[m.end():]
  373. else:
  374. raise ValueError('Unable to convert '
  375. '%r at %r' % (value, rest))
  376. #rest should be empty
  377. return d
  378. def convert(self, value):
  379. """
  380. Convert values to an appropriate type. dicts, lists and tuples are
  381. replaced by their converting alternatives. Strings are checked to
  382. see if they have a conversion format and are converted if they do.
  383. """
  384. if not isinstance(value, ConvertingDict) and isinstance(value, dict):
  385. value = ConvertingDict(value)
  386. value.configurator = self
  387. elif not isinstance(value, ConvertingList) and isinstance(value, list):
  388. value = ConvertingList(value)
  389. value.configurator = self
  390. elif not isinstance(value, ConvertingTuple) and\
  391. isinstance(value, tuple):
  392. value = ConvertingTuple(value)
  393. value.configurator = self
  394. elif isinstance(value, str): # str for py3k
  395. m = self.CONVERT_PATTERN.match(value)
  396. if m:
  397. d = m.groupdict()
  398. prefix = d['prefix']
  399. converter = self.value_converters.get(prefix, None)
  400. if converter:
  401. suffix = d['suffix']
  402. converter = getattr(self, converter)
  403. value = converter(suffix)
  404. return value
  405. def configure_custom(self, config):
  406. """Configure an object with a user-supplied factory."""
  407. c = config.pop('()')
  408. if not callable(c):
  409. c = self.resolve(c)
  410. props = config.pop('.', None)
  411. # Check for valid identifiers
  412. kwargs = dict([(k, config[k]) for k in config if valid_ident(k)])
  413. result = c(**kwargs)
  414. if props:
  415. for name, value in props.items():
  416. setattr(result, name, value)
  417. return result
  418. def as_tuple(self, value):
  419. """Utility function which converts lists to tuples."""
  420. if isinstance(value, list):
  421. value = tuple(value)
  422. return value
  423. class DictConfigurator(BaseConfigurator):
  424. """
  425. Configure logging using a dictionary-like object to describe the
  426. configuration.
  427. """
  428. def configure(self):
  429. """Do the configuration."""
  430. config = self.config
  431. if 'version' not in config:
  432. raise ValueError("dictionary doesn't specify a version")
  433. if config['version'] != 1:
  434. raise ValueError("Unsupported version: %s" % config['version'])
  435. incremental = config.pop('incremental', False)
  436. EMPTY_DICT = {}
  437. logging._acquireLock()
  438. try:
  439. if incremental:
  440. handlers = config.get('handlers', EMPTY_DICT)
  441. for name in handlers:
  442. if name not in logging._handlers:
  443. raise ValueError('No handler found with '
  444. 'name %r' % name)
  445. else:
  446. try:
  447. handler = logging._handlers[name]
  448. handler_config = handlers[name]
  449. level = handler_config.get('level', None)
  450. if level:
  451. handler.setLevel(logging._checkLevel(level))
  452. except Exception as e:
  453. raise ValueError('Unable to configure handler '
  454. '%r: %s' % (name, e))
  455. loggers = config.get('loggers', EMPTY_DICT)
  456. for name in loggers:
  457. try:
  458. self.configure_logger(name, loggers[name], True)
  459. except Exception as e:
  460. raise ValueError('Unable to configure logger '
  461. '%r: %s' % (name, e))
  462. root = config.get('root', None)
  463. if root:
  464. try:
  465. self.configure_root(root, True)
  466. except Exception as e:
  467. raise ValueError('Unable to configure root '
  468. 'logger: %s' % e)
  469. else:
  470. disable_existing = config.pop('disable_existing_loggers', True)
  471. logging._handlers.clear()
  472. del logging._handlerList[:]
  473. # Do formatters first - they don't refer to anything else
  474. formatters = config.get('formatters', EMPTY_DICT)
  475. for name in formatters:
  476. try:
  477. formatters[name] = self.configure_formatter(
  478. formatters[name])
  479. except Exception as e:
  480. raise ValueError('Unable to configure '
  481. 'formatter %r: %s' % (name, e))
  482. # Next, do filters - they don't refer to anything else, either
  483. filters = config.get('filters', EMPTY_DICT)
  484. for name in filters:
  485. try:
  486. filters[name] = self.configure_filter(filters[name])
  487. except Exception as e:
  488. raise ValueError('Unable to configure '
  489. 'filter %r: %s' % (name, e))
  490. # Next, do handlers - they refer to formatters and filters
  491. # As handlers can refer to other handlers, sort the keys
  492. # to allow a deterministic order of configuration
  493. handlers = config.get('handlers', EMPTY_DICT)
  494. deferred = []
  495. for name in sorted(handlers):
  496. try:
  497. handler = self.configure_handler(handlers[name])
  498. handler.name = name
  499. handlers[name] = handler
  500. except Exception as e:
  501. if 'target not configured yet' in str(e):
  502. deferred.append(name)
  503. else:
  504. raise ValueError('Unable to configure handler '
  505. '%r: %s' % (name, e))
  506. # Now do any that were deferred
  507. for name in deferred:
  508. try:
  509. handler = self.configure_handler(handlers[name])
  510. handler.name = name
  511. handlers[name] = handler
  512. except Exception as e:
  513. raise ValueError('Unable to configure handler '
  514. '%r: %s' % (name, e))
  515. # Next, do loggers - they refer to handlers and filters
  516. #we don't want to lose the existing loggers,
  517. #since other threads may have pointers to them.
  518. #existing is set to contain all existing loggers,
  519. #and as we go through the new configuration we
  520. #remove any which are configured. At the end,
  521. #what's left in existing is the set of loggers
  522. #which were in the previous configuration but
  523. #which are not in the new configuration.
  524. root = logging.root
  525. existing = list(root.manager.loggerDict.keys())
  526. #The list needs to be sorted so that we can
  527. #avoid disabling child loggers of explicitly
  528. #named loggers. With a sorted list it is easier
  529. #to find the child loggers.
  530. existing.sort()
  531. #We'll keep the list of existing loggers
  532. #which are children of named loggers here...
  533. child_loggers = []
  534. #now set up the new ones...
  535. loggers = config.get('loggers', EMPTY_DICT)
  536. for name in loggers:
  537. if name in existing:
  538. i = existing.index(name) + 1 # look after name
  539. prefixed = name + "."
  540. pflen = len(prefixed)
  541. num_existing = len(existing)
  542. while i < num_existing:
  543. if existing[i][:pflen] == prefixed:
  544. child_loggers.append(existing[i])
  545. i += 1
  546. existing.remove(name)
  547. try:
  548. self.configure_logger(name, loggers[name])
  549. except Exception as e:
  550. raise ValueError('Unable to configure logger '
  551. '%r: %s' % (name, e))
  552. #Disable any old loggers. There's no point deleting
  553. #them as other threads may continue to hold references
  554. #and by disabling them, you stop them doing any logging.
  555. #However, don't disable children of named loggers, as that's
  556. #probably not what was intended by the user.
  557. #for log in existing:
  558. # logger = root.manager.loggerDict[log]
  559. # if log in child_loggers:
  560. # logger.level = logging.NOTSET
  561. # logger.handlers = []
  562. # logger.propagate = True
  563. # elif disable_existing:
  564. # logger.disabled = True
  565. _handle_existing_loggers(existing, child_loggers,
  566. disable_existing)
  567. # And finally, do the root logger
  568. root = config.get('root', None)
  569. if root:
  570. try:
  571. self.configure_root(root)
  572. except Exception as e:
  573. raise ValueError('Unable to configure root '
  574. 'logger: %s' % e)
  575. finally:
  576. logging._releaseLock()
  577. def configure_formatter(self, config):
  578. """Configure a formatter from a dictionary."""
  579. if '()' in config:
  580. factory = config['()'] # for use in exception handler
  581. try:
  582. result = self.configure_custom(config)
  583. except TypeError as te:
  584. if "'format'" not in str(te):
  585. raise
  586. #Name of parameter changed from fmt to format.
  587. #Retry with old name.
  588. #This is so that code can be used with older Python versions
  589. #(e.g. by Django)
  590. config['fmt'] = config.pop('format')
  591. config['()'] = factory
  592. result = self.configure_custom(config)
  593. else:
  594. fmt = config.get('format', None)
  595. dfmt = config.get('datefmt', None)
  596. style = config.get('style', '%')
  597. cname = config.get('class', None)
  598. if not cname:
  599. c = logging.Formatter
  600. else:
  601. c = _resolve(cname)
  602. result = c(fmt, dfmt, style)
  603. return result
  604. def configure_filter(self, config):
  605. """Configure a filter from a dictionary."""
  606. if '()' in config:
  607. result = self.configure_custom(config)
  608. else:
  609. name = config.get('name', '')
  610. result = logging.Filter(name)
  611. return result
  612. def add_filters(self, filterer, filters):
  613. """Add filters to a filterer from a list of names."""
  614. for f in filters:
  615. try:
  616. filterer.addFilter(self.config['filters'][f])
  617. except Exception as e:
  618. raise ValueError('Unable to add filter %r: %s' % (f, e))
  619. def configure_handler(self, config):
  620. """Configure a handler from a dictionary."""
  621. config_copy = dict(config) # for restoring in case of error
  622. formatter = config.pop('formatter', None)
  623. if formatter:
  624. try:
  625. formatter = self.config['formatters'][formatter]
  626. except Exception as e:
  627. raise ValueError('Unable to set formatter '
  628. '%r: %s' % (formatter, e))
  629. level = config.pop('level', None)
  630. filters = config.pop('filters', None)
  631. if '()' in config:
  632. c = config.pop('()')
  633. if not callable(c):
  634. c = self.resolve(c)
  635. factory = c
  636. else:
  637. cname = config.pop('class')
  638. klass = self.resolve(cname)
  639. #Special case for handler which refers to another handler
  640. if issubclass(klass, logging.handlers.MemoryHandler) and\
  641. 'target' in config:
  642. try:
  643. th = self.config['handlers'][config['target']]
  644. if not isinstance(th, logging.Handler):
  645. config.update(config_copy) # restore for deferred cfg
  646. raise TypeError('target not configured yet')
  647. config['target'] = th
  648. except Exception as e:
  649. raise ValueError('Unable to set target handler '
  650. '%r: %s' % (config['target'], e))
  651. elif issubclass(klass, logging.handlers.SMTPHandler) and\
  652. 'mailhost' in config:
  653. config['mailhost'] = self.as_tuple(config['mailhost'])
  654. elif issubclass(klass, logging.handlers.SysLogHandler) and\
  655. 'address' in config:
  656. config['address'] = self.as_tuple(config['address'])
  657. factory = klass
  658. props = config.pop('.', None)
  659. kwargs = dict([(k, config[k]) for k in config if valid_ident(k)])
  660. try:
  661. result = factory(**kwargs)
  662. except TypeError as te:
  663. if "'stream'" not in str(te):
  664. raise
  665. #The argument name changed from strm to stream
  666. #Retry with old name.
  667. #This is so that code can be used with older Python versions
  668. #(e.g. by Django)
  669. kwargs['strm'] = kwargs.pop('stream')
  670. result = factory(**kwargs)
  671. if formatter:
  672. result.setFormatter(formatter)
  673. if level is not None:
  674. result.setLevel(logging._checkLevel(level))
  675. if filters:
  676. self.add_filters(result, filters)
  677. if props:
  678. for name, value in props.items():
  679. setattr(result, name, value)
  680. return result
  681. def add_handlers(self, logger, handlers):
  682. """Add handlers to a logger from a list of names."""
  683. for h in handlers:
  684. try:
  685. logger.addHandler(self.config['handlers'][h])
  686. except Exception as e:
  687. raise ValueError('Unable to add handler %r: %s' % (h, e))
  688. def common_logger_config(self, logger, config, incremental=False):
  689. """
  690. Perform configuration which is common to root and non-root loggers.
  691. """
  692. level = config.get('level', None)
  693. if level is not None:
  694. logger.setLevel(logging._checkLevel(level))
  695. if not incremental:
  696. #Remove any existing handlers
  697. for h in logger.handlers[:]:
  698. logger.removeHandler(h)
  699. handlers = config.get('handlers', None)
  700. if handlers:
  701. self.add_handlers(logger, handlers)
  702. filters = config.get('filters', None)
  703. if filters:
  704. self.add_filters(logger, filters)
  705. def configure_logger(self, name, config, incremental=False):
  706. """Configure a non-root logger from a dictionary."""
  707. logger = logging.getLogger(name)
  708. self.common_logger_config(logger, config, incremental)
  709. propagate = config.get('propagate', None)
  710. if propagate is not None:
  711. logger.propagate = propagate
  712. def configure_root(self, config, incremental=False):
  713. """Configure a root logger from a dictionary."""
  714. root = logging.getLogger()
  715. self.common_logger_config(root, config, incremental)
  716. dictConfigClass = DictConfigurator
  717. def dictConfig(config):
  718. """Configure logging using a dictionary."""
  719. dictConfigClass(config).configure()
  720. def listen(port=DEFAULT_LOGGING_CONFIG_PORT, verify=None):
  721. """
  722. Start up a socket server on the specified port, and listen for new
  723. configurations.
  724. These will be sent as a file suitable for processing by fileConfig().
  725. Returns a Thread object on which you can call start() to start the server,
  726. and which you can join() when appropriate. To stop the server, call
  727. stopListening().
  728. Use the ``verify`` argument to verify any bytes received across the wire
  729. from a client. If specified, it should be a callable which receives a
  730. single argument - the bytes of configuration data received across the
  731. network - and it should return either ``None``, to indicate that the
  732. passed in bytes could not be verified and should be discarded, or a
  733. byte string which is then passed to the configuration machinery as
  734. normal. Note that you can return transformed bytes, e.g. by decrypting
  735. the bytes passed in.
  736. """
  737. if not thread: #pragma: no cover
  738. raise NotImplementedError("listen() needs threading to work")
  739. class ConfigStreamHandler(StreamRequestHandler):
  740. """
  741. Handler for a logging configuration request.
  742. It expects a completely new logging configuration and uses fileConfig
  743. to install it.
  744. """
  745. def handle(self):
  746. """
  747. Handle a request.
  748. Each request is expected to be a 4-byte length, packed using
  749. struct.pack(">L", n), followed by the config file.
  750. Uses fileConfig() to do the grunt work.
  751. """
  752. try:
  753. conn = self.connection
  754. chunk = conn.recv(4)
  755. if len(chunk) == 4:
  756. slen = struct.unpack(">L", chunk)[0]
  757. chunk = self.connection.recv(slen)
  758. while len(chunk) < slen:
  759. chunk = chunk + conn.recv(slen - len(chunk))
  760. if self.server.verify is not None:
  761. chunk = self.server.verify(chunk)
  762. if chunk is not None: # verified, can process
  763. chunk = chunk.decode("utf-8")
  764. try:
  765. import json
  766. d =json.loads(chunk)
  767. assert isinstance(d, dict)
  768. dictConfig(d)
  769. except Exception:
  770. #Apply new configuration.
  771. file = io.StringIO(chunk)
  772. try:
  773. fileConfig(file)
  774. except Exception:
  775. traceback.print_exc()
  776. if self.server.ready:
  777. self.server.ready.set()
  778. except OSError as e:
  779. if e.errno != RESET_ERROR:
  780. raise
  781. class ConfigSocketReceiver(ThreadingTCPServer):
  782. """
  783. A simple TCP socket-based logging config receiver.
  784. """
  785. allow_reuse_address = 1
  786. def __init__(self, host='localhost', port=DEFAULT_LOGGING_CONFIG_PORT,
  787. handler=None, ready=None, verify=None):
  788. ThreadingTCPServer.__init__(self, (host, port), handler)
  789. logging._acquireLock()
  790. self.abort = 0
  791. logging._releaseLock()
  792. self.timeout = 1
  793. self.ready = ready
  794. self.verify = verify
  795. def serve_until_stopped(self):
  796. import select
  797. abort = 0
  798. while not abort:
  799. rd, wr, ex = select.select([self.socket.fileno()],
  800. [], [],
  801. self.timeout)
  802. if rd:
  803. self.handle_request()
  804. logging._acquireLock()
  805. abort = self.abort
  806. logging._releaseLock()
  807. self.socket.close()
  808. class Server(threading.Thread):
  809. def __init__(self, rcvr, hdlr, port, verify):
  810. super(Server, self).__init__()
  811. self.rcvr = rcvr
  812. self.hdlr = hdlr
  813. self.port = port
  814. self.verify = verify
  815. self.ready = threading.Event()
  816. def run(self):
  817. server = self.rcvr(port=self.port, handler=self.hdlr,
  818. ready=self.ready,
  819. verify=self.verify)
  820. if self.port == 0:
  821. self.port = server.server_address[1]
  822. self.ready.set()
  823. global _listener
  824. logging._acquireLock()
  825. _listener = server
  826. logging._releaseLock()
  827. server.serve_until_stopped()
  828. return Server(ConfigSocketReceiver, ConfigStreamHandler, port, verify)
  829. def stopListening():
  830. """
  831. Stop the listening server which was created with a call to listen().
  832. """
  833. global _listener
  834. logging._acquireLock()
  835. try:
  836. if _listener:
  837. _listener.abort = 1
  838. _listener = None
  839. finally:
  840. logging._releaseLock()