pax_global_header00006660000000000000000000000064124636661100014517gustar00rootroot0000000000000052 comment=82263c2fb3963d08e335a59f6ac06f9f12291f87 python-colorlog-2.6.0/000077500000000000000000000000001246366611000146635ustar00rootroot00000000000000python-colorlog-2.6.0/.gitignore000066400000000000000000000001031246366611000166450ustar00rootroot00000000000000MANIFEST MANIFEST.in dist/* build/* *.egg-info/* *.pyc .tox .cache python-colorlog-2.6.0/.travis.yml000066400000000000000000000005351246366611000167770ustar00rootroot00000000000000language: python env: - TOXENV=py26 - TOXENV=py27 - TOXENV=py32 - TOXENV=py33 - TOXENV=pypy - TOXENV=py26-colorama - TOXENV=py27-colorama - TOXENV=py32-colorama - TOXENV=py33-colorama - TOXENV=pypy-colorama - TOXENV=lint install: - pip install tox script: - tox matrix: allow_failures: - env: TOXENV=lint sudo: false python-colorlog-2.6.0/README.rst000066400000000000000000000162441246366611000163610ustar00rootroot00000000000000=========================== Log formatting with colors! =========================== .. image:: http://img.shields.io/pypi/v/colorlog.svg?style=flat-square :target: https://pypi.python.org/pypi/colorlog :alt: colorlog on PyPI .. image:: http://img.shields.io/pypi/l/colorlog.svg?style=flat-square :target: https://pypi.python.org/pypi/colorlog :alt: colorlog on PyPI .. image:: http://img.shields.io/travis/borntyping/python-colorlog/master.svg?style=flat-square :target: https://travis-ci.org/borntyping/python-colorlog :alt: Travis-CI build status for python-colorlog .. image:: https://img.shields.io/github/issues/borntyping/python-colorlog.svg?style=flat-square :target: https://github.com/borntyping/python-colorlog/issues :alt: GitHub issues for python-colorlog | ``colorlog.ColoredFormatter`` is a formatter for use with pythons logging module. It allows colors to be placed in the format string, which is mostly useful when paired with a StreamHandler that is outputting to a terminal. This is accomplished by added a set of terminal color codes to the record before it is used to format the string. * `Source on GitHub `_ * `Packages on PyPI `_ * `Builds on Travis CI `_ Codes ===== Color escape codes can be selected based on the log records level, by adding parameters to the format string: - ``log_color``: Return the color associated with the records level (from ``color_levels``). - ``_log_color``: Return another color based on the records level if the ``ColoredFormatter`` was created with a ``secondary_log_colors`` parameter (see below). The following escape codes are made availible for use in the format string: - ``{color}``, ``fg_{color}``, ``bg_{color}``: Foreground and background colors. The color names are ``black``, ``red``, ``green``, ``yellow``, ``blue``, ``purple``, ``cyan`` and ``white``. - ``bold``, ``bold_{color}``, ``fg_bold_{color}``, ``bg_bold_{color}``: Bold/bright colors. - ``reset``: Clear all formatting (both foreground and background colors). Multiple escape codes can be used at once by joining them with commas. This example would return the escape codes for black text on a white background: .. code-block:: python colorlog.escape_codes.parse_colors("black,bg_white") Arguments ========= ``ColoredFormatter`` takes several arguments: - ``format``: The format string used to output the message (required). - ``datefmt``: An optional date format passed to the base class. See `logging.Formatter`_. - ``reset``: Implicitly adds a color reset code to the message output, unless the output already ends with one. Defaults to ``True``. - ``log_colors``: A mapping of record level names to color names. The defaults can be found in ``colorlog.default_log_colors``, or the below example. - ``secondary_log_colors``: A mapping of names to ``log_colors`` style mappings, defining additional colors that can be used in format strings. See below for an example. - ``style``: Available on Python 3.2 and above. See `logging.Formatter`_. Examples ======== .. image:: doc/example.png :alt: Example output The following code creates a ColoredFormatter for use in a logging setup, passing each arguments defaults to the constructor: .. code-block:: python from colorlog import ColoredFormatter formatter = ColoredFormatter( "%(log_color)s%(levelname)-8s%(reset)s %(blue)s%(message)s", datefmt=None, reset=True, log_colors={ 'DEBUG': 'cyan', 'INFO': 'green', 'WARNING': 'yellow', 'ERROR': 'red', 'CRITICAL': 'red,bg_white', }, secondary_log_colors={}, style='%' ) Using ``secondary_log_colors`` ------------------------------ Secondary log colors are a way to have more than one color that is selected based on the log level. Each key in ``secondary_log_colors`` adds an attribute that can be used in format strings (``message`` becomes ``message_log_color``), and has a corresponding value that is identical in format to the ``log_colors`` argument. The following example highlights the level name using the default log colors, and highlights the message in red for ``error`` and ``critical`` level log messages. .. code-block:: python from colorlog import ColoredFormatter formatter = ColoredFormatter( "%(log_color)s%(levelname)-8s%(reset)s %(message_log_color)s%(message)s", secondary_log_colors={ 'message': { 'ERROR': 'red', 'CRITICAL': 'red' } } ) With `dictConfig`_ ------------------ .. code-block:: python logging.config.dictConfig({ 'formatters': { 'colored': { '()': 'colorlog.ColoredFormatter', 'format': "%(log_color)s%(levelname)-8s%(reset)s %(blue)s%(message)s" } }, ... }) A full example dictionary can be found in ``tests/test_colorlog.py``. With `fileConfig`_ ------------------ .. code-block:: ini ... [formatters] keys=color [formatter_color] class=colorlog.ColoredFormatter format=%(log_color)s%(levelname)-8s%(reset)s %(bg_blue)s[%(name)s]%(reset)s %(message)s from fileConfig datefmt=%m-%d %H:%M:%S ... An instance of ColoredFormatter created with those arguments will then be used by any handlers that are configured to use the ``color`` formatter. A full example configuration can be found in ``tests/test_config.ini``. Compatibility ============= colorlog works on Python 2.6 and above, including Python 3. On Windows, requires `colorama`_ to work properly. A dependancy on `colorama`_ is included as an optional package dependancy - depending on ``colorlog[windows]`` instead of ``colorlog`` will ensure it is included when installing. Tests ===== Tests similar to the above examples are found in ``tests/test_colorlog.py``. `tox`_ will run the tests under all compatible python versions. Licence ======= Copyright (c) 2012 Sam Clements Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. .. _logging.Formatter: http://docs.python.org/3/library/logging.html#logging.Formatter .. _dictConfig: http://docs.python.org/3/library/logging.config.html#logging.config.dictConfig .. _fileConfig: http://docs.python.org/3/library/logging.config.html#logging.config.fileConfig .. _tox: http://tox.readthedocs.org/ .. _colorama: https://pypi.python.org/pypi/colorama python-colorlog-2.6.0/colorlog/000077500000000000000000000000001246366611000165035ustar00rootroot00000000000000python-colorlog-2.6.0/colorlog/__init__.py000066400000000000000000000007761246366611000206260ustar00rootroot00000000000000"""A logging formatter for colored output.""" from __future__ import absolute_import from colorlog.colorlog import ( ColoredFormatter, escape_codes, default_log_colors) from colorlog.logging import ( basicConfig, root, getLogger, log, debug, info, warning, error, exception, critical) __all__ = ('ColoredFormatter', 'default_log_colors', 'escape_codes', 'basicConfig', 'root', 'getLogger', 'debug', 'info', 'warning', 'error', 'exception', 'critical', 'log', 'exception') python-colorlog-2.6.0/colorlog/colorlog.py000066400000000000000000000112701246366611000206760ustar00rootroot00000000000000"""The ColoredFormatter class.""" from __future__ import absolute_import import logging import collections import sys from colorlog.escape_codes import escape_codes, parse_colors __all__ = ('escape_codes', 'default_log_colors', 'ColoredFormatter') # The default colors to use for the debug levels default_log_colors = { 'DEBUG': 'white', 'INFO': 'green', 'WARNING': 'yellow', 'ERROR': 'red', 'CRITICAL': 'bold_red', } # The default format to use for each style default_formats = { '%': '%(log_color)s%(levelname)s:%(name)s:%(message)s', '{': '{log_color}{levelname}:{name}:{message}', '$': '${log_color}${levelname}:${name}:${message}' } class ColoredRecord(object): """ Wraps a LogRecord and attempts to parse missing keys as escape codes. When the record is formatted, the logging library uses ``record.__dict__`` directly - so this class replaced the dict with a ``defaultdict`` that checks if a missing key is an escape code. """ class __dict(collections.defaultdict): def __missing__(self, name): try: return parse_colors(name) except Exception: raise KeyError("{} is not a valid record attribute " "or color sequence".format(name)) def __init__(self, record): # Replace the internal dict with one that can handle missing keys self.__dict__ = self.__dict() self.__dict__.update(record.__dict__) # Keep a refrence to the original refrence so ``__getattr__`` can # access functions that are not in ``__dict__`` self.__record = record def __getattr__(self, name): return getattr(self.__record, name) class ColoredFormatter(logging.Formatter): """ A formatter that allows colors to be placed in the format string. Intended to help in creating more readable logging output. """ def __init__(self, fmt=None, datefmt=None, log_colors=None, reset=True, style='%', secondary_log_colors=None): """ Set the format and colors the ColoredFormatter will use. The ``fmt``, ``datefmt`` and ``style`` args are passed on to the ``logging.Formatter`` constructor. The ``secondary_log_colors`` argument can be used to create additional ``log_color`` attributes. Each key in the dictionary will set ``log_color_{key}``, using the value to select from a different ``log_colors`` set. :Parameters: - fmt (str): The format string to use - datefmt (str): A format string for the date - log_colors (dict): A mapping of log level names to color names - reset (bool): Implictly append a color reset to all records unless False - style ('%' or '{' or '$'): The format style to use. (*No meaning prior to Python 3.2.*) - secondary_log_colors (dict): Map secondary ``log_color`` attributes. (*New in version 2.6.*) """ if fmt is None: if sys.version_info > (3, 2): fmt = default_formats[style] else: fmt = default_formats['%'] if sys.version_info > (3, 2): super(ColoredFormatter, self).__init__(fmt, datefmt, style) elif sys.version_info > (2, 7): super(ColoredFormatter, self).__init__(fmt, datefmt) else: logging.Formatter.__init__(self, fmt, datefmt) self.log_colors = ( log_colors if log_colors is not None else default_log_colors) self.secondary_log_colors = secondary_log_colors self.reset = reset def color(self, log_colors, name): """Return escape codes from a ``log_colors`` dict.""" return parse_colors(log_colors.get(name, "")) def format(self, record): """Format a message from a record object.""" record = ColoredRecord(record) record.log_color = self.color(self.log_colors, record.levelname) # Set secondary log colors if self.secondary_log_colors: for name, log_colors in self.secondary_log_colors.items(): color = self.color(log_colors, record.levelname) setattr(record, name + '_log_color', color) # Format the message if sys.version_info > (2, 7): message = super(ColoredFormatter, self).format(record) else: message = logging.Formatter.format(self, record) # Add a reset code to the end of the message # (if it wasn't explicitly added in format str) if self.reset and not message.endswith(escape_codes['reset']): message += escape_codes['reset'] return message python-colorlog-2.6.0/colorlog/escape_codes.py000066400000000000000000000022251246366611000214730ustar00rootroot00000000000000""" Generates a dictionary of ANSI escape codes. http://en.wikipedia.org/wiki/ANSI_escape_code Uses colorama as an optional dependancy to support color on Windows """ try: import colorama except ImportError: pass else: colorama.init() __all__ = ('escape_codes', 'parse_colors') # Returns escape codes from format codes esc = lambda *x: '\033[' + ';'.join(x) + 'm' # The initial list of escape codes escape_codes = { 'reset': esc('0'), 'bold': esc('01'), } # The color names COLORS = [ 'black', 'red', 'green', 'yellow', 'blue', 'purple', 'cyan', 'white' ] PREFIXES = [ # Foreground without prefix ('3', ''), ('01;3', 'bold_'), # Foreground with fg_ prefix ('3', 'fg_'), ('01;3', 'fg_bold_'), # Background with bg_ prefix - bold/light works differently ('4', 'bg_'), ('10', 'bg_bold_'), ] for prefix, prefix_name in PREFIXES: for code, name in enumerate(COLORS): escape_codes[prefix_name + name] = esc(prefix + str(code)) def parse_colors(sequence): """Return escape codes from a color sequence.""" return ''.join(escape_codes[n] for n in sequence.split(',') if n) python-colorlog-2.6.0/colorlog/logging.py000066400000000000000000000024461246366611000205110ustar00rootroot00000000000000"""Wrappers around the logging module.""" from __future__ import absolute_import import functools import logging from colorlog.colorlog import ColoredFormatter BASIC_FORMAT = "%(log_color)s%(levelname)s%(reset)s:%(name)s:%(message)s" def basicConfig(**kwargs): """Call ``logging.basicConfig`` and override the formatter it creates.""" logging.basicConfig(**kwargs) logging._acquireLock() try: stream = logging.root.handlers[0] stream.setFormatter( ColoredFormatter( fmt=kwargs.get('format', BASIC_FORMAT), datefmt=kwargs.get('datefmt', None))) finally: logging._releaseLock() def ensure_configured(func): """Modify a function to call ``basicConfig`` first if no handlers exist.""" @functools.wraps(func) def wrapper(*args, **kwargs): if len(logging.root.handlers) == 0: basicConfig() return func(*args, **kwargs) return wrapper root = logging.root getLogger = logging.getLogger debug = ensure_configured(logging.debug) info = ensure_configured(logging.info) warning = ensure_configured(logging.warning) error = ensure_configured(logging.error) critical = ensure_configured(logging.critical) log = ensure_configured(logging.log) exception = ensure_configured(logging.exception) python-colorlog-2.6.0/colorlog/tests/000077500000000000000000000000001246366611000176455ustar00rootroot00000000000000python-colorlog-2.6.0/colorlog/tests/conftest.py000066400000000000000000000036561246366611000220560ustar00rootroot00000000000000"""Fixtures that can be used in other tests.""" from __future__ import print_function import inspect import logging import sys import colorlog import pytest def assert_log_message(log_function, message, capsys): """Call a log function and check the message has been output.""" log_function(message) out, err = capsys.readouterr() # Print the output so that py.test shows it when a test fails print(err, end='', file=sys.stderr) # Assert the message send to the logger was output assert message in err, 'Log message not output to STDERR' return err @pytest.fixture() def reset_loggers(): logging.root.handlers = list() logging.root.setLevel(logging.DEBUG) @pytest.fixture() def test_logger(reset_loggers, capsys): def function(logger, validator=None): lines = [ assert_log_message(logger.debug, 'a debug message', capsys), assert_log_message(logger.info, 'an info message', capsys), assert_log_message(logger.warning, 'a warning message', capsys), assert_log_message(logger.error, 'an error message', capsys), assert_log_message(logger.critical, 'a critical message', capsys) ] if validator is not None: for line in lines: valid = validator(line.strip()) assert valid, "{!r} did not validate".format(line.strip()) return lines return function @pytest.fixture() def create_and_test_logger(test_logger): def function(*args, **kwargs): validator = kwargs.pop('validator', None) formatter = colorlog.ColoredFormatter(*args, **kwargs) stream = logging.StreamHandler() stream.setLevel(logging.DEBUG) stream.setFormatter(formatter) logger = logging.getLogger(inspect.stack()[1][3]) logger.setLevel(logging.DEBUG) logger.addHandler(stream) return test_logger(logger, validator) return function python-colorlog-2.6.0/colorlog/tests/test_colorlog.py000066400000000000000000000046111246366611000231000ustar00rootroot00000000000000"""Test the colorlog.colorlog module.""" import sys import pytest def test_colored_formatter(create_and_test_logger): create_and_test_logger() def test_custom_colors(create_and_test_logger): """Disable all colors and check no escape codes are output.""" create_and_test_logger( log_colors={}, reset=False, validator=lambda line: '\x1b[' not in line) def test_reset(create_and_test_logger): create_and_test_logger( reset=True, validator=lambda l: l.endswith('\x1b[0m')) def test_no_reset(create_and_test_logger): create_and_test_logger( fmt="%(reset)s%(log_color)s%(levelname)s:%(name)s:%(message)s", reset=False, # Check that each line does not end with an escape code validator=lambda line: not line.endswith('\x1b[0m')) def test_secondary_colors(create_and_test_logger): expected = ':\x1b[31mtest_secondary_colors:\x1b[34m' create_and_test_logger( fmt=( "%(log_color)s%(levelname)s:" "%(name_log_color)s%(name)s:" "%(message_log_color)s%(message)s" ), secondary_log_colors={ 'name': { 'DEBUG': 'red', 'INFO': 'red', 'WARNING': 'red', 'ERROR': 'red', 'CRITICAL': 'red', }, 'message': { 'DEBUG': 'blue', 'INFO': 'blue', 'WARNING': 'blue', 'ERROR': 'blue', 'CRITICAL': 'blue', } }, validator=lambda line: expected in line) def test_some_secondary_colors(create_and_test_logger): lines = create_and_test_logger( fmt="%(message_log_color)s%(message)s", secondary_log_colors={ 'message': { 'ERROR': 'red', 'CRITICAL': 'red' } }) # Check that only two lines are colored assert len([l for l in lines if '\x1b[31m' in l]) == 2 @pytest.mark.skipif(sys.version_info < (3, 2), reason="requires python3.2") def test_braces_style(create_and_test_logger): create_and_test_logger( fmt='{log_color}{levelname}:{name}:{message}', style='{') @pytest.mark.skipif(sys.version_info < (3, 2), reason="requires python3.2") def test_template_style(create_and_test_logger): create_and_test_logger( fmt='${log_color}${levelname}:${name}:${message}', style='$') python-colorlog-2.6.0/colorlog/tests/test_config.ini000066400000000000000000000004711246366611000226540ustar00rootroot00000000000000[loggers] keys=root [logger_root] handlers=stream level=DEBUG [formatters] keys=color [formatter_color] class=colorlog.ColoredFormatter format=%(log_color)s%(levelname)s:%(name)s:%(message)s:test_config.ini datefmt=%H:%M:%S [handlers] keys=stream [handler_stream] class=StreamHandler formatter=color args=() python-colorlog-2.6.0/colorlog/tests/test_config.py000066400000000000000000000023661246366611000225320ustar00rootroot00000000000000"""Test using colorlog with logging.config""" import logging import logging.config import os.path import sys import pytest def path(filename): """Return an absolute path to a file in the current directory.""" return os.path.join(os.path.dirname(os.path.realpath(__file__)), filename) def test_build_from_file(test_logger): logging.config.fileConfig(path("test_config.ini")) test_logger(logging.getLogger(), lambda l: ':test_config.ini' in l) @pytest.mark.skipif(sys.version_info < (2, 7), reason="requires python2.7") def test_build_from_dictionary(test_logger): logging.config.dictConfig({ 'version': 1, 'formatters': { 'colored': { '()': 'colorlog.ColoredFormatter', 'format': "%(log_color)s%(levelname)s:%(name)s:%(message)s:dict", } }, 'handlers': { 'stream': { 'class': 'logging.StreamHandler', 'formatter': 'colored', 'level': 'DEBUG' }, }, 'loggers': { '': { 'handlers': ['stream'], 'level': 'DEBUG', }, }, }) test_logger(logging.getLogger(), lambda l: ':dict' in l) python-colorlog-2.6.0/colorlog/tests/test_escape_codes.py000066400000000000000000000025751246366611000237040ustar00rootroot00000000000000"""Test the colorlog.escape_codes module.""" from colorlog.escape_codes import escape_codes, esc, parse_colors import pytest def test_esc(): assert esc('1', '2', '3') == '\033[1;2;3m' def test_reset(): assert escape_codes['reset'] == '\033[0m' def test_bold_color(): assert escape_codes['bold_red'] == '\033[01;31m' def test_fg_color(): assert escape_codes['fg_bold_yellow'] == '\033[01;33m' def test_bg_color(): assert escape_codes['bg_bold_blue'] == '\033[104m' def test_rainbow(create_and_test_logger): """Test *all* escape codes, useful to ensure backwards compatibility.""" create_and_test_logger( "%(log_color)s%(levelname)s%(reset)s:%(bold_black)s%(name)s:" "%(message)s%(reset)s:" "%(bold_red)sr%(red)sa%(yellow)si%(green)sn%(bold_blue)sb" "%(blue)so%(purple)sw%(reset)s " "%(fg_bold_red)sr%(fg_red)sa%(fg_yellow)si%(fg_green)sn" "%(fg_bold_blue)sb%(fg_blue)so%(fg_purple)sw%(reset)s " "%(bg_red)sr%(bg_bold_red)sa%(bg_yellow)si%(bg_green)sn" "%(bg_bold_blue)sb%(bg_blue)so%(bg_purple)sw%(reset)s " ) def test_parse_colors(): assert parse_colors('reset') == '\033[0m' def test_parse_multiple_colors(): assert parse_colors('bold_red,bg_bold_blue') == '\033[01;31m\033[104m' def test_parse_invalid_colors(): with pytest.raises(KeyError): parse_colors('false') python-colorlog-2.6.0/colorlog/tests/test_exports.py000066400000000000000000000005401246366611000227610ustar00rootroot00000000000000"""Test that `from colorlog import *` works correctly.""" from colorlog import * # noqa def test_exports(): assert set(( 'ColoredFormatter', 'default_log_colors', 'escape_codes', 'basicConfig', 'root', 'getLogger', 'debug', 'info', 'warning', 'error', 'exception', 'critical', 'log', 'exception' )) < set(globals()) python-colorlog-2.6.0/colorlog/tests/test_logging.py000066400000000000000000000004741246366611000227110ustar00rootroot00000000000000"""Test the colorlog.logging module.""" import logging import colorlog def test_logging_module(test_logger): test_logger(logging) def test_colorlog_module(test_logger): test_logger(colorlog) def test_colorlog_basicConfig(test_logger): colorlog.basicConfig() test_logger(colorlog.getLogger()) python-colorlog-2.6.0/doc/000077500000000000000000000000001246366611000154305ustar00rootroot00000000000000python-colorlog-2.6.0/doc/example.png000066400000000000000000000246571246366611000176070ustar00rootroot00000000000000PNG  IHDR|VCźy iCCPICC ProfileH wTSF z/Х$PBL*6TWpEeEA\"kA,XQ`_EEY 6T~/=~s|ޝ;w̛9 %f DAĤd1 :bOTT⍔VX9\1( N9Cj[( \I )grfČOls<e@zi $ ¶_aO6AXeNN6MG0&bexv/LdaXZ>lr%y}%DHODά6+7TƂ9;$qs!g9;cIVDcα(7Z_!39Ls1st~ s x sϏcqV,.DrN#Ff.}<^lc N0WG=sgf @"QɨtUDգZP]^Mj ES4CKЫћFt;&z=`17 ,c*1 6ym(=Uұ.`l6 ۊcG8NgEX<\1n' 4n7'@|2^_ c!!,' )"N 3kUyC[d@r%'I*aE0YlN#%n=[ bB$S()MǔrT9k9Gn\\܀+y"J & ~ , 5 &v9(^R|S2Q P()U:4BEQ ~T6u=u3ǧ7HO(OJI\x%I3ԙKOnH\`; -HsQMŤ&HŠdճ&Әiil?K73s{?ؖ1U~j̺YY[s99J,\eB aphےK&D1$^(SFDUpg~MǥK.S\&Xvu˟gʵ+WڳZgᚢ5Akk^[g|ݻ 뻊t F~XXT<}Cݏ?mtظsNR/؛.dSOӛ79ނ"rgrm+h%/~ұnqdPUXUN[v~U߮iծXagn-u:uu|wOОzʽؽ{ 㗦͆҆545>P 7KqPgU˞V_Ss$HQіcjۨm%P^PgRg=]]mY*'NO>]pz[=~&Hg:7\/^8{.̸qJUmל9_wyFWS^gn߼pywL˹^O=(|yXHQc:6~b|//U_;v} p:gzZf itD% *rZxKuJ^q8o":M }zAVl;D@I[D:8==1=~?h>FRv]ga+) pHYs  iTXtXML:com.adobe.xmp 380 84 IDATx] |չ?ڙ}o6 !bbP""E*@/*D KҪXK5, HxBH&}ofM"Ȇs~wf̜RA pϔ!b @ hC3 :gnb @8;AG9RYП, [/s)SD@lqdgOEmz0B#[ŴV#qR)",/E%s[W,t^,Uq={6FӖs^zq2 t %L$u" :ٗ?I#Oo-_h1!Ssr 0"Ub yF9-㧳r>hUsQ!ax%'S)zu!/M:EQPV"&@utgqg3v{ ԿÇ#:Ի埱Aa:gHJԗ&:sݒTށCNǪ(rN#>80BB#Kͳc$V\buhHA8ᝎ(޼2 u9kͭM κ›{"yP sǻ3$9$dn^pH=oQ;n(T zmP,d?ؒcAqJ ׮*kq^[g WrQࣼlnm)as¡?Cuuf9: 'm䞬#d)Kppؔ_ySN ێqi ffP(9MQx)*E1; G2.;wKXCW@o!͠g.x#G lC-[/~=]%=:CDO9ɐ% T2̳]ŇB#ʀ?厹b\&9a5,N?:&` [G\̈́|=!Ew= /IBx1.) {G#>aQHud^hTK:TT2R0o=5b= τpVhF+kJPɄ@>y X5Ry %G| ?,ZO!lmohXF^_ᚎ_Kq.hcَhm2LJBah.xO,ͭaj܈Bw[f/P ):̀ bZ˗j Zǒ[W.뛖\kIw#5PeuOi&5`S]/TecZ%E=C 5 ;~ߕ/QnCueޢMçi=-+4|&&c3DF4ŝГRTuDLnVo[A wȵZwSTk2z!Fw 34+GI pPD&Ai XaE,gRGu,F* k#Dy*?)cLOweNV.DJD2@6!@N6}ZW@?@2 2`g[(ڧ[};Zv]FmPN7A@C Z_ȉcQrԲ~[+9' 5*qc!^84F}iq<٦e=(mj!69@ۭmuLGba @Htٗfib^5[Nk!Gx!u"|E!u@B]V7?[9-?ȧ[t7TP7,2,COA !2`JTu;^zeuc5RgEv> م5,Qz CdE]S{L_i+!nxބPZJGKg0b=e;,ɇ.wNlW=ī>KpSmg %HZS G e^aE6R`3-7XN P$^^4|GZ箑xZ.ٔwevxu6H B ]QGq8og;1loTk^q%9j.-fE/ۉ;+QI0B3 cѠ@# /F=*[ ׅe"$^] L. zPZ/UձV)U1lhcT=סI^Zsi+YmM4' ƇX'IN'9 [@^T;6* .),;$؞]t<K52Y`zՠ}'4AW8ʢp]W/<#@<`:FOX]Z+l.ضڏvkMd\ʑ[~QM (ku`̚G A U#=Nvvk?r|WM</b|6:̱9}'#"IymZyd|y'KQ3/PYFj.hZI,Wƫ[^\jin_Bh>ˁ|2(hИߧa}֮Xz5ld"Nj '#b[h٧⺤j$^r@,` հy<'V$dE_pl M::URsnE4F`i`pL wk{뤩" t>!] X]jֻ* Y*~mѵ i%wv*pB,JdT38C)"2zC#ؿTxim$5榜"YF5l<4SpB qiVFz x_4Oze?(EPӤPDDV9K%{7Tj= CJeG`ɚ8nN80H5{HtЩ` \lf9O<~G ۫n^OL͉L5 V-tA"R[Ém. 57T)GqXcpg\5 ,5]^@Z/2d^MEv !9TX蓱tI@CG<ۿ]|#o]>bhPh(ײS:t"RkwĒ4wӍ)xxa.'ג$^0PR ":B+DO[܃?m.wJ̷2{uVGHa1zlQX}Ű ,F2 ݉K@~$^ٽ;"S]S5 R/UuytBrԧH |WO(鴮tfnyXd #*ezqU*} u)Q99&t@_tAka{zOt1!dt2& @wK4@ Aǐ @G=FCF:@14q:@B s:򨸇F̴06'E+a7Ţm5޿ %!!.XBǔ%vEBǃm>erʳ %"C^uAy*𚚜AA ] 6p*OEB\̨(mLAj^P@UWThBCEnj#[a%@ IV׫Im''V3>JƄH2[Vը {;z3>mP.F`X C0V S=$kFU2cnN9uuf9ZSL& rO ˫l9qΗ';@1!~@8dBE  _s Wyr(|w}ڰ[)ȱ`'̪3;Q^-\i,Y?;&񭩺c@ tDz,H͕Aj>cVdFhRN+ݲ4DoV5IfT%)Yipv)X fZn]DbH '3{E68W F3"@Hi*J-Qf_駗0}HiW*w ^H-{懂}w?{ Inu\W-4|.v;iKGBwlm6<+u4;FH@a?BwÁEfggc`?(3V0.U)xRw0bCF׃9neT_D lrԤ Ks!e]>e BN42h*Szܰ*3#Q NjlH A tq,! st鏟L p AcN,iH9?~2yGS%Ө];cNs*ʀ5a˻_5;So}kGI!3= S}(ypW%=fE=yVc{JS+4o!UĨ(#qFT0lD|FQe+hƵ lM jhbn  :q4"2ѓrE QX/}m"{5EdR扯T 8a |:=;SGDvYpjFh/mP~?D챲;яpv"$d5^O#(}L3X}!k+JcթCE' Bd`}3iD7`HR}Pd'.>Ċ­[<'T#V= j_xm㼣 |HJJ'cк-+-<"Z3B8 īC{24U#j}qݹTp$^hxau;=R8=$u6kz%r/.2lKhr-=N!8V#t_1,H-kHhS`Iz& BdV#i .8/1;~~Es:GfKI뢽(%ՁJ_Iuwh0<$ϒ\.la3٩J:AWz6)(e+!u143@':=8SxannnEt/K4ԕ]P't_gOeBF_|il?Yb"ܰB(*ic4qk"OO*xK$^7Ekda8BWKyGKE|LEaHF+85O&˦ш9O(ILs{&'F'<#u&e8e7. Q*V3ᾕBwlyczfx 8OxD}']L|b)ECf[|v{Öv+VئyӚ/8:DZN8Ci7oqC ֺ1{5Bg]2g.~dP"gUZu*BNkʮ ܙI l(*?> 7&VRR4 +Lt}a!&@A; K:/W