diff options
Diffstat (limited to 'Lib/logging/config.py')
| -rw-r--r-- | Lib/logging/config.py | 76 | 
1 files changed, 48 insertions, 28 deletions
| diff --git a/Lib/logging/config.py b/Lib/logging/config.py index 188061449d..b882a62ab3 100644 --- a/Lib/logging/config.py +++ b/Lib/logging/config.py @@ -61,11 +61,14 @@ def fileConfig(fname, defaults=None, disable_existing_loggers=True):      """      import configparser -    cp = configparser.ConfigParser(defaults) -    if hasattr(fname, 'readline'): -        cp.read_file(fname) +    if isinstance(fname, configparser.RawConfigParser): +        cp = fname      else: -        cp.read(fname) +        cp = configparser.ConfigParser(defaults) +        if hasattr(fname, 'readline'): +            cp.read_file(fname) +        else: +            cp.read(fname)      formatters = _create_formatters(cp) @@ -141,7 +144,7 @@ def _install_handlers(cp, formatters):          h = klass(*args)          if "level" in section:              level = section["level"] -            h.setLevel(logging._levelNames[level]) +            h.setLevel(level)          if len(fmt):              h.setFormatter(formatters[fmt])          if issubclass(klass, logging.handlers.MemoryHandler): @@ -188,7 +191,7 @@ def _install_loggers(cp, handlers, disable_existing):      log = root      if "level" in section:          level = section["level"] -        log.setLevel(logging._levelNames[level]) +        log.setLevel(level)      for h in root.handlers[:]:          root.removeHandler(h)      hlist = section["handlers"] @@ -234,7 +237,7 @@ def _install_loggers(cp, handlers, disable_existing):              existing.remove(qn)          if "level" in section:              level = section["level"] -            logger.setLevel(logging._levelNames[level]) +            logger.setLevel(level)          for h in logger.handlers[:]:              logger.removeHandler(h)          logger.propagate = propagate @@ -729,6 +732,7 @@ class DictConfigurator(BaseConfigurator):                  'address' in config:                  config['address'] = self.as_tuple(config['address'])              factory = klass +        props = config.pop('.', None)          kwargs = dict([(k, config[k]) for k in config if valid_ident(k)])          try:              result = factory(**kwargs) @@ -747,6 +751,9 @@ class DictConfigurator(BaseConfigurator):              result.setLevel(logging._checkLevel(level))          if filters:              self.add_filters(result, filters) +        if props: +            for name, value in props.items(): +                setattr(result, name, value)          return result      def add_handlers(self, logger, handlers): @@ -795,7 +802,7 @@ def dictConfig(config):      dictConfigClass(config).configure() -def listen(port=DEFAULT_LOGGING_CONFIG_PORT): +def listen(port=DEFAULT_LOGGING_CONFIG_PORT, verify=None):      """      Start up a socket server on the specified port, and listen for new      configurations. @@ -804,6 +811,15 @@ def listen(port=DEFAULT_LOGGING_CONFIG_PORT):      Returns a Thread object on which you can call start() to start the server,      and which you can join() when appropriate. To stop the server, call      stopListening(). + +    Use the ``verify`` argument to verify any bytes received across the wire +    from a client. If specified, it should be a callable which receives a +    single argument - the bytes of configuration data received across the +    network - and it should return either ``None``, to indicate that the +    passed in bytes could not be verified and should be discarded, or a +    byte string which is then passed to the configuration machinery as +    normal. Note that you can return transformed bytes, e.g. by decrypting +    the bytes passed in.      """      if not thread: #pragma: no cover          raise NotImplementedError("listen() needs threading to work") @@ -831,25 +847,26 @@ def listen(port=DEFAULT_LOGGING_CONFIG_PORT):                      chunk = self.connection.recv(slen)                      while len(chunk) < slen:                          chunk = chunk + conn.recv(slen - len(chunk)) -                    chunk = chunk.decode("utf-8") -                    try: -                        import json -                        d =json.loads(chunk) -                        assert isinstance(d, dict) -                        dictConfig(d) -                    except: -                        #Apply new configuration. - -                        file = io.StringIO(chunk) +                    if self.server.verify is not None: +                        chunk = self.server.verify(chunk) +                    if chunk is not None:   # verified, can process +                        chunk = chunk.decode("utf-8")                          try: -                            fileConfig(file) -                        except (KeyboardInterrupt, SystemExit): #pragma: no cover -                            raise -                        except: -                            traceback.print_exc() +                            import json +                            d =json.loads(chunk) +                            assert isinstance(d, dict) +                            dictConfig(d) +                        except Exception: +                            #Apply new configuration. + +                            file = io.StringIO(chunk) +                            try: +                                fileConfig(file) +                            except Exception: +                                traceback.print_exc()                      if self.server.ready:                          self.server.ready.set() -            except socket.error as e: +            except OSError as e:                  if not isinstance(e.args, tuple):                      raise                  else: @@ -865,13 +882,14 @@ def listen(port=DEFAULT_LOGGING_CONFIG_PORT):          allow_reuse_address = 1          def __init__(self, host='localhost', port=DEFAULT_LOGGING_CONFIG_PORT, -                     handler=None, ready=None): +                     handler=None, ready=None, verify=None):              ThreadingTCPServer.__init__(self, (host, port), handler)              logging._acquireLock()              self.abort = 0              logging._releaseLock()              self.timeout = 1              self.ready = ready +            self.verify = verify          def serve_until_stopped(self):              import select @@ -889,16 +907,18 @@ def listen(port=DEFAULT_LOGGING_CONFIG_PORT):      class Server(threading.Thread): -        def __init__(self, rcvr, hdlr, port): +        def __init__(self, rcvr, hdlr, port, verify):              super(Server, self).__init__()              self.rcvr = rcvr              self.hdlr = hdlr              self.port = port +            self.verify = verify              self.ready = threading.Event()          def run(self):              server = self.rcvr(port=self.port, handler=self.hdlr, -                               ready=self.ready) +                               ready=self.ready, +                               verify=self.verify)              if self.port == 0:                  self.port = server.server_address[1]              self.ready.set() @@ -908,7 +928,7 @@ def listen(port=DEFAULT_LOGGING_CONFIG_PORT):              logging._releaseLock()              server.serve_until_stopped() -    return Server(ConfigSocketReceiver, ConfigStreamHandler, port) +    return Server(ConfigSocketReceiver, ConfigStreamHandler, port, verify)  def stopListening():      """ | 
