PKcZZZ�Wz lldateutil/__init__.py# -*- coding: utf-8 -*- import sys try: from ._version import version as __version__ except ImportError: __version__ = 'unknown' __all__ = ['easter', 'parser', 'relativedelta', 'rrule', 'tz', 'utils', 'zoneinfo'] def __getattr__(name): import importlib if name in __all__: return importlib.import_module("." + name, __name__) raise AttributeError( "module {!r} has not attribute {!r}".format(__name__, name) ) def __dir__(): # __dir__ should include all the lazy-importable modules as well. return [x for x in globals() if x not in sys.modules] + __all__ PKcZZZs�9.��dateutil/_common.py""" Common code used in multiple modules. """ class weekday(object): __slots__ = ["weekday", "n"] def __init__(self, weekday, n=None): self.weekday = weekday self.n = n def __call__(self, n): if n == self.n: return self else: return self.__class__(self.weekday, n) def __eq__(self, other): try: if self.weekday != other.weekday or self.n != other.n: return False except AttributeError: return False return True def __hash__(self): return hash(( self.weekday, self.n, )) def __ne__(self, other): return not (self == other) def __repr__(self): s = ("MO", "TU", "WE", "TH", "FR", "SA", "SU")[self.weekday] if not self.n: return s else: return "%s(%+d)" % (s, self.n) # vim:ts=4:sw=4:et PKcZZZ�����dateutil/_version.py# file generated by setuptools_scm # don't change, don't track in version control __version__ = version = '2.9.0.post0' __version_tuple__ = version_tuple = (2, 9, 0) PKcZZZ���Ev v dateutil/easter.py# -*- coding: utf-8 -*- """ This module offers a generic Easter computing method for any given year, using Western, Orthodox or Julian algorithms. """ import datetime __all__ = ["easter", "EASTER_JULIAN", "EASTER_ORTHODOX", "EASTER_WESTERN"] EASTER_JULIAN = 1 EASTER_ORTHODOX = 2 EASTER_WESTERN = 3 def easter(year, method=EASTER_WESTERN): """ This method was ported from the work done by GM Arts, on top of the algorithm by Claus Tondering, which was based in part on the algorithm of Ouding (1940), as quoted in "Explanatory Supplement to the Astronomical Almanac", P. Kenneth Seidelmann, editor. This algorithm implements three different Easter calculation methods: 1. Original calculation in Julian calendar, valid in dates after 326 AD 2. Original method, with date converted to Gregorian calendar, valid in years 1583 to 4099 3. Revised method, in Gregorian calendar, valid in years 1583 to 4099 as well These methods are represented by the constants: * ``EASTER_JULIAN = 1`` * ``EASTER_ORTHODOX = 2`` * ``EASTER_WESTERN = 3`` The default method is method 3. More about the algorithm may be found at: `GM Arts: Easter Algorithms <http://www.gmarts.org/index.php?go=415>`_ and `The Calendar FAQ: Easter <https://www.tondering.dk/claus/cal/easter.php>`_ """ if not (1 <= method <= 3): raise ValueError("invalid method") # g - Golden year - 1 # c - Century # h - (23 - Epact) mod 30 # i - Number of days from March 21 to Paschal Full Moon # j - Weekday for PFM (0=Sunday, etc) # p - Number of days from March 21 to Sunday on or before PFM # (-6 to 28 methods 1 & 3, to 56 for method 2) # e - Extra days to add for method 2 (converting Julian # date to Gregorian date) y = year g = y % 19 e = 0 if method < 3: # Old method i = (19*g + 15) % 30 j = (y + y//4 + i) % 7 if method == 2: # Extra dates to convert Julian to Gregorian date e = 10 if y > 1600: e = e + y//100 - 16 - (y//100 - 16)//4 else: # New method c = y//100 h = (c - c//4 - (8*c + 13)//25 + 19*g + 15) % 30 i = h - (h//28)*(1 - (h//28)*(29//(h + 1))*((21 - g)//11)) j = (y + y//4 + i + 2 - c + c//4) % 7 # p can be from -6 to 56 corresponding to dates 22 March to 23 May # (later dates apply to method 2, although 23 May never actually occurs) p = i - j + e d = 1 + (p + 27 + (p + 6)//40) % 31 m = 3 + (p + 26)//30 return datetime.date(int(y), int(m), int(d)) PKcZZZ[1��GaGadateutil/relativedelta.py# -*- coding: utf-8 -*- import datetime import calendar import operator from math import copysign from six import integer_types from warnings import warn from ._common import weekday MO, TU, WE, TH, FR, SA, SU = weekdays = tuple(weekday(x) for x in range(7)) __all__ = ["relativedelta", "MO", "TU", "WE", "TH", "FR", "SA", "SU"] class relativedelta(object): """ The relativedelta type is designed to be applied to an existing datetime and can replace specific components of that datetime, or represents an interval of time. It is based on the specification of the excellent work done by M.-A. Lemburg in his `mx.DateTime <https://www.egenix.com/products/python/mxBase/mxDateTime/>`_ extension. However, notice that this type does *NOT* implement the same algorithm as his work. Do *NOT* expect it to behave like mx.DateTime's counterpart. There are two different ways to build a relativedelta instance. The first one is passing it two date/datetime classes:: relativedelta(datetime1, datetime2) The second one is passing it any number of the following keyword arguments:: relativedelta(arg1=x,arg2=y,arg3=z...) year, month, day, hour, minute, second, microsecond: Absolute information (argument is singular); adding or subtracting a relativedelta with absolute information does not perform an arithmetic operation, but rather REPLACES the corresponding value in the original datetime with the value(s) in relativedelta. years, months, weeks, days, hours, minutes, seconds, microseconds: Relative information, may be negative (argument is plural); adding or subtracting a relativedelta with relative information performs the corresponding arithmetic operation on the original datetime value with the information in the relativedelta. weekday: One of the weekday instances (MO, TU, etc) available in the relativedelta module. These instances may receive a parameter N, specifying the Nth weekday, which could be positive or negative (like MO(+1) or MO(-2)). Not specifying it is the same as specifying +1. You can also use an integer, where 0=MO. This argument is always relative e.g. if the calculated date is already Monday, using MO(1) or MO(-1) won't change the day. To effectively make it absolute, use it in combination with the day argument (e.g. day=1, MO(1) for first Monday of the month). leapdays: Will add given days to the date found, if year is a leap year, and the date found is post 28 of february. yearday, nlyearday: Set the yearday or the non-leap year day (jump leap days). These are converted to day/month/leapdays information. There are relative and absolute forms of the keyword arguments. The plural is relative, and the singular is absolute. For each argument in the order below, the absolute form is applied first (by setting each attribute to that value) and then the relative form (by adding the value to the attribute). The order of attributes considered when this relativedelta is added to a datetime is: 1. Year 2. Month 3. Day 4. Hours 5. Minutes 6. Seconds 7. Microseconds Finally, weekday is applied, using the rule described above. For example >>> from datetime import datetime >>> from dateutil.relativedelta import relativedelta, MO >>> dt = datetime(2018, 4, 9, 13, 37, 0) >>> delta = relativedelta(hours=25, day=1, weekday=MO(1)) >>> dt + delta datetime.datetime(2018, 4, 2, 14, 37) First, the day is set to 1 (the first of the month), then 25 hours are added, to get to the 2nd day and 14th hour, finally the weekday is applied, but since the 2nd is already a Monday there is no effect. """ def __init__(self, dt1=None, dt2=None, years=0, months=0, days=0, leapdays=0, weeks=0, hours=0, minutes=0, seconds=0, microseconds=0, year=None, month=None, day=None, weekday=None, yearday=None, nlyearday=None, hour=None, minute=None, second=None, microsecond=None): if dt1 and dt2: # datetime is a subclass of date. So both must be date if not (isinstance(dt1, datetime.date) and isinstance(dt2, datetime.date)): raise TypeError("relativedelta only diffs datetime/date") # We allow two dates, or two datetimes, so we coerce them to be # of the same type if (isinstance(dt1, datetime.datetime) != isinstance(dt2, datetime.datetime)): if not isinstance(dt1, datetime.datetime): dt1 = datetime.datetime.fromordinal(dt1.toordinal()) elif not isinstance(dt2, datetime.datetime): dt2 = datetime.datetime.fromordinal(dt2.toordinal()) self.years = 0 self.months = 0 self.days = 0 self.leapdays = 0 self.hours = 0 self.minutes = 0 self.seconds = 0 self.microseconds = 0 self.year = None self.month = None self.day = None self.weekday = None self.hour = None self.minute = None self.second = None self.microsecond = None self._has_time = 0 # Get year / month delta between the two months = (dt1.year - dt2.year) * 12 + (dt1.month - dt2.month) self._set_months(months) # Remove the year/month delta so the timedelta is just well-defined # time units (seconds, days and microseconds) dtm = self.__radd__(dt2) # If we've overshot our target, make an adjustment if dt1 < dt2: compare = operator.gt increment = 1 else: compare = operator.lt increment = -1 while compare(dt1, dtm): months += increment self._set_months(months) dtm = self.__radd__(dt2) # Get the timedelta between the "months-adjusted" date and dt1 delta = dt1 - dtm self.seconds = delta.seconds + delta.days * 86400 self.microseconds = delta.microseconds else: # Check for non-integer values in integer-only quantities if any(x is not None and x != int(x) for x in (years, months)): raise ValueError("Non-integer years and months are " "ambiguous and not currently supported.") # Relative information self.years = int(years) self.months = int(months) self.days = days + weeks * 7 self.leapdays = leapdays self.hours = hours self.minutes = minutes self.seconds = seconds self.microseconds = microseconds # Absolute information self.year = year self.month = month self.day = day self.hour = hour self.minute = minute self.second = second self.microsecond = microsecond if any(x is not None and int(x) != x for x in (year, month, day, hour, minute, second, microsecond)): # For now we'll deprecate floats - later it'll be an error. warn("Non-integer value passed as absolute information. " + "This is not a well-defined condition and will raise " + "errors in future versions.", DeprecationWarning) if isinstance(weekday, integer_types): self.weekday = weekdays[weekday] else: self.weekday = weekday yday = 0 if nlyearday: yday = nlyearday elif yearday: yday = yearday if yearday > 59: self.leapdays = -1 if yday: ydayidx = [31, 59, 90, 120, 151, 181, 212, 243, 273, 304, 334, 366] for idx, ydays in enumerate(ydayidx): if yday <= ydays: self.month = idx+1 if idx == 0: self.day = yday else: self.day = yday-ydayidx[idx-1] break else: raise ValueError("invalid year day (%d)" % yday) self._fix() def _fix(self): if abs(self.microseconds) > 999999: s = _sign(self.microseconds) div, mod = divmod(self.microseconds * s, 1000000) self.microseconds = mod * s self.seconds += div * s if abs(self.seconds) > 59: s = _sign(self.seconds) div, mod = divmod(self.seconds * s, 60) self.seconds = mod * s self.minutes += div * s if abs(self.minutes) > 59: s = _sign(self.minutes) div, mod = divmod(self.minutes * s, 60) self.minutes = mod * s self.hours += div * s if abs(self.hours) > 23: s = _sign(self.hours) div, mod = divmod(self.hours * s, 24) self.hours = mod * s self.days += div * s if abs(self.months) > 11: s = _sign(self.months) div, mod = divmod(self.months * s, 12) self.months = mod * s self.years += div * s if (self.hours or self.minutes or self.seconds or self.microseconds or self.hour is not None or self.minute is not None or self.second is not None or self.microsecond is not None): self._has_time = 1 else: self._has_time = 0 @property def weeks(self): return int(self.days / 7.0) @weeks.setter def weeks(self, value): self.days = self.days - (self.weeks * 7) + value * 7 def _set_months(self, months): self.months = months if abs(self.months) > 11: s = _sign(self.months) div, mod = divmod(self.months * s, 12) self.months = mod * s self.years = div * s else: self.years = 0 def normalized(self): """ Return a version of this object represented entirely using integer values for the relative attributes. >>> relativedelta(days=1.5, hours=2).normalized() relativedelta(days=+1, hours=+14) :return: Returns a :class:`dateutil.relativedelta.relativedelta` object. """ # Cascade remainders down (rounding each to roughly nearest microsecond) days = int(self.days) hours_f = round(self.hours + 24 * (self.days - days), 11) hours = int(hours_f) minutes_f = round(self.minutes + 60 * (hours_f - hours), 10) minutes = int(minutes_f) seconds_f = round(self.seconds + 60 * (minutes_f - minutes), 8) seconds = int(seconds_f) microseconds = round(self.microseconds + 1e6 * (seconds_f - seconds)) # Constructor carries overflow back up with call to _fix() return self.__class__(years=self.years, months=self.months, days=days, hours=hours, minutes=minutes, seconds=seconds, microseconds=microseconds, leapdays=self.leapdays, year=self.year, month=self.month, day=self.day, weekday=self.weekday, hour=self.hour, minute=self.minute, second=self.second, microsecond=self.microsecond) def __add__(self, other): if isinstance(other, relativedelta): return self.__class__(years=other.years + self.years, months=other.months + self.months, days=other.days + self.days, hours=other.hours + self.hours, minutes=other.minutes + self.minutes, seconds=other.seconds + self.seconds, microseconds=(other.microseconds + self.microseconds), leapdays=other.leapdays or self.leapdays, year=(other.year if other.year is not None else self.year), month=(other.month if other.month is not None else self.month), day=(other.day if other.day is not None else self.day), weekday=(other.weekday if other.weekday is not None else self.weekday), hour=(other.hour if other.hour is not None else self.hour), minute=(other.minute if other.minute is not None else self.minute), second=(other.second if other.second is not None else self.second), microsecond=(other.microsecond if other.microsecond is not None else self.microsecond)) if isinstance(other, datetime.timedelta): return self.__class__(years=self.years, months=self.months, days=self.days + other.days, hours=self.hours, minutes=self.minutes, seconds=self.seconds + other.seconds, microseconds=self.microseconds + other.microseconds, leapdays=self.leapdays, year=self.year, month=self.month, day=self.day, weekday=self.weekday, hour=self.hour, minute=self.minute, second=self.second, microsecond=self.microsecond) if not isinstance(other, datetime.date): return NotImplemented elif self._has_time and not isinstance(other, datetime.datetime): other = datetime.datetime.fromordinal(other.toordinal()) year = (self.year or other.year)+self.years month = self.month or other.month if self.months: assert 1 <= abs(self.months) <= 12 month += self.months if month > 12: year += 1 month -= 12 elif month < 1: year -= 1 month += 12 day = min(calendar.monthrange(year, month)[1], self.day or other.day) repl = {"year": year, "month": month, "day": day} for attr in ["hour", "minute", "second", "microsecond"]: value = getattr(self, attr) if value is not None: repl[attr] = value days = self.days if self.leapdays and month > 2 and calendar.isleap(year): days += self.leapdays ret = (other.replace(**repl) + datetime.timedelta(days=days, hours=self.hours, minutes=self.minutes, seconds=self.seconds, microseconds=self.microseconds)) if self.weekday: weekday, nth = self.weekday.weekday, self.weekday.n or 1 jumpdays = (abs(nth) - 1) * 7 if nth > 0: jumpdays += (7 - ret.weekday() + weekday) % 7 else: jumpdays += (ret.weekday() - weekday) % 7 jumpdays *= -1 ret += datetime.timedelta(days=jumpdays) return ret def __radd__(self, other): return self.__add__(other) def __rsub__(self, other): return self.__neg__().__radd__(other) def __sub__(self, other): if not isinstance(other, relativedelta): return NotImplemented # In case the other object defines __rsub__ return self.__class__(years=self.years - other.years, months=self.months - other.months, days=self.days - other.days, hours=self.hours - other.hours, minutes=self.minutes - other.minutes, seconds=self.seconds - other.seconds, microseconds=self.microseconds - other.microseconds, leapdays=self.leapdays or other.leapdays, year=(self.year if self.year is not None else other.year), month=(self.month if self.month is not None else other.month), day=(self.day if self.day is not None else other.day), weekday=(self.weekday if self.weekday is not None else other.weekday), hour=(self.hour if self.hour is not None else other.hour), minute=(self.minute if self.minute is not None else other.minute), second=(self.second if self.second is not None else other.second), microsecond=(self.microsecond if self.microsecond is not None else other.microsecond)) def __abs__(self): return self.__class__(years=abs(self.years), months=abs(self.months), days=abs(self.days), hours=abs(self.hours), minutes=abs(self.minutes), seconds=abs(self.seconds), microseconds=abs(self.microseconds), leapdays=self.leapdays, year=self.year, month=self.month, day=self.day, weekday=self.weekday, hour=self.hour, minute=self.minute, second=self.second, microsecond=self.microsecond) def __neg__(self): return self.__class__(years=-self.years, months=-self.months, days=-self.days, hours=-self.hours, minutes=-self.minutes, seconds=-self.seconds, microseconds=-self.microseconds, leapdays=self.leapdays, year=self.year, month=self.month, day=self.day, weekday=self.weekday, hour=self.hour, minute=self.minute, second=self.second, microsecond=self.microsecond) def __bool__(self): return not (not self.years and not self.months and not self.days and not self.hours and not self.minutes and not self.seconds and not self.microseconds and not self.leapdays and self.year is None and self.month is None and self.day is None and self.weekday is None and self.hour is None and self.minute is None and self.second is None and self.microsecond is None) # Compatibility with Python 2.x __nonzero__ = __bool__ def __mul__(self, other): try: f = float(other) except TypeError: return NotImplemented return self.__class__(years=int(self.years * f), months=int(self.months * f), days=int(self.days * f), hours=int(self.hours * f), minutes=int(self.minutes * f), seconds=int(self.seconds * f), microseconds=int(self.microseconds * f), leapdays=self.leapdays, year=self.year, month=self.month, day=self.day, weekday=self.weekday, hour=self.hour, minute=self.minute, second=self.second, microsecond=self.microsecond) __rmul__ = __mul__ def __eq__(self, other): if not isinstance(other, relativedelta): return NotImplemented if self.weekday or other.weekday: if not self.weekday or not other.weekday: return False if self.weekday.weekday != other.weekday.weekday: return False n1, n2 = self.weekday.n, other.weekday.n if n1 != n2 and not ((not n1 or n1 == 1) and (not n2 or n2 == 1)): return False return (self.years == other.years and self.months == other.months and self.days == other.days and self.hours == other.hours and self.minutes == other.minutes and self.seconds == other.seconds and self.microseconds == other.microseconds and self.leapdays == other.leapdays and self.year == other.year and self.month == other.month and self.day == other.day and self.hour == other.hour and self.minute == other.minute and self.second == other.second and self.microsecond == other.microsecond) def __hash__(self): return hash(( self.weekday, self.years, self.months, self.days, self.hours, self.minutes, self.seconds, self.microseconds, self.leapdays, self.year, self.month, self.day, self.hour, self.minute, self.second, self.microsecond, )) def __ne__(self, other): return not self.__eq__(other) def __div__(self, other): try: reciprocal = 1 / float(other) except TypeError: return NotImplemented return self.__mul__(reciprocal) __truediv__ = __div__ def __repr__(self): l = [] for attr in ["years", "months", "days", "leapdays", "hours", "minutes", "seconds", "microseconds"]: value = getattr(self, attr) if value: l.append("{attr}={value:+g}".format(attr=attr, value=value)) for attr in ["year", "month", "day", "weekday", "hour", "minute", "second", "microsecond"]: value = getattr(self, attr) if value is not None: l.append("{attr}={value}".format(attr=attr, value=repr(value))) return "{classname}({attrs})".format(classname=self.__class__.__name__, attrs=", ".join(l)) def _sign(x): return int(copysign(1, x)) # vim:ts=4:sw=4:et PKcZZZv�A��dateutil/rrule.py# -*- coding: utf-8 -*- """ The rrule module offers a small, complete, and very fast, implementation of the recurrence rules documented in the `iCalendar RFC <https://tools.ietf.org/html/rfc5545>`_, including support for caching of results. """ import calendar import datetime import heapq import itertools import re import sys from functools import wraps # For warning about deprecation of until and count from warnings import warn from six import advance_iterator, integer_types from six.moves import _thread, range from ._common import weekday as weekdaybase try: from math import gcd except ImportError: from fractions import gcd __all__ = ["rrule", "rruleset", "rrulestr", "YEARLY", "MONTHLY", "WEEKLY", "DAILY", "HOURLY", "MINUTELY", "SECONDLY", "MO", "TU", "WE", "TH", "FR", "SA", "SU"] # Every mask is 7 days longer to handle cross-year weekly periods. M366MASK = tuple([1]*31+[2]*29+[3]*31+[4]*30+[5]*31+[6]*30 + [7]*31+[8]*31+[9]*30+[10]*31+[11]*30+[12]*31+[1]*7) M365MASK = list(M366MASK) M29, M30, M31 = list(range(1, 30)), list(range(1, 31)), list(range(1, 32)) MDAY366MASK = tuple(M31+M29+M31+M30+M31+M30+M31+M31+M30+M31+M30+M31+M31[:7]) MDAY365MASK = list(MDAY366MASK) M29, M30, M31 = list(range(-29, 0)), list(range(-30, 0)), list(range(-31, 0)) NMDAY366MASK = tuple(M31+M29+M31+M30+M31+M30+M31+M31+M30+M31+M30+M31+M31[:7]) NMDAY365MASK = list(NMDAY366MASK) M366RANGE = (0, 31, 60, 91, 121, 152, 182, 213, 244, 274, 305, 335, 366) M365RANGE = (0, 31, 59, 90, 120, 151, 181, 212, 243, 273, 304, 334, 365) WDAYMASK = [0, 1, 2, 3, 4, 5, 6]*55 del M29, M30, M31, M365MASK[59], MDAY365MASK[59], NMDAY365MASK[31] MDAY365MASK = tuple(MDAY365MASK) M365MASK = tuple(M365MASK) FREQNAMES = ['YEARLY', 'MONTHLY', 'WEEKLY', 'DAILY', 'HOURLY', 'MINUTELY', 'SECONDLY'] (YEARLY, MONTHLY, WEEKLY, DAILY, HOURLY, MINUTELY, SECONDLY) = list(range(7)) # Imported on demand. easter = None parser = None class weekday(weekdaybase): """ This version of weekday does not allow n = 0. """ def __init__(self, wkday, n=None): if n == 0: raise ValueError("Can't create weekday with n==0") super(weekday, self).__init__(wkday, n) MO, TU, WE, TH, FR, SA, SU = weekdays = tuple(weekday(x) for x in range(7)) def _invalidates_cache(f): """ Decorator for rruleset methods which may invalidate the cached length. """ @wraps(f) def inner_func(self, *args, **kwargs): rv = f(self, *args, **kwargs) self._invalidate_cache() return rv return inner_func class rrulebase(object): def __init__(self, cache=False): if cache: self._cache = [] self._cache_lock = _thread.allocate_lock() self._invalidate_cache() else: self._cache = None self._cache_complete = False self._len = None def __iter__(self): if self._cache_complete: return iter(self._cache) elif self._cache is None: return self._iter() else: return self._iter_cached() def _invalidate_cache(self): if self._cache is not None: self._cache = [] self._cache_complete = False self._cache_gen = self._iter() if self._cache_lock.locked(): self._cache_lock.release() self._len = None def _iter_cached(self): i = 0 gen = self._cache_gen cache = self._cache acquire = self._cache_lock.acquire release = self._cache_lock.release while gen: if i == len(cache): acquire() if self._cache_complete: break try: for j in range(10): cache.append(advance_iterator(gen)) except StopIteration: self._cache_gen = gen = None self._cache_complete = True break release() yield cache[i] i += 1 while i < self._len: yield cache[i] i += 1 def __getitem__(self, item): if self._cache_complete: return self._cache[item] elif isinstance(item, slice): if item.step and item.step < 0: return list(iter(self))[item] else: return list(itertools.islice(self, item.start or 0, item.stop or sys.maxsize, item.step or 1)) elif item >= 0: gen = iter(self) try: for i in range(item+1): res = advance_iterator(gen) except StopIteration: raise IndexError return res else: return list(iter(self))[item] def __contains__(self, item): if self._cache_complete: return item in self._cache else: for i in self: if i == item: return True elif i > item: return False return False # __len__() introduces a large performance penalty. def count(self): """ Returns the number of recurrences in this set. It will have go through the whole recurrence, if this hasn't been done before. """ if self._len is None: for x in self: pass return self._len def before(self, dt, inc=False): """ Returns the last recurrence before the given datetime instance. The inc keyword defines what happens if dt is an occurrence. With inc=True, if dt itself is an occurrence, it will be returned. """ if self._cache_complete: gen = self._cache else: gen = self last = None if inc: for i in gen: if i > dt: break last = i else: for i in gen: if i >= dt: break last = i return last def after(self, dt, inc=False): """ Returns the first recurrence after the given datetime instance. The inc keyword defines what happens if dt is an occurrence. With inc=True, if dt itself is an occurrence, it will be returned. """ if self._cache_complete: gen = self._cache else: gen = self if inc: for i in gen: if i >= dt: return i else: for i in gen: if i > dt: return i return None def xafter(self, dt, count=None, inc=False): """ Generator which yields up to `count` recurrences after the given datetime instance, equivalent to `after`. :param dt: The datetime at which to start generating recurrences. :param count: The maximum number of recurrences to generate. If `None` (default), dates are generated until the recurrence rule is exhausted. :param inc: If `dt` is an instance of the rule and `inc` is `True`, it is included in the output. :yields: Yields a sequence of `datetime` objects. """ if self._cache_complete: gen = self._cache else: gen = self # Select the comparison function if inc: comp = lambda dc, dtc: dc >= dtc else: comp = lambda dc, dtc: dc > dtc # Generate dates n = 0 for d in gen: if comp(d, dt): if count is not None: n += 1 if n > count: break yield d def between(self, after, before, inc=False, count=1): """ Returns all the occurrences of the rrule between after and before. The inc keyword defines what happens if after and/or before are themselves occurrences. With inc=True, they will be included in the list, if they are found in the recurrence set. """ if self._cache_complete: gen = self._cache else: gen = self started = False l = [] if inc: for i in gen: if i > before: break elif not started: if i >= after: started = True l.append(i) else: l.append(i) else: for i in gen: if i >= before: break elif not started: if i > after: started = True l.append(i) else: l.append(i) return l class rrule(rrulebase): """ That's the base of the rrule operation. It accepts all the keywords defined in the RFC as its constructor parameters (except byday, which was renamed to byweekday) and more. The constructor prototype is:: rrule(freq) Where freq must be one of YEARLY, MONTHLY, WEEKLY, DAILY, HOURLY, MINUTELY, or SECONDLY. .. note:: Per RFC section 3.3.10, recurrence instances falling on invalid dates and times are ignored rather than coerced: Recurrence rules may generate recurrence instances with an invalid date (e.g., February 30) or nonexistent local time (e.g., 1:30 AM on a day where the local time is moved forward by an hour at 1:00 AM). Such recurrence instances MUST be ignored and MUST NOT be counted as part of the recurrence set. This can lead to possibly surprising behavior when, for example, the start date occurs at the end of the month: >>> from dateutil.rrule import rrule, MONTHLY >>> from datetime import datetime >>> start_date = datetime(2014, 12, 31) >>> list(rrule(freq=MONTHLY, count=4, dtstart=start_date)) ... # doctest: +NORMALIZE_WHITESPACE [datetime.datetime(2014, 12, 31, 0, 0), datetime.datetime(2015, 1, 31, 0, 0), datetime.datetime(2015, 3, 31, 0, 0), datetime.datetime(2015, 5, 31, 0, 0)] Additionally, it supports the following keyword arguments: :param dtstart: The recurrence start. Besides being the base for the recurrence, missing parameters in the final recurrence instances will also be extracted from this date. If not given, datetime.now() will be used instead. :param interval: The interval between each freq iteration. For example, when using YEARLY, an interval of 2 means once every two years, but with HOURLY, it means once every two hours. The default interval is 1. :param wkst: The week start day. Must be one of the MO, TU, WE constants, or an integer, specifying the first day of the week. This will affect recurrences based on weekly periods. The default week start is got from calendar.firstweekday(), and may be modified by calendar.setfirstweekday(). :param count: If given, this determines how many occurrences will be generated. .. note:: As of version 2.5.0, the use of the keyword ``until`` in conjunction with ``count`` is deprecated, to make sure ``dateutil`` is fully compliant with `RFC-5545 Sec. 3.3.10 <https://tools.ietf.org/ html/rfc5545#section-3.3.10>`_. Therefore, ``until`` and ``count`` **must not** occur in the same call to ``rrule``. :param until: If given, this must be a datetime instance specifying the upper-bound limit of the recurrence. The last recurrence in the rule is the greatest datetime that is less than or equal to the value specified in the ``until`` parameter. .. note:: As of version 2.5.0, the use of the keyword ``until`` in conjunction with ``count`` is deprecated, to make sure ``dateutil`` is fully compliant with `RFC-5545 Sec. 3.3.10 <https://tools.ietf.org/ html/rfc5545#section-3.3.10>`_. Therefore, ``until`` and ``count`` **must not** occur in the same call to ``rrule``. :param bysetpos: If given, it must be either an integer, or a sequence of integers, positive or negative. Each given integer will specify an occurrence number, corresponding to the nth occurrence of the rule inside the frequency period. For example, a bysetpos of -1 if combined with a MONTHLY frequency, and a byweekday of (MO, TU, WE, TH, FR), will result in the last work day of every month. :param bymonth: If given, it must be either an integer, or a sequence of integers, meaning the months to apply the recurrence to. :param bymonthday: If given, it must be either an integer, or a sequence of integers, meaning the month days to apply the recurrence to. :param byyearday: If given, it must be either an integer, or a sequence of integers, meaning the year days to apply the recurrence to. :param byeaster: If given, it must be either an integer, or a sequence of integers, positive or negative. Each integer will define an offset from the Easter Sunday. Passing the offset 0 to byeaster will yield the Easter Sunday itself. This is an extension to the RFC specification. :param byweekno: If given, it must be either an integer, or a sequence of integers, meaning the week numbers to apply the recurrence to. Week numbers have the meaning described in ISO8601, that is, the first week of the year is that containing at least four days of the new year. :param byweekday: If given, it must be either an integer (0 == MO), a sequence of integers, one of the weekday constants (MO, TU, etc), or a sequence of these constants. When given, these variables will define the weekdays where the recurrence will be applied. It's also possible to use an argument n for the weekday instances, which will mean the nth occurrence of this weekday in the period. For example, with MONTHLY, or with YEARLY and BYMONTH, using FR(+1) in byweekday will specify the first friday of the month where the recurrence happens. Notice that in the RFC documentation, this is specified as BYDAY, but was renamed to avoid the ambiguity of that keyword. :param byhour: If given, it must be either an integer, or a sequence of integers, meaning the hours to apply the recurrence to. :param byminute: If given, it must be either an integer, or a sequence of integers, meaning the minutes to apply the recurrence to. :param bysecond: If given, it must be either an integer, or a sequence of integers, meaning the seconds to apply the recurrence to. :param cache: If given, it must be a boolean value specifying to enable or disable caching of results. If you will use the same rrule instance multiple times, enabling caching will improve the performance considerably. """ def __init__(self, freq, dtstart=None, interval=1, wkst=None, count=None, until=None, bysetpos=None, bymonth=None, bymonthday=None, byyearday=None, byeaster=None, byweekno=None, byweekday=None, byhour=None, byminute=None, bysecond=None, cache=False): super(rrule, self).__init__(cache) global easter if not dtstart: if until and until.tzinfo: dtstart = datetime.datetime.now(tz=until.tzinfo).replace(microsecond=0) else: dtstart = datetime.datetime.now().replace(microsecond=0) elif not isinstance(dtstart, datetime.datetime): dtstart = datetime.datetime.fromordinal(dtstart.toordinal()) else: dtstart = dtstart.replace(microsecond=0) self._dtstart = dtstart self._tzinfo = dtstart.tzinfo self._freq = freq self._interval = interval self._count = count # Cache the original byxxx rules, if they are provided, as the _byxxx # attributes do not necessarily map to the inputs, and this can be # a problem in generating the strings. Only store things if they've # been supplied (the string retrieval will just use .get()) self._original_rule = {} if until and not isinstance(until, datetime.datetime): until = datetime.datetime.fromordinal(until.toordinal()) self._until = until if self._dtstart and self._until: if (self._dtstart.tzinfo is not None) != (self._until.tzinfo is not None): # According to RFC5545 Section 3.3.10: # https://tools.ietf.org/html/rfc5545#section-3.3.10 # # > If the "DTSTART" property is specified as a date with UTC # > time or a date with local time and time zone reference, # > then the UNTIL rule part MUST be specified as a date with # > UTC time. raise ValueError( 'RRULE UNTIL values must be specified in UTC when DTSTART ' 'is timezone-aware' ) if count is not None and until: warn("Using both 'count' and 'until' is inconsistent with RFC 5545" " and has been deprecated in dateutil. Future versions will " "raise an error.", DeprecationWarning) if wkst is None: self._wkst = calendar.firstweekday() elif isinstance(wkst, integer_types): self._wkst = wkst else: self._wkst = wkst.weekday if bysetpos is None: self._bysetpos = None elif isinstance(bysetpos, integer_types): if bysetpos == 0 or not (-366 <= bysetpos <= 366): raise ValueError("bysetpos must be between 1 and 366, " "or between -366 and -1") self._bysetpos = (bysetpos,) else: self._bysetpos = tuple(bysetpos) for pos in self._bysetpos: if pos == 0 or not (-366 <= pos <= 366): raise ValueError("bysetpos must be between 1 and 366, " "or between -366 and -1") if self._bysetpos: self._original_rule['bysetpos'] = self._bysetpos if (byweekno is None and byyearday is None and bymonthday is None and byweekday is None and byeaster is None): if freq == YEARLY: if bymonth is None: bymonth = dtstart.month self._original_rule['bymonth'] = None bymonthday = dtstart.day self._original_rule['bymonthday'] = None elif freq == MONTHLY: bymonthday = dtstart.day self._original_rule['bymonthday'] = None elif freq == WEEKLY: byweekday = dtstart.weekday() self._original_rule['byweekday'] = None # bymonth if bymonth is None: self._bymonth = None else: if isinstance(bymonth, integer_types): bymonth = (bymonth,) self._bymonth = tuple(sorted(set(bymonth))) if 'bymonth' not in self._original_rule: self._original_rule['bymonth'] = self._bymonth # byyearday if byyearday is None: self._byyearday = None else: if isinstance(byyearday, integer_types): byyearday = (byyearday,) self._byyearday = tuple(sorted(set(byyearday))) self._original_rule['byyearday'] = self._byyearday # byeaster if byeaster is not None: if not easter: from dateutil import easter if isinstance(byeaster, integer_types): self._byeaster = (byeaster,) else: self._byeaster = tuple(sorted(byeaster)) self._original_rule['byeaster'] = self._byeaster else: self._byeaster = None # bymonthday if bymonthday is None: self._bymonthday = () self._bynmonthday = () else: if isinstance(bymonthday, integer_types): bymonthday = (bymonthday,) bymonthday = set(bymonthday) # Ensure it's unique self._bymonthday = tuple(sorted(x for x in bymonthday if x > 0)) self._bynmonthday = tuple(sorted(x for x in bymonthday if x < 0)) # Storing positive numbers first, then negative numbers if 'bymonthday' not in self._original_rule: self._original_rule['bymonthday'] = tuple( itertools.chain(self._bymonthday, self._bynmonthday)) # byweekno if byweekno is None: self._byweekno = None else: if isinstance(byweekno, integer_types): byweekno = (byweekno,) self._byweekno = tuple(sorted(set(byweekno))) self._original_rule['byweekno'] = self._byweekno # byweekday / bynweekday if byweekday is None: self._byweekday = None self._bynweekday = None else: # If it's one of the valid non-sequence types, convert to a # single-element sequence before the iterator that builds the # byweekday set. if isinstance(byweekday, integer_types) or hasattr(byweekday, "n"): byweekday = (byweekday,) self._byweekday = set() self._bynweekday = set() for wday in byweekday: if isinstance(wday, integer_types): self._byweekday.add(wday) elif not wday.n or freq > MONTHLY: self._byweekday.add(wday.weekday) else: self._bynweekday.add((wday.weekday, wday.n)) if not self._byweekday: self._byweekday = None elif not self._bynweekday: self._bynweekday = None if self._byweekday is not None: self._byweekday = tuple(sorted(self._byweekday)) orig_byweekday = [weekday(x) for x in self._byweekday] else: orig_byweekday = () if self._bynweekday is not None: self._bynweekday = tuple(sorted(self._bynweekday)) orig_bynweekday = [weekday(*x) for x in self._bynweekday] else: orig_bynweekday = () if 'byweekday' not in self._original_rule: self._original_rule['byweekday'] = tuple(itertools.chain( orig_byweekday, orig_bynweekday)) # byhour if byhour is None: if freq < HOURLY: self._byhour = {dtstart.hour} else: self._byhour = None else: if isinstance(byhour, integer_types): byhour = (byhour,) if freq == HOURLY: self._byhour = self.__construct_byset(start=dtstart.hour, byxxx=byhour, base=24) else: self._byhour = set(byhour) self._byhour = tuple(sorted(self._byhour)) self._original_rule['byhour'] = self._byhour # byminute if byminute is None: if freq < MINUTELY: self._byminute = {dtstart.minute} else: self._byminute = None else: if isinstance(byminute, integer_types): byminute = (byminute,) if freq == MINUTELY: self._byminute = self.__construct_byset(start=dtstart.minute, byxxx=byminute, base=60) else: self._byminute = set(byminute) self._byminute = tuple(sorted(self._byminute)) self._original_rule['byminute'] = self._byminute # bysecond if bysecond is None: if freq < SECONDLY: self._bysecond = ((dtstart.second,)) else: self._bysecond = None else: if isinstance(bysecond, integer_types): bysecond = (bysecond,) self._bysecond = set(bysecond) if freq == SECONDLY: self._bysecond = self.__construct_byset(start=dtstart.second, byxxx=bysecond, base=60) else: self._bysecond = set(bysecond) self._bysecond = tuple(sorted(self._bysecond)) self._original_rule['bysecond'] = self._bysecond if self._freq >= HOURLY: self._timeset = None else: self._timeset = [] for hour in self._byhour: for minute in self._byminute: for second in self._bysecond: self._timeset.append( datetime.time(hour, minute, second, tzinfo=self._tzinfo)) self._timeset.sort() self._timeset = tuple(self._timeset) def __str__(self): """ Output a string that would generate this RRULE if passed to rrulestr. This is mostly compatible with RFC5545, except for the dateutil-specific extension BYEASTER. """ output = [] h, m, s = [None] * 3 if self._dtstart: output.append(self._dtstart.strftime('DTSTART:%Y%m%dT%H%M%S')) h, m, s = self._dtstart.timetuple()[3:6] parts = ['FREQ=' + FREQNAMES[self._freq]] if self._interval != 1: parts.append('INTERVAL=' + str(self._interval)) if self._wkst: parts.append('WKST=' + repr(weekday(self._wkst))[0:2]) if self._count is not None: parts.append('COUNT=' + str(self._count)) if self._until: parts.append(self._until.strftime('UNTIL=%Y%m%dT%H%M%S')) if self._original_rule.get('byweekday') is not None: # The str() method on weekday objects doesn't generate # RFC5545-compliant strings, so we should modify that. original_rule = dict(self._original_rule) wday_strings = [] for wday in original_rule['byweekday']: if wday.n: wday_strings.append('{n:+d}{wday}'.format( n=wday.n, wday=repr(wday)[0:2])) else: wday_strings.append(repr(wday)) original_rule['byweekday'] = wday_strings else: original_rule = self._original_rule partfmt = '{name}={vals}' for name, key in [('BYSETPOS', 'bysetpos'), ('BYMONTH', 'bymonth'), ('BYMONTHDAY', 'bymonthday'), ('BYYEARDAY', 'byyearday'), ('BYWEEKNO', 'byweekno'), ('BYDAY', 'byweekday'), ('BYHOUR', 'byhour'), ('BYMINUTE', 'byminute'), ('BYSECOND', 'bysecond'), ('BYEASTER', 'byeaster')]: value = original_rule.get(key) if value: parts.append(partfmt.format(name=name, vals=(','.join(str(v) for v in value)))) output.append('RRULE:' + ';'.join(parts)) return '\n'.join(output) def replace(self, **kwargs): """Return new rrule with same attributes except for those attributes given new values by whichever keyword arguments are specified.""" new_kwargs = {"interval": self._interval, "count": self._count, "dtstart": self._dtstart, "freq": self._freq, "until": self._until, "wkst": self._wkst, "cache": False if self._cache is None else True } new_kwargs.update(self._original_rule) new_kwargs.update(kwargs) return rrule(**new_kwargs) def _iter(self): year, month, day, hour, minute, second, weekday, yearday, _ = \ self._dtstart.timetuple() # Some local variables to speed things up a bit freq = self._freq interval = self._interval wkst = self._wkst until = self._until bymonth = self._bymonth byweekno = self._byweekno byyearday = self._byyearday byweekday = self._byweekday byeaster = self._byeaster bymonthday = self._bymonthday bynmonthday = self._bynmonthday bysetpos = self._bysetpos byhour = self._byhour byminute = self._byminute bysecond = self._bysecond ii = _iterinfo(self) ii.rebuild(year, month) getdayset = {YEARLY: ii.ydayset, MONTHLY: ii.mdayset, WEEKLY: ii.wdayset, DAILY: ii.ddayset, HOURLY: ii.ddayset, MINUTELY: ii.ddayset, SECONDLY: ii.ddayset}[freq] if freq < HOURLY: timeset = self._timeset else: gettimeset = {HOURLY: ii.htimeset, MINUTELY: ii.mtimeset, SECONDLY: ii.stimeset}[freq] if ((freq >= HOURLY and self._byhour and hour not in self._byhour) or (freq >= MINUTELY and self._byminute and minute not in self._byminute) or (freq >= SECONDLY and self._bysecond and second not in self._bysecond)): timeset = () else: timeset = gettimeset(hour, minute, second) total = 0 count = self._count while True: # Get dayset with the right frequency dayset, start, end = getdayset(year, month, day) # Do the "hard" work ;-) filtered = False for i in dayset[start:end]: if ((bymonth and ii.mmask[i] not in bymonth) or (byweekno and not ii.wnomask[i]) or (byweekday and ii.wdaymask[i] not in byweekday) or (ii.nwdaymask and not ii.nwdaymask[i]) or (byeaster and not ii.eastermask[i]) or ((bymonthday or bynmonthday) and ii.mdaymask[i] not in bymonthday and ii.nmdaymask[i] not in bynmonthday) or (byyearday and ((i < ii.yearlen and i+1 not in byyearday and -ii.yearlen+i not in byyearday) or (i >= ii.yearlen and i+1-ii.yearlen not in byyearday and -ii.nextyearlen+i-ii.yearlen not in byyearday)))): dayset[i] = None filtered = True # Output results if bysetpos and timeset: poslist = [] for pos in bysetpos: if pos < 0: daypos, timepos = divmod(pos, len(timeset)) else: daypos, timepos = divmod(pos-1, len(timeset)) try: i = [x for x in dayset[start:end] if x is not None][daypos] time = timeset[timepos] except IndexError: pass else: date = datetime.date.fromordinal(ii.yearordinal+i) res = datetime.datetime.combine(date, time) if res not in poslist: poslist.append(res) poslist.sort() for res in poslist: if until and res > until: self._len = total return elif res >= self._dtstart: if count is not None: count -= 1 if count < 0: self._len = total return total += 1 yield res else: for i in dayset[start:end]: if i is not None: date = datetime.date.fromordinal(ii.yearordinal + i) for time in timeset: res = datetime.datetime.combine(date, time) if until and res > until: self._len = total return elif res >= self._dtstart: if count is not None: count -= 1 if count < 0: self._len = total return total += 1 yield res # Handle frequency and interval fixday = False if freq == YEARLY: year += interval if year > datetime.MAXYEAR: self._len = total return ii.rebuild(year, month) elif freq == MONTHLY: month += interval if month > 12: div, mod = divmod(month, 12) month = mod year += div if month == 0: month = 12 year -= 1 if year > datetime.MAXYEAR: self._len = total return ii.rebuild(year, month) elif freq == WEEKLY: if wkst > weekday: day += -(weekday+1+(6-wkst))+self._interval*7 else: day += -(weekday-wkst)+self._interval*7 weekday = wkst fixday = True elif freq == DAILY: day += interval fixday = True elif freq == HOURLY: if filtered: # Jump to one iteration before next day hour += ((23-hour)//interval)*interval if byhour: ndays, hour = self.__mod_distance(value=hour, byxxx=self._byhour, base=24) else: ndays, hour = divmod(hour+interval, 24) if ndays: day += ndays fixday = True timeset = gettimeset(hour, minute, second) elif freq == MINUTELY: if filtered: # Jump to one iteration before next day minute += ((1439-(hour*60+minute))//interval)*interval valid = False rep_rate = (24*60) for j in range(rep_rate // gcd(interval, rep_rate)): if byminute: nhours, minute = \ self.__mod_distance(value=minute, byxxx=self._byminute, base=60) else: nhours, minute = divmod(minute+interval, 60) div, hour = divmod(hour+nhours, 24) if div: day += div fixday = True filtered = False if not byhour or hour in byhour: valid = True break if not valid: raise ValueError('Invalid combination of interval and ' + 'byhour resulting in empty rule.') timeset = gettimeset(hour, minute, second) elif freq == SECONDLY: if filtered: # Jump to one iteration before next day second += (((86399 - (hour * 3600 + minute * 60 + second)) // interval) * interval) rep_rate = (24 * 3600) valid = False for j in range(0, rep_rate // gcd(interval, rep_rate)): if bysecond: nminutes, second = \ self.__mod_distance(value=second, byxxx=self._bysecond, base=60) else: nminutes, second = divmod(second+interval, 60) div, minute = divmod(minute+nminutes, 60) if div: hour += div div, hour = divmod(hour, 24) if div: day += div fixday = True if ((not byhour or hour in byhour) and (not byminute or minute in byminute) and (not bysecond or second in bysecond)): valid = True break if not valid: raise ValueError('Invalid combination of interval, ' + 'byhour and byminute resulting in empty' + ' rule.') timeset = gettimeset(hour, minute, second) if fixday and day > 28: daysinmonth = calendar.monthrange(year, month)[1] if day > daysinmonth: while day > daysinmonth: day -= daysinmonth month += 1 if month == 13: month = 1 year += 1 if year > datetime.MAXYEAR: self._len = total return daysinmonth = calendar.monthrange(year, month)[1] ii.rebuild(year, month) def __construct_byset(self, start, byxxx, base): """ If a `BYXXX` sequence is passed to the constructor at the same level as `FREQ` (e.g. `FREQ=HOURLY,BYHOUR={2,4,7},INTERVAL=3`), there are some specifications which cannot be reached given some starting conditions. This occurs whenever the interval is not coprime with the base of a given unit and the difference between the starting position and the ending position is not coprime with the greatest common denominator between the interval and the base. For example, with a FREQ of hourly starting at 17:00 and an interval of 4, the only valid values for BYHOUR would be {21, 1, 5, 9, 13, 17}, because 4 and 24 are not coprime. :param start: Specifies the starting position. :param byxxx: An iterable containing the list of allowed values. :param base: The largest allowable value for the specified frequency (e.g. 24 hours, 60 minutes). This does not preserve the type of the iterable, returning a set, since the values should be unique and the order is irrelevant, this will speed up later lookups. In the event of an empty set, raises a :exception:`ValueError`, as this results in an empty rrule. """ cset = set() # Support a single byxxx value. if isinstance(byxxx, integer_types): byxxx = (byxxx, ) for num in byxxx: i_gcd = gcd(self._interval, base) # Use divmod rather than % because we need to wrap negative nums. if i_gcd == 1 or divmod(num - start, i_gcd)[1] == 0: cset.add(num) if len(cset) == 0: raise ValueError("Invalid rrule byxxx generates an empty set.") return cset def __mod_distance(self, value, byxxx, base): """ Calculates the next value in a sequence where the `FREQ` parameter is specified along with a `BYXXX` parameter at the same "level" (e.g. `HOURLY` specified with `BYHOUR`). :param value: The old value of the component. :param byxxx: The `BYXXX` set, which should have been generated by `rrule._construct_byset`, or something else which checks that a valid rule is present. :param base: The largest allowable value for the specified frequency (e.g. 24 hours, 60 minutes). If a valid value is not found after `base` iterations (the maximum number before the sequence would start to repeat), this raises a :exception:`ValueError`, as no valid values were found. This returns a tuple of `divmod(n*interval, base)`, where `n` is the smallest number of `interval` repetitions until the next specified value in `byxxx` is found. """ accumulator = 0 for ii in range(1, base + 1): # Using divmod() over % to account for negative intervals div, value = divmod(value + self._interval, base) accumulator += div if value in byxxx: return (accumulator, value) class _iterinfo(object): __slots__ = ["rrule", "lastyear", "lastmonth", "yearlen", "nextyearlen", "yearordinal", "yearweekday", "mmask", "mrange", "mdaymask", "nmdaymask", "wdaymask", "wnomask", "nwdaymask", "eastermask"] def __init__(self, rrule): for attr in self.__slots__: setattr(self, attr, None) self.rrule = rrule def rebuild(self, year, month): # Every mask is 7 days longer to handle cross-year weekly periods. rr = self.rrule if year != self.lastyear: self.yearlen = 365 + calendar.isleap(year) self.nextyearlen = 365 + calendar.isleap(year + 1) firstyday = datetime.date(year, 1, 1) self.yearordinal = firstyday.toordinal() self.yearweekday = firstyday.weekday() wday = datetime.date(year, 1, 1).weekday() if self.yearlen == 365: self.mmask = M365MASK self.mdaymask = MDAY365MASK self.nmdaymask = NMDAY365MASK self.wdaymask = WDAYMASK[wday:] self.mrange = M365RANGE else: self.mmask = M366MASK self.mdaymask = MDAY366MASK self.nmdaymask = NMDAY366MASK self.wdaymask = WDAYMASK[wday:] self.mrange = M366RANGE if not rr._byweekno: self.wnomask = None else: self.wnomask = [0]*(self.yearlen+7) # no1wkst = firstwkst = self.wdaymask.index(rr._wkst) no1wkst = firstwkst = (7-self.yearweekday+rr._wkst) % 7 if no1wkst >= 4: no1wkst = 0 # Number of days in the year, plus the days we got # from last year. wyearlen = self.yearlen+(self.yearweekday-rr._wkst) % 7 else: # Number of days in the year, minus the days we # left in last year. wyearlen = self.yearlen-no1wkst div, mod = divmod(wyearlen, 7) numweeks = div+mod//4 for n in rr._byweekno: if n < 0: n += numweeks+1 if not (0 < n <= numweeks): continue if n > 1: i = no1wkst+(n-1)*7 if no1wkst != firstwkst: i -= 7-firstwkst else: i = no1wkst for j in range(7): self.wnomask[i] = 1 i += 1 if self.wdaymask[i] == rr._wkst: break if 1 in rr._byweekno: # Check week number 1 of next year as well # TODO: Check -numweeks for next year. i = no1wkst+numweeks*7 if no1wkst != firstwkst: i -= 7-firstwkst if i < self.yearlen: # If week starts in next year, we # don't care about it. for j in range(7): self.wnomask[i] = 1 i += 1 if self.wdaymask[i] == rr._wkst: break if no1wkst: # Check last week number of last year as # well. If no1wkst is 0, either the year # started on week start, or week number 1 # got days from last year, so there are no # days from last year's last week number in # this year. if -1 not in rr._byweekno: lyearweekday = datetime.date(year-1, 1, 1).weekday() lno1wkst = (7-lyearweekday+rr._wkst) % 7 lyearlen = 365+calendar.isleap(year-1) if lno1wkst >= 4: lno1wkst = 0 lnumweeks = 52+(lyearlen + (lyearweekday-rr._wkst) % 7) % 7//4 else: lnumweeks = 52+(self.yearlen-no1wkst) % 7//4 else: lnumweeks = -1 if lnumweeks in rr._byweekno: for i in range(no1wkst): self.wnomask[i] = 1 if (rr._bynweekday and (month != self.lastmonth or year != self.lastyear)): ranges = [] if rr._freq == YEARLY: if rr._bymonth: for month in rr._bymonth: ranges.append(self.mrange[month-1:month+1]) else: ranges = [(0, self.yearlen)] elif rr._freq == MONTHLY: ranges = [self.mrange[month-1:month+1]] if ranges: # Weekly frequency won't get here, so we may not # care about cross-year weekly periods. self.nwdaymask = [0]*self.yearlen for first, last in ranges: last -= 1 for wday, n in rr._bynweekday: if n < 0: i = last+(n+1)*7 i -= (self.wdaymask[i]-wday) % 7 else: i = first+(n-1)*7 i += (7-self.wdaymask[i]+wday) % 7 if first <= i <= last: self.nwdaymask[i] = 1 if rr._byeaster: self.eastermask = [0]*(self.yearlen+7) eyday = easter.easter(year).toordinal()-self.yearordinal for offset in rr._byeaster: self.eastermask[eyday+offset] = 1 self.lastyear = year self.lastmonth = month def ydayset(self, year, month, day): return list(range(self.yearlen)), 0, self.yearlen def mdayset(self, year, month, day): dset = [None]*self.yearlen start, end = self.mrange[month-1:month+1] for i in range(start, end): dset[i] = i return dset, start, end def wdayset(self, year, month, day): # We need to handle cross-year weeks here. dset = [None]*(self.yearlen+7) i = datetime.date(year, month, day).toordinal()-self.yearordinal start = i for j in range(7): dset[i] = i i += 1 # if (not (0 <= i < self.yearlen) or # self.wdaymask[i] == self.rrule._wkst): # This will cross the year boundary, if necessary. if self.wdaymask[i] == self.rrule._wkst: break return dset, start, i def ddayset(self, year, month, day): dset = [None] * self.yearlen i = datetime.date(year, month, day).toordinal() - self.yearordinal dset[i] = i return dset, i, i + 1 def htimeset(self, hour, minute, second): tset = [] rr = self.rrule for minute in rr._byminute: for second in rr._bysecond: tset.append(datetime.time(hour, minute, second, tzinfo=rr._tzinfo)) tset.sort() return tset def mtimeset(self, hour, minute, second): tset = [] rr = self.rrule for second in rr._bysecond: tset.append(datetime.time(hour, minute, second, tzinfo=rr._tzinfo)) tset.sort() return tset def stimeset(self, hour, minute, second): return (datetime.time(hour, minute, second, tzinfo=self.rrule._tzinfo),) class rruleset(rrulebase): """ The rruleset type allows more complex recurrence setups, mixing multiple rules, dates, exclusion rules, and exclusion dates. The type constructor takes the following keyword arguments: :param cache: If True, caching of results will be enabled, improving performance of multiple queries considerably. """ class _genitem(object): def __init__(self, genlist, gen): try: self.dt = advance_iterator(gen) genlist.append(self) except StopIteration: pass self.genlist = genlist self.gen = gen def __next__(self): try: self.dt = advance_iterator(self.gen) except StopIteration: if self.genlist[0] is self: heapq.heappop(self.genlist) else: self.genlist.remove(self) heapq.heapify(self.genlist) next = __next__ def __lt__(self, other): return self.dt < other.dt def __gt__(self, other): return self.dt > other.dt def __eq__(self, other): return self.dt == other.dt def __ne__(self, other): return self.dt != other.dt def __init__(self, cache=False): super(rruleset, self).__init__(cache) self._rrule = [] self._rdate = [] self._exrule = [] self._exdate = [] @_invalidates_cache def rrule(self, rrule): """ Include the given :py:class:`rrule` instance in the recurrence set generation. """ self._rrule.append(rrule) @_invalidates_cache def rdate(self, rdate): """ Include the given :py:class:`datetime` instance in the recurrence set generation. """ self._rdate.append(rdate) @_invalidates_cache def exrule(self, exrule): """ Include the given rrule instance in the recurrence set exclusion list. Dates which are part of the given recurrence rules will not be generated, even if some inclusive rrule or rdate matches them. """ self._exrule.append(exrule) @_invalidates_cache def exdate(self, exdate): """ Include the given datetime instance in the recurrence set exclusion list. Dates included that way will not be generated, even if some inclusive rrule or rdate matches them. """ self._exdate.append(exdate) def _iter(self): rlist = [] self._rdate.sort() self._genitem(rlist, iter(self._rdate)) for gen in [iter(x) for x in self._rrule]: self._genitem(rlist, gen) exlist = [] self._exdate.sort() self._genitem(exlist, iter(self._exdate)) for gen in [iter(x) for x in self._exrule]: self._genitem(exlist, gen) lastdt = None total = 0 heapq.heapify(rlist) heapq.heapify(exlist) while rlist: ritem = rlist[0] if not lastdt or lastdt != ritem.dt: while exlist and exlist[0] < ritem: exitem = exlist[0] advance_iterator(exitem) if exlist and exlist[0] is exitem: heapq.heapreplace(exlist, exitem) if not exlist or ritem != exlist[0]: total += 1 yield ritem.dt lastdt = ritem.dt advance_iterator(ritem) if rlist and rlist[0] is ritem: heapq.heapreplace(rlist, ritem) self._len = total class _rrulestr(object): """ Parses a string representation of a recurrence rule or set of recurrence rules. :param s: Required, a string defining one or more recurrence rules. :param dtstart: If given, used as the default recurrence start if not specified in the rule string. :param cache: If set ``True`` caching of results will be enabled, improving performance of multiple queries considerably. :param unfold: If set ``True`` indicates that a rule string is split over more than one line and should be joined before processing. :param forceset: If set ``True`` forces a :class:`dateutil.rrule.rruleset` to be returned. :param compatible: If set ``True`` forces ``unfold`` and ``forceset`` to be ``True``. :param ignoretz: If set ``True``, time zones in parsed strings are ignored and a naive :class:`datetime.datetime` object is returned. :param tzids: If given, a callable or mapping used to retrieve a :class:`datetime.tzinfo` from a string representation. Defaults to :func:`dateutil.tz.gettz`. :param tzinfos: Additional time zone names / aliases which may be present in a string representation. See :func:`dateutil.parser.parse` for more information. :return: Returns a :class:`dateutil.rrule.rruleset` or :class:`dateutil.rrule.rrule` """ _freq_map = {"YEARLY": YEARLY, "MONTHLY": MONTHLY, "WEEKLY": WEEKLY, "DAILY": DAILY, "HOURLY": HOURLY, "MINUTELY": MINUTELY, "SECONDLY": SECONDLY} _weekday_map = {"MO": 0, "TU": 1, "WE": 2, "TH": 3, "FR": 4, "SA": 5, "SU": 6} def _handle_int(self, rrkwargs, name, value, **kwargs): rrkwargs[name.lower()] = int(value) def _handle_int_list(self, rrkwargs, name, value, **kwargs): rrkwargs[name.lower()] = [int(x) for x in value.split(',')] _handle_INTERVAL = _handle_int _handle_COUNT = _handle_int _handle_BYSETPOS = _handle_int_list _handle_BYMONTH = _handle_int_list _handle_BYMONTHDAY = _handle_int_list _handle_BYYEARDAY = _handle_int_list _handle_BYEASTER = _handle_int_list _handle_BYWEEKNO = _handle_int_list _handle_BYHOUR = _handle_int_list _handle_BYMINUTE = _handle_int_list _handle_BYSECOND = _handle_int_list def _handle_FREQ(self, rrkwargs, name, value, **kwargs): rrkwargs["freq"] = self._freq_map[value] def _handle_UNTIL(self, rrkwargs, name, value, **kwargs): global parser if not parser: from dateutil import parser try: rrkwargs["until"] = parser.parse(value, ignoretz=kwargs.get("ignoretz"), tzinfos=kwargs.get("tzinfos")) except ValueError: raise ValueError("invalid until date") def _handle_WKST(self, rrkwargs, name, value, **kwargs): rrkwargs["wkst"] = self._weekday_map[value] def _handle_BYWEEKDAY(self, rrkwargs, name, value, **kwargs): """ Two ways to specify this: +1MO or MO(+1) """ l = [] for wday in value.split(','): if '(' in wday: # If it's of the form TH(+1), etc. splt = wday.split('(') w = splt[0] n = int(splt[1][:-1]) elif len(wday): # If it's of the form +1MO for i in range(len(wday)): if wday[i] not in '+-0123456789': break n = wday[:i] or None w = wday[i:] if n: n = int(n) else: raise ValueError("Invalid (empty) BYDAY specification.") l.append(weekdays[self._weekday_map[w]](n)) rrkwargs["byweekday"] = l _handle_BYDAY = _handle_BYWEEKDAY def _parse_rfc_rrule(self, line, dtstart=None, cache=False, ignoretz=False, tzinfos=None): if line.find(':') != -1: name, value = line.split(':') if name != "RRULE": raise ValueError("unknown parameter name") else: value = line rrkwargs = {} for pair in value.split(';'): name, value = pair.split('=') name = name.upper() value = value.upper() try: getattr(self, "_handle_"+name)(rrkwargs, name, value, ignoretz=ignoretz, tzinfos=tzinfos) except AttributeError: raise ValueError("unknown parameter '%s'" % name) except (KeyError, ValueError): raise ValueError("invalid '%s': %s" % (name, value)) return rrule(dtstart=dtstart, cache=cache, **rrkwargs) def _parse_date_value(self, date_value, parms, rule_tzids, ignoretz, tzids, tzinfos): global parser if not parser: from dateutil import parser datevals = [] value_found = False TZID = None for parm in parms: if parm.startswith("TZID="): try: tzkey = rule_tzids[parm.split('TZID=')[-1]] except KeyError: continue if tzids is None: from . import tz tzlookup = tz.gettz elif callable(tzids): tzlookup = tzids else: tzlookup = getattr(tzids, 'get', None) if tzlookup is None: msg = ('tzids must be a callable, mapping, or None, ' 'not %s' % tzids) raise ValueError(msg) TZID = tzlookup(tzkey) continue # RFC 5445 3.8.2.4: The VALUE parameter is optional, but may be found # only once. if parm not in {"VALUE=DATE-TIME", "VALUE=DATE"}: raise ValueError("unsupported parm: " + parm) else: if value_found: msg = ("Duplicate value parameter found in: " + parm) raise ValueError(msg) value_found = True for datestr in date_value.split(','): date = parser.parse(datestr, ignoretz=ignoretz, tzinfos=tzinfos) if TZID is not None: if date.tzinfo is None: date = date.replace(tzinfo=TZID) else: raise ValueError('DTSTART/EXDATE specifies multiple timezone') datevals.append(date) return datevals def _parse_rfc(self, s, dtstart=None, cache=False, unfold=False, forceset=False, compatible=False, ignoretz=False, tzids=None, tzinfos=None): global parser if compatible: forceset = True unfold = True TZID_NAMES = dict(map( lambda x: (x.upper(), x), re.findall('TZID=(?P<name>[^:]+):', s) )) s = s.upper() if not s.strip(): raise ValueError("empty string") if unfold: lines = s.splitlines() i = 0 while i < len(lines): line = lines[i].rstrip() if not line: del lines[i] elif i > 0 and line[0] == " ": lines[i-1] += line[1:] del lines[i] else: i += 1 else: lines = s.split() if (not forceset and len(lines) == 1 and (s.find(':') == -1 or s.startswith('RRULE:'))): return self._parse_rfc_rrule(lines[0], cache=cache, dtstart=dtstart, ignoretz=ignoretz, tzinfos=tzinfos) else: rrulevals = [] rdatevals = [] exrulevals = [] exdatevals = [] for line in lines: if not line: continue if line.find(':') == -1: name = "RRULE" value = line else: name, value = line.split(':', 1) parms = name.split(';') if not parms: raise ValueError("empty property name") name = parms[0] parms = parms[1:] if name == "RRULE": for parm in parms: raise ValueError("unsupported RRULE parm: "+parm) rrulevals.append(value) elif name == "RDATE": for parm in parms: if parm != "VALUE=DATE-TIME": raise ValueError("unsupported RDATE parm: "+parm) rdatevals.append(value) elif name == "EXRULE": for parm in parms: raise ValueError("unsupported EXRULE parm: "+parm) exrulevals.append(value) elif name == "EXDATE": exdatevals.extend( self._parse_date_value(value, parms, TZID_NAMES, ignoretz, tzids, tzinfos) ) elif name == "DTSTART": dtvals = self._parse_date_value(value, parms, TZID_NAMES, ignoretz, tzids, tzinfos) if len(dtvals) != 1: raise ValueError("Multiple DTSTART values specified:" + value) dtstart = dtvals[0] else: raise ValueError("unsupported property: "+name) if (forceset or len(rrulevals) > 1 or rdatevals or exrulevals or exdatevals): if not parser and (rdatevals or exdatevals): from dateutil import parser rset = rruleset(cache=cache) for value in rrulevals: rset.rrule(self._parse_rfc_rrule(value, dtstart=dtstart, ignoretz=ignoretz, tzinfos=tzinfos)) for value in rdatevals: for datestr in value.split(','): rset.rdate(parser.parse(datestr, ignoretz=ignoretz, tzinfos=tzinfos)) for value in exrulevals: rset.exrule(self._parse_rfc_rrule(value, dtstart=dtstart, ignoretz=ignoretz, tzinfos=tzinfos)) for value in exdatevals: rset.exdate(value) if compatible and dtstart: rset.rdate(dtstart) return rset else: return self._parse_rfc_rrule(rrulevals[0], dtstart=dtstart, cache=cache, ignoretz=ignoretz, tzinfos=tzinfos) def __call__(self, s, **kwargs): return self._parse_rfc(s, **kwargs) rrulestr = _rrulestr() # vim:ts=4:sw=4:et PKcZZZ� 9�;;dateutil/tzwin.py# tzwin has moved to dateutil.tz.win from .tz.win import * PKcZZZ���5��dateutil/utils.py# -*- coding: utf-8 -*- """ This module offers general convenience and utility functions for dealing with datetimes. .. versionadded:: 2.7.0 """ from __future__ import unicode_literals from datetime import datetime, time def today(tzinfo=None): """ Returns a :py:class:`datetime` representing the current day at midnight :param tzinfo: The time zone to attach (also used to determine the current day). :return: A :py:class:`datetime.datetime` object representing the current day at midnight. """ dt = datetime.now(tzinfo) return datetime.combine(dt.date(), time(0, tzinfo=tzinfo)) def default_tzinfo(dt, tzinfo): """ Sets the ``tzinfo`` parameter on naive datetimes only This is useful for example when you are provided a datetime that may have either an implicit or explicit time zone, such as when parsing a time zone string. .. doctest:: >>> from dateutil.tz import tzoffset >>> from dateutil.parser import parse >>> from dateutil.utils import default_tzinfo >>> dflt_tz = tzoffset("EST", -18000) >>> print(default_tzinfo(parse('2014-01-01 12:30 UTC'), dflt_tz)) 2014-01-01 12:30:00+00:00 >>> print(default_tzinfo(parse('2014-01-01 12:30'), dflt_tz)) 2014-01-01 12:30:00-05:00 :param dt: The datetime on which to replace the time zone :param tzinfo: The :py:class:`datetime.tzinfo` subclass instance to assign to ``dt`` if (and only if) it is naive. :return: Returns an aware :py:class:`datetime.datetime`. """ if dt.tzinfo is not None: return dt else: return dt.replace(tzinfo=tzinfo) def within_delta(dt1, dt2, delta): """ Useful for comparing two datetimes that may have a negligible difference to be considered equal. """ delta = abs(delta) difference = dt1 - dt2 return -delta <= difference <= delta PKcZZZo����dateutil/parser/__init__.py# -*- coding: utf-8 -*- from ._parser import parse, parser, parserinfo, ParserError from ._parser import DEFAULTPARSER, DEFAULTTZPARSER from ._parser import UnknownTimezoneWarning from ._parser import __doc__ from .isoparser import isoparser, isoparse __all__ = ['parse', 'parser', 'parserinfo', 'isoparse', 'isoparser', 'ParserError', 'UnknownTimezoneWarning'] ### # Deprecate portions of the private interface so that downstream code that # is improperly relying on it is given *some* notice. def __deprecated_private_func(f): from functools import wraps import warnings msg = ('{name} is a private function and may break without warning, ' 'it will be moved and or renamed in future versions.') msg = msg.format(name=f.__name__) @wraps(f) def deprecated_func(*args, **kwargs): warnings.warn(msg, DeprecationWarning) return f(*args, **kwargs) return deprecated_func def __deprecate_private_class(c): import warnings msg = ('{name} is a private class and may break without warning, ' 'it will be moved and or renamed in future versions.') msg = msg.format(name=c.__name__) class private_class(c): __doc__ = c.__doc__ def __init__(self, *args, **kwargs): warnings.warn(msg, DeprecationWarning) super(private_class, self).__init__(*args, **kwargs) private_class.__name__ = c.__name__ return private_class from ._parser import _timelex, _resultbase from ._parser import _tzparser, _parsetz _timelex = __deprecate_private_class(_timelex) _tzparser = __deprecate_private_class(_tzparser) _resultbase = __deprecate_private_class(_resultbase) _parsetz = __deprecated_private_func(_parsetz) PKcZZZ`�R۬���dateutil/parser/_parser.py# -*- coding: utf-8 -*- """ This module offers a generic date/time string parser which is able to parse most known formats to represent a date and/or time. This module attempts to be forgiving with regards to unlikely input formats, returning a datetime object even for dates which are ambiguous. If an element of a date/time stamp is omitted, the following rules are applied: - If AM or PM is left unspecified, a 24-hour clock is assumed, however, an hour on a 12-hour clock (``0 <= hour <= 12``) *must* be specified if AM or PM is specified. - If a time zone is omitted, a timezone-naive datetime is returned. If any other elements are missing, they are taken from the :class:`datetime.datetime` object passed to the parameter ``default``. If this results in a day number exceeding the valid number of days per month, the value falls back to the end of the month. Additional resources about date/time string formats can be found below: - `A summary of the international standard date and time notation <https://www.cl.cam.ac.uk/~mgk25/iso-time.html>`_ - `W3C Date and Time Formats <https://www.w3.org/TR/NOTE-datetime>`_ - `Time Formats (Planetary Rings Node) <https://pds-rings.seti.org:443/tools/time_formats.html>`_ - `CPAN ParseDate module <https://metacpan.org/pod/release/MUIR/Time-modules-2013.0912/lib/Time/ParseDate.pm>`_ - `Java SimpleDateFormat Class <https://docs.oracle.com/javase/6/docs/api/java/text/SimpleDateFormat.html>`_ """ from __future__ import unicode_literals import datetime import re import string import time import warnings from calendar import monthrange from io import StringIO import six from six import integer_types, text_type from decimal import Decimal from warnings import warn from .. import relativedelta from .. import tz __all__ = ["parse", "parserinfo", "ParserError"] # TODO: pandas.core.tools.datetimes imports this explicitly. Might be worth # making public and/or figuring out if there is something we can # take off their plate. class _timelex(object): # Fractional seconds are sometimes split by a comma _split_decimal = re.compile("([.,])") def __init__(self, instream): if isinstance(instream, (bytes, bytearray)): instream = instream.decode() if isinstance(instream, text_type): instream = StringIO(instream) elif getattr(instream, 'read', None) is None: raise TypeError('Parser must be a string or character stream, not ' '{itype}'.format(itype=instream.__class__.__name__)) self.instream = instream self.charstack = [] self.tokenstack = [] self.eof = False def get_token(self): """ This function breaks the time string into lexical units (tokens), which can be parsed by the parser. Lexical units are demarcated by changes in the character set, so any continuous string of letters is considered one unit, any continuous string of numbers is considered one unit. The main complication arises from the fact that dots ('.') can be used both as separators (e.g. "Sep.20.2009") or decimal points (e.g. "4:30:21.447"). As such, it is necessary to read the full context of any dot-separated strings before breaking it into tokens; as such, this function maintains a "token stack", for when the ambiguous context demands that multiple tokens be parsed at once. """ if self.tokenstack: return self.tokenstack.pop(0) seenletters = False token = None state = None while not self.eof: # We only realize that we've reached the end of a token when we # find a character that's not part of the current token - since # that character may be part of the next token, it's stored in the # charstack. if self.charstack: nextchar = self.charstack.pop(0) else: nextchar = self.instream.read(1) while nextchar == '\x00': nextchar = self.instream.read(1) if not nextchar: self.eof = True break elif not state: # First character of the token - determines if we're starting # to parse a word, a number or something else. token = nextchar if self.isword(nextchar): state = 'a' elif self.isnum(nextchar): state = '0' elif self.isspace(nextchar): token = ' ' break # emit token else: break # emit token elif state == 'a': # If we've already started reading a word, we keep reading # letters until we find something that's not part of a word. seenletters = True if self.isword(nextchar): token += nextchar elif nextchar == '.': token += nextchar state = 'a.' else: self.charstack.append(nextchar) break # emit token elif state == '0': # If we've already started reading a number, we keep reading # numbers until we find something that doesn't fit. if self.isnum(nextchar): token += nextchar elif nextchar == '.' or (nextchar == ',' and len(token) >= 2): token += nextchar state = '0.' else: self.charstack.append(nextchar) break # emit token elif state == 'a.': # If we've seen some letters and a dot separator, continue # parsing, and the tokens will be broken up later. seenletters = True if nextchar == '.' or self.isword(nextchar): token += nextchar elif self.isnum(nextchar) and token[-1] == '.': token += nextchar state = '0.' else: self.charstack.append(nextchar) break # emit token elif state == '0.': # If we've seen at least one dot separator, keep going, we'll # break up the tokens later. if nextchar == '.' or self.isnum(nextchar): token += nextchar elif self.isword(nextchar) and token[-1] == '.': token += nextchar state = 'a.' else: self.charstack.append(nextchar) break # emit token if (state in ('a.', '0.') and (seenletters or token.count('.') > 1 or token[-1] in '.,')): l = self._split_decimal.split(token) token = l[0] for tok in l[1:]: if tok: self.tokenstack.append(tok) if state == '0.' and token.count('.') == 0: token = token.replace(',', '.') return token def __iter__(self): return self def __next__(self): token = self.get_token() if token is None: raise StopIteration return token def next(self): return self.__next__() # Python 2.x support @classmethod def split(cls, s): return list(cls(s)) @classmethod def isword(cls, nextchar): """ Whether or not the next character is part of a word """ return nextchar.isalpha() @classmethod def isnum(cls, nextchar): """ Whether the next character is part of a number """ return nextchar.isdigit() @classmethod def isspace(cls, nextchar): """ Whether the next character is whitespace """ return nextchar.isspace() class _resultbase(object): def __init__(self): for attr in self.__slots__: setattr(self, attr, None) def _repr(self, classname): l = [] for attr in self.__slots__: value = getattr(self, attr) if value is not None: l.append("%s=%s" % (attr, repr(value))) return "%s(%s)" % (classname, ", ".join(l)) def __len__(self): return (sum(getattr(self, attr) is not None for attr in self.__slots__)) def __repr__(self): return self._repr(self.__class__.__name__) class parserinfo(object): """ Class which handles what inputs are accepted. Subclass this to customize the language and acceptable values for each parameter. :param dayfirst: Whether to interpret the first value in an ambiguous 3-integer date (e.g. 01/05/09) as the day (``True``) or month (``False``). If ``yearfirst`` is set to ``True``, this distinguishes between YDM and YMD. Default is ``False``. :param yearfirst: Whether to interpret the first value in an ambiguous 3-integer date (e.g. 01/05/09) as the year. If ``True``, the first number is taken to be the year, otherwise the last number is taken to be the year. Default is ``False``. """ # m from a.m/p.m, t from ISO T separator JUMP = [" ", ".", ",", ";", "-", "/", "'", "at", "on", "and", "ad", "m", "t", "of", "st", "nd", "rd", "th"] WEEKDAYS = [("Mon", "Monday"), ("Tue", "Tuesday"), # TODO: "Tues" ("Wed", "Wednesday"), ("Thu", "Thursday"), # TODO: "Thurs" ("Fri", "Friday"), ("Sat", "Saturday"), ("Sun", "Sunday")] MONTHS = [("Jan", "January"), ("Feb", "February"), # TODO: "Febr" ("Mar", "March"), ("Apr", "April"), ("May", "May"), ("Jun", "June"), ("Jul", "July"), ("Aug", "August"), ("Sep", "Sept", "September"), ("Oct", "October"), ("Nov", "November"), ("Dec", "December")] HMS = [("h", "hour", "hours"), ("m", "minute", "minutes"), ("s", "second", "seconds")] AMPM = [("am", "a"), ("pm", "p")] UTCZONE = ["UTC", "GMT", "Z", "z"] PERTAIN = ["of"] TZOFFSET = {} # TODO: ERA = ["AD", "BC", "CE", "BCE", "Stardate", # "Anno Domini", "Year of Our Lord"] def __init__(self, dayfirst=False, yearfirst=False): self._jump = self._convert(self.JUMP) self._weekdays = self._convert(self.WEEKDAYS) self._months = self._convert(self.MONTHS) self._hms = self._convert(self.HMS) self._ampm = self._convert(self.AMPM) self._utczone = self._convert(self.UTCZONE) self._pertain = self._convert(self.PERTAIN) self.dayfirst = dayfirst self.yearfirst = yearfirst self._year = time.localtime().tm_year self._century = self._year // 100 * 100 def _convert(self, lst): dct = {} for i, v in enumerate(lst): if isinstance(v, tuple): for v in v: dct[v.lower()] = i else: dct[v.lower()] = i return dct def jump(self, name): return name.lower() in self._jump def weekday(self, name): try: return self._weekdays[name.lower()] except KeyError: pass return None def month(self, name): try: return self._months[name.lower()] + 1 except KeyError: pass return None def hms(self, name): try: return self._hms[name.lower()] except KeyError: return None def ampm(self, name): try: return self._ampm[name.lower()] except KeyError: return None def pertain(self, name): return name.lower() in self._pertain def utczone(self, name): return name.lower() in self._utczone def tzoffset(self, name): if name in self._utczone: return 0 return self.TZOFFSET.get(name) def convertyear(self, year, century_specified=False): """ Converts two-digit years to year within [-50, 49] range of self._year (current local time) """ # Function contract is that the year is always positive assert year >= 0 if year < 100 and not century_specified: # assume current century to start year += self._century if year >= self._year + 50: # if too far in future year -= 100 elif year < self._year - 50: # if too far in past year += 100 return year def validate(self, res): # move to info if res.year is not None: res.year = self.convertyear(res.year, res.century_specified) if ((res.tzoffset == 0 and not res.tzname) or (res.tzname == 'Z' or res.tzname == 'z')): res.tzname = "UTC" res.tzoffset = 0 elif res.tzoffset != 0 and res.tzname and self.utczone(res.tzname): res.tzoffset = 0 return True class _ymd(list): def __init__(self, *args, **kwargs): super(self.__class__, self).__init__(*args, **kwargs) self.century_specified = False self.dstridx = None self.mstridx = None self.ystridx = None @property def has_year(self): return self.ystridx is not None @property def has_month(self): return self.mstridx is not None @property def has_day(self): return self.dstridx is not None def could_be_day(self, value): if self.has_day: return False elif not self.has_month: return 1 <= value <= 31 elif not self.has_year: # Be permissive, assume leap year month = self[self.mstridx] return 1 <= value <= monthrange(2000, month)[1] else: month = self[self.mstridx] year = self[self.ystridx] return 1 <= value <= monthrange(year, month)[1] def append(self, val, label=None): if hasattr(val, '__len__'): if val.isdigit() and len(val) > 2: self.century_specified = True if label not in [None, 'Y']: # pragma: no cover raise ValueError(label) label = 'Y' elif val > 100: self.century_specified = True if label not in [None, 'Y']: # pragma: no cover raise ValueError(label) label = 'Y' super(self.__class__, self).append(int(val)) if label == 'M': if self.has_month: raise ValueError('Month is already set') self.mstridx = len(self) - 1 elif label == 'D': if self.has_day: raise ValueError('Day is already set') self.dstridx = len(self) - 1 elif label == 'Y': if self.has_year: raise ValueError('Year is already set') self.ystridx = len(self) - 1 def _resolve_from_stridxs(self, strids): """ Try to resolve the identities of year/month/day elements using ystridx, mstridx, and dstridx, if enough of these are specified. """ if len(self) == 3 and len(strids) == 2: # we can back out the remaining stridx value missing = [x for x in range(3) if x not in strids.values()] key = [x for x in ['y', 'm', 'd'] if x not in strids] assert len(missing) == len(key) == 1 key = key[0] val = missing[0] strids[key] = val assert len(self) == len(strids) # otherwise this should not be called out = {key: self[strids[key]] for key in strids} return (out.get('y'), out.get('m'), out.get('d')) def resolve_ymd(self, yearfirst, dayfirst): len_ymd = len(self) year, month, day = (None, None, None) strids = (('y', self.ystridx), ('m', self.mstridx), ('d', self.dstridx)) strids = {key: val for key, val in strids if val is not None} if (len(self) == len(strids) > 0 or (len(self) == 3 and len(strids) == 2)): return self._resolve_from_stridxs(strids) mstridx = self.mstridx if len_ymd > 3: raise ValueError("More than three YMD values") elif len_ymd == 1 or (mstridx is not None and len_ymd == 2): # One member, or two members with a month string if mstridx is not None: month = self[mstridx] # since mstridx is 0 or 1, self[mstridx-1] always # looks up the other element other = self[mstridx - 1] else: other = self[0] if len_ymd > 1 or mstridx is None: if other > 31: year = other else: day = other elif len_ymd == 2: # Two members with numbers if self[0] > 31: # 99-01 year, month = self elif self[1] > 31: # 01-99 month, year = self elif dayfirst and self[1] <= 12: # 13-01 day, month = self else: # 01-13 month, day = self elif len_ymd == 3: # Three members if mstridx == 0: if self[1] > 31: # Apr-2003-25 month, year, day = self else: month, day, year = self elif mstridx == 1: if self[0] > 31 or (yearfirst and self[2] <= 31): # 99-Jan-01 year, month, day = self else: # 01-Jan-01 # Give precedence to day-first, since # two-digit years is usually hand-written. day, month, year = self elif mstridx == 2: # WTF!? if self[1] > 31: # 01-99-Jan day, year, month = self else: # 99-01-Jan year, day, month = self else: if (self[0] > 31 or self.ystridx == 0 or (yearfirst and self[1] <= 12 and self[2] <= 31)): # 99-01-01 if dayfirst and self[2] <= 12: year, day, month = self else: year, month, day = self elif self[0] > 12 or (dayfirst and self[1] <= 12): # 13-01-01 day, month, year = self else: # 01-13-01 month, day, year = self return year, month, day class parser(object): def __init__(self, info=None): self.info = info or parserinfo() def parse(self, timestr, default=None, ignoretz=False, tzinfos=None, **kwargs): """ Parse the date/time string into a :class:`datetime.datetime` object. :param timestr: Any date/time string using the supported formats. :param default: The default datetime object, if this is a datetime object and not ``None``, elements specified in ``timestr`` replace elements in the default object. :param ignoretz: If set ``True``, time zones in parsed strings are ignored and a naive :class:`datetime.datetime` object is returned. :param tzinfos: Additional time zone names / aliases which may be present in the string. This argument maps time zone names (and optionally offsets from those time zones) to time zones. This parameter can be a dictionary with timezone aliases mapping time zone names to time zones or a function taking two parameters (``tzname`` and ``tzoffset``) and returning a time zone. The timezones to which the names are mapped can be an integer offset from UTC in seconds or a :class:`tzinfo` object. .. doctest:: :options: +NORMALIZE_WHITESPACE >>> from dateutil.parser import parse >>> from dateutil.tz import gettz >>> tzinfos = {"BRST": -7200, "CST": gettz("America/Chicago")} >>> parse("2012-01-19 17:21:00 BRST", tzinfos=tzinfos) datetime.datetime(2012, 1, 19, 17, 21, tzinfo=tzoffset(u'BRST', -7200)) >>> parse("2012-01-19 17:21:00 CST", tzinfos=tzinfos) datetime.datetime(2012, 1, 19, 17, 21, tzinfo=tzfile('/usr/share/zoneinfo/America/Chicago')) This parameter is ignored if ``ignoretz`` is set. :param \\*\\*kwargs: Keyword arguments as passed to ``_parse()``. :return: Returns a :class:`datetime.datetime` object or, if the ``fuzzy_with_tokens`` option is ``True``, returns a tuple, the first element being a :class:`datetime.datetime` object, the second a tuple containing the fuzzy tokens. :raises ParserError: Raised for invalid or unknown string format, if the provided :class:`tzinfo` is not in a valid format, or if an invalid date would be created. :raises TypeError: Raised for non-string or character stream input. :raises OverflowError: Raised if the parsed date exceeds the largest valid C integer on your system. """ if default is None: default = datetime.datetime.now().replace(hour=0, minute=0, second=0, microsecond=0) res, skipped_tokens = self._parse(timestr, **kwargs) if res is None: raise ParserError("Unknown string format: %s", timestr) if len(res) == 0: raise ParserError("String does not contain a date: %s", timestr) try: ret = self._build_naive(res, default) except ValueError as e: six.raise_from(ParserError(str(e) + ": %s", timestr), e) if not ignoretz: ret = self._build_tzaware(ret, res, tzinfos) if kwargs.get('fuzzy_with_tokens', False): return ret, skipped_tokens else: return ret class _result(_resultbase): __slots__ = ["year", "month", "day", "weekday", "hour", "minute", "second", "microsecond", "tzname", "tzoffset", "ampm","any_unused_tokens"] def _parse(self, timestr, dayfirst=None, yearfirst=None, fuzzy=False, fuzzy_with_tokens=False): """ Private method which performs the heavy lifting of parsing, called from ``parse()``, which passes on its ``kwargs`` to this function. :param timestr: The string to parse. :param dayfirst: Whether to interpret the first value in an ambiguous 3-integer date (e.g. 01/05/09) as the day (``True``) or month (``False``). If ``yearfirst`` is set to ``True``, this distinguishes between YDM and YMD. If set to ``None``, this value is retrieved from the current :class:`parserinfo` object (which itself defaults to ``False``). :param yearfirst: Whether to interpret the first value in an ambiguous 3-integer date (e.g. 01/05/09) as the year. If ``True``, the first number is taken to be the year, otherwise the last number is taken to be the year. If this is set to ``None``, the value is retrieved from the current :class:`parserinfo` object (which itself defaults to ``False``). :param fuzzy: Whether to allow fuzzy parsing, allowing for string like "Today is January 1, 2047 at 8:21:00AM". :param fuzzy_with_tokens: If ``True``, ``fuzzy`` is automatically set to True, and the parser will return a tuple where the first element is the parsed :class:`datetime.datetime` datetimestamp and the second element is a tuple containing the portions of the string which were ignored: .. doctest:: >>> from dateutil.parser import parse >>> parse("Today is January 1, 2047 at 8:21:00AM", fuzzy_with_tokens=True) (datetime.datetime(2047, 1, 1, 8, 21), (u'Today is ', u' ', u'at ')) """ if fuzzy_with_tokens: fuzzy = True info = self.info if dayfirst is None: dayfirst = info.dayfirst if yearfirst is None: yearfirst = info.yearfirst res = self._result() l = _timelex.split(timestr) # Splits the timestr into tokens skipped_idxs = [] # year/month/day list ymd = _ymd() len_l = len(l) i = 0 try: while i < len_l: # Check if it's a number value_repr = l[i] try: value = float(value_repr) except ValueError: value = None if value is not None: # Numeric token i = self._parse_numeric_token(l, i, info, ymd, res, fuzzy) # Check weekday elif info.weekday(l[i]) is not None: value = info.weekday(l[i]) res.weekday = value # Check month name elif info.month(l[i]) is not None: value = info.month(l[i]) ymd.append(value, 'M') if i + 1 < len_l: if l[i + 1] in ('-', '/'): # Jan-01[-99] sep = l[i + 1] ymd.append(l[i + 2]) if i + 3 < len_l and l[i + 3] == sep: # Jan-01-99 ymd.append(l[i + 4]) i += 2 i += 2 elif (i + 4 < len_l and l[i + 1] == l[i + 3] == ' ' and info.pertain(l[i + 2])): # Jan of 01 # In this case, 01 is clearly year if l[i + 4].isdigit(): # Convert it here to become unambiguous value = int(l[i + 4]) year = str(info.convertyear(value)) ymd.append(year, 'Y') else: # Wrong guess pass # TODO: not hit in tests i += 4 # Check am/pm elif info.ampm(l[i]) is not None: value = info.ampm(l[i]) val_is_ampm = self._ampm_valid(res.hour, res.ampm, fuzzy) if val_is_ampm: res.hour = self._adjust_ampm(res.hour, value) res.ampm = value elif fuzzy: skipped_idxs.append(i) # Check for a timezone name elif self._could_be_tzname(res.hour, res.tzname, res.tzoffset, l[i]): res.tzname = l[i] res.tzoffset = info.tzoffset(res.tzname) # Check for something like GMT+3, or BRST+3. Notice # that it doesn't mean "I am 3 hours after GMT", but # "my time +3 is GMT". If found, we reverse the # logic so that timezone parsing code will get it # right. if i + 1 < len_l and l[i + 1] in ('+', '-'): l[i + 1] = ('+', '-')[l[i + 1] == '+'] res.tzoffset = None if info.utczone(res.tzname): # With something like GMT+3, the timezone # is *not* GMT. res.tzname = None # Check for a numbered timezone elif res.hour is not None and l[i] in ('+', '-'): signal = (-1, 1)[l[i] == '+'] len_li = len(l[i + 1]) # TODO: check that l[i + 1] is integer? if len_li == 4: # -0300 hour_offset = int(l[i + 1][:2]) min_offset = int(l[i + 1][2:]) elif i + 2 < len_l and l[i + 2] == ':': # -03:00 hour_offset = int(l[i + 1]) min_offset = int(l[i + 3]) # TODO: Check that l[i+3] is minute-like? i += 2 elif len_li <= 2: # -[0]3 hour_offset = int(l[i + 1][:2]) min_offset = 0 else: raise ValueError(timestr) res.tzoffset = signal * (hour_offset * 3600 + min_offset * 60) # Look for a timezone name between parenthesis if (i + 5 < len_l and info.jump(l[i + 2]) and l[i + 3] == '(' and l[i + 5] == ')' and 3 <= len(l[i + 4]) and self._could_be_tzname(res.hour, res.tzname, None, l[i + 4])): # -0300 (BRST) res.tzname = l[i + 4] i += 4 i += 1 # Check jumps elif not (info.jump(l[i]) or fuzzy): raise ValueError(timestr) else: skipped_idxs.append(i) i += 1 # Process year/month/day year, month, day = ymd.resolve_ymd(yearfirst, dayfirst) res.century_specified = ymd.century_specified res.year = year res.month = month res.day = day except (IndexError, ValueError): return None, None if not info.validate(res): return None, None if fuzzy_with_tokens: skipped_tokens = self._recombine_skipped(l, skipped_idxs) return res, tuple(skipped_tokens) else: return res, None def _parse_numeric_token(self, tokens, idx, info, ymd, res, fuzzy): # Token is a number value_repr = tokens[idx] try: value = self._to_decimal(value_repr) except Exception as e: six.raise_from(ValueError('Unknown numeric token'), e) len_li = len(value_repr) len_l = len(tokens) if (len(ymd) == 3 and len_li in (2, 4) and res.hour is None and (idx + 1 >= len_l or (tokens[idx + 1] != ':' and info.hms(tokens[idx + 1]) is None))): # 19990101T23[59] s = tokens[idx] res.hour = int(s[:2]) if len_li == 4: res.minute = int(s[2:]) elif len_li == 6 or (len_li > 6 and tokens[idx].find('.') == 6): # YYMMDD or HHMMSS[.ss] s = tokens[idx] if not ymd and '.' not in tokens[idx]: ymd.append(s[:2]) ymd.append(s[2:4]) ymd.append(s[4:]) else: # 19990101T235959[.59] # TODO: Check if res attributes already set. res.hour = int(s[:2]) res.minute = int(s[2:4]) res.second, res.microsecond = self._parsems(s[4:]) elif len_li in (8, 12, 14): # YYYYMMDD s = tokens[idx] ymd.append(s[:4], 'Y') ymd.append(s[4:6]) ymd.append(s[6:8]) if len_li > 8: res.hour = int(s[8:10]) res.minute = int(s[10:12]) if len_li > 12: res.second = int(s[12:]) elif self._find_hms_idx(idx, tokens, info, allow_jump=True) is not None: # HH[ ]h or MM[ ]m or SS[.ss][ ]s hms_idx = self._find_hms_idx(idx, tokens, info, allow_jump=True) (idx, hms) = self._parse_hms(idx, tokens, info, hms_idx) if hms is not None: # TODO: checking that hour/minute/second are not # already set? self._assign_hms(res, value_repr, hms) elif idx + 2 < len_l and tokens[idx + 1] == ':': # HH:MM[:SS[.ss]] res.hour = int(value) value = self._to_decimal(tokens[idx + 2]) # TODO: try/except for this? (res.minute, res.second) = self._parse_min_sec(value) if idx + 4 < len_l and tokens[idx + 3] == ':': res.second, res.microsecond = self._parsems(tokens[idx + 4]) idx += 2 idx += 2 elif idx + 1 < len_l and tokens[idx + 1] in ('-', '/', '.'): sep = tokens[idx + 1] ymd.append(value_repr) if idx + 2 < len_l and not info.jump(tokens[idx + 2]): if tokens[idx + 2].isdigit(): # 01-01[-01] ymd.append(tokens[idx + 2]) else: # 01-Jan[-01] value = info.month(tokens[idx + 2]) if value is not None: ymd.append(value, 'M') else: raise ValueError() if idx + 3 < len_l and tokens[idx + 3] == sep: # We have three members value = info.month(tokens[idx + 4]) if value is not None: ymd.append(value, 'M') else: ymd.append(tokens[idx + 4]) idx += 2 idx += 1 idx += 1 elif idx + 1 >= len_l or info.jump(tokens[idx + 1]): if idx + 2 < len_l and info.ampm(tokens[idx + 2]) is not None: # 12 am hour = int(value) res.hour = self._adjust_ampm(hour, info.ampm(tokens[idx + 2])) idx += 1 else: # Year, month or day ymd.append(value) idx += 1 elif info.ampm(tokens[idx + 1]) is not None and (0 <= value < 24): # 12am hour = int(value) res.hour = self._adjust_ampm(hour, info.ampm(tokens[idx + 1])) idx += 1 elif ymd.could_be_day(value): ymd.append(value) elif not fuzzy: raise ValueError() return idx def _find_hms_idx(self, idx, tokens, info, allow_jump): len_l = len(tokens) if idx+1 < len_l and info.hms(tokens[idx+1]) is not None: # There is an "h", "m", or "s" label following this token. We take # assign the upcoming label to the current token. # e.g. the "12" in 12h" hms_idx = idx + 1 elif (allow_jump and idx+2 < len_l and tokens[idx+1] == ' ' and info.hms(tokens[idx+2]) is not None): # There is a space and then an "h", "m", or "s" label. # e.g. the "12" in "12 h" hms_idx = idx + 2 elif idx > 0 and info.hms(tokens[idx-1]) is not None: # There is a "h", "m", or "s" preceding this token. Since neither # of the previous cases was hit, there is no label following this # token, so we use the previous label. # e.g. the "04" in "12h04" hms_idx = idx-1 elif (1 < idx == len_l-1 and tokens[idx-1] == ' ' and info.hms(tokens[idx-2]) is not None): # If we are looking at the final token, we allow for a # backward-looking check to skip over a space. # TODO: Are we sure this is the right condition here? hms_idx = idx - 2 else: hms_idx = None return hms_idx def _assign_hms(self, res, value_repr, hms): # See GH issue #427, fixing float rounding value = self._to_decimal(value_repr) if hms == 0: # Hour res.hour = int(value) if value % 1: res.minute = int(60*(value % 1)) elif hms == 1: (res.minute, res.second) = self._parse_min_sec(value) elif hms == 2: (res.second, res.microsecond) = self._parsems(value_repr) def _could_be_tzname(self, hour, tzname, tzoffset, token): return (hour is not None and tzname is None and tzoffset is None and len(token) <= 5 and (all(x in string.ascii_uppercase for x in token) or token in self.info.UTCZONE)) def _ampm_valid(self, hour, ampm, fuzzy): """ For fuzzy parsing, 'a' or 'am' (both valid English words) may erroneously trigger the AM/PM flag. Deal with that here. """ val_is_ampm = True # If there's already an AM/PM flag, this one isn't one. if fuzzy and ampm is not None: val_is_ampm = False # If AM/PM is found and hour is not, raise a ValueError if hour is None: if fuzzy: val_is_ampm = False else: raise ValueError('No hour specified with AM or PM flag.') elif not 0 <= hour <= 12: # If AM/PM is found, it's a 12 hour clock, so raise # an error for invalid range if fuzzy: val_is_ampm = False else: raise ValueError('Invalid hour specified for 12-hour clock.') return val_is_ampm def _adjust_ampm(self, hour, ampm): if hour < 12 and ampm == 1: hour += 12 elif hour == 12 and ampm == 0: hour = 0 return hour def _parse_min_sec(self, value): # TODO: Every usage of this function sets res.second to the return # value. Are there any cases where second will be returned as None and # we *don't* want to set res.second = None? minute = int(value) second = None sec_remainder = value % 1 if sec_remainder: second = int(60 * sec_remainder) return (minute, second) def _parse_hms(self, idx, tokens, info, hms_idx): # TODO: Is this going to admit a lot of false-positives for when we # just happen to have digits and "h", "m" or "s" characters in non-date # text? I guess hex hashes won't have that problem, but there's plenty # of random junk out there. if hms_idx is None: hms = None new_idx = idx elif hms_idx > idx: hms = info.hms(tokens[hms_idx]) new_idx = hms_idx else: # Looking backwards, increment one. hms = info.hms(tokens[hms_idx]) + 1 new_idx = idx return (new_idx, hms) # ------------------------------------------------------------------ # Handling for individual tokens. These are kept as methods instead # of functions for the sake of customizability via subclassing. def _parsems(self, value): """Parse a I[.F] seconds value into (seconds, microseconds).""" if "." not in value: return int(value), 0 else: i, f = value.split(".") return int(i), int(f.ljust(6, "0")[:6]) def _to_decimal(self, val): try: decimal_value = Decimal(val) # See GH 662, edge case, infinite value should not be converted # via `_to_decimal` if not decimal_value.is_finite(): raise ValueError("Converted decimal value is infinite or NaN") except Exception as e: msg = "Could not convert %s to decimal" % val six.raise_from(ValueError(msg), e) else: return decimal_value # ------------------------------------------------------------------ # Post-Parsing construction of datetime output. These are kept as # methods instead of functions for the sake of customizability via # subclassing. def _build_tzinfo(self, tzinfos, tzname, tzoffset): if callable(tzinfos): tzdata = tzinfos(tzname, tzoffset) else: tzdata = tzinfos.get(tzname) # handle case where tzinfo is paased an options that returns None # eg tzinfos = {'BRST' : None} if isinstance(tzdata, datetime.tzinfo) or tzdata is None: tzinfo = tzdata elif isinstance(tzdata, text_type): tzinfo = tz.tzstr(tzdata) elif isinstance(tzdata, integer_types): tzinfo = tz.tzoffset(tzname, tzdata) else: raise TypeError("Offset must be tzinfo subclass, tz string, " "or int offset.") return tzinfo def _build_tzaware(self, naive, res, tzinfos): if (callable(tzinfos) or (tzinfos and res.tzname in tzinfos)): tzinfo = self._build_tzinfo(tzinfos, res.tzname, res.tzoffset) aware = naive.replace(tzinfo=tzinfo) aware = self._assign_tzname(aware, res.tzname) elif res.tzname and res.tzname in time.tzname: aware = naive.replace(tzinfo=tz.tzlocal()) # Handle ambiguous local datetime aware = self._assign_tzname(aware, res.tzname) # This is mostly relevant for winter GMT zones parsed in the UK if (aware.tzname() != res.tzname and res.tzname in self.info.UTCZONE): aware = aware.replace(tzinfo=tz.UTC) elif res.tzoffset == 0: aware = naive.replace(tzinfo=tz.UTC) elif res.tzoffset: aware = naive.replace(tzinfo=tz.tzoffset(res.tzname, res.tzoffset)) elif not res.tzname and not res.tzoffset: # i.e. no timezone information was found. aware = naive elif res.tzname: # tz-like string was parsed but we don't know what to do # with it warnings.warn("tzname {tzname} identified but not understood. " "Pass `tzinfos` argument in order to correctly " "return a timezone-aware datetime. In a future " "version, this will raise an " "exception.".format(tzname=res.tzname), category=UnknownTimezoneWarning) aware = naive return aware def _build_naive(self, res, default): repl = {} for attr in ("year", "month", "day", "hour", "minute", "second", "microsecond"): value = getattr(res, attr) if value is not None: repl[attr] = value if 'day' not in repl: # If the default day exceeds the last day of the month, fall back # to the end of the month. cyear = default.year if res.year is None else res.year cmonth = default.month if res.month is None else res.month cday = default.day if res.day is None else res.day if cday > monthrange(cyear, cmonth)[1]: repl['day'] = monthrange(cyear, cmonth)[1] naive = default.replace(**repl) if res.weekday is not None and not res.day: naive = naive + relativedelta.relativedelta(weekday=res.weekday) return naive def _assign_tzname(self, dt, tzname): if dt.tzname() != tzname: new_dt = tz.enfold(dt, fold=1) if new_dt.tzname() == tzname: return new_dt return dt def _recombine_skipped(self, tokens, skipped_idxs): """ >>> tokens = ["foo", " ", "bar", " ", "19June2000", "baz"] >>> skipped_idxs = [0, 1, 2, 5] >>> _recombine_skipped(tokens, skipped_idxs) ["foo bar", "baz"] """ skipped_tokens = [] for i, idx in enumerate(sorted(skipped_idxs)): if i > 0 and idx - 1 == skipped_idxs[i - 1]: skipped_tokens[-1] = skipped_tokens[-1] + tokens[idx] else: skipped_tokens.append(tokens[idx]) return skipped_tokens DEFAULTPARSER = parser() def parse(timestr, parserinfo=None, **kwargs): """ Parse a string in one of the supported formats, using the ``parserinfo`` parameters. :param timestr: A string containing a date/time stamp. :param parserinfo: A :class:`parserinfo` object containing parameters for the parser. If ``None``, the default arguments to the :class:`parserinfo` constructor are used. The ``**kwargs`` parameter takes the following keyword arguments: :param default: The default datetime object, if this is a datetime object and not ``None``, elements specified in ``timestr`` replace elements in the default object. :param ignoretz: If set ``True``, time zones in parsed strings are ignored and a naive :class:`datetime` object is returned. :param tzinfos: Additional time zone names / aliases which may be present in the string. This argument maps time zone names (and optionally offsets from those time zones) to time zones. This parameter can be a dictionary with timezone aliases mapping time zone names to time zones or a function taking two parameters (``tzname`` and ``tzoffset``) and returning a time zone. The timezones to which the names are mapped can be an integer offset from UTC in seconds or a :class:`tzinfo` object. .. doctest:: :options: +NORMALIZE_WHITESPACE >>> from dateutil.parser import parse >>> from dateutil.tz import gettz >>> tzinfos = {"BRST": -7200, "CST": gettz("America/Chicago")} >>> parse("2012-01-19 17:21:00 BRST", tzinfos=tzinfos) datetime.datetime(2012, 1, 19, 17, 21, tzinfo=tzoffset(u'BRST', -7200)) >>> parse("2012-01-19 17:21:00 CST", tzinfos=tzinfos) datetime.datetime(2012, 1, 19, 17, 21, tzinfo=tzfile('/usr/share/zoneinfo/America/Chicago')) This parameter is ignored if ``ignoretz`` is set. :param dayfirst: Whether to interpret the first value in an ambiguous 3-integer date (e.g. 01/05/09) as the day (``True``) or month (``False``). If ``yearfirst`` is set to ``True``, this distinguishes between YDM and YMD. If set to ``None``, this value is retrieved from the current :class:`parserinfo` object (which itself defaults to ``False``). :param yearfirst: Whether to interpret the first value in an ambiguous 3-integer date (e.g. 01/05/09) as the year. If ``True``, the first number is taken to be the year, otherwise the last number is taken to be the year. If this is set to ``None``, the value is retrieved from the current :class:`parserinfo` object (which itself defaults to ``False``). :param fuzzy: Whether to allow fuzzy parsing, allowing for string like "Today is January 1, 2047 at 8:21:00AM". :param fuzzy_with_tokens: If ``True``, ``fuzzy`` is automatically set to True, and the parser will return a tuple where the first element is the parsed :class:`datetime.datetime` datetimestamp and the second element is a tuple containing the portions of the string which were ignored: .. doctest:: >>> from dateutil.parser import parse >>> parse("Today is January 1, 2047 at 8:21:00AM", fuzzy_with_tokens=True) (datetime.datetime(2047, 1, 1, 8, 21), (u'Today is ', u' ', u'at ')) :return: Returns a :class:`datetime.datetime` object or, if the ``fuzzy_with_tokens`` option is ``True``, returns a tuple, the first element being a :class:`datetime.datetime` object, the second a tuple containing the fuzzy tokens. :raises ParserError: Raised for invalid or unknown string formats, if the provided :class:`tzinfo` is not in a valid format, or if an invalid date would be created. :raises OverflowError: Raised if the parsed date exceeds the largest valid C integer on your system. """ if parserinfo: return parser(parserinfo).parse(timestr, **kwargs) else: return DEFAULTPARSER.parse(timestr, **kwargs) class _tzparser(object): class _result(_resultbase): __slots__ = ["stdabbr", "stdoffset", "dstabbr", "dstoffset", "start", "end"] class _attr(_resultbase): __slots__ = ["month", "week", "weekday", "yday", "jyday", "day", "time"] def __repr__(self): return self._repr("") def __init__(self): _resultbase.__init__(self) self.start = self._attr() self.end = self._attr() def parse(self, tzstr): res = self._result() l = [x for x in re.split(r'([,:.]|[a-zA-Z]+|[0-9]+)',tzstr) if x] used_idxs = list() try: len_l = len(l) i = 0 while i < len_l: # BRST+3[BRDT[+2]] j = i while j < len_l and not [x for x in l[j] if x in "0123456789:,-+"]: j += 1 if j != i: if not res.stdabbr: offattr = "stdoffset" res.stdabbr = "".join(l[i:j]) else: offattr = "dstoffset" res.dstabbr = "".join(l[i:j]) for ii in range(j): used_idxs.append(ii) i = j if (i < len_l and (l[i] in ('+', '-') or l[i][0] in "0123456789")): if l[i] in ('+', '-'): # Yes, that's right. See the TZ variable # documentation. signal = (1, -1)[l[i] == '+'] used_idxs.append(i) i += 1 else: signal = -1 len_li = len(l[i]) if len_li == 4: # -0300 setattr(res, offattr, (int(l[i][:2]) * 3600 + int(l[i][2:]) * 60) * signal) elif i + 1 < len_l and l[i + 1] == ':': # -03:00 setattr(res, offattr, (int(l[i]) * 3600 + int(l[i + 2]) * 60) * signal) used_idxs.append(i) i += 2 elif len_li <= 2: # -[0]3 setattr(res, offattr, int(l[i][:2]) * 3600 * signal) else: return None used_idxs.append(i) i += 1 if res.dstabbr: break else: break if i < len_l: for j in range(i, len_l): if l[j] == ';': l[j] = ',' assert l[i] == ',' i += 1 if i >= len_l: pass elif (8 <= l.count(',') <= 9 and not [y for x in l[i:] if x != ',' for y in x if y not in "0123456789+-"]): # GMT0BST,3,0,30,3600,10,0,26,7200[,3600] for x in (res.start, res.end): x.month = int(l[i]) used_idxs.append(i) i += 2 if l[i] == '-': value = int(l[i + 1]) * -1 used_idxs.append(i) i += 1 else: value = int(l[i]) used_idxs.append(i) i += 2 if value: x.week = value x.weekday = (int(l[i]) - 1) % 7 else: x.day = int(l[i]) used_idxs.append(i) i += 2 x.time = int(l[i]) used_idxs.append(i) i += 2 if i < len_l: if l[i] in ('-', '+'): signal = (-1, 1)[l[i] == "+"] used_idxs.append(i) i += 1 else: signal = 1 used_idxs.append(i) res.dstoffset = (res.stdoffset + int(l[i]) * signal) # This was a made-up format that is not in normal use warn(('Parsed time zone "%s"' % tzstr) + 'is in a non-standard dateutil-specific format, which ' + 'is now deprecated; support for parsing this format ' + 'will be removed in future versions. It is recommended ' + 'that you switch to a standard format like the GNU ' + 'TZ variable format.', tz.DeprecatedTzFormatWarning) elif (l.count(',') == 2 and l[i:].count('/') <= 2 and not [y for x in l[i:] if x not in (',', '/', 'J', 'M', '.', '-', ':') for y in x if y not in "0123456789"]): for x in (res.start, res.end): if l[i] == 'J': # non-leap year day (1 based) used_idxs.append(i) i += 1 x.jyday = int(l[i]) elif l[i] == 'M': # month[-.]week[-.]weekday used_idxs.append(i) i += 1 x.month = int(l[i]) used_idxs.append(i) i += 1 assert l[i] in ('-', '.') used_idxs.append(i) i += 1 x.week = int(l[i]) if x.week == 5: x.week = -1 used_idxs.append(i) i += 1 assert l[i] in ('-', '.') used_idxs.append(i) i += 1 x.weekday = (int(l[i]) - 1) % 7 else: # year day (zero based) x.yday = int(l[i]) + 1 used_idxs.append(i) i += 1 if i < len_l and l[i] == '/': used_idxs.append(i) i += 1 # start time len_li = len(l[i]) if len_li == 4: # -0300 x.time = (int(l[i][:2]) * 3600 + int(l[i][2:]) * 60) elif i + 1 < len_l and l[i + 1] == ':': # -03:00 x.time = int(l[i]) * 3600 + int(l[i + 2]) * 60 used_idxs.append(i) i += 2 if i + 1 < len_l and l[i + 1] == ':': used_idxs.append(i) i += 2 x.time += int(l[i]) elif len_li <= 2: # -[0]3 x.time = (int(l[i][:2]) * 3600) else: return None used_idxs.append(i) i += 1 assert i == len_l or l[i] == ',' i += 1 assert i >= len_l except (IndexError, ValueError, AssertionError): return None unused_idxs = set(range(len_l)).difference(used_idxs) res.any_unused_tokens = not {l[n] for n in unused_idxs}.issubset({",",":"}) return res DEFAULTTZPARSER = _tzparser() def _parsetz(tzstr): return DEFAULTTZPARSER.parse(tzstr) class ParserError(ValueError): """Exception subclass used for any failure to parse a datetime string. This is a subclass of :py:exc:`ValueError`, and should be raised any time earlier versions of ``dateutil`` would have raised ``ValueError``. .. versionadded:: 2.8.1 """ def __str__(self): try: return self.args[0] % self.args[1:] except (TypeError, IndexError): return super(ParserError, self).__str__() def __repr__(self): args = ", ".join("'%s'" % arg for arg in self.args) return "%s(%s)" % (self.__class__.__name__, args) class UnknownTimezoneWarning(RuntimeWarning): """Raised when the parser finds a timezone it cannot parse into a tzinfo. .. versionadded:: 2.7.0 """ # vim:ts=4:sw=4:et PKcZZZV�NDZ3�3dateutil/parser/isoparser.py# -*- coding: utf-8 -*- """ This module offers a parser for ISO-8601 strings It is intended to support all valid date, time and datetime formats per the ISO-8601 specification. ..versionadded:: 2.7.0 """ from datetime import datetime, timedelta, time, date import calendar from dateutil import tz from functools import wraps import re import six __all__ = ["isoparse", "isoparser"] def _takes_ascii(f): @wraps(f) def func(self, str_in, *args, **kwargs): # If it's a stream, read the whole thing str_in = getattr(str_in, 'read', lambda: str_in)() # If it's unicode, turn it into bytes, since ISO-8601 only covers ASCII if isinstance(str_in, six.text_type): # ASCII is the same in UTF-8 try: str_in = str_in.encode('ascii') except UnicodeEncodeError as e: msg = 'ISO-8601 strings should contain only ASCII characters' six.raise_from(ValueError(msg), e) return f(self, str_in, *args, **kwargs) return func class isoparser(object): def __init__(self, sep=None): """ :param sep: A single character that separates date and time portions. If ``None``, the parser will accept any single character. For strict ISO-8601 adherence, pass ``'T'``. """ if sep is not None: if (len(sep) != 1 or ord(sep) >= 128 or sep in '0123456789'): raise ValueError('Separator must be a single, non-numeric ' + 'ASCII character') sep = sep.encode('ascii') self._sep = sep @_takes_ascii def isoparse(self, dt_str): """ Parse an ISO-8601 datetime string into a :class:`datetime.datetime`. An ISO-8601 datetime string consists of a date portion, followed optionally by a time portion - the date and time portions are separated by a single character separator, which is ``T`` in the official standard. Incomplete date formats (such as ``YYYY-MM``) may *not* be combined with a time portion. Supported date formats are: Common: - ``YYYY`` - ``YYYY-MM`` - ``YYYY-MM-DD`` or ``YYYYMMDD`` Uncommon: - ``YYYY-Www`` or ``YYYYWww`` - ISO week (day defaults to 0) - ``YYYY-Www-D`` or ``YYYYWwwD`` - ISO week and day The ISO week and day numbering follows the same logic as :func:`datetime.date.isocalendar`. Supported time formats are: - ``hh`` - ``hh:mm`` or ``hhmm`` - ``hh:mm:ss`` or ``hhmmss`` - ``hh:mm:ss.ssssss`` (Up to 6 sub-second digits) Midnight is a special case for `hh`, as the standard supports both 00:00 and 24:00 as a representation. The decimal separator can be either a dot or a comma. .. caution:: Support for fractional components other than seconds is part of the ISO-8601 standard, but is not currently implemented in this parser. Supported time zone offset formats are: - `Z` (UTC) - `±HH:MM` - `±HHMM` - `±HH` Offsets will be represented as :class:`dateutil.tz.tzoffset` objects, with the exception of UTC, which will be represented as :class:`dateutil.tz.tzutc`. Time zone offsets equivalent to UTC (such as `+00:00`) will also be represented as :class:`dateutil.tz.tzutc`. :param dt_str: A string or stream containing only an ISO-8601 datetime string :return: Returns a :class:`datetime.datetime` representing the string. Unspecified components default to their lowest value. .. warning:: As of version 2.7.0, the strictness of the parser should not be considered a stable part of the contract. Any valid ISO-8601 string that parses correctly with the default settings will continue to parse correctly in future versions, but invalid strings that currently fail (e.g. ``2017-01-01T00:00+00:00:00``) are not guaranteed to continue failing in future versions if they encode a valid date. .. versionadded:: 2.7.0 """ components, pos = self._parse_isodate(dt_str) if len(dt_str) > pos: if self._sep is None or dt_str[pos:pos + 1] == self._sep: components += self._parse_isotime(dt_str[pos + 1:]) else: raise ValueError('String contains unknown ISO components') if len(components) > 3 and components[3] == 24: components[3] = 0 return datetime(*components) + timedelta(days=1) return datetime(*components) @_takes_ascii def parse_isodate(self, datestr): """ Parse the date portion of an ISO string. :param datestr: The string portion of an ISO string, without a separator :return: Returns a :class:`datetime.date` object """ components, pos = self._parse_isodate(datestr) if pos < len(datestr): raise ValueError('String contains unknown ISO ' + 'components: {!r}'.format(datestr.decode('ascii'))) return date(*components) @_takes_ascii def parse_isotime(self, timestr): """ Parse the time portion of an ISO string. :param timestr: The time portion of an ISO string, without a separator :return: Returns a :class:`datetime.time` object """ components = self._parse_isotime(timestr) if components[0] == 24: components[0] = 0 return time(*components) @_takes_ascii def parse_tzstr(self, tzstr, zero_as_utc=True): """ Parse a valid ISO time zone string. See :func:`isoparser.isoparse` for details on supported formats. :param tzstr: A string representing an ISO time zone offset :param zero_as_utc: Whether to return :class:`dateutil.tz.tzutc` for zero-offset zones :return: Returns :class:`dateutil.tz.tzoffset` for offsets and :class:`dateutil.tz.tzutc` for ``Z`` and (if ``zero_as_utc`` is specified) offsets equivalent to UTC. """ return self._parse_tzstr(tzstr, zero_as_utc=zero_as_utc) # Constants _DATE_SEP = b'-' _TIME_SEP = b':' _FRACTION_REGEX = re.compile(b'[\\.,]([0-9]+)') def _parse_isodate(self, dt_str): try: return self._parse_isodate_common(dt_str) except ValueError: return self._parse_isodate_uncommon(dt_str) def _parse_isodate_common(self, dt_str): len_str = len(dt_str) components = [1, 1, 1] if len_str < 4: raise ValueError('ISO string too short') # Year components[0] = int(dt_str[0:4]) pos = 4 if pos >= len_str: return components, pos has_sep = dt_str[pos:pos + 1] == self._DATE_SEP if has_sep: pos += 1 # Month if len_str - pos < 2: raise ValueError('Invalid common month') components[1] = int(dt_str[pos:pos + 2]) pos += 2 if pos >= len_str: if has_sep: return components, pos else: raise ValueError('Invalid ISO format') if has_sep: if dt_str[pos:pos + 1] != self._DATE_SEP: raise ValueError('Invalid separator in ISO string') pos += 1 # Day if len_str - pos < 2: raise ValueError('Invalid common day') components[2] = int(dt_str[pos:pos + 2]) return components, pos + 2 def _parse_isodate_uncommon(self, dt_str): if len(dt_str) < 4: raise ValueError('ISO string too short') # All ISO formats start with the year year = int(dt_str[0:4]) has_sep = dt_str[4:5] == self._DATE_SEP pos = 4 + has_sep # Skip '-' if it's there if dt_str[pos:pos + 1] == b'W': # YYYY-?Www-?D? pos += 1 weekno = int(dt_str[pos:pos + 2]) pos += 2 dayno = 1 if len(dt_str) > pos: if (dt_str[pos:pos + 1] == self._DATE_SEP) != has_sep: raise ValueError('Inconsistent use of dash separator') pos += has_sep dayno = int(dt_str[pos:pos + 1]) pos += 1 base_date = self._calculate_weekdate(year, weekno, dayno) else: # YYYYDDD or YYYY-DDD if len(dt_str) - pos < 3: raise ValueError('Invalid ordinal day') ordinal_day = int(dt_str[pos:pos + 3]) pos += 3 if ordinal_day < 1 or ordinal_day > (365 + calendar.isleap(year)): raise ValueError('Invalid ordinal day' + ' {} for year {}'.format(ordinal_day, year)) base_date = date(year, 1, 1) + timedelta(days=ordinal_day - 1) components = [base_date.year, base_date.month, base_date.day] return components, pos def _calculate_weekdate(self, year, week, day): """ Calculate the day of corresponding to the ISO year-week-day calendar. This function is effectively the inverse of :func:`datetime.date.isocalendar`. :param year: The year in the ISO calendar :param week: The week in the ISO calendar - range is [1, 53] :param day: The day in the ISO calendar - range is [1 (MON), 7 (SUN)] :return: Returns a :class:`datetime.date` """ if not 0 < week < 54: raise ValueError('Invalid week: {}'.format(week)) if not 0 < day < 8: # Range is 1-7 raise ValueError('Invalid weekday: {}'.format(day)) # Get week 1 for the specific year: jan_4 = date(year, 1, 4) # Week 1 always has January 4th in it week_1 = jan_4 - timedelta(days=jan_4.isocalendar()[2] - 1) # Now add the specific number of weeks and days to get what we want week_offset = (week - 1) * 7 + (day - 1) return week_1 + timedelta(days=week_offset) def _parse_isotime(self, timestr): len_str = len(timestr) components = [0, 0, 0, 0, None] pos = 0 comp = -1 if len_str < 2: raise ValueError('ISO time too short') has_sep = False while pos < len_str and comp < 5: comp += 1 if timestr[pos:pos + 1] in b'-+Zz': # Detect time zone boundary components[-1] = self._parse_tzstr(timestr[pos:]) pos = len_str break if comp == 1 and timestr[pos:pos+1] == self._TIME_SEP: has_sep = True pos += 1 elif comp == 2 and has_sep: if timestr[pos:pos+1] != self._TIME_SEP: raise ValueError('Inconsistent use of colon separator') pos += 1 if comp < 3: # Hour, minute, second components[comp] = int(timestr[pos:pos + 2]) pos += 2 if comp == 3: # Fraction of a second frac = self._FRACTION_REGEX.match(timestr[pos:]) if not frac: continue us_str = frac.group(1)[:6] # Truncate to microseconds components[comp] = int(us_str) * 10**(6 - len(us_str)) pos += len(frac.group()) if pos < len_str: raise ValueError('Unused components in ISO string') if components[0] == 24: # Standard supports 00:00 and 24:00 as representations of midnight if any(component != 0 for component in components[1:4]): raise ValueError('Hour may only be 24 at 24:00:00.000') return components def _parse_tzstr(self, tzstr, zero_as_utc=True): if tzstr == b'Z' or tzstr == b'z': return tz.UTC if len(tzstr) not in {3, 5, 6}: raise ValueError('Time zone offset must be 1, 3, 5 or 6 characters') if tzstr[0:1] == b'-': mult = -1 elif tzstr[0:1] == b'+': mult = 1 else: raise ValueError('Time zone offset requires sign') hours = int(tzstr[1:3]) if len(tzstr) == 3: minutes = 0 else: minutes = int(tzstr[(4 if tzstr[3:4] == self._TIME_SEP else 3):]) if zero_as_utc and hours == 0 and minutes == 0: return tz.UTC else: if minutes > 59: raise ValueError('Invalid minutes in time zone offset') if hours > 23: raise ValueError('Invalid hours in time zone offset') return tz.tzoffset(None, mult * (hours * 60 + minutes) * 60) DEFAULT_ISOPARSER = isoparser() isoparse = DEFAULT_ISOPARSER.isoparse PKcZZZ������dateutil/tz/__init__.py# -*- coding: utf-8 -*- from .tz import * from .tz import __doc__ __all__ = ["tzutc", "tzoffset", "tzlocal", "tzfile", "tzrange", "tzstr", "tzical", "tzwin", "tzwinlocal", "gettz", "enfold", "datetime_ambiguous", "datetime_exists", "resolve_imaginary", "UTC", "DeprecatedTzFormatWarning"] class DeprecatedTzFormatWarning(Warning): """Warning raised when time zones are parsed from deprecated formats.""" PKcZZZ�4[��2�2dateutil/tz/_common.pyfrom six import PY2 from functools import wraps from datetime import datetime, timedelta, tzinfo ZERO = timedelta(0) __all__ = ['tzname_in_python2', 'enfold'] def tzname_in_python2(namefunc): """Change unicode output into bytestrings in Python 2 tzname() API changed in Python 3. It used to return bytes, but was changed to unicode strings """ if PY2: @wraps(namefunc) def adjust_encoding(*args, **kwargs): name = namefunc(*args, **kwargs) if name is not None: name = name.encode() return name return adjust_encoding else: return namefunc # The following is adapted from Alexander Belopolsky's tz library # https://github.com/abalkin/tz if hasattr(datetime, 'fold'): # This is the pre-python 3.6 fold situation def enfold(dt, fold=1): """ Provides a unified interface for assigning the ``fold`` attribute to datetimes both before and after the implementation of PEP-495. :param fold: The value for the ``fold`` attribute in the returned datetime. This should be either 0 or 1. :return: Returns an object for which ``getattr(dt, 'fold', 0)`` returns ``fold`` for all versions of Python. In versions prior to Python 3.6, this is a ``_DatetimeWithFold`` object, which is a subclass of :py:class:`datetime.datetime` with the ``fold`` attribute added, if ``fold`` is 1. .. versionadded:: 2.6.0 """ return dt.replace(fold=fold) else: class _DatetimeWithFold(datetime): """ This is a class designed to provide a PEP 495-compliant interface for Python versions before 3.6. It is used only for dates in a fold, so the ``fold`` attribute is fixed at ``1``. .. versionadded:: 2.6.0 """ __slots__ = () def replace(self, *args, **kwargs): """ Return a datetime with the same attributes, except for those attributes given new values by whichever keyword arguments are specified. Note that tzinfo=None can be specified to create a naive datetime from an aware datetime with no conversion of date and time data. This is reimplemented in ``_DatetimeWithFold`` because pypy3 will return a ``datetime.datetime`` even if ``fold`` is unchanged. """ argnames = ( 'year', 'month', 'day', 'hour', 'minute', 'second', 'microsecond', 'tzinfo' ) for arg, argname in zip(args, argnames): if argname in kwargs: raise TypeError('Duplicate argument: {}'.format(argname)) kwargs[argname] = arg for argname in argnames: if argname not in kwargs: kwargs[argname] = getattr(self, argname) dt_class = self.__class__ if kwargs.get('fold', 1) else datetime return dt_class(**kwargs) @property def fold(self): return 1 def enfold(dt, fold=1): """ Provides a unified interface for assigning the ``fold`` attribute to datetimes both before and after the implementation of PEP-495. :param fold: The value for the ``fold`` attribute in the returned datetime. This should be either 0 or 1. :return: Returns an object for which ``getattr(dt, 'fold', 0)`` returns ``fold`` for all versions of Python. In versions prior to Python 3.6, this is a ``_DatetimeWithFold`` object, which is a subclass of :py:class:`datetime.datetime` with the ``fold`` attribute added, if ``fold`` is 1. .. versionadded:: 2.6.0 """ if getattr(dt, 'fold', 0) == fold: return dt args = dt.timetuple()[:6] args += (dt.microsecond, dt.tzinfo) if fold: return _DatetimeWithFold(*args) else: return datetime(*args) def _validate_fromutc_inputs(f): """ The CPython version of ``fromutc`` checks that the input is a ``datetime`` object and that ``self`` is attached as its ``tzinfo``. """ @wraps(f) def fromutc(self, dt): if not isinstance(dt, datetime): raise TypeError("fromutc() requires a datetime argument") if dt.tzinfo is not self: raise ValueError("dt.tzinfo is not self") return f(self, dt) return fromutc class _tzinfo(tzinfo): """ Base class for all ``dateutil`` ``tzinfo`` objects. """ def is_ambiguous(self, dt): """ Whether or not the "wall time" of a given datetime is ambiguous in this zone. :param dt: A :py:class:`datetime.datetime`, naive or time zone aware. :return: Returns ``True`` if ambiguous, ``False`` otherwise. .. versionadded:: 2.6.0 """ dt = dt.replace(tzinfo=self) wall_0 = enfold(dt, fold=0) wall_1 = enfold(dt, fold=1) same_offset = wall_0.utcoffset() == wall_1.utcoffset() same_dt = wall_0.replace(tzinfo=None) == wall_1.replace(tzinfo=None) return same_dt and not same_offset def _fold_status(self, dt_utc, dt_wall): """ Determine the fold status of a "wall" datetime, given a representation of the same datetime as a (naive) UTC datetime. This is calculated based on the assumption that ``dt.utcoffset() - dt.dst()`` is constant for all datetimes, and that this offset is the actual number of hours separating ``dt_utc`` and ``dt_wall``. :param dt_utc: Representation of the datetime as UTC :param dt_wall: Representation of the datetime as "wall time". This parameter must either have a `fold` attribute or have a fold-naive :class:`datetime.tzinfo` attached, otherwise the calculation may fail. """ if self.is_ambiguous(dt_wall): delta_wall = dt_wall - dt_utc _fold = int(delta_wall == (dt_utc.utcoffset() - dt_utc.dst())) else: _fold = 0 return _fold def _fold(self, dt): return getattr(dt, 'fold', 0) def _fromutc(self, dt): """ Given a timezone-aware datetime in a given timezone, calculates a timezone-aware datetime in a new timezone. Since this is the one time that we *know* we have an unambiguous datetime object, we take this opportunity to determine whether the datetime is ambiguous and in a "fold" state (e.g. if it's the first occurrence, chronologically, of the ambiguous datetime). :param dt: A timezone-aware :class:`datetime.datetime` object. """ # Re-implement the algorithm from Python's datetime.py dtoff = dt.utcoffset() if dtoff is None: raise ValueError("fromutc() requires a non-None utcoffset() " "result") # The original datetime.py code assumes that `dst()` defaults to # zero during ambiguous times. PEP 495 inverts this presumption, so # for pre-PEP 495 versions of python, we need to tweak the algorithm. dtdst = dt.dst() if dtdst is None: raise ValueError("fromutc() requires a non-None dst() result") delta = dtoff - dtdst dt += delta # Set fold=1 so we can default to being in the fold for # ambiguous dates. dtdst = enfold(dt, fold=1).dst() if dtdst is None: raise ValueError("fromutc(): dt.dst gave inconsistent " "results; cannot convert") return dt + dtdst @_validate_fromutc_inputs def fromutc(self, dt): """ Given a timezone-aware datetime in a given timezone, calculates a timezone-aware datetime in a new timezone. Since this is the one time that we *know* we have an unambiguous datetime object, we take this opportunity to determine whether the datetime is ambiguous and in a "fold" state (e.g. if it's the first occurrence, chronologically, of the ambiguous datetime). :param dt: A timezone-aware :class:`datetime.datetime` object. """ dt_wall = self._fromutc(dt) # Calculate the fold status given the two datetimes. _fold = self._fold_status(dt, dt_wall) # Set the default fold value for ambiguous dates return enfold(dt_wall, fold=_fold) class tzrangebase(_tzinfo): """ This is an abstract base class for time zones represented by an annual transition into and out of DST. Child classes should implement the following methods: * ``__init__(self, *args, **kwargs)`` * ``transitions(self, year)`` - this is expected to return a tuple of datetimes representing the DST on and off transitions in standard time. A fully initialized ``tzrangebase`` subclass should also provide the following attributes: * ``hasdst``: Boolean whether or not the zone uses DST. * ``_dst_offset`` / ``_std_offset``: :class:`datetime.timedelta` objects representing the respective UTC offsets. * ``_dst_abbr`` / ``_std_abbr``: Strings representing the timezone short abbreviations in DST and STD, respectively. * ``_hasdst``: Whether or not the zone has DST. .. versionadded:: 2.6.0 """ def __init__(self): raise NotImplementedError('tzrangebase is an abstract base class') def utcoffset(self, dt): isdst = self._isdst(dt) if isdst is None: return None elif isdst: return self._dst_offset else: return self._std_offset def dst(self, dt): isdst = self._isdst(dt) if isdst is None: return None elif isdst: return self._dst_base_offset else: return ZERO @tzname_in_python2 def tzname(self, dt): if self._isdst(dt): return self._dst_abbr else: return self._std_abbr def fromutc(self, dt): """ Given a datetime in UTC, return local time """ if not isinstance(dt, datetime): raise TypeError("fromutc() requires a datetime argument") if dt.tzinfo is not self: raise ValueError("dt.tzinfo is not self") # Get transitions - if there are none, fixed offset transitions = self.transitions(dt.year) if transitions is None: return dt + self.utcoffset(dt) # Get the transition times in UTC dston, dstoff = transitions dston -= self._std_offset dstoff -= self._std_offset utc_transitions = (dston, dstoff) dt_utc = dt.replace(tzinfo=None) isdst = self._naive_isdst(dt_utc, utc_transitions) if isdst: dt_wall = dt + self._dst_offset else: dt_wall = dt + self._std_offset _fold = int(not isdst and self.is_ambiguous(dt_wall)) return enfold(dt_wall, fold=_fold) def is_ambiguous(self, dt): """ Whether or not the "wall time" of a given datetime is ambiguous in this zone. :param dt: A :py:class:`datetime.datetime`, naive or time zone aware. :return: Returns ``True`` if ambiguous, ``False`` otherwise. .. versionadded:: 2.6.0 """ if not self.hasdst: return False start, end = self.transitions(dt.year) dt = dt.replace(tzinfo=None) return (end <= dt < end + self._dst_base_offset) def _isdst(self, dt): if not self.hasdst: return False elif dt is None: return None transitions = self.transitions(dt.year) if transitions is None: return False dt = dt.replace(tzinfo=None) isdst = self._naive_isdst(dt, transitions) # Handle ambiguous dates if not isdst and self.is_ambiguous(dt): return not self._fold(dt) else: return isdst def _naive_isdst(self, dt, transitions): dston, dstoff = transitions dt = dt.replace(tzinfo=None) if dston < dstoff: isdst = dston <= dt < dstoff else: isdst = not dstoff <= dt < dston return isdst @property def _dst_base_offset(self): return self._dst_offset - self._std_offset __hash__ = None def __ne__(self, other): return not (self == other) def __repr__(self): return "%s(...)" % self.__class__.__name__ __reduce__ = object.__reduce__ PKcZZZI�Ow dateutil/tz/_factories.pyfrom datetime import timedelta import weakref from collections import OrderedDict from six.moves import _thread class _TzSingleton(type): def __init__(cls, *args, **kwargs): cls.__instance = None super(_TzSingleton, cls).__init__(*args, **kwargs) def __call__(cls): if cls.__instance is None: cls.__instance = super(_TzSingleton, cls).__call__() return cls.__instance class _TzFactory(type): def instance(cls, *args, **kwargs): """Alternate constructor that returns a fresh instance""" return type.__call__(cls, *args, **kwargs) class _TzOffsetFactory(_TzFactory): def __init__(cls, *args, **kwargs): cls.__instances = weakref.WeakValueDictionary() cls.__strong_cache = OrderedDict() cls.__strong_cache_size = 8 cls._cache_lock = _thread.allocate_lock() def __call__(cls, name, offset): if isinstance(offset, timedelta): key = (name, offset.total_seconds()) else: key = (name, offset) instance = cls.__instances.get(key, None) if instance is None: instance = cls.__instances.setdefault(key, cls.instance(name, offset)) # This lock may not be necessary in Python 3. See GH issue #901 with cls._cache_lock: cls.__strong_cache[key] = cls.__strong_cache.pop(key, instance) # Remove an item if the strong cache is overpopulated if len(cls.__strong_cache) > cls.__strong_cache_size: cls.__strong_cache.popitem(last=False) return instance class _TzStrFactory(_TzFactory): def __init__(cls, *args, **kwargs): cls.__instances = weakref.WeakValueDictionary() cls.__strong_cache = OrderedDict() cls.__strong_cache_size = 8 cls.__cache_lock = _thread.allocate_lock() def __call__(cls, s, posix_offset=False): key = (s, posix_offset) instance = cls.__instances.get(key, None) if instance is None: instance = cls.__instances.setdefault(key, cls.instance(s, posix_offset)) # This lock may not be necessary in Python 3. See GH issue #901 with cls.__cache_lock: cls.__strong_cache[key] = cls.__strong_cache.pop(key, instance) # Remove an item if the strong cache is overpopulated if len(cls.__strong_cache) > cls.__strong_cache_size: cls.__strong_cache.popitem(last=False) return instance PKcZZZ�g�[����dateutil/tz/tz.py# -*- coding: utf-8 -*- """ This module offers timezone implementations subclassing the abstract :py:class:`datetime.tzinfo` type. There are classes to handle tzfile format files (usually are in :file:`/etc/localtime`, :file:`/usr/share/zoneinfo`, etc), TZ environment string (in all known formats), given ranges (with help from relative deltas), local machine timezone, fixed offset timezone, and UTC timezone. """ import datetime import struct import time import sys import os import bisect import weakref from collections import OrderedDict import six from six import string_types from six.moves import _thread from ._common import tzname_in_python2, _tzinfo from ._common import tzrangebase, enfold from ._common import _validate_fromutc_inputs from ._factories import _TzSingleton, _TzOffsetFactory from ._factories import _TzStrFactory try: from .win import tzwin, tzwinlocal except ImportError: tzwin = tzwinlocal = None # For warning about rounding tzinfo from warnings import warn ZERO = datetime.timedelta(0) EPOCH = datetime.datetime(1970, 1, 1, 0, 0) EPOCHORDINAL = EPOCH.toordinal() @six.add_metaclass(_TzSingleton) class tzutc(datetime.tzinfo): """ This is a tzinfo object that represents the UTC time zone. **Examples:** .. doctest:: >>> from datetime import * >>> from dateutil.tz import * >>> datetime.now() datetime.datetime(2003, 9, 27, 9, 40, 1, 521290) >>> datetime.now(tzutc()) datetime.datetime(2003, 9, 27, 12, 40, 12, 156379, tzinfo=tzutc()) >>> datetime.now(tzutc()).tzname() 'UTC' .. versionchanged:: 2.7.0 ``tzutc()`` is now a singleton, so the result of ``tzutc()`` will always return the same object. .. doctest:: >>> from dateutil.tz import tzutc, UTC >>> tzutc() is tzutc() True >>> tzutc() is UTC True """ def utcoffset(self, dt): return ZERO def dst(self, dt): return ZERO @tzname_in_python2 def tzname(self, dt): return "UTC" def is_ambiguous(self, dt): """ Whether or not the "wall time" of a given datetime is ambiguous in this zone. :param dt: A :py:class:`datetime.datetime`, naive or time zone aware. :return: Returns ``True`` if ambiguous, ``False`` otherwise. .. versionadded:: 2.6.0 """ return False @_validate_fromutc_inputs def fromutc(self, dt): """ Fast track version of fromutc() returns the original ``dt`` object for any valid :py:class:`datetime.datetime` object. """ return dt def __eq__(self, other): if not isinstance(other, (tzutc, tzoffset)): return NotImplemented return (isinstance(other, tzutc) or (isinstance(other, tzoffset) and other._offset == ZERO)) __hash__ = None def __ne__(self, other): return not (self == other) def __repr__(self): return "%s()" % self.__class__.__name__ __reduce__ = object.__reduce__ #: Convenience constant providing a :class:`tzutc()` instance #: #: .. versionadded:: 2.7.0 UTC = tzutc() @six.add_metaclass(_TzOffsetFactory) class tzoffset(datetime.tzinfo): """ A simple class for representing a fixed offset from UTC. :param name: The timezone name, to be returned when ``tzname()`` is called. :param offset: The time zone offset in seconds, or (since version 2.6.0, represented as a :py:class:`datetime.timedelta` object). """ def __init__(self, name, offset): self._name = name try: # Allow a timedelta offset = offset.total_seconds() except (TypeError, AttributeError): pass self._offset = datetime.timedelta(seconds=_get_supported_offset(offset)) def utcoffset(self, dt): return self._offset def dst(self, dt): return ZERO @tzname_in_python2 def tzname(self, dt): return self._name @_validate_fromutc_inputs def fromutc(self, dt): return dt + self._offset def is_ambiguous(self, dt): """ Whether or not the "wall time" of a given datetime is ambiguous in this zone. :param dt: A :py:class:`datetime.datetime`, naive or time zone aware. :return: Returns ``True`` if ambiguous, ``False`` otherwise. .. versionadded:: 2.6.0 """ return False def __eq__(self, other): if not isinstance(other, tzoffset): return NotImplemented return self._offset == other._offset __hash__ = None def __ne__(self, other): return not (self == other) def __repr__(self): return "%s(%s, %s)" % (self.__class__.__name__, repr(self._name), int(self._offset.total_seconds())) __reduce__ = object.__reduce__ class tzlocal(_tzinfo): """ A :class:`tzinfo` subclass built around the ``time`` timezone functions. """ def __init__(self): super(tzlocal, self).__init__() self._std_offset = datetime.timedelta(seconds=-time.timezone) if time.daylight: self._dst_offset = datetime.timedelta(seconds=-time.altzone) else: self._dst_offset = self._std_offset self._dst_saved = self._dst_offset - self._std_offset self._hasdst = bool(self._dst_saved) self._tznames = tuple(time.tzname) def utcoffset(self, dt): if dt is None and self._hasdst: return None if self._isdst(dt): return self._dst_offset else: return self._std_offset def dst(self, dt): if dt is None and self._hasdst: return None if self._isdst(dt): return self._dst_offset - self._std_offset else: return ZERO @tzname_in_python2 def tzname(self, dt): return self._tznames[self._isdst(dt)] def is_ambiguous(self, dt): """ Whether or not the "wall time" of a given datetime is ambiguous in this zone. :param dt: A :py:class:`datetime.datetime`, naive or time zone aware. :return: Returns ``True`` if ambiguous, ``False`` otherwise. .. versionadded:: 2.6.0 """ naive_dst = self._naive_is_dst(dt) return (not naive_dst and (naive_dst != self._naive_is_dst(dt - self._dst_saved))) def _naive_is_dst(self, dt): timestamp = _datetime_to_timestamp(dt) return time.localtime(timestamp + time.timezone).tm_isdst def _isdst(self, dt, fold_naive=True): # We can't use mktime here. It is unstable when deciding if # the hour near to a change is DST or not. # # timestamp = time.mktime((dt.year, dt.month, dt.day, dt.hour, # dt.minute, dt.second, dt.weekday(), 0, -1)) # return time.localtime(timestamp).tm_isdst # # The code above yields the following result: # # >>> import tz, datetime # >>> t = tz.tzlocal() # >>> datetime.datetime(2003,2,15,23,tzinfo=t).tzname() # 'BRDT' # >>> datetime.datetime(2003,2,16,0,tzinfo=t).tzname() # 'BRST' # >>> datetime.datetime(2003,2,15,23,tzinfo=t).tzname() # 'BRST' # >>> datetime.datetime(2003,2,15,22,tzinfo=t).tzname() # 'BRDT' # >>> datetime.datetime(2003,2,15,23,tzinfo=t).tzname() # 'BRDT' # # Here is a more stable implementation: # if not self._hasdst: return False # Check for ambiguous times: dstval = self._naive_is_dst(dt) fold = getattr(dt, 'fold', None) if self.is_ambiguous(dt): if fold is not None: return not self._fold(dt) else: return True return dstval def __eq__(self, other): if isinstance(other, tzlocal): return (self._std_offset == other._std_offset and self._dst_offset == other._dst_offset) elif isinstance(other, tzutc): return (not self._hasdst and self._tznames[0] in {'UTC', 'GMT'} and self._std_offset == ZERO) elif isinstance(other, tzoffset): return (not self._hasdst and self._tznames[0] == other._name and self._std_offset == other._offset) else: return NotImplemented __hash__ = None def __ne__(self, other): return not (self == other) def __repr__(self): return "%s()" % self.__class__.__name__ __reduce__ = object.__reduce__ class _ttinfo(object): __slots__ = ["offset", "delta", "isdst", "abbr", "isstd", "isgmt", "dstoffset"] def __init__(self): for attr in self.__slots__: setattr(self, attr, None) def __repr__(self): l = [] for attr in self.__slots__: value = getattr(self, attr) if value is not None: l.append("%s=%s" % (attr, repr(value))) return "%s(%s)" % (self.__class__.__name__, ", ".join(l)) def __eq__(self, other): if not isinstance(other, _ttinfo): return NotImplemented return (self.offset == other.offset and self.delta == other.delta and self.isdst == other.isdst and self.abbr == other.abbr and self.isstd == other.isstd and self.isgmt == other.isgmt and self.dstoffset == other.dstoffset) __hash__ = None def __ne__(self, other): return not (self == other) def __getstate__(self): state = {} for name in self.__slots__: state[name] = getattr(self, name, None) return state def __setstate__(self, state): for name in self.__slots__: if name in state: setattr(self, name, state[name]) class _tzfile(object): """ Lightweight class for holding the relevant transition and time zone information read from binary tzfiles. """ attrs = ['trans_list', 'trans_list_utc', 'trans_idx', 'ttinfo_list', 'ttinfo_std', 'ttinfo_dst', 'ttinfo_before', 'ttinfo_first'] def __init__(self, **kwargs): for attr in self.attrs: setattr(self, attr, kwargs.get(attr, None)) class tzfile(_tzinfo): """ This is a ``tzinfo`` subclass that allows one to use the ``tzfile(5)`` format timezone files to extract current and historical zone information. :param fileobj: This can be an opened file stream or a file name that the time zone information can be read from. :param filename: This is an optional parameter specifying the source of the time zone information in the event that ``fileobj`` is a file object. If omitted and ``fileobj`` is a file stream, this parameter will be set either to ``fileobj``'s ``name`` attribute or to ``repr(fileobj)``. See `Sources for Time Zone and Daylight Saving Time Data <https://data.iana.org/time-zones/tz-link.html>`_ for more information. Time zone files can be compiled from the `IANA Time Zone database files <https://www.iana.org/time-zones>`_ with the `zic time zone compiler <https://www.freebsd.org/cgi/man.cgi?query=zic&sektion=8>`_ .. note:: Only construct a ``tzfile`` directly if you have a specific timezone file on disk that you want to read into a Python ``tzinfo`` object. If you want to get a ``tzfile`` representing a specific IANA zone, (e.g. ``'America/New_York'``), you should call :func:`dateutil.tz.gettz` with the zone identifier. **Examples:** Using the US Eastern time zone as an example, we can see that a ``tzfile`` provides time zone information for the standard Daylight Saving offsets: .. testsetup:: tzfile from dateutil.tz import gettz from datetime import datetime .. doctest:: tzfile >>> NYC = gettz('America/New_York') >>> NYC tzfile('/usr/share/zoneinfo/America/New_York') >>> print(datetime(2016, 1, 3, tzinfo=NYC)) # EST 2016-01-03 00:00:00-05:00 >>> print(datetime(2016, 7, 7, tzinfo=NYC)) # EDT 2016-07-07 00:00:00-04:00 The ``tzfile`` structure contains a fully history of the time zone, so historical dates will also have the right offsets. For example, before the adoption of the UTC standards, New York used local solar mean time: .. doctest:: tzfile >>> print(datetime(1901, 4, 12, tzinfo=NYC)) # LMT 1901-04-12 00:00:00-04:56 And during World War II, New York was on "Eastern War Time", which was a state of permanent daylight saving time: .. doctest:: tzfile >>> print(datetime(1944, 2, 7, tzinfo=NYC)) # EWT 1944-02-07 00:00:00-04:00 """ def __init__(self, fileobj, filename=None): super(tzfile, self).__init__() file_opened_here = False if isinstance(fileobj, string_types): self._filename = fileobj fileobj = open(fileobj, 'rb') file_opened_here = True elif filename is not None: self._filename = filename elif hasattr(fileobj, "name"): self._filename = fileobj.name else: self._filename = repr(fileobj) if fileobj is not None: if not file_opened_here: fileobj = _nullcontext(fileobj) with fileobj as file_stream: tzobj = self._read_tzfile(file_stream) self._set_tzdata(tzobj) def _set_tzdata(self, tzobj): """ Set the time zone data of this object from a _tzfile object """ # Copy the relevant attributes over as private attributes for attr in _tzfile.attrs: setattr(self, '_' + attr, getattr(tzobj, attr)) def _read_tzfile(self, fileobj): out = _tzfile() # From tzfile(5): # # The time zone information files used by tzset(3) # begin with the magic characters "TZif" to identify # them as time zone information files, followed by # sixteen bytes reserved for future use, followed by # six four-byte values of type long, written in a # ``standard'' byte order (the high-order byte # of the value is written first). if fileobj.read(4).decode() != "TZif": raise ValueError("magic not found") fileobj.read(16) ( # The number of UTC/local indicators stored in the file. ttisgmtcnt, # The number of standard/wall indicators stored in the file. ttisstdcnt, # The number of leap seconds for which data is # stored in the file. leapcnt, # The number of "transition times" for which data # is stored in the file. timecnt, # The number of "local time types" for which data # is stored in the file (must not be zero). typecnt, # The number of characters of "time zone # abbreviation strings" stored in the file. charcnt, ) = struct.unpack(">6l", fileobj.read(24)) # The above header is followed by tzh_timecnt four-byte # values of type long, sorted in ascending order. # These values are written in ``standard'' byte order. # Each is used as a transition time (as returned by # time(2)) at which the rules for computing local time # change. if timecnt: out.trans_list_utc = list(struct.unpack(">%dl" % timecnt, fileobj.read(timecnt*4))) else: out.trans_list_utc = [] # Next come tzh_timecnt one-byte values of type unsigned # char; each one tells which of the different types of # ``local time'' types described in the file is associated # with the same-indexed transition time. These values # serve as indices into an array of ttinfo structures that # appears next in the file. if timecnt: out.trans_idx = struct.unpack(">%dB" % timecnt, fileobj.read(timecnt)) else: out.trans_idx = [] # Each ttinfo structure is written as a four-byte value # for tt_gmtoff of type long, in a standard byte # order, followed by a one-byte value for tt_isdst # and a one-byte value for tt_abbrind. In each # structure, tt_gmtoff gives the number of # seconds to be added to UTC, tt_isdst tells whether # tm_isdst should be set by localtime(3), and # tt_abbrind serves as an index into the array of # time zone abbreviation characters that follow the # ttinfo structure(s) in the file. ttinfo = [] for i in range(typecnt): ttinfo.append(struct.unpack(">lbb", fileobj.read(6))) abbr = fileobj.read(charcnt).decode() # Then there are tzh_leapcnt pairs of four-byte # values, written in standard byte order; the # first value of each pair gives the time (as # returned by time(2)) at which a leap second # occurs; the second gives the total number of # leap seconds to be applied after the given time. # The pairs of values are sorted in ascending order # by time. # Not used, for now (but seek for correct file position) if leapcnt: fileobj.seek(leapcnt * 8, os.SEEK_CUR) # Then there are tzh_ttisstdcnt standard/wall # indicators, each stored as a one-byte value; # they tell whether the transition times associated # with local time types were specified as standard # time or wall clock time, and are used when # a time zone file is used in handling POSIX-style # time zone environment variables. if ttisstdcnt: isstd = struct.unpack(">%db" % ttisstdcnt, fileobj.read(ttisstdcnt)) # Finally, there are tzh_ttisgmtcnt UTC/local # indicators, each stored as a one-byte value; # they tell whether the transition times associated # with local time types were specified as UTC or # local time, and are used when a time zone file # is used in handling POSIX-style time zone envi- # ronment variables. if ttisgmtcnt: isgmt = struct.unpack(">%db" % ttisgmtcnt, fileobj.read(ttisgmtcnt)) # Build ttinfo list out.ttinfo_list = [] for i in range(typecnt): gmtoff, isdst, abbrind = ttinfo[i] gmtoff = _get_supported_offset(gmtoff) tti = _ttinfo() tti.offset = gmtoff tti.dstoffset = datetime.timedelta(0) tti.delta = datetime.timedelta(seconds=gmtoff) tti.isdst = isdst tti.abbr = abbr[abbrind:abbr.find('\x00', abbrind)] tti.isstd = (ttisstdcnt > i and isstd[i] != 0) tti.isgmt = (ttisgmtcnt > i and isgmt[i] != 0) out.ttinfo_list.append(tti) # Replace ttinfo indexes for ttinfo objects. out.trans_idx = [out.ttinfo_list[idx] for idx in out.trans_idx] # Set standard, dst, and before ttinfos. before will be # used when a given time is before any transitions, # and will be set to the first non-dst ttinfo, or to # the first dst, if all of them are dst. out.ttinfo_std = None out.ttinfo_dst = None out.ttinfo_before = None if out.ttinfo_list: if not out.trans_list_utc: out.ttinfo_std = out.ttinfo_first = out.ttinfo_list[0] else: for i in range(timecnt-1, -1, -1): tti = out.trans_idx[i] if not out.ttinfo_std and not tti.isdst: out.ttinfo_std = tti elif not out.ttinfo_dst and tti.isdst: out.ttinfo_dst = tti if out.ttinfo_std and out.ttinfo_dst: break else: if out.ttinfo_dst and not out.ttinfo_std: out.ttinfo_std = out.ttinfo_dst for tti in out.ttinfo_list: if not tti.isdst: out.ttinfo_before = tti break else: out.ttinfo_before = out.ttinfo_list[0] # Now fix transition times to become relative to wall time. # # I'm not sure about this. In my tests, the tz source file # is setup to wall time, and in the binary file isstd and # isgmt are off, so it should be in wall time. OTOH, it's # always in gmt time. Let me know if you have comments # about this. lastdst = None lastoffset = None lastdstoffset = None lastbaseoffset = None out.trans_list = [] for i, tti in enumerate(out.trans_idx): offset = tti.offset dstoffset = 0 if lastdst is not None: if tti.isdst: if not lastdst: dstoffset = offset - lastoffset if not dstoffset and lastdstoffset: dstoffset = lastdstoffset tti.dstoffset = datetime.timedelta(seconds=dstoffset) lastdstoffset = dstoffset # If a time zone changes its base offset during a DST transition, # then you need to adjust by the previous base offset to get the # transition time in local time. Otherwise you use the current # base offset. Ideally, I would have some mathematical proof of # why this is true, but I haven't really thought about it enough. baseoffset = offset - dstoffset adjustment = baseoffset if (lastbaseoffset is not None and baseoffset != lastbaseoffset and tti.isdst != lastdst): # The base DST has changed adjustment = lastbaseoffset lastdst = tti.isdst lastoffset = offset lastbaseoffset = baseoffset out.trans_list.append(out.trans_list_utc[i] + adjustment) out.trans_idx = tuple(out.trans_idx) out.trans_list = tuple(out.trans_list) out.trans_list_utc = tuple(out.trans_list_utc) return out def _find_last_transition(self, dt, in_utc=False): # If there's no list, there are no transitions to find if not self._trans_list: return None timestamp = _datetime_to_timestamp(dt) # Find where the timestamp fits in the transition list - if the # timestamp is a transition time, it's part of the "after" period. trans_list = self._trans_list_utc if in_utc else self._trans_list idx = bisect.bisect_right(trans_list, timestamp) # We want to know when the previous transition was, so subtract off 1 return idx - 1 def _get_ttinfo(self, idx): # For no list or after the last transition, default to _ttinfo_std if idx is None or (idx + 1) >= len(self._trans_list): return self._ttinfo_std # If there is a list and the time is before it, return _ttinfo_before if idx < 0: return self._ttinfo_before return self._trans_idx[idx] def _find_ttinfo(self, dt): idx = self._resolve_ambiguous_time(dt) return self._get_ttinfo(idx) def fromutc(self, dt): """ The ``tzfile`` implementation of :py:func:`datetime.tzinfo.fromutc`. :param dt: A :py:class:`datetime.datetime` object. :raises TypeError: Raised if ``dt`` is not a :py:class:`datetime.datetime` object. :raises ValueError: Raised if this is called with a ``dt`` which does not have this ``tzinfo`` attached. :return: Returns a :py:class:`datetime.datetime` object representing the wall time in ``self``'s time zone. """ # These isinstance checks are in datetime.tzinfo, so we'll preserve # them, even if we don't care about duck typing. if not isinstance(dt, datetime.datetime): raise TypeError("fromutc() requires a datetime argument") if dt.tzinfo is not self: raise ValueError("dt.tzinfo is not self") # First treat UTC as wall time and get the transition we're in. idx = self._find_last_transition(dt, in_utc=True) tti = self._get_ttinfo(idx) dt_out = dt + datetime.timedelta(seconds=tti.offset) fold = self.is_ambiguous(dt_out, idx=idx) return enfold(dt_out, fold=int(fold)) def is_ambiguous(self, dt, idx=None): """ Whether or not the "wall time" of a given datetime is ambiguous in this zone. :param dt: A :py:class:`datetime.datetime`, naive or time zone aware. :return: Returns ``True`` if ambiguous, ``False`` otherwise. .. versionadded:: 2.6.0 """ if idx is None: idx = self._find_last_transition(dt) # Calculate the difference in offsets from current to previous timestamp = _datetime_to_timestamp(dt) tti = self._get_ttinfo(idx) if idx is None or idx <= 0: return False od = self._get_ttinfo(idx - 1).offset - tti.offset tt = self._trans_list[idx] # Transition time return timestamp < tt + od def _resolve_ambiguous_time(self, dt): idx = self._find_last_transition(dt) # If we have no transitions, return the index _fold = self._fold(dt) if idx is None or idx == 0: return idx # If it's ambiguous and we're in a fold, shift to a different index. idx_offset = int(not _fold and self.is_ambiguous(dt, idx)) return idx - idx_offset def utcoffset(self, dt): if dt is None: return None if not self._ttinfo_std: return ZERO return self._find_ttinfo(dt).delta def dst(self, dt): if dt is None: return None if not self._ttinfo_dst: return ZERO tti = self._find_ttinfo(dt) if not tti.isdst: return ZERO # The documentation says that utcoffset()-dst() must # be constant for every dt. return tti.dstoffset @tzname_in_python2 def tzname(self, dt): if not self._ttinfo_std or dt is None: return None return self._find_ttinfo(dt).abbr def __eq__(self, other): if not isinstance(other, tzfile): return NotImplemented return (self._trans_list == other._trans_list and self._trans_idx == other._trans_idx and self._ttinfo_list == other._ttinfo_list) __hash__ = None def __ne__(self, other): return not (self == other) def __repr__(self): return "%s(%s)" % (self.__class__.__name__, repr(self._filename)) def __reduce__(self): return self.__reduce_ex__(None) def __reduce_ex__(self, protocol): return (self.__class__, (None, self._filename), self.__dict__) class tzrange(tzrangebase): """ The ``tzrange`` object is a time zone specified by a set of offsets and abbreviations, equivalent to the way the ``TZ`` variable can be specified in POSIX-like systems, but using Python delta objects to specify DST start, end and offsets. :param stdabbr: The abbreviation for standard time (e.g. ``'EST'``). :param stdoffset: An integer or :class:`datetime.timedelta` object or equivalent specifying the base offset from UTC. If unspecified, +00:00 is used. :param dstabbr: The abbreviation for DST / "Summer" time (e.g. ``'EDT'``). If specified, with no other DST information, DST is assumed to occur and the default behavior or ``dstoffset``, ``start`` and ``end`` is used. If unspecified and no other DST information is specified, it is assumed that this zone has no DST. If this is unspecified and other DST information is *is* specified, DST occurs in the zone but the time zone abbreviation is left unchanged. :param dstoffset: A an integer or :class:`datetime.timedelta` object or equivalent specifying the UTC offset during DST. If unspecified and any other DST information is specified, it is assumed to be the STD offset +1 hour. :param start: A :class:`relativedelta.relativedelta` object or equivalent specifying the time and time of year that daylight savings time starts. To specify, for example, that DST starts at 2AM on the 2nd Sunday in March, pass: ``relativedelta(hours=2, month=3, day=1, weekday=SU(+2))`` If unspecified and any other DST information is specified, the default value is 2 AM on the first Sunday in April. :param end: A :class:`relativedelta.relativedelta` object or equivalent representing the time and time of year that daylight savings time ends, with the same specification method as in ``start``. One note is that this should point to the first time in the *standard* zone, so if a transition occurs at 2AM in the DST zone and the clocks are set back 1 hour to 1AM, set the ``hours`` parameter to +1. **Examples:** .. testsetup:: tzrange from dateutil.tz import tzrange, tzstr .. doctest:: tzrange >>> tzstr('EST5EDT') == tzrange("EST", -18000, "EDT") True >>> from dateutil.relativedelta import * >>> range1 = tzrange("EST", -18000, "EDT") >>> range2 = tzrange("EST", -18000, "EDT", -14400, ... relativedelta(hours=+2, month=4, day=1, ... weekday=SU(+1)), ... relativedelta(hours=+1, month=10, day=31, ... weekday=SU(-1))) >>> tzstr('EST5EDT') == range1 == range2 True """ def __init__(self, stdabbr, stdoffset=None, dstabbr=None, dstoffset=None, start=None, end=None): global relativedelta from dateutil import relativedelta self._std_abbr = stdabbr self._dst_abbr = dstabbr try: stdoffset = stdoffset.total_seconds() except (TypeError, AttributeError): pass try: dstoffset = dstoffset.total_seconds() except (TypeError, AttributeError): pass if stdoffset is not None: self._std_offset = datetime.timedelta(seconds=stdoffset) else: self._std_offset = ZERO if dstoffset is not None: self._dst_offset = datetime.timedelta(seconds=dstoffset) elif dstabbr and stdoffset is not None: self._dst_offset = self._std_offset + datetime.timedelta(hours=+1) else: self._dst_offset = ZERO if dstabbr and start is None: self._start_delta = relativedelta.relativedelta( hours=+2, month=4, day=1, weekday=relativedelta.SU(+1)) else: self._start_delta = start if dstabbr and end is None: self._end_delta = relativedelta.relativedelta( hours=+1, month=10, day=31, weekday=relativedelta.SU(-1)) else: self._end_delta = end self._dst_base_offset_ = self._dst_offset - self._std_offset self.hasdst = bool(self._start_delta) def transitions(self, year): """ For a given year, get the DST on and off transition times, expressed always on the standard time side. For zones with no transitions, this function returns ``None``. :param year: The year whose transitions you would like to query. :return: Returns a :class:`tuple` of :class:`datetime.datetime` objects, ``(dston, dstoff)`` for zones with an annual DST transition, or ``None`` for fixed offset zones. """ if not self.hasdst: return None base_year = datetime.datetime(year, 1, 1) start = base_year + self._start_delta end = base_year + self._end_delta return (start, end) def __eq__(self, other): if not isinstance(other, tzrange): return NotImplemented return (self._std_abbr == other._std_abbr and self._dst_abbr == other._dst_abbr and self._std_offset == other._std_offset and self._dst_offset == other._dst_offset and self._start_delta == other._start_delta and self._end_delta == other._end_delta) @property def _dst_base_offset(self): return self._dst_base_offset_ @six.add_metaclass(_TzStrFactory) class tzstr(tzrange): """ ``tzstr`` objects are time zone objects specified by a time-zone string as it would be passed to a ``TZ`` variable on POSIX-style systems (see the `GNU C Library: TZ Variable`_ for more details). There is one notable exception, which is that POSIX-style time zones use an inverted offset format, so normally ``GMT+3`` would be parsed as an offset 3 hours *behind* GMT. The ``tzstr`` time zone object will parse this as an offset 3 hours *ahead* of GMT. If you would like to maintain the POSIX behavior, pass a ``True`` value to ``posix_offset``. The :class:`tzrange` object provides the same functionality, but is specified using :class:`relativedelta.relativedelta` objects. rather than strings. :param s: A time zone string in ``TZ`` variable format. This can be a :class:`bytes` (2.x: :class:`str`), :class:`str` (2.x: :class:`unicode`) or a stream emitting unicode characters (e.g. :class:`StringIO`). :param posix_offset: Optional. If set to ``True``, interpret strings such as ``GMT+3`` or ``UTC+3`` as being 3 hours *behind* UTC rather than ahead, per the POSIX standard. .. caution:: Prior to version 2.7.0, this function also supported time zones in the format: * ``EST5EDT,4,0,6,7200,10,0,26,7200,3600`` * ``EST5EDT,4,1,0,7200,10,-1,0,7200,3600`` This format is non-standard and has been deprecated; this function will raise a :class:`DeprecatedTZFormatWarning` until support is removed in a future version. .. _`GNU C Library: TZ Variable`: https://www.gnu.org/software/libc/manual/html_node/TZ-Variable.html """ def __init__(self, s, posix_offset=False): global parser from dateutil.parser import _parser as parser self._s = s res = parser._parsetz(s) if res is None or res.any_unused_tokens: raise ValueError("unknown string format") # Here we break the compatibility with the TZ variable handling. # GMT-3 actually *means* the timezone -3. if res.stdabbr in ("GMT", "UTC") and not posix_offset: res.stdoffset *= -1 # We must initialize it first, since _delta() needs # _std_offset and _dst_offset set. Use False in start/end # to avoid building it two times. tzrange.__init__(self, res.stdabbr, res.stdoffset, res.dstabbr, res.dstoffset, start=False, end=False) if not res.dstabbr: self._start_delta = None self._end_delta = None else: self._start_delta = self._delta(res.start) if self._start_delta: self._end_delta = self._delta(res.end, isend=1) self.hasdst = bool(self._start_delta) def _delta(self, x, isend=0): from dateutil import relativedelta kwargs = {} if x.month is not None: kwargs["month"] = x.month if x.weekday is not None: kwargs["weekday"] = relativedelta.weekday(x.weekday, x.week) if x.week > 0: kwargs["day"] = 1 else: kwargs["day"] = 31 elif x.day: kwargs["day"] = x.day elif x.yday is not None: kwargs["yearday"] = x.yday elif x.jyday is not None: kwargs["nlyearday"] = x.jyday if not kwargs: # Default is to start on first sunday of april, and end # on last sunday of october. if not isend: kwargs["month"] = 4 kwargs["day"] = 1 kwargs["weekday"] = relativedelta.SU(+1) else: kwargs["month"] = 10 kwargs["day"] = 31 kwargs["weekday"] = relativedelta.SU(-1) if x.time is not None: kwargs["seconds"] = x.time else: # Default is 2AM. kwargs["seconds"] = 7200 if isend: # Convert to standard time, to follow the documented way # of working with the extra hour. See the documentation # of the tzinfo class. delta = self._dst_offset - self._std_offset kwargs["seconds"] -= delta.seconds + delta.days * 86400 return relativedelta.relativedelta(**kwargs) def __repr__(self): return "%s(%s)" % (self.__class__.__name__, repr(self._s)) class _tzicalvtzcomp(object): def __init__(self, tzoffsetfrom, tzoffsetto, isdst, tzname=None, rrule=None): self.tzoffsetfrom = datetime.timedelta(seconds=tzoffsetfrom) self.tzoffsetto = datetime.timedelta(seconds=tzoffsetto) self.tzoffsetdiff = self.tzoffsetto - self.tzoffsetfrom self.isdst = isdst self.tzname = tzname self.rrule = rrule class _tzicalvtz(_tzinfo): def __init__(self, tzid, comps=[]): super(_tzicalvtz, self).__init__() self._tzid = tzid self._comps = comps self._cachedate = [] self._cachecomp = [] self._cache_lock = _thread.allocate_lock() def _find_comp(self, dt): if len(self._comps) == 1: return self._comps[0] dt = dt.replace(tzinfo=None) try: with self._cache_lock: return self._cachecomp[self._cachedate.index( (dt, self._fold(dt)))] except ValueError: pass lastcompdt = None lastcomp = None for comp in self._comps: compdt = self._find_compdt(comp, dt) if compdt and (not lastcompdt or lastcompdt < compdt): lastcompdt = compdt lastcomp = comp if not lastcomp: # RFC says nothing about what to do when a given # time is before the first onset date. We'll look for the # first standard component, or the first component, if # none is found. for comp in self._comps: if not comp.isdst: lastcomp = comp break else: lastcomp = comp[0] with self._cache_lock: self._cachedate.insert(0, (dt, self._fold(dt))) self._cachecomp.insert(0, lastcomp) if len(self._cachedate) > 10: self._cachedate.pop() self._cachecomp.pop() return lastcomp def _find_compdt(self, comp, dt): if comp.tzoffsetdiff < ZERO and self._fold(dt): dt -= comp.tzoffsetdiff compdt = comp.rrule.before(dt, inc=True) return compdt def utcoffset(self, dt): if dt is None: return None return self._find_comp(dt).tzoffsetto def dst(self, dt): comp = self._find_comp(dt) if comp.isdst: return comp.tzoffsetdiff else: return ZERO @tzname_in_python2 def tzname(self, dt): return self._find_comp(dt).tzname def __repr__(self): return "<tzicalvtz %s>" % repr(self._tzid) __reduce__ = object.__reduce__ class tzical(object): """ This object is designed to parse an iCalendar-style ``VTIMEZONE`` structure as set out in `RFC 5545`_ Section 4.6.5 into one or more `tzinfo` objects. :param `fileobj`: A file or stream in iCalendar format, which should be UTF-8 encoded with CRLF endings. .. _`RFC 5545`: https://tools.ietf.org/html/rfc5545 """ def __init__(self, fileobj): global rrule from dateutil import rrule if isinstance(fileobj, string_types): self._s = fileobj # ical should be encoded in UTF-8 with CRLF fileobj = open(fileobj, 'r') else: self._s = getattr(fileobj, 'name', repr(fileobj)) fileobj = _nullcontext(fileobj) self._vtz = {} with fileobj as fobj: self._parse_rfc(fobj.read()) def keys(self): """ Retrieves the available time zones as a list. """ return list(self._vtz.keys()) def get(self, tzid=None): """ Retrieve a :py:class:`datetime.tzinfo` object by its ``tzid``. :param tzid: If there is exactly one time zone available, omitting ``tzid`` or passing :py:const:`None` value returns it. Otherwise a valid key (which can be retrieved from :func:`keys`) is required. :raises ValueError: Raised if ``tzid`` is not specified but there are either more or fewer than 1 zone defined. :returns: Returns either a :py:class:`datetime.tzinfo` object representing the relevant time zone or :py:const:`None` if the ``tzid`` was not found. """ if tzid is None: if len(self._vtz) == 0: raise ValueError("no timezones defined") elif len(self._vtz) > 1: raise ValueError("more than one timezone available") tzid = next(iter(self._vtz)) return self._vtz.get(tzid) def _parse_offset(self, s): s = s.strip() if not s: raise ValueError("empty offset") if s[0] in ('+', '-'): signal = (-1, +1)[s[0] == '+'] s = s[1:] else: signal = +1 if len(s) == 4: return (int(s[:2]) * 3600 + int(s[2:]) * 60) * signal elif len(s) == 6: return (int(s[:2]) * 3600 + int(s[2:4]) * 60 + int(s[4:])) * signal else: raise ValueError("invalid offset: " + s) def _parse_rfc(self, s): lines = s.splitlines() if not lines: raise ValueError("empty string") # Unfold i = 0 while i < len(lines): line = lines[i].rstrip() if not line: del lines[i] elif i > 0 and line[0] == " ": lines[i-1] += line[1:] del lines[i] else: i += 1 tzid = None comps = [] invtz = False comptype = None for line in lines: if not line: continue name, value = line.split(':', 1) parms = name.split(';') if not parms: raise ValueError("empty property name") name = parms[0].upper() parms = parms[1:] if invtz: if name == "BEGIN": if value in ("STANDARD", "DAYLIGHT"): # Process component pass else: raise ValueError("unknown component: "+value) comptype = value founddtstart = False tzoffsetfrom = None tzoffsetto = None rrulelines = [] tzname = None elif name == "END": if value == "VTIMEZONE": if comptype: raise ValueError("component not closed: "+comptype) if not tzid: raise ValueError("mandatory TZID not found") if not comps: raise ValueError( "at least one component is needed") # Process vtimezone self._vtz[tzid] = _tzicalvtz(tzid, comps) invtz = False elif value == comptype: if not founddtstart: raise ValueError("mandatory DTSTART not found") if tzoffsetfrom is None: raise ValueError( "mandatory TZOFFSETFROM not found") if tzoffsetto is None: raise ValueError( "mandatory TZOFFSETFROM not found") # Process component rr = None if rrulelines: rr = rrule.rrulestr("\n".join(rrulelines), compatible=True, ignoretz=True, cache=True) comp = _tzicalvtzcomp(tzoffsetfrom, tzoffsetto, (comptype == "DAYLIGHT"), tzname, rr) comps.append(comp) comptype = None else: raise ValueError("invalid component end: "+value) elif comptype: if name == "DTSTART": # DTSTART in VTIMEZONE takes a subset of valid RRULE # values under RFC 5545. for parm in parms: if parm != 'VALUE=DATE-TIME': msg = ('Unsupported DTSTART param in ' + 'VTIMEZONE: ' + parm) raise ValueError(msg) rrulelines.append(line) founddtstart = True elif name in ("RRULE", "RDATE", "EXRULE", "EXDATE"): rrulelines.append(line) elif name == "TZOFFSETFROM": if parms: raise ValueError( "unsupported %s parm: %s " % (name, parms[0])) tzoffsetfrom = self._parse_offset(value) elif name == "TZOFFSETTO": if parms: raise ValueError( "unsupported TZOFFSETTO parm: "+parms[0]) tzoffsetto = self._parse_offset(value) elif name == "TZNAME": if parms: raise ValueError( "unsupported TZNAME parm: "+parms[0]) tzname = value elif name == "COMMENT": pass else: raise ValueError("unsupported property: "+name) else: if name == "TZID": if parms: raise ValueError( "unsupported TZID parm: "+parms[0]) tzid = value elif name in ("TZURL", "LAST-MODIFIED", "COMMENT"): pass else: raise ValueError("unsupported property: "+name) elif name == "BEGIN" and value == "VTIMEZONE": tzid = None comps = [] invtz = True def __repr__(self): return "%s(%s)" % (self.__class__.__name__, repr(self._s)) if sys.platform != "win32": TZFILES = ["/etc/localtime", "localtime"] TZPATHS = ["/usr/share/zoneinfo", "/usr/lib/zoneinfo", "/usr/share/lib/zoneinfo", "/etc/zoneinfo"] else: TZFILES = [] TZPATHS = [] def __get_gettz(): tzlocal_classes = (tzlocal,) if tzwinlocal is not None: tzlocal_classes += (tzwinlocal,) class GettzFunc(object): """ Retrieve a time zone object from a string representation This function is intended to retrieve the :py:class:`tzinfo` subclass that best represents the time zone that would be used if a POSIX `TZ variable`_ were set to the same value. If no argument or an empty string is passed to ``gettz``, local time is returned: .. code-block:: python3 >>> gettz() tzfile('/etc/localtime') This function is also the preferred way to map IANA tz database keys to :class:`tzfile` objects: .. code-block:: python3 >>> gettz('Pacific/Kiritimati') tzfile('/usr/share/zoneinfo/Pacific/Kiritimati') On Windows, the standard is extended to include the Windows-specific zone names provided by the operating system: .. code-block:: python3 >>> gettz('Egypt Standard Time') tzwin('Egypt Standard Time') Passing a GNU ``TZ`` style string time zone specification returns a :class:`tzstr` object: .. code-block:: python3 >>> gettz('AEST-10AEDT-11,M10.1.0/2,M4.1.0/3') tzstr('AEST-10AEDT-11,M10.1.0/2,M4.1.0/3') :param name: A time zone name (IANA, or, on Windows, Windows keys), location of a ``tzfile(5)`` zoneinfo file or ``TZ`` variable style time zone specifier. An empty string, no argument or ``None`` is interpreted as local time. :return: Returns an instance of one of ``dateutil``'s :py:class:`tzinfo` subclasses. .. versionchanged:: 2.7.0 After version 2.7.0, any two calls to ``gettz`` using the same input strings will return the same object: .. code-block:: python3 >>> tz.gettz('America/Chicago') is tz.gettz('America/Chicago') True In addition to improving performance, this ensures that `"same zone" semantics`_ are used for datetimes in the same zone. .. _`TZ variable`: https://www.gnu.org/software/libc/manual/html_node/TZ-Variable.html .. _`"same zone" semantics`: https://blog.ganssle.io/articles/2018/02/aware-datetime-arithmetic.html """ def __init__(self): self.__instances = weakref.WeakValueDictionary() self.__strong_cache_size = 8 self.__strong_cache = OrderedDict() self._cache_lock = _thread.allocate_lock() def __call__(self, name=None): with self._cache_lock: rv = self.__instances.get(name, None) if rv is None: rv = self.nocache(name=name) if not (name is None or isinstance(rv, tzlocal_classes) or rv is None): # tzlocal is slightly more complicated than the other # time zone providers because it depends on environment # at construction time, so don't cache that. # # We also cannot store weak references to None, so we # will also not store that. self.__instances[name] = rv else: # No need for strong caching, return immediately return rv self.__strong_cache[name] = self.__strong_cache.pop(name, rv) if len(self.__strong_cache) > self.__strong_cache_size: self.__strong_cache.popitem(last=False) return rv def set_cache_size(self, size): with self._cache_lock: self.__strong_cache_size = size while len(self.__strong_cache) > size: self.__strong_cache.popitem(last=False) def cache_clear(self): with self._cache_lock: self.__instances = weakref.WeakValueDictionary() self.__strong_cache.clear() @staticmethod def nocache(name=None): """A non-cached version of gettz""" tz = None if not name: try: name = os.environ["TZ"] except KeyError: pass if name is None or name in ("", ":"): for filepath in TZFILES: if not os.path.isabs(filepath): filename = filepath for path in TZPATHS: filepath = os.path.join(path, filename) if os.path.isfile(filepath): break else: continue if os.path.isfile(filepath): try: tz = tzfile(filepath) break except (IOError, OSError, ValueError): pass else: tz = tzlocal() else: try: if name.startswith(":"): name = name[1:] except TypeError as e: if isinstance(name, bytes): new_msg = "gettz argument should be str, not bytes" six.raise_from(TypeError(new_msg), e) else: raise if os.path.isabs(name): if os.path.isfile(name): tz = tzfile(name) else: tz = None else: for path in TZPATHS: filepath = os.path.join(path, name) if not os.path.isfile(filepath): filepath = filepath.replace(' ', '_') if not os.path.isfile(filepath): continue try: tz = tzfile(filepath) break except (IOError, OSError, ValueError): pass else: tz = None if tzwin is not None: try: tz = tzwin(name) except (WindowsError, UnicodeEncodeError): # UnicodeEncodeError is for Python 2.7 compat tz = None if not tz: from dateutil.zoneinfo import get_zonefile_instance tz = get_zonefile_instance().get(name) if not tz: for c in name: # name is not a tzstr unless it has at least # one offset. For short values of "name", an # explicit for loop seems to be the fastest way # To determine if a string contains a digit if c in "0123456789": try: tz = tzstr(name) except ValueError: pass break else: if name in ("GMT", "UTC"): tz = UTC elif name in time.tzname: tz = tzlocal() return tz return GettzFunc() gettz = __get_gettz() del __get_gettz def datetime_exists(dt, tz=None): """ Given a datetime and a time zone, determine whether or not a given datetime would fall in a gap. :param dt: A :class:`datetime.datetime` (whose time zone will be ignored if ``tz`` is provided.) :param tz: A :class:`datetime.tzinfo` with support for the ``fold`` attribute. If ``None`` or not provided, the datetime's own time zone will be used. :return: Returns a boolean value whether or not the "wall time" exists in ``tz``. .. versionadded:: 2.7.0 """ if tz is None: if dt.tzinfo is None: raise ValueError('Datetime is naive and no time zone provided.') tz = dt.tzinfo dt = dt.replace(tzinfo=None) # This is essentially a test of whether or not the datetime can survive # a round trip to UTC. dt_rt = dt.replace(tzinfo=tz).astimezone(UTC).astimezone(tz) dt_rt = dt_rt.replace(tzinfo=None) return dt == dt_rt def datetime_ambiguous(dt, tz=None): """ Given a datetime and a time zone, determine whether or not a given datetime is ambiguous (i.e if there are two times differentiated only by their DST status). :param dt: A :class:`datetime.datetime` (whose time zone will be ignored if ``tz`` is provided.) :param tz: A :class:`datetime.tzinfo` with support for the ``fold`` attribute. If ``None`` or not provided, the datetime's own time zone will be used. :return: Returns a boolean value whether or not the "wall time" is ambiguous in ``tz``. .. versionadded:: 2.6.0 """ if tz is None: if dt.tzinfo is None: raise ValueError('Datetime is naive and no time zone provided.') tz = dt.tzinfo # If a time zone defines its own "is_ambiguous" function, we'll use that. is_ambiguous_fn = getattr(tz, 'is_ambiguous', None) if is_ambiguous_fn is not None: try: return tz.is_ambiguous(dt) except Exception: pass # If it doesn't come out and tell us it's ambiguous, we'll just check if # the fold attribute has any effect on this particular date and time. dt = dt.replace(tzinfo=tz) wall_0 = enfold(dt, fold=0) wall_1 = enfold(dt, fold=1) same_offset = wall_0.utcoffset() == wall_1.utcoffset() same_dst = wall_0.dst() == wall_1.dst() return not (same_offset and same_dst) def resolve_imaginary(dt): """ Given a datetime that may be imaginary, return an existing datetime. This function assumes that an imaginary datetime represents what the wall time would be in a zone had the offset transition not occurred, so it will always fall forward by the transition's change in offset. .. doctest:: >>> from dateutil import tz >>> from datetime import datetime >>> NYC = tz.gettz('America/New_York') >>> print(tz.resolve_imaginary(datetime(2017, 3, 12, 2, 30, tzinfo=NYC))) 2017-03-12 03:30:00-04:00 >>> KIR = tz.gettz('Pacific/Kiritimati') >>> print(tz.resolve_imaginary(datetime(1995, 1, 1, 12, 30, tzinfo=KIR))) 1995-01-02 12:30:00+14:00 As a note, :func:`datetime.astimezone` is guaranteed to produce a valid, existing datetime, so a round-trip to and from UTC is sufficient to get an extant datetime, however, this generally "falls back" to an earlier time rather than falling forward to the STD side (though no guarantees are made about this behavior). :param dt: A :class:`datetime.datetime` which may or may not exist. :return: Returns an existing :class:`datetime.datetime`. If ``dt`` was not imaginary, the datetime returned is guaranteed to be the same object passed to the function. .. versionadded:: 2.7.0 """ if dt.tzinfo is not None and not datetime_exists(dt): curr_offset = (dt + datetime.timedelta(hours=24)).utcoffset() old_offset = (dt - datetime.timedelta(hours=24)).utcoffset() dt += curr_offset - old_offset return dt def _datetime_to_timestamp(dt): """ Convert a :class:`datetime.datetime` object to an epoch timestamp in seconds since January 1, 1970, ignoring the time zone. """ return (dt.replace(tzinfo=None) - EPOCH).total_seconds() if sys.version_info >= (3, 6): def _get_supported_offset(second_offset): return second_offset else: def _get_supported_offset(second_offset): # For python pre-3.6, round to full-minutes if that's not the case. # Python's datetime doesn't accept sub-minute timezones. Check # http://python.org/sf/1447945 or https://bugs.python.org/issue5288 # for some information. old_offset = second_offset calculated_offset = 60 * ((second_offset + 30) // 60) return calculated_offset try: # Python 3.7 feature from contextlib import nullcontext as _nullcontext except ImportError: class _nullcontext(object): """ Class for wrapping contexts so that they are passed through in a with statement. """ def __init__(self, context): self.context = context def __enter__(self): return self.context def __exit__(*args, **kwargs): pass # vim:ts=4:sw=4:et PKcZZZ)�ݰ�2�2dateutil/tz/win.py# -*- coding: utf-8 -*- """ This module provides an interface to the native time zone data on Windows, including :py:class:`datetime.tzinfo` implementations. Attempting to import this module on a non-Windows platform will raise an :py:obj:`ImportError`. """ # This code was originally contributed by Jeffrey Harris. import datetime import struct from six.moves import winreg from six import text_type try: import ctypes from ctypes import wintypes except ValueError: # ValueError is raised on non-Windows systems for some horrible reason. raise ImportError("Running tzwin on non-Windows system") from ._common import tzrangebase __all__ = ["tzwin", "tzwinlocal", "tzres"] ONEWEEK = datetime.timedelta(7) TZKEYNAMENT = r"SOFTWARE\Microsoft\Windows NT\CurrentVersion\Time Zones" TZKEYNAME9X = r"SOFTWARE\Microsoft\Windows\CurrentVersion\Time Zones" TZLOCALKEYNAME = r"SYSTEM\CurrentControlSet\Control\TimeZoneInformation" def _settzkeyname(): handle = winreg.ConnectRegistry(None, winreg.HKEY_LOCAL_MACHINE) try: winreg.OpenKey(handle, TZKEYNAMENT).Close() TZKEYNAME = TZKEYNAMENT except WindowsError: TZKEYNAME = TZKEYNAME9X handle.Close() return TZKEYNAME TZKEYNAME = _settzkeyname() class tzres(object): """ Class for accessing ``tzres.dll``, which contains timezone name related resources. .. versionadded:: 2.5.0 """ p_wchar = ctypes.POINTER(wintypes.WCHAR) # Pointer to a wide char def __init__(self, tzres_loc='tzres.dll'): # Load the user32 DLL so we can load strings from tzres user32 = ctypes.WinDLL('user32') # Specify the LoadStringW function user32.LoadStringW.argtypes = (wintypes.HINSTANCE, wintypes.UINT, wintypes.LPWSTR, ctypes.c_int) self.LoadStringW = user32.LoadStringW self._tzres = ctypes.WinDLL(tzres_loc) self.tzres_loc = tzres_loc def load_name(self, offset): """ Load a timezone name from a DLL offset (integer). >>> from dateutil.tzwin import tzres >>> tzr = tzres() >>> print(tzr.load_name(112)) 'Eastern Standard Time' :param offset: A positive integer value referring to a string from the tzres dll. .. note:: Offsets found in the registry are generally of the form ``@tzres.dll,-114``. The offset in this case is 114, not -114. """ resource = self.p_wchar() lpBuffer = ctypes.cast(ctypes.byref(resource), wintypes.LPWSTR) nchar = self.LoadStringW(self._tzres._handle, offset, lpBuffer, 0) return resource[:nchar] def name_from_string(self, tzname_str): """ Parse strings as returned from the Windows registry into the time zone name as defined in the registry. >>> from dateutil.tzwin import tzres >>> tzr = tzres() >>> print(tzr.name_from_string('@tzres.dll,-251')) 'Dateline Daylight Time' >>> print(tzr.name_from_string('Eastern Standard Time')) 'Eastern Standard Time' :param tzname_str: A timezone name string as returned from a Windows registry key. :return: Returns the localized timezone string from tzres.dll if the string is of the form `@tzres.dll,-offset`, else returns the input string. """ if not tzname_str.startswith('@'): return tzname_str name_splt = tzname_str.split(',-') try: offset = int(name_splt[1]) except: raise ValueError("Malformed timezone string.") return self.load_name(offset) class tzwinbase(tzrangebase): """tzinfo class based on win32's timezones available in the registry.""" def __init__(self): raise NotImplementedError('tzwinbase is an abstract base class') def __eq__(self, other): # Compare on all relevant dimensions, including name. if not isinstance(other, tzwinbase): return NotImplemented return (self._std_offset == other._std_offset and self._dst_offset == other._dst_offset and self._stddayofweek == other._stddayofweek and self._dstdayofweek == other._dstdayofweek and self._stdweeknumber == other._stdweeknumber and self._dstweeknumber == other._dstweeknumber and self._stdhour == other._stdhour and self._dsthour == other._dsthour and self._stdminute == other._stdminute and self._dstminute == other._dstminute and self._std_abbr == other._std_abbr and self._dst_abbr == other._dst_abbr) @staticmethod def list(): """Return a list of all time zones known to the system.""" with winreg.ConnectRegistry(None, winreg.HKEY_LOCAL_MACHINE) as handle: with winreg.OpenKey(handle, TZKEYNAME) as tzkey: result = [winreg.EnumKey(tzkey, i) for i in range(winreg.QueryInfoKey(tzkey)[0])] return result def display(self): """ Return the display name of the time zone. """ return self._display def transitions(self, year): """ For a given year, get the DST on and off transition times, expressed always on the standard time side. For zones with no transitions, this function returns ``None``. :param year: The year whose transitions you would like to query. :return: Returns a :class:`tuple` of :class:`datetime.datetime` objects, ``(dston, dstoff)`` for zones with an annual DST transition, or ``None`` for fixed offset zones. """ if not self.hasdst: return None dston = picknthweekday(year, self._dstmonth, self._dstdayofweek, self._dsthour, self._dstminute, self._dstweeknumber) dstoff = picknthweekday(year, self._stdmonth, self._stddayofweek, self._stdhour, self._stdminute, self._stdweeknumber) # Ambiguous dates default to the STD side dstoff -= self._dst_base_offset return dston, dstoff def _get_hasdst(self): return self._dstmonth != 0 @property def _dst_base_offset(self): return self._dst_base_offset_ class tzwin(tzwinbase): """ Time zone object created from the zone info in the Windows registry These are similar to :py:class:`dateutil.tz.tzrange` objects in that the time zone data is provided in the format of a single offset rule for either 0 or 2 time zone transitions per year. :param: name The name of a Windows time zone key, e.g. "Eastern Standard Time". The full list of keys can be retrieved with :func:`tzwin.list`. """ def __init__(self, name): self._name = name with winreg.ConnectRegistry(None, winreg.HKEY_LOCAL_MACHINE) as handle: tzkeyname = text_type("{kn}\\{name}").format(kn=TZKEYNAME, name=name) with winreg.OpenKey(handle, tzkeyname) as tzkey: keydict = valuestodict(tzkey) self._std_abbr = keydict["Std"] self._dst_abbr = keydict["Dlt"] self._display = keydict["Display"] # See http://ww_winreg.jsiinc.com/SUBA/tip0300/rh0398.htm tup = struct.unpack("=3l16h", keydict["TZI"]) stdoffset = -tup[0]-tup[1] # Bias + StandardBias * -1 dstoffset = stdoffset-tup[2] # + DaylightBias * -1 self._std_offset = datetime.timedelta(minutes=stdoffset) self._dst_offset = datetime.timedelta(minutes=dstoffset) # for the meaning see the win32 TIME_ZONE_INFORMATION structure docs # http://msdn.microsoft.com/en-us/library/windows/desktop/ms725481(v=vs.85).aspx (self._stdmonth, self._stddayofweek, # Sunday = 0 self._stdweeknumber, # Last = 5 self._stdhour, self._stdminute) = tup[4:9] (self._dstmonth, self._dstdayofweek, # Sunday = 0 self._dstweeknumber, # Last = 5 self._dsthour, self._dstminute) = tup[12:17] self._dst_base_offset_ = self._dst_offset - self._std_offset self.hasdst = self._get_hasdst() def __repr__(self): return "tzwin(%s)" % repr(self._name) def __reduce__(self): return (self.__class__, (self._name,)) class tzwinlocal(tzwinbase): """ Class representing the local time zone information in the Windows registry While :class:`dateutil.tz.tzlocal` makes system calls (via the :mod:`time` module) to retrieve time zone information, ``tzwinlocal`` retrieves the rules directly from the Windows registry and creates an object like :class:`dateutil.tz.tzwin`. Because Windows does not have an equivalent of :func:`time.tzset`, on Windows, :class:`dateutil.tz.tzlocal` instances will always reflect the time zone settings *at the time that the process was started*, meaning changes to the machine's time zone settings during the run of a program on Windows will **not** be reflected by :class:`dateutil.tz.tzlocal`. Because ``tzwinlocal`` reads the registry directly, it is unaffected by this issue. """ def __init__(self): with winreg.ConnectRegistry(None, winreg.HKEY_LOCAL_MACHINE) as handle: with winreg.OpenKey(handle, TZLOCALKEYNAME) as tzlocalkey: keydict = valuestodict(tzlocalkey) self._std_abbr = keydict["StandardName"] self._dst_abbr = keydict["DaylightName"] try: tzkeyname = text_type('{kn}\\{sn}').format(kn=TZKEYNAME, sn=self._std_abbr) with winreg.OpenKey(handle, tzkeyname) as tzkey: _keydict = valuestodict(tzkey) self._display = _keydict["Display"] except OSError: self._display = None stdoffset = -keydict["Bias"]-keydict["StandardBias"] dstoffset = stdoffset-keydict["DaylightBias"] self._std_offset = datetime.timedelta(minutes=stdoffset) self._dst_offset = datetime.timedelta(minutes=dstoffset) # For reasons unclear, in this particular key, the day of week has been # moved to the END of the SYSTEMTIME structure. tup = struct.unpack("=8h", keydict["StandardStart"]) (self._stdmonth, self._stdweeknumber, # Last = 5 self._stdhour, self._stdminute) = tup[1:5] self._stddayofweek = tup[7] tup = struct.unpack("=8h", keydict["DaylightStart"]) (self._dstmonth, self._dstweeknumber, # Last = 5 self._dsthour, self._dstminute) = tup[1:5] self._dstdayofweek = tup[7] self._dst_base_offset_ = self._dst_offset - self._std_offset self.hasdst = self._get_hasdst() def __repr__(self): return "tzwinlocal()" def __str__(self): # str will return the standard name, not the daylight name. return "tzwinlocal(%s)" % repr(self._std_abbr) def __reduce__(self): return (self.__class__, ()) def picknthweekday(year, month, dayofweek, hour, minute, whichweek): """ dayofweek == 0 means Sunday, whichweek 5 means last instance """ first = datetime.datetime(year, month, 1, hour, minute) # This will work if dayofweek is ISO weekday (1-7) or Microsoft-style (0-6), # Because 7 % 7 = 0 weekdayone = first.replace(day=((dayofweek - first.isoweekday()) % 7) + 1) wd = weekdayone + ((whichweek - 1) * ONEWEEK) if (wd.month != month): wd -= ONEWEEK return wd def valuestodict(key): """Convert a registry key's values to a dictionary.""" dout = {} size = winreg.QueryInfoKey(key)[1] tz_res = None for i in range(size): key_name, value, dtype = winreg.EnumValue(key, i) if dtype == winreg.REG_DWORD or dtype == winreg.REG_DWORD_LITTLE_ENDIAN: # If it's a DWORD (32-bit integer), it's stored as unsigned - convert # that to a proper signed integer if value & (1 << 31): value = value - (1 << 32) elif dtype == winreg.REG_SZ: # If it's a reference to the tzres DLL, load the actual string if value.startswith('@tzres'): tz_res = tz_res or tzres() value = tz_res.name_from_string(value) value = value.rstrip('\x00') # Remove trailing nulls dout[key_name] = value return dout PKcZZZ�q�dateutil/zoneinfo/__init__.py# -*- coding: utf-8 -*- import warnings import json from tarfile import TarFile from pkgutil import get_data from io import BytesIO from dateutil.tz import tzfile as _tzfile __all__ = ["get_zonefile_instance", "gettz", "gettz_db_metadata"] ZONEFILENAME = "dateutil-zoneinfo.tar.gz" METADATA_FN = 'METADATA' class tzfile(_tzfile): def __reduce__(self): return (gettz, (self._filename,)) def getzoneinfofile_stream(): try: return BytesIO(get_data(__name__, ZONEFILENAME)) except IOError as e: # TODO switch to FileNotFoundError? warnings.warn("I/O error({0}): {1}".format(e.errno, e.strerror)) return None class ZoneInfoFile(object): def __init__(self, zonefile_stream=None): if zonefile_stream is not None: with TarFile.open(fileobj=zonefile_stream) as tf: self.zones = {zf.name: tzfile(tf.extractfile(zf), filename=zf.name) for zf in tf.getmembers() if zf.isfile() and zf.name != METADATA_FN} # deal with links: They'll point to their parent object. Less # waste of memory links = {zl.name: self.zones[zl.linkname] for zl in tf.getmembers() if zl.islnk() or zl.issym()} self.zones.update(links) try: metadata_json = tf.extractfile(tf.getmember(METADATA_FN)) metadata_str = metadata_json.read().decode('UTF-8') self.metadata = json.loads(metadata_str) except KeyError: # no metadata in tar file self.metadata = None else: self.zones = {} self.metadata = None def get(self, name, default=None): """ Wrapper for :func:`ZoneInfoFile.zones.get`. This is a convenience method for retrieving zones from the zone dictionary. :param name: The name of the zone to retrieve. (Generally IANA zone names) :param default: The value to return in the event of a missing key. .. versionadded:: 2.6.0 """ return self.zones.get(name, default) # The current API has gettz as a module function, although in fact it taps into # a stateful class. So as a workaround for now, without changing the API, we # will create a new "global" class instance the first time a user requests a # timezone. Ugly, but adheres to the api. # # TODO: Remove after deprecation period. _CLASS_ZONE_INSTANCE = [] def get_zonefile_instance(new_instance=False): """ This is a convenience function which provides a :class:`ZoneInfoFile` instance using the data provided by the ``dateutil`` package. By default, it caches a single instance of the ZoneInfoFile object and returns that. :param new_instance: If ``True``, a new instance of :class:`ZoneInfoFile` is instantiated and used as the cached instance for the next call. Otherwise, new instances are created only as necessary. :return: Returns a :class:`ZoneInfoFile` object. .. versionadded:: 2.6 """ if new_instance: zif = None else: zif = getattr(get_zonefile_instance, '_cached_instance', None) if zif is None: zif = ZoneInfoFile(getzoneinfofile_stream()) get_zonefile_instance._cached_instance = zif return zif def gettz(name): """ This retrieves a time zone from the local zoneinfo tarball that is packaged with dateutil. :param name: An IANA-style time zone name, as found in the zoneinfo file. :return: Returns a :class:`dateutil.tz.tzfile` time zone object. .. warning:: It is generally inadvisable to use this function, and it is only provided for API compatibility with earlier versions. This is *not* equivalent to ``dateutil.tz.gettz()``, which selects an appropriate time zone based on the inputs, favoring system zoneinfo. This is ONLY for accessing the dateutil-specific zoneinfo (which may be out of date compared to the system zoneinfo). .. deprecated:: 2.6 If you need to use a specific zoneinfofile over the system zoneinfo, instantiate a :class:`dateutil.zoneinfo.ZoneInfoFile` object and call :func:`dateutil.zoneinfo.ZoneInfoFile.get(name)` instead. Use :func:`get_zonefile_instance` to retrieve an instance of the dateutil-provided zoneinfo. """ warnings.warn("zoneinfo.gettz() will be removed in future versions, " "to use the dateutil-provided zoneinfo files, instantiate a " "ZoneInfoFile object and use ZoneInfoFile.zones.get() " "instead. See the documentation for details.", DeprecationWarning) if len(_CLASS_ZONE_INSTANCE) == 0: _CLASS_ZONE_INSTANCE.append(ZoneInfoFile(getzoneinfofile_stream())) return _CLASS_ZONE_INSTANCE[0].zones.get(name) def gettz_db_metadata(): """ Get the zonefile metadata See `zonefile_metadata`_ :returns: A dictionary with the database metadata .. deprecated:: 2.6 See deprecation warning in :func:`zoneinfo.gettz`. To get metadata, query the attribute ``zoneinfo.ZoneInfoFile.metadata``. """ warnings.warn("zoneinfo.gettz_db_metadata() will be removed in future " "versions, to use the dateutil-provided zoneinfo files, " "ZoneInfoFile object and query the 'metadata' attribute " "instead. See the documentation for details.", DeprecationWarning) if len(_CLASS_ZONE_INSTANCE) == 0: _CLASS_ZONE_INSTANCE.append(ZoneInfoFile(getzoneinfofile_stream())) return _CLASS_ZONE_INSTANCE[0].metadata PKcZZZ� C��b�b*dateutil/zoneinfo/dateutil-zoneinfo.tar.gz���e�dateutil-zoneinfo.tar� @e��7����W��}�q�*⊊�K:W@�FDB+�ʴݛ��m:��V�i���-�4�2�G�*����\���I���1�!��� ̼�9�<��;�Z�j�vgvKt'$�IE��b��(�A��=��r`@��̔��6qB�;�~�tcn���q���;��m���Z�  �����"{�4/걏� � ��aac> 4P  ����z? 0@���Ռ���))&� ��c�J �q��<2�͇>K]1����G��*������v��]��)��ؑzl���t��)�S1���9���?T���U���s��h\b�;������6!95�Q[g`+���bZ��D��� �'���/ �w�+#�ն�[�c�dw��UjZR��ɭ/|�F��w��3��'�L�H�J��@90�݊A��ɍ.���F�C��#�6#F��ǷI p��Kl#�$�%&��� Op�L ��820<pDhz+0<A&����a#��a #G��2">0 ��&0��<���f�;8,4004aDHX`P�o��o�����295%1)-u�:��^r�LK���]�������䂯il������ĉi�j�襤���r�K�����:��OL�OLOL+��Hw|zjڤK���������NK�?�~��j�v�g�?����O;����������ߵ�� ����/?z��;������ၔ�C�H����1E�3�"��!����rp����9��gn���垫PCy������p�g��g��9�m��{��ñcI �G/F8v� v캿�cwZuǞ�.OŅ�J��vT����H�ܔ��S�ss�.��Ag<���~�!O��;<5~X���2O������'=u�y�Q��7�����������αi��C��z�8��긥E��I]ǭj:�KGx� ���yO�O�{�m��43��b�W��O����u�;9a�'������7A�:��=����#40�z~�#��S���nG�����F8���y���ڶ���;yn���5���Ӵ6��w��D$�qti�k�y����D6>��� GT� ����9������:zn_����c�ޯ/��IIqD?�����G<��&z������� ���ۢ�'��W�GܧU<�~��1x���!��9��79�|�ǰ�?8�?��C���}�Iψ��r�߹ݓ��Gb�7<#ˮ�$��x�N��:��I�6�3�p�g��!���w�{��'�����Q <������i#k8&�w�w��1�&ɑѺ�'�:�Ȭ�'s�fǤo�{&/;��h��g6z�}�ϔI =S����J��>$��C*-Iu�(@�#މ��?&_�|| 3��h��gR��"@�� �D���"X@ ~8�D��"�@�`P � D`�.&� h � D��:�"�@ � � �D@�J� "8A(��D��V "hA.��傕Dsr�@�\�P@�j� "�A8��D�3)�A<��� ���BB @Q�K�B@�!L ��$�! ����BBL@ Q!, ą��2B�$�!8L��F�!B ���$�B�@���|J"B�@��b�h�.�B�@�!!f  ���6�B�@���:����1I�@����A>�BBB A"Q�u��GOZ���Z���[� ���AvG`��v����v��lѩi���c��� �����@���/���B�'63�y�f}��\�q�s�[��?����꼩i��WW[��u��'�;�W_JIU6�`-���j���W|�Z��+��4���}TcFik��c�j#ue�C�ѥԷ{�Y���Yyk�5߽����-�ݬ�ֺ����s���Zֆ̱��QwZ��z[�o/�n ����>mm�{]ݺ����Ok���N���#�W��>��%s����~�Ek����z(��h~�e��sbuk��I�~��]���cr�ݏE�{G�{|@�;h��q�*�6����nt~Zk�3��Bg���q��j��������<�f����i��'�Gg������Һ��G��?��L�o�:���/�׿���y�|m牳�_�<�<y�����8�y{��ԫ^��.w~�ȋNk�l���Ӝ��/���?F<��t��s� �/7'�9%�9?ܡWx��T�:�&V�1Ls�ߦݔPKc%����ʻ��������O�����G��}��߿� e��_�+����K<[a��+������/U��H�W��;{��������Do�Mw8>>�!�%�F�� �P�9dW�$�I���I#�C$���D�;D2 B*A�%�!� ��|��P&�()!� $����V� BbA�,�!�L�\� BzA�/ !� ����d� B�A�3�!�L�jr�$�!� ��I��.I8���r&�9�j$�L�uv�Hڙ$�첑�3I��m#�g�ܳ�F��|P/H?��@��D:`RJ�@��D��&@� �D��6@��D �F@��DJaRZ�Z@�)D��j@�)D��z@�)D��@�#) DZbRj����n&�(�f�pB�n�m�p3ki�LJ]�s3��m7�v3m7���L� )�2ď�U����:���ZTf������=����pIn1������_A�� ������������?oܭ���5�3T����a�A���b<���7���?�������Έ[������+o�m���Veu��Qo�\�d�|tT�7[�59�F���smv�Q�|v�|���O������ޗ^77��}b�O��z?bs�jni5��{=W�VRNlk��l���Q{<�*W�Y��E��w����Ι�7��1+e�dV�5s4o���Y%3ɼ��4�j\�Y5w�Y=��Y���� �)5�&*�}�)�_�T���ԝ�T���V��T^i��R�w�Rj+�Fr9�q�G�-��6���Qn-���������S[��˘�v��4���b��J�GK+�����"��t_ �M6������0C�WB��4CXb��\� ������fە��v�+)�g�1;̳���ۧ�Q\C{+����tn/+�V�ԭ�t���t=��rG�`%��nG�+Q�&����Wz�e��')��47{�{\�sWE3zd��Wi����4��*(1�n44�V�-�Ќ�ۥ �b�wt�2�Q���O)C�=� ]l�w�LR�=4���(��Mw��ʈn�f|�J�m�fb�7 PF�7�N�)�>=e&ﮥ�~k�9�8������9���5�LU�+�b(�4�\�� m�5ӝ���Z�� )V���>�.3\��oN��V&��j޽$Լ��ʽ�4���E�:�Y�����T�T�b�����˶��_�3`��W���:�G����?�"&�S�_�؃��魞���d���M~�E6�)�䧘� b�M�O6�)F��l�S���W1�'(n�$�.�����|��OP,�I�g> @1�'(��$�6���f�b���R�3)��|�xg�b�Iq"�A�?�ʤl*��QCZ��2��ʤ l*�.��L���2��ʤL� 6�I+��l&�f0I7�L&�`�~��L¦2��ʤ%l*����L�¦2� �ʤ-l*����Læ2� �ʤ5l*�ް�L��$�aS���Me�6�I��T&bS���Me�#��I��T&]��K�Ħ2��|�Ql*�N��LZŦ2��ɤYL�-�Ŧ2��ʤal*����LZƦ2��ʤil*����L�Ʀ2��ʤql*�α�LZǦ2��ʤyL�=6�I��W�EWh �ʟ�� -dS�-q\��l*���Ȧ2�#�ʤ�l*+�B+�Tv�� �dS��8��Nf�8��P6���� -eS���Me�T6�IW�T&meS���Me�X6�Ig�T&�eS���Me�\.9Hw�T&�eS���I̦2�0�ʤ�l*���L�̦2�2�ʤ�l*�>��Lͦ2�4�ʤ�l*�^��L�ͦ2�6�ʤ�\*�~��L�$��l*����L�Φ2�:�ʤ�l*����LϦ2�<��7������x�E�6b^mp���Vk��v�Y�f��7�֯O����.�� ���w�a��߃8��ʜ�E��=�֧�3�O�}A��9�����<��#�����C_�?v�<ާ���1o�|~s�Q_�(���M=O�h�f����Q'+��<�uߨ�� ��敬Q�vV��vƳ����ΗOÔ$O�:{������x�ק�%��e�y x�G�W��>�9���\<�;H�=(/w��]b �g�5��.�{U��V�v�����]��hw�< �%<�S1_ ������y@��x��&��C��������=��x~�6��C��I�����.d�n��=�+y~�N��C�����n�y=�k�%���- �bnIh7sKRt�ڏ^�lc'���]��K�?��� �E��iY������09�>�o뿭�Ţ����fX��?��^���������/%�� ������u�n�u��냷�<�^���w.N���� 3l��^Mɾ���?�VS�����_�c�v�g��Vh��sˮ�i�����^~��`���������}��4zx�֥�s�J;��)�/,ܤ�{�}��ں�������w�t�6}a�,}��g�/7Q�����\ܬ�s��9���^��O�9_��r��u�s��{�o��۹L��3d��Y��jO}e� ���V�����ղC+0CϪ����J��滏�����k�O;�98��n�^����������87d�qn�|޹)n�ss߅���!���npn�ۧo=PN������ �|���g�]�<;�K���8�N�qϮ�a,ź�l�cOr�so|S��(��I���'��{>9j:��~ݹ/����� ^ �@%�y��o�?����#��Ϳ�G�<�}���|j�X hL����񈵀:,u�Z@Uct^ ��x����b-��gt^ �$ݚ��;J�~�p��G:���SÊ�Ϸ7v�"}��4(��1w��~�<�]��=QR?w�k���kՒ�{�RM㜥�;˔k���q�~U�Y�1�Yn[�����,���^a����9��Q�Yy���L+���^��$�~s��zո�u�������f�Ţ��yD���^����E�`�����%�{wk��w�����YK���U��W�E��^��/Y%���������K��(�Gɋ����?K�^�f߫����t���e�r� �Wr�*�����Йjzܵ�s\���_�Xߧ0�����,�!�D��$ �u�HF�*қ��S^'�$�� "Y�u�HZy� �W^'�$�� "��u�HjA�-�!�L�^^?��I B�AH�XWh�S�+��)����u�d~ y� ��źB+t��P+&�/9 �� e�b��o����Lȸ���4r.��˄��u�V�kȻXwh2/��Ą܋u��8źC�bݡ}�>�����4�� Q*���(�B�x=!J ���^?��å�u#M�| J�n� �n�ɯ�6��:��>x!J!LJ#<o�Rɥ�!�0)���!J-<�� ����Q��u�(��:B�n �#Di��:B�~ �#Di��:B�� �#Di��:B�� �#Di��:B��x��,^G���#D�������Q �u�(��:B��x!Jg�~PHk R��"ŁHs R�鎍@JyܚS���@�?&�@i�I�D:�A�E�)5��Pzd��R$���&�?�T��!�K�)e�Hi��H��R�i����HA���j���k���l���m���n���o�����!�q���r���s�pɪ����sl����i��.�q��eC:� �M{��_��-���F �c�غ�� �ڥh������e� ���)N��t�'���?w�{��:���}��.xv���C������y&'�:{��y.��u~[=37����J�)�ɵ|f3K�eZ%�\��r^-m*e\GU_y���x-��c�Rn�S��5])o>�V���Yћ�VZ3ͬ�����H��*���7'GZU53�E5����`�hZު٨�R��)�v��J����:�N)uw��۰S���#����3C��7[i4��x�2��V��O��V{��o6���ݤ6�`6=�Hmv2�l�n��bo��r^��je��zJU�]S HJ���(A�QVp�CJ�s+4p��[� �s� ��;���w̶�����g�_���a�fv��K����+u��i�T�s��Ԉ�ҥu�ڵK�����Vd��f��G����̨�c���=�X��ϥ��g��{u#���^j�ӥ���[��&~���{�3`�s�56�U%���V\��̸ͧ�A���� �ZC�<b��ʺs�XsX�k��ަ��M�=c�2���j|R/%�b���ZI<5XM�II��^M.󃒼��:��O�1O����<m�˨k�,�k�ȵԙ���!���:ǜPm���g���{T�Z�8�Aͬ��d�{I��3X�<�A�����=S��{��+S�E�S�J N��()�\Syyk �T^�V/��cY~� އ\�ׁ�-�� &v�(�����b����> .v�(��]� cR�� B�&\�v�A�.���6  6 B� )A�pKrvK((�[b�k�pK6�k�pK�k�pK��k-�%�ł^�7ֈ7��- n ��[ҍ_#��-��f����� pvK(��%i$�@��KRB,���n�Xp�/ܒ��" ܒ��b ܒ����n �%$�-y�_C$�[2�_C,�[2�_C4�-!�`��ă�vKHD��&!a��Ą# �%$*�-9ï!.�-9į!2�-Yǯ!6�-9�?�#ܒw�5�G�%��5DH�%�� �d��( �d*��'ᖸ�5D��*&��$$XL-vIH��$^얐��[B"�n �%$f얐��[B��n �%$n얐��[B"�Ɋ��Ib�. �D�]>&��%$�얐�[BB�n �!�%$�얐(�[B��n �#�%3�B*IvK��B*KvKH0�$�쒐p2I<�%!e���[BB�n �)�%;�B*UvKHX�- ��nI��W-�%$�얐�2sE�Bx�$��� �@��-� �@��-� �@��-� �@��-���/�܅o�w� �7p�c��v�o��7��?&4���q����_k� m�ۿ���Jڂg�>��q��.g��I�Ξ���eGI�5�r��Ky��L�[�ڎ�w}'�_A-�.����V-�:��ʻT����r�j��/Q;�Zޜ�U�oX��JkfY��̢�!ݺ��tjb���c�M��E�S{P۪Ѵ6�aj���������V��Y���3Z� ����i �W����_�6p���w�[B�Ry?ߺ��**���swkM�⭦GVj�Nv������b��弻�V+���� ��ٷ�IR���jPd��'���T�oW�|�R9~� �"�����T��;���~�9���'��3�h�?�Z�T��i��j�>/j �j��Ӵ�]��]x���qV��g���cE��������s���z���^-�}�Ѣ����m�A�7�G��Z̀}j�9-6$K���>��[q[P���/<Ne�\k��T�N��%�Le�PK�QsϘ��h�P�O�&T��%FvPO�Ғ��I;�kɾ>j����/>S�<E�j�5.�9��Ǭ�؊T�n�Ƈ|Ge�"kB��T�ΰ�sOi� Ռ#;�̚���u˵I9����fkwgwW�2Q�7��:e�@m��J�5Z^����\c�R�%=V�C.#p�d*/#�a��B������+i��?���?W+��S���?I��%��(I���-��7������ E���F@r�OA)��'"8E�/�D���E��`������7,��O�D�?���,I������%���Z����D�n��?\�mK���%������?'��_�z���UE�F��aU���4���WE�_Y��U���%���k���$��������) ���wk����D��R�WK����D�?B��]�����������VU���#a��$�������J��߮����$��� ����������9M��OX��?���_�D���D���*��5�������������H�D�?N�$Z���#|/��X��������*��I���eU��C4��WQE��A������h���'|;��g �DO�� `�6����K���k���$��ɖ��_�D�?���FM���T��/�D�?D��tM���@�)��� �侟T��-4�����?J��%�������k����7Y��� ���nI��3��+��+������� �DX���T���x� ��_�+�Y��5��_g�_���������������8�����?�/[�#ľ�{q�������r�}]'��f2��G�ӕO����������?�}y�-�^�HЅ򭃯�������Ͼ�Í��L1�]��_@���?����_1��n��B���o�����#��*�2�8�}�h~��v��%�ͯ{�gU��Y�Q��ƙ�f͓ͬZ�+��/���_��z�k��g�W����T�� �S�F�v����4o .a5i���z� �}Z ����6�_xF��_�����\�ˮ��w�$U�ŶӇ/gC�O�".g�@���*�ta�h>G8_uM<_uM;��������WU��`�᫥i�p�@;���9�3��d�I�5Ў⮁vw ���yS����㮁vw ���a'r�@;��ڙ�5�宁v*w Mč°sY�isUO;��z��\�� ��`�s�{%w����b��v�wm�����e�4.1-9�ݺ�뿰��B��!P��!v�g뿭�W�����p��)�=������������g�_.��'�yC�>�e����:�g���5>:oq�K��?��PW�̐���yK���*�7�[�S�.߀�^����*���[�U��u�[�ܿ���_\�kwUZ��UyIv�㙵��~;�ʤ\7'?]u�TW��)��۸]5�*�5��U�st�ý��7r��>�[�x�QwO����jF�U� �b83"] ��o4�m�j<�g����&ݳ�[��r�7{[��+�m��������f'����������r�2o�����<�g3��pNpA�Wp�FF��+4���� ��P�2���\I��֚�v?����k��=ս�?�Dv��x;M�bt�s����ѥ�;ޮ]6���+���r��ݮ���Q+W���-�x~����F�{�{{�e�:��tw�o���~-��uzcb+1��xcC,#��XW\��rܖpנ�����j���-�v�u纕�#����#+��x�3�#Z��'�6*��&FN4O��$��FҎ��ɾm�� ��_�1�<}�k�py\F�+Ũ-��vu�3���C�]i�G� �˹��x���&ތ�CF�Q_of�uF溯��rtc��wg�o�3e��ެcʰ�ީs�0|J����[m�)�{?$�㒔������"�� ����WţT3/�>է?�����-��g�X(�s��S7zҭ�o� {���_�'�'�7�ot����{g ���)� ��v�<p @1ߛ���{S b�`�N "(A&��� �D�2)XY(`��� S��^ "�A2�`� �D`�n"��'�@g����1 x��(����gR�3I�/#`����2��H�/#Q`�����2��H �/#�`�����2 ��H0@����x0I@@�!!& ��l�� ����pF"�~ �q$6 �����R_�!!F  �(�&�B�� �!T � �`�-& �b���1& 1!h|��D ���7Ǿ#���$t�;�؁<�=& �c��A& !1!� D�0�G B$A%�!� D�kN��$!�LRb�$A!� ����X" BhA�-�!� ���2I�A�0���3I�A�2a!� �H�j0_�K�(]��>|˕���z������D;��}1@�v}����������?*5͝�XD��g�����?(4Ծ�ǵ���&��P���;�g�D�Y��w��ܮ.��n�Kd��J��b�rGxK���(ө��7�����po9�I��҃.?k�Q���[a�WrE�Ro�5ʕ�|�r<�T����]U&͔oN~�Uu�x�Z��ަ�\�i?W�F�F�r���%���Wu����Q�x��[�z}��+� |�;3�� ��Po[Gn<����r��8o�vT�o���?����� g�#��f'Ug�u�{�[�[`�Z�����!ώ��t9pB�y�ܿ�� ������!�׽���mr��?9�n������޸��v�����q�s�9]�'�N���;��nD$<�wi��ѵ��z��ɑ-�:#�n��*NvF�\$w?5���� F�}�z�{^2z������t{�o�$�_F}��(#&V�c�57bC�뱟w����9�4��s^TArd�s�o�;�-rK�%�7é���p�xI��##>�A=��a$F&鉧fI�QzҎt#ٷ���4��eE}��䱻�9�e �S� ���0Y���s|h-9-u�sB��rz����FF�GzƑ_�̚����1)g�>y޻�����=S��f��S��gL��_{���ԒT!��j�,?V�w����yy35����1j�NT6v�Z�St~ � E� <遲�G�h�V���M��ނ6@gY�����]��CH�\�N .� � ħ�"����6�h'���6�V�]��n@��ca�v�,l�\�X* �u��f��x�%l��T�������6@�!l�`������6@gC�Mta�b�W6@C�_��h# �C]�uda�`[z!l���8*��&釰�p �!l�)l����Ӆ ��6@�.l� aD���ea���_6@U]� ��#lq|�A��Z$l?Y��:� �/�I���B�� �/�J���B�� ��h�I�� pL���a��$��2a,�� 0�)l� ��2ua�d`�.l� a�ׅ �d��.l�(���� ��h�I� �M�����h& ��S�dalr �[Y�����% `�S���xI6�G��ԅ `���4T��D�OZ*l�t����  �6@E]�da4s `�,l� Na�����)l�Z��v�k诰V8� PC����L�ca����� �]C�麰���Յ p�!l��k����"����|� �纲�����/������7\��41y�XwQ�����2u����C����8��K/�������ρ��WN���\�����D��.$bz�p1�F�t+ҨO�~Z��_�g �>�s .����|?z3�V6;�������vI�OON��.��������Р��p5�{�������N���o8�Os��'���(����������о��8��K�`�,I��~5]Ϊef�w�kN�oIwC>���P�cơ5����V��<w�y����qN��S�aΟ� �/���9}[�9[�8���1�,���~SF>��z�����g~�7�C g�N��}�r�����q��q��$�{���[��6I��K�4�ʌv����9���r��Qz����Y:��Ln;���n[��>���a�r�ޖ�@����F�J=d�B��D �<w������~S�,��H�A�ڛ�b�G��ѣ��q�Y�=:�]�=�q�n�eq;�3L�m&�q�0��:_�N{�oN{�oNG�o�MG�o�MG�o�MG�o�MG�o�MG�IG��(��a.���QⅦ�H���q�@5G��qAE�qq� G�IG���*�#�Y��.�#�;��2��4��ͤ#⨃8� �>�b� F�bT�`ь����1�^�Ǯ����/X����꿤Ĕt��ZM���� |�}������K�o��7��w����:ax��� W���/��CC�뿯���#}��Ϫ=�8k����~��j�od՟���X�߮q���U/ks���y�S��������3֯����ilx���v��MSvy7���آ�rm�m&o���j.������^ ������W���qʻ�i��qD���e�������X��@���/�97Gxs����.י����M!�s���Ͽ�ϕ�|���X�����F�[R��O�2nq<��`e�� +�������i���Vof?3�ɾ��fF�]��CS��μhD��v��Zg��d��X:/��`�v�;�J�g��Ktp��g�#�S �Nca� z���q�@%G��:ZL:b�-�Qcґq�@AGđq4AQGđqtAaG�IG��f�q�Ay&}#�I��H1�ˠ��Q!<�����I#�� %����_�haO�F {4j�Ӡ��7�z]�/A���1�@�&�0hD�U� ] F�F��Ƥ�bāu� } F �F!��b4^�&�gD^�������]�����]��?��N�w_��/\�b�����"���\T��֞�]���^���j����J�jkc�թ������k���s���d�(��~��F�]����]�����]���Ԅ~��wF��J������]�͉}���[�m�������%��p_��/��d�?��s���+s��D��m�v]�g�a�?�~��h��^�i�?��c��v�oo�s��}�艓�x��i�����!� v����������@����m�>����Reѓ Uαm+���}����,����f�V%[ ��?���k��5�]����]�����Z��t:�}e���� ����A������_w���U�m�������Bs@K�r���&��^�0�I���Ij��p' w1XM�C����߮����ޮ���WbJB����C_���k������� v���d�v&����f43�� ����F�؎�xN���j�=Wg�ϊRv� ������Qƥ?�4Q�ww����%?�@Vf�W����v�o��v�o���v=����S�G�ǎMLJ-���B��������2�Au}ݫT�'����������Ĉ������������������_����aA����������y��?���_�J��?�������v�o��v�o��v����)ûOt�\����������^+���7����F������_�����_���\G��i(�L�p��m•�v�`��v�o���v���='&O������@��������������?�����u�X��>�G��gt;��Zlt���g\����E��������.���.`ٛvP�] 4��) �BU�4�4 A J���_��+:@�^�����߮����_��L��8�J��]�^��g�l���V��t�����ݮ+z��]�x��N� �xc�]�_Gw����G���3�?�v`��v�o����o��L5ѝ\������_3���u���W��ߜ�s�����:���F �(��ͱk|{�����������n���P���.��{J���c�E����m���?_��m�����Ĕ��Ԕ���?�������?A!����s��?�� �?Y5~�n~��{�2�v�{�������Wo��\��얮ʃ G��)!¨2�)��wl3���rU�?'W���[�\k���U�d�\��Jo��'�:�½uߨcԛ?�Uf��6��T�7�����5w�s��Nnҩ���j)���.��_��=��v��m������\-� F�ǎx[��֐S��BGɁ[y�*�0������rh�。Ǿ6�~���a��f�jo�ˌv����/[-w��v�9W�}�R�+u��i����A�}w������5`����Y�#/�=cxy��Y���=_���ZPO�=㘷��'G���������MW�V��y�k@%Y�u,t����hMw�}���k�k�[cȚiޡOo���Hﰌ��ᓺy��e��f�����T�&4X%'��֛�7GN*Qޕtt�<��)W��!�� ;]c�e�]��5�AF�}�]�����e����iݟ�N��3қM�N�����7��a��w� �f�2�I��N66�w� u��Y(�;��k�:]��v��\�R��Q*/�} =^�`\��(ށ����0#�O�<�ш�1����b�Q"@D�� "Dt��Q"R@D ��aRԀ��"�@D�HM " DT��,�"����"&�"��Ϣhq�gQ�1)����p���5E!�Z� �DDr�IQ "29+Pt��P�D(JAD*�heRĂ�Z&E���>�׈`Q "�AD3���l�Rd��n��(�9R���t�"�AD=�"��8�~�ɹ���ɹ� �*�P�B!@��� ���T�r�P&)�$ ����P�B]@( ��4 ���PN��< ԇI B���D ��"�P%�B�@(��T � �b�P-�B�8����P1�%�jB�@�e�n �ʁP:�YI�.�[�}��6�c0��-zȭZɭ���Z㉟������������cRǸ����CC/����������}�D������'|J��R��V�D6Zc�܃�]�������\q��ۏBle��_;�a��)��Qvc��1Eu��8�G�g�����c��o뿭�WI���7��wv�J.�����`Xh���]#�_� ��ӯ���U9��:��ל��>��<��|��3�ZnjCk9��&y����ge3&���<��Ü?{�_*��s���s�nq���c�Y������|��{�z�?!���To��Π�z����F���F�㪓�o������L��~�Qg����c��Urˑ����9r�;^v��$9�^/=p��*3�#�lp�:ȡ;G�<�;�Ag����mg���m�3ڧV�;l~R����{?���5��������/���L�R��r?����T�K{e>+EǁI������tL@&LJI��qq�@/njgW�q����k?ǐgU�q�����q<�tLyv5W�]M��/�c �8�8� �7�c�3�؃gY�/β��^�eMcĸ16@�c��]���Xa���Y �΋4n@��Ic�8b�X/��1b\�[ ��1b�����b��s`Q�� s���Ϯ�l�߮����ٝB*��p����������P��/���l�'����\������s��X孈=JV�P%��t�Ó��'ߴ$I���9'Tׂ"G:���h!�����0�f��:�H�_Vp�9�_j�SO�ջ���������3�����Tɕ���Ӵ��} OD½Z�ֳ<]� �����#�Tc-*{���Kk=�8z���5�������>����>�����~c�X�;��bz>g p~�Ŷ��(���=�ƙ˴A?ݣ�>� �d�:t�ҝ�\갇=���4R��4�=��5"*F��|J�*�K%����2%�����b��_���k:N߿��Ľxg��IGk ���Hս��H�٫K���D�'������!q�"A:�|� N.'鐊�r��Ђ��bS5.��0s��C�en.�萃8�\ѡ��?�G4�4 �L���e .�hHp�DÂ�$\&���?��6 �/* � �!b؀: ��!Ĥab(1i8�R ���bxq�FC��4f�0�@ 7Cİ��CC��1A CC�I�Đ1,A M��(�a� C�pņ! b�b����}C�]c���]�����{��6�:���������^~�G@�]�c�_&�[���Uf��$~�ه��?u��c_�]������˻v%�V*Iߛ��zlW�9��HO�uS�q�JL�����)U��%�I�’��������Ov�\��*?��#&����T8t��*(�����~,�/� �<W����#@�!���1 � ��aL����?� ��ǂ���"������+��v�������9ql�8����O�@�e�_�,���3�_�՗.��MO�����<X���=�����>q~5=�F8��O���������]���uS�%ON,��/����ʶ�s��?#�מ=l�1~;S��7{��z拭R�^�g.����1sѷ�q���*�|T5n���,Y�sܫ_nT^�S%��� ��?f���teY�lc�(eyhV� u������oF�4������r7s��g��̬�wǭ�*�oϿ3n����;So�{wMye���q��R����ې�S�x[��Mq˕�e}����V�|�Y�ֆ�̭[�d�����+�dpl���gs�vW#sO��=���o���r���5-���N9�L��{��2���+�1����>:k�iv�.�X�fo�;�~#������<�������}Yǭ|�᮸g#�� �;y����#��Y뫜=0��g�R���&ۚV�<ݬN���_�?�;��c���_����k��{���|��Yq$���R�3��qg�?��K{1�w�A�wͮ���J��¢ =�d�B|si���[��o�bq�Ϗ��U��*�X]T�!A2��H���g�� '�| 5�P�b��g ���ƫ�Ҙ1�@�=>�M�Ic�8d�X1�4&A�Kc��1FA�S>QNc�x1fA�[c��e���4��4�����̤1���k�'hl��4�y�]��.�s^}��:��K�Wߥ1ϫ�Ҹ��wi���4�y�]�^u��I����R<0)&@��b�Wߥ�`{�b��Q��¤x3L��@�ä�C�Q��%�(��/��⾈��"�-�(�@��8k � D�1)�@���D ��C�"A�$��� �D���S� "^�o��eR�r�F�ˤ��~�b�Iq̫S,s�F��}�4�m���m&�7�g����>�o�v�g���/��ƺS�[�w�{�׀,���a��n��m����X�߾�����T���d����������j����]�5�.���jfUhe��m�9���������|S�u��w�Ck���g��<��|��b��I�qnEq�&o��J-���m]�#�?�{fI��7U]�}Ԩ������ ��3���\���k�f͖�=�j�U=�o]I}-��t���b�xm������T����.� �6�9��.qN�~q.�����8'��W�N��9��.qN�Y�^��;�;Ѿ*pG#�g�p qG#�w�����I�Q����+��>�_A�[��>�?��3xqEU�� �9�+�����kRڹŮ���Ϯ��횩��R��E���]��g`�l��H�W�>KI���7@mVrBt��ŽJ�(Y�J R���8�OY^��o"����!��a(d�=�~(�� �_(H � ���h�lh�;��Y��������"���W�?8$$���Aav�/���s��E���r7}��j}z3}���x������<<��]S:�3�q�D�t.{�����RnVG��T8�q��ȕJ�u�Qr|m�����t�9����W>���h�)��j�.w�Y/j��� ��K�x*�Y U^�;�< �����*����UEJբ�pTo�T���6G�F]�Z���K�k����S�x9��z���/?�i�`��̨�hx�2�р<G��ۥ[B�9�tC���&�3��{���/Mjzd��������<-��Z�yzZ�짵���g��uN������ڿ��I��8"[�#E�}�Uq���aG�S.���<=� �z�3��{uG���dO��N�o��~%��u[zb�W�9W���y G\�Ϥ�-��r�H�Z�!G^��N��s��Ұ�7�獑�^�<�3�-Wxⓒ���Oy#{h��2<I�-��q�d��Z�Ҷ��_���<=�1vW%i\FG�2KJ���Pg�Ƈ�w���)M�vԑ��i)=��'#|��q�'��SZ���I9��y <wg�i�Ly�soV[mʰD�Թu5�T�L��e|�����ٕ��>b��������0x� ��(8����5�>��b��t���e| z\ ���vB���Q�9 E�"G�"$y*�e�)\�lR��]Ha�v!�*��•o�������-(t����ņ� B�Kw g! "��� ›I!"�A�:�pdž���� �$� `���l��� �B@H�`�T�� �����f ����b�H��OŚ-�r� �BV�AZ@� �$��0Ij��9)�TAr@���R���qZ%��Z<$Y d ە^�B�$u �I�v��b�! $� ��BrBA�"i�TG��$�!�L�Jr�$�!�� � �$��b����Sl�T� BZA�+W$� d�IR Bn�$� d�I� B~AH0�)!�� � d��<c�D��if��W�5�$�l3I�A�7 !� �����t��oLY��/��p���Vr�^���5�M�������������Ĕ� �;%�%N(��/�����9���iI�)��)E�k���l������\�#��F�%'$%��t��ߠˮ� �����������p�s��wh�z���p�:���'��\��R��XmK}m����-Y��(SڷL��W�C�]n���FL ���bsq��<U��%M��T������7!�m-�ߞ&�ح�`��\ڿ�"�.uUt��z ��_�®*�������vWoL��wy�v�o�����ߞ�}��j���4��*�����������O���_� �.^�79�j_��8�����)r�p����Od���\��6�Jy��O=#7;Y��|��h���j9r��J_�j}Ǜ���p�bl� *�)��p��C�-]�;3 \W�vf[�����S�6�wu�k�>�����4:�(��\��w�+◣r�^noW�y�S�ȷ^���1�Qs������-0z�����<`�~6��'J������4��p���1a����c�rž�W�+n��<��a������I���������W�m������8*����o�+$1�4"��Qɤ��M(�N&�PnBi�2i��f�?F,7�4j������^nFi�r�(�f�F2gk�܌҈�f�F5�F67�4��4¹)���Ĉ�&�F=7�4� ���M(E7�܄R$p��h�&�"��P� &E7�L�n>)J�) ���P�nB)j� ���&����P� nB)�� �H�&����P�(nB)�� ��b5��bR�q�IQƤH�擢�I�M(E7�y� Mះ�&�X��j\+k��v�o�����wJ�Ĕ���?[�#D����>��/���7������U�>�T�����d��Q�"���~����V�fI ܮ��֕�뜰.�;����n�F���sZ��OXg�nN�\�^�Ӵ���}^�"R�.��i]��U�<R��%H��y@�*UM��N�����#+R�;�y��qX�%��Q��_}���{c��- ^7z�5�p/ŕ��Hv��w��)���b=�� ڣ�C;�س�C�%N8R� ���{Z�xخ�b�>���x�#������J8℃8���"N8�J8:℃8���$N8L'�h�8b\��Qc�J8z�la(�(r��%N(]�[�������WI���]����]�E����� E�6�78��߂��?��k�cI�*H���h���o�E��l�D�%8J�586��Y7tA�f��ݲ�Q�G��w�ŋ?�R�����g��G?�+ �@�ܚ��.7�zdv�������?��N�/��_���9L������i_�c뿭�v�w����D�b������ �o���k��+��Y���{�n �>�D^�G�,j� � 8���x��?���8OѠ�[3�?ľ �����o��v��8w�����?�r�����'�IS4������o뿽����1)�8�?L�����ߋ���t�o���$���B�����>����ك��K/=�����mQ�~�����W��Q��箴^����#��^�a�������{���Y�VFHƔv���k+��ԕ�t�ތl���X[�_W}�}i-�L���Ηښ/Lum�R���6���� ��eG�u��I�gz-��}����q�cҦ>Ӭ� )Җ�#��z=�m�����r��-'Q��bo��H�Çr5�~E9k����]_[� �D���a}�--��W{F�o>i�]��N���^�Q����}8M5� ю%Ǩǧt�>� U�;����������/��['��K_Ր����t�����_��ٷ�:��f������5�zz�F�����Rj?����g������/�Gi9�=h�Z��v�l�u&'I:{"�:�%������j.�-�hIs+J>3��J���Tr|����V:�[����+�R}���9V�喾$�YO����Z���U�;Q��f�Uy�,��L�u���R�I���ɱR�A�V��p�z��V��������Ze�I�K�Rk_S�s�Zw��ކ�j�凴 ֫Ό�R�������~׺%d�Ԥ�|��j�$�f�Y�����~�V�#+�f'�Z���Gk�w��r�]Z��]��Si��[Հ� )pBY5(2N �wR �o+����L�������®?�%E�gE�}F���NJZy���T����9Z�}��^�L�z���>C�h�OWQ�������ڿn-f�>5朏���~^_���������/<. 92�:m�t��ְ�����ZJ���{�$uD˅Z|�5��t-1���xj����@M��]K��Q����F�:��(i��<k\Fs)e�1+5�����d��NJK]dM��[J�3�J�=�e�/T3���2kNW3�-�&�R'ϛ�ݝ�]�g�D�ެ�a��s+�%��5��2�t�"�ءh?��~ �h��'��� ���Cg�ҫ�/��\��}>Y}�E�K��b�����R,�\I�4���M� B?yV(i(���3�)�4��2I[A�+��� ��ނ�\� B{A�/ �� ���]��|e�2���>3I�A�4��� 4�n��n� B�A�8-�� 4��3I�A�;�4��U!�/��J9���� t����9D� ����5� �_�F���\���W�Q��+�(O�k�+@� 9D��;@�9D�K@�9�IyDn�_@�yD��o@�yD��+�(��u��x� �!���r_QG�DN�+�(/��ē$��x�%���b��-��xsI,&^Q��A9�������^0�/9 D��@�3��b60��r6�79D���@�;9��܇ �DĆ<"bC>��!/�ȍؐ��s�$!O�ȕ �%�� "o�ȝؐ?A�Plȣ r)6�S9�*�r+��ʤ "ςȵ �-���}?�]��ktʿ r0����A�bl�� r2��=��r56�k�J�>Gndž�Τ� y�I��=��"��� �?�D�Q�� �n���I����I56� L�� � jl�@��P?��!���QK��'@� � nK��Q_0��Qg0��Qo0��Qw��=���Q�`C���zDM� u ���f��W�)L�U@�+L�Y@�- j� �D����Av=sE�?���{�{��_��������E�w�D7�w�������� ���v�����W]������s��X孈=JV�P%��t�r�����OU<�V���k��Q9�yK'-2�IGT��ZT�G����zd p���H�57��{i)�Of-G�c_H}�!�~c�I�;����|U�����1i�t�Wm�g����#�`�|ϐO�jC���sUom�����#kJ��pO�%����Z�b�d���� "R���c�3�%��-#��ۅ�͈� �F\����} ���'���1c/��{9t��ˡ�'V�n��ޯ�7���ͽ�j�#\�N1>��1¤q�=�&���h�p�G�{?;������oi)~�qĽ�%��h<q�Gc�{?W|hla��➏�6�3��h�1i�q�Gc�{?w�����ޏ��~4���qȽ�E��h<r�Gc�{?���]�c�� �b������{������ ûOt�%N����|��?��a��?����t՚!�������j�C�j��駕⺏�?������k��ʿ?+�| =|��Z���� .L qZ�ƹ ÿ$T�{&؛�����������i�û��F�NL+��/��_a!����_����o뿽]%�O�?�� �j�P|�)���>�\ �^STt}!��AABFD�$o�yo嘦Y]ZK��X����y+s�4�8j�C�����-����v�0vw���s����%��)��/c�'sH����o���� �7����c'�G����rC�7�Cc��N��� <�2����Ɇ���#�z�%��7l/�_j�y/դvI�>�>�|>��,���nEEk�_�Gr+kp�6��!}�Y�^��A)�}#��9�v�K�%��m��8���[�m�V9�����Y�b��F�o��0��^)qSR���-�o��[,7��2��*���Z|�Q�����?cUg�� ���IOu����|6�����ϝ �y�9��祋S��'��*�ĆN[ٖ���8���R�����wq���|�Z�v���5���J-m���3I�m��{O����?�[�msdo��O[�������| >�z�r����������{MM�)'����ߘ���b���[��C����3�+����u����?U��j[���3U��~Uߍ*�w.�*���1�7�����1��5�?+$��������?5!11�<��X�a���������������I��2q�#1iI��7���n��k6��T��S���ep�s�%%B��nkxIuo��ڰ�!�Q�j��٪��L�q�]m�i���ÏD�7��������*6O�#�S�#lj-�[u�#��,���������R� R�}�F���P��⪶��a���~�����L���j�}K5;��R�R�ު�QHsW c��5����?U�_TX����q)�U���+�W�+�U�Jq�8�+�U��q����@\E�X�+� v5�c��(w,�U����M��˝ v����ܩ`W��͝ v�9��ĕ���ܱ`�w,ط� �Mpǂ}|����X�o�G8�f8ޑoǍ��طh�������v���MI���o����1 �X�[���w����a������� ��vg-��Ww+��o�z:A� �ԋ�^]��j��S��D������B�F>�&��C��5<LM*Y�&��M�5R=w7�7����梽��)���Ŝ�ԖQ�M�&[[�7������}���7C�.<m�qSD���v�Sc���k�rg�~�����Ԏ���͋P��3Li������TS-�Q����j�k�)Գ��mS��ߊ���������a��b���=^zF�&��������l{����;��}zOR���5���S �}�Q;Q�X������������NP#ӟ�X�_8r�ݶ�~uP���i�:ij�}�s�Ђf�(˗j�7�M�^g��-�����C+ M�+����Fe/G�~bBx>���KTs��76�z�?b LM̑���=��E,lBz��И?oƗ:���lDov����݆s����x ���&���4��{��w�r.��h9W+^Y-�/�zuw�r�v�ҕ>�LT�"M����1/Z%������#($Z(�w�l�h�|l�Z+�����($Z.��l�h�|����A�%�1�r�����s($Z6�����謅�1z_�����澔 -����($Z>���l��>FgQ���,�ȎE����,̢���=?� "�("R�� "����"��"���" " �h"���* "��<,���0 � �H"�8��"�8��"�8�" ��D ���"*��L ��"J��T�^Y�rd D�rd� D�rd D�@D3�7�j "����{��q�����3���1�R��&�a�`��� �7��]��w.~N�_�>����]�l~;龶�agM{M�į,��}���~�wM�������sT�P�:��7�T󲟷����eL�M��c�F؏G V�����O�z",���}�ēޝM'���\=M�v��ߝ(4对 �ު��,�/~�Y`�'o�.ȳ���Q=��c�a�k�_���� �Bǹv���;�~��\����M�O� �ř�l ��LE�}E���S��J�k�*On�V��Wu�U����^U�p*���a�ņV��s�G��\B �l%�)6��ٮS���[�[_����V��NZ�]%m��^Z����YU=<%R��\U=�\������"U=�e����HU�٩��*U=|�NU�U���4;U=�U�z8�NU�T�� ?ǷNU����ۧ����9ZU=���h T�����UP�C���uP�����J��a���nT��a�����R��W�T�� ���\{�v�����T�p�H[�7���"U=�3Q��p������!�#EK���S��-�VD������c�/��������?.)�<��&����������]2��(~ހ������j\����jŠ>��b�*��t��@�A����F���� %{� � �l�,fu�V{��QS�e^�Pi����&J���jU[�R�zYu5�)��X�b�R�5����RS[�����P;�q���˅�o�Eq��B����'�O���#v���=Z�Q�p�T�V��k�6=VC��]]m��;�k�)����)���bN��rX��j��Bk�Q�M߷���Do_U�.<����>yU�SC��ٯ�re�/� ��u�����U� �?~�0��6^ |Q��z[ψ]n��z}�o��҅���ňڣ��u�ž�������TT-��u�T�++��{��y�����D�T�u�DzDaYR :y�$�@D)G�צB�Ez��� ��U�?i��)H� I�tH�tI�PupD8���:8"��O��Oc�����[)]?���34��Ș��:�T�+�3�8�@�0lAs��"� � 4'��Hs�>� �iN��Bs�n"� R5z0 � �PhN��Js��)4'xJ�9� � 6�u{�m�� c��\�9���n��� n��@_�g8ќ �H`$�$%f�9AY�9�'h�c)����z��hNp�Hs� ����^4'X�2��hNp�@s���������|��+Ҝ�|*��ؑ��&e6 ���=T^����Y������7����{ǥ�$'�V���a�g�������L�L��|xY���gO�2���e�+�j}��\��>}�d�`_g���fZ5�������Lc���Br^���'���r���j�s��:�����..�՛��7#\���7᫹G�� ;�����=Z�H���֛T�)59�&7=zZ�ܕ/7۸S�Z��|�ɔ&�-�,�Z;�������l���]��u_�{�NѼ 7�>n�4������}�<�C�P�/#A�]��qV?ټ�C��R.I�az��C�Ż��-����C��BO|�w����y�.��� �k���E��)�xi�fM^+��;[z`�b�Wl�Իc�ܧw/����z��-,��zD�ZĺD���VZ������Z�����-��##eے*Ҡ���SOHC<��C�m��^>/GY�#E}SW��ڪEo>��(\�=�"W8��ȹ�ꣲ�ѱK�14)�9f�Di��y\|�[{��Q�;���]O���UN�v^Jx�K�pb�4qIg=q�YmR������%+���j�-����T�����:p��ZxDN ]"��m��{L��g�&ϸ���h���}]��Y��cY^Ҭ����xy��q+*Zۆk��ôm9��G�?� 2���;��a��>��<=�̵ӳ ���n@�d7 $��]��4�r~��"��E#��Y'��L#�|D&�Lٌl$�W�s��'%��O�$�_�H&��$��j$��I&��H&��$��5��a:�d_�d��N2��F2��N2ه���drM�d�=0��,�I&�H&!�L^#�Lt�ɋ$���t�ə���:����U:��)��M2��a��2���d�<�d�P�dr�L29X"��O&��!�L��A29B'�|H"��^'��-�L���L>�_�A2�C�d�.�dr?��LV4��N�d�X�d�Z�d�l�d�b�dr�D29M&��K"��Z'�<F#��O�drO�dr�N2��F2y�L2�*�L�(�Ln)�L��I&W�H&w�� *���d����9H�d�$��uu��[���H&��H&��$����L~W'����L^��L��L~G&�<Q"��D&�)�L�.�L�(�L~H&�\O"�ܕ��I&{�$��H$�;��1�L��I&��s�$��w5�ɚN2y�F2��d� �d2�+�d�F�d�t�d2�+�d2�+��d2�+�dr�L2�oJ�n엖>F�JC���N�c��=���'%$�K��?���`6�?�o����q'��O��r*�{�oЍ�,�f���@���"K��7x*� -#+����P��~By��'i�ׄOՕ�Mʪ!ߊ���TV�O\]��p�z�=Î�{M����wU7��܄�Uc}׽���Ԅ���P.3��7�k�^n2��k�F ]D���,���EGi|=��R�X�y@Dȗ_�(��"�f����s�� KF3��B��l��"��X�EF������z��[W��+C������F��{N�'0'�U�������%���\���ڣe�R���?O)Yu� YWF��f� O���v ���P�+�C�O���o�{�����6m�@�/4u�X�Q�O9��B��9��.n;j��v�y�9��[� ��,����c�~>��}���]N�9O�Z��:�C�.��x�.Ͷ �]%�j�TF͝l��m9.��?��ESn� v����Sͫ��y5^��W#s���F5�T�uŮ ռjh��WW�T�j��j^�ۨ��%+ռZo��W�T󪩓j^=j��W��j^uΡ�W�6�yu�J5��8��U��y��F5���p�î/W>�s�î3W>�Z��y��ל+vݹRa����G��;�#���=���������?c��8���/q̐�Ĵ���r�����]?� �7����>���k{V�L/�Z�|����l�U��l��˛������k���WoZ�W����6{>4a/Ň&���Є�$7eo�e�؃Q�����������w���)qI1���/�b�a���ߨ�^����;�狟{�\R~c�@9�\��~|��^SQ�r;�v����X���U�¾����f�S)���J�=���۳�H�=눔�S)��n�kj��Z�w��s�뼟)�}�m��l�Xo�j�o���ZW���������]|�Q�_��7�����j�ԕ�!J�y��yϫc�r��⧩��_�Dž�P�Nϵ�{wQ�w��'�6S� �O8Q�N\gJtz����LI��br��I^����k�R�?���6�\!�հ���iy�٧{��N��a�qq��hF�}��j����Dz��Y���g���&�R�j5�p�܊���O�4�ki U�O�Y�?�;1�X�"�$�f���U,K��e,��: ��"� ɂ�/�`�Xjy H���%�W��ұ�SK�c�SK�c�+�N��A,����X:�.�NǺ[,INJ��"��n � "Ёv h���k���Ah�Al�Ap��NɎ�� �A�@)+02�P92R�X92r�`92��h� [ ��x� _ ��� c �##e ��##g �##i ����� m �������j�;�1���� �o���SR� �K,�"����o���o1���kS�,�����j=k�Q-���;{ � �M�aw���M܎��w�Za� ��;T��j�P���yF���A��A��T,). ��6���:m�0��x)w@�`�ҿ)�U� �o�����F��{R����W>��ϋ�\��������W�ܓ��U�W>�Y�?YGY��A���-�O��ɟ=UHkbj�S� _Z��� �#�5�п��'�2���˄��B�@����)������7T9/{�rd~��e<�M*��M9,=��r�\C��� fy�E�i��B�e�Q�^ϫ[�&5�ݞj�EE��K/�,yd?��E������q���^l���V�ܱ�5���,͎��ʅv*xӁ�p� R��: �9���9�&I�v Kψ�� D�����#��ޡ��~�f�Y�%��L ��P'���B:{�N:{�B:[�Ig�PHg�Ȥ�VHg�IgwSHgˤ��+��ꤣ��B:���7}K)�(B���f^l�q 0r�������q�-�/&1�јr�������!�_����*P�]{��7g-��D���Z�����A��RMB�6���P㣎C�0��n�{)�t���fmh�釥E���6��k�P��~qP��m[L��v;.��h��_�\��������k�W��v�����bN��e���VѢ��1��&䜣͗�L!?mu�f=a�t丹ӹ��.ۋ]���oa?zɭ��Ĩ渆Q�g�N�v,���=(#@�F�v�d���&��6?�բ�G�`��2��)#@��2�h����W�2�6QF�X3e�)0ve)#�e���=�2e�f���є��|ʇ]u>�î<�� �)||ʇ} |ʇ}ٷ��|�7‘}+|��}3|��};|��}CٷħX�7ŧXطŇ���C���Fe���������%ƌ��@̌;?� ���O!��_��k3�>]���rvuPF��+�}��1�j�vj=�� ��*��RU�n[5�.������i�TC\bs����鶚�4������9#�:�9�1U�E;����7���~B'��O�{DS�ah��Q�+�G˦��ՏhM\�ؚ�-��=b�ܕ'5۸��&Gj��5�i�9�����j�rgk�z�M�ǝm�_м}�ޅ�J>naN�����)g��R��m~K��kg�8��d^�f�����úhA���Y��i�[H�"-�����G�N��vv޺I�rPuv�ԤnR��|"�xi�Ӛ�B�9w�큁OJ�b��zw|D���b�s�E-�o�3,7]���X7Z�{�����R�����QҀ� lG��l��dԵ�4x�>�����a؆^�F���l���E���rFo>��(|��Њ-��y�Αs_�Fe�v�����ɰ:��UR̼Q��~OI��{�bkO���Z��N���+��w�/%T�Ɩ�(M8��6qI-q�q礴:ZR�g�0]���l٭�$�wNqGK8љZ�KJ }ʖ��N��1�6=�yi����G3�I3��oK�5Bz,K���E���������s� �81�ܖ�=��y~О��}�g��fs�#a#Nh��MV��d�1�tٿ�N��!��@(Ot�8�/�b �x"��, �+ b ����b �8"ր�7 b��"���? b�8"��G b��"6��O b�#�S b�x劃�,W,n��`���_R�9�Xs��b�x�J��4q Dlsd� D�sdqD��@�<q�Ǿ,����O1��؈q|'� @pW>�hr��M΀+�� ��gp�x��?�� x��͌K�� 8�&}���-4��"M��QN7� M�:i�g�F�>�N���)ѤO��&}FI4���F�>=�9��&}ZH4��F�>�i��qM�|C�=��h�Dž&{WѤ�q�&}^tҤ��&}ҝ4��F�>��4�3_�I��&}VI4�3�F�>OI4���F�>h��qM�����u4�s?M�0ΣIQ�I�m6���Ѥ�q'M���h�g��&}t�&}^wҤ�n�&}�;i����aI�>��J���xgҤ�+��&}(^��4�C� .�I�.���ĩn��A=��C�������L����)����H��r������0������N����Z|�W������P?2�� ����;�a�Cj��;�F�U��j�\��d�B����o�-6{���iUl�>G4%��-F�[�*���Gl�!Xl��-���!zW��z������곧���Um��E�Ê�S�P����1�C����?j����m�4x�hi�o18`�|e��t�z8F�t9M��Q/���h��1j� ���O�T{��ZǷR{��$>�`U�WlS�w�o�>���V����v�Qy���v�����~o�G����j�O��\�LJmO?��Oupb�:$$Q�?L�h���G��`V�����O�c;��?��qG�뉣��G�>/�Y��(��#�<vJ��=qܨ���������U㛩j�ɥ�#WRԄ�3� ���W?�&n�,Nz����j���HsU~�"N�UL�H���%���Y�ZO�:��i�1qz� �t�fqƙ�꣎U��/6���>Q{���+����V1�R�R�r�U�v�[բ�� �*%��5��<b(yVw�E�<��S=�9��?��4^l4`.pY#��5d.pYc��5h.pY���6��qs��8���s��:���s��<���s��>���s��� \\�@���, ��eA��- �,8��# .pY�p��� \,\ಀ�� ܱ���'b@\����<$.pY0��]�AEw:! .�T�AF��� �H�R� \*s��#���AH��� I�R�%���� �� �VT�Aʅ- T�,X��e�. Z.p?�27^.pߤ27b.p��27f.p�� ���# l �� [�Y�sa�Ne��\��He��\�T~.pp��H� \F\�22��1*KR���{9A\�2��Ȉ��–��4��e���-#.l�pa�H� [F$\�22�– ��T��e��-#L�`��e$Ñ ��l82��–���x��e�Å-# .l qaˈ� [FF%S�iB�Lt@������r����?�f��.����3��1�k述��)4��`�N���+r��f�����[�.R�Ț��+�M�ΈL����8��՟�P?tӈ]�7O�1tK�u����������ۭ��Wim�OM{�>=�����{Y4g|b{�S��}ٷr��G�����M�W������-|���}������\��޲�P^j��7&��eGE�?0\��>��~lV����ÿU�M��O�y����z�O��������OU;��Ԯ=ۿ;��/�{�Oo��;�qv���E����.x%�����O��Ø������ǃ�:����n���&F�\�~�R�~�K�j�O�9 �uЮl��,̪��~�),�5�y��J�vk�e��������rXVA� ����XЦo|~[��o߈|��e�>n��}�f������>{Tz�\�D��������qV�t�sg���8Ú ^�h�v)X�R�xAhSG~�-�.?��y��]��w�ܜ�mCT~���{��oM~*���a� ���+6$�w���}z7N�s~VA��%?,W*���(?b�}�������{&F��L�;��Tr�\�[���Nov��Z�[�2��?v+*�6#�/cl|hF�_l����9{��E>���!� ?{�O0r0��{���݇_3?ԛ6�dw��iY�2�tmM�ﳞ�����@�qA^@$�Af@��񝆌�82���JO���w2��;�������CF~|�!#@�㐑 �iȈ�##C�Ӑ"GF���05�vN ��QѴ�p`8-*��E���I4�8���A�<�#O��㱏2���Dʑ�)ߑ��##U�쓽�2����2���9H�2�|��>Ȗ2��M�}�N�}�DSf��p��3.�2�<N�}�DSf���)���e��G�9S�?'e��Q���N�AYG��g��,H��.F�@�7~o.��[@�/i�EV-��v�_�X@�/��i�Ez-��ȧ���i�E�|Z|13�_�Χ���i�o"-��N�/j%���-��V@ޔ3�_4/ ojm"-�p) ojq"-�8^@ޔ#�_l) o�|Z|�zyS����bs:ySQ���bU:yS�����t�%�� ��M�$������q"-��U@�/,���B*����i���-��N�/&�⋞��⋿�� �C� ������ �������������;f�Ԕ�w~�G����O��������=������Eu�)�7?N�oF�V?!Lo0�Ws���v��5�{���W?�7�TSjr�Mnz���+_n�q��� ���5�)M�[�Y$�vLo5!Skm٬��Pk�J����yn�}܆i>y+e�S!Z��yr�ܡ�_F�|��`��~�y�����\��"����$�w{=8 [ q���6=����^�t�C���]z��Z��3r� ��}�S���X͚�V�9w�����r���v攺��G�ܶ��*����>�aęUI��8F�ld)�R�_�/Icz�Z�ЫMB?a��茦J ;N'�����Ia�j��}�9�0Wج����Ha���h�Y�&�}Z"��/���)���B&��������^$��>�����Hao�Ia/�Ha��IaO�Hao�Ia�Ha��Ia�h���ɤ��J��dR��)�~�!C ;^'�}I"����>$��n������'R�4R��뤰?�Ha��Iagh���Ȥ���S&�=V#��V&�=["��X&�#�¾;sZ���x�����[y� �g�?C��/,��������1_Z� &��7�3)~jBbbLy��=�� �7�����æ��OL�*������!���� �7����C��7)&��� 뿃���w�s��P�����:�:�M�u�g�ӥ�;��y�:���>��{�`�O�~�k����u����&�/���U���C�<G��x�[���x[�2�57�p��>0������5��{���3y*����?��o��h��[��5����֯x��}�g��'�|�v�J�+����G�̅��f�A|�t�[��b4�ߖ��Nj�xa��Łe~؟m�n�l5���7�㸶���S~�S�o����7��M�?��=׬��ϴ�ͮ���k�~+Uvq)*�� t��r��~֛� u�'��v��A�[-�r�E��ㅁxq�o�7qu�G��A݃�a�3���7��xLb������7��b 2ߘ�����+��������������u^�K{�Kꀼ��F���k�+���l�ܼj�=gU�`��YW r����vt6��`��͏��:����Ӆ���X���׼��um?ٱ��Y�wZo0��$Y׻�8���5�z#����/��ovl��YΆ] � ����ߑ}����sN�9G��?y�Y�&[�y�$ٺŬ���t�nǚ�'�l�y��ӆ��O�K�k��Nݫ}i���3,K�kZ����OX���צ:�͔��j��%�e+�srlV �xDۉ��ڷ�y8Oz�h'�^r��v\;���[��5�γ VI�fϷ�O~J�a�Dۏ'H?���]��_��.����/c�W�K뫔�v�T(K���R9�m��mT�忼R"8���e<�ku\�y@���������/��@�# O��@�%� o��@�'�mSƣ@p)�L���W�d�ʑ�*�ʑ�+ˑ�,O�ø��)t��:�wy ƽ<��_�B�q0O��x���a\�S�0>�)t'sd��S�0n����fur��<��l�B��6O�ø���a��S�0�s�sd\N)sfJ�2'�F)sFI�2'�v}J��B��9Ml�"��F)r<���S��KNJ�s\�9���"g�F)r���g�D)p��(�S���h�8$J�i�8�%J���4R�u���C������B�c��a=#��3�?c�����ǤU��_�%���?$���*x��Z1�\����ys�'ʚ�Ŷ������ܞ;��i�p�N���u������\Ӷ�ˏ9����}���� RU煢Ǭ?w�������K�8/����`��+��f ΢׏�K�9]�mɩ4m���|�ZE:j�ji�Sͺ���0�Zݴ�V���7a��M�`��%�j�2�vN?[��ɩ��U���K�z�N9��^N}�ϝ \����?� ���i�%��QmTN�:����r;gӝ#��ݜ�2�[�bk��d5=d��H�dm�k��Հ���[:�ܿ�����N�F�r� _������7����;���m�[��ˈ�ݿt��㬎6󴇜����û:���A�6K�=6�݃��g#�+�I~׻N�v���z�����;��z�ֺ�-�����?�"�ٜ}���{y������O�w�x�s�4�I�V}����h#�+���>�$k�������o-s��5�I�� 6����5�F�Vw�[&�[�l�oy9����os����I��*'�[�l�o����5�F�V����~6��l<��m�q���m��ݎ��ڜ�+�J��ïYY��.e�8Z׎'F�q��EwRɥArd��]�YD��,*9��":���"��*,J���"��,Z9����Z�,r������,�������,��u��:�!�ᘓ\�-9�:lv��p�J��Q�6��:l��xrV���"�\�y�>0 �!�F�Ó9�:�����?+pׁ1w;pׁ1w�I=�)���؂�m����u`��]��pׁ�w�pׁ� w�p��QR�`�:<D� �]�^���4�uhE��C��?�m`�C�������0�����u����H�:D�s0��9�\�~�T�:�qcqׁ�ֵ�ث��@n�/�û�Ү�I���&]u˕v�&7�1G�z�M`�G���� H��$�`B�*<A���]Ɗ�]���R�c�Ү�W�R�c�Ү�giW�=giWa����0�Y�Ux�V�Ux�V�Ui+�*t��vL�ҮB%[iW��Y�U��]��_\��_\�U�Ү��/���/���/���/���/�����U�{2<vYz]�:^u:��u������7������R&%OIHLL��������7��"���%T�?o�r�I9�\��~|��^��RV�`)�ʓ�g�&K����1��?W ��P / ��X������K�*�yM�����^D��oU(ނ�GX��� �����B�k$�fm�f��ʻ��#�iz�1��:�(|��}>M�>�&g�#�h|:�}<>��?":)4p�KUT�ǥ����*��� /��Z�ߍ���s����������#�bb�b:�W��X,e�����b����3����c�_�rrb”;��n�����������1�cf$ŕ_��o��������/)yzy������]��00�������q�X���Vƪ�+�,۟��,���S� �OSC�3l��״C���O����/�k ���*s���*��P��ʑ�)���r4a�|lV7�xD������7û�'º ߆x�'������\�Ԯ��w'� �{7맷n�||T�>SS�W6�g|��0f�|�b�p�d�^�/B����^��^(Z][^�-���^�4�{���Zr���JU������jvʮ�x+5ĵr��^���rMm�Rk�C��3U���sz�7��e�z����}3��� QB���{D�аS��O��e�ܸz�ФRc��9���˲�KJ���e�5����?�Miu�s��-��ZM�Hom���}Eo�����;G�.ܥ���ө� �����0�IzX�2!��@=b�L��i���K��{ȑ�3������+�%�Ƀ�vSO�A��\:l�<��E��d�Q�x �^_��[0k�^h�1����s7 ���GǮ�d�ԥ�O��y3�~+�q�˱��T�º�q�Q⽛��;�* �.r�[� '���D�;��Ii텤̣zrTmA^�I�l�^HI^�Oq�%�����V�BW�iy;��O�ӳ�(3.>"?��H�����>k��XVy�������Uoi�x������W���i�̑�9�F�Ԓ��h�>�d���n�Z3ܽ-qq]����y�B�S �H;�~�6��Ȥ�T�J��T,Ji���vN��i��{���i��2�vN-��`^|�E1��Z��N*U��T3�I�"�N���I5T��T��I����8�v�YՕ���vVy�sD?�Q�*���N;���s��,P��2�*>�I��W�v ,A;���9��Ω�vN��i S{~��c�]ͣ�W`` V�Y���J_�a�`��i�w�S�+0���>@0�L�l#�+�L8�N@0�L�l��'w�s�^@0,����h8�j@0� �,Ǒ1l���� B�|8�~� rdL�l#��@0#�C��@0%l c�ސ�&GƜ@�'GƠ8���PP�M�`T`U ������i�`[ �� Ƽ@�/G��@�0G��@�1G��@�2̌� C�K��8��@06�6̍�ͱ��3X�#cr ؜#ct Xf�݁`x X�ޛl�3 ��;� ������7�����I�K�O�����ρ�7� 0��]��㋟{���/����������}A���� =��C���,O���"MXZ���;�U����B��tE�jӤj�#�������2i�ź���m��e���M]=�k����>�p�v��s��QT5׫7�k���[QQf�[m�q���!���|�)�|���M�ʚp)�ʚr�D*k�D*k�׊T����J瀦Ob��9 ��da��& ���!Ab��9 4J���:�MJ�p��WFؑتK"��G�$�Vk$��:�$��^��o@�V}fC�����q���-.5.e�ة)�wN�߰��d1��-�/�V����ݴ�꽒��s�W��W�y�>���#A����R�x���uo�g54����������m� ���S@��� �x�,&b��G�(5������ 2�|D�|���_q���g �z� տ*7ݭ�����3����J��и��1�Rg���������Z�����܊�|R������5s�����ad�=�?��鍲��~����FE%����Ϊ�wU�oLk'W(�����m&���E���3��q�k�/*.-fF9��M�_@p��������ow��ߠ[�����[�i�Ӥ�mXdUbZ;�8�6�vN������+"�����_"�*~V���c�o�������ű����7����0�b��[��q�:�ϝz^����~C^��� ��u����ڼ����X�w���ՊM�?9z�lj��۩1�H���w�-�*)���S��_����H��9C�eI���e�?C���8����3)fܝ�� 2ߘ����w���XV�wG��NސҺ��rӁ��5���Y��pby�ÿM��?���դ1�v��ɿ������3��q�D��ֺ?���~��[HH�٨�c�����F��{����%L,���Y�s���_`@����"��k�'ؽ*�7Ъ P��x۫rS���aw5��M��k�_�n����Pkj��Z�w��s�뼟)�}�m��l�Xo�j�oF�P?!Vl0"Lp�xPl��Gh��N�h�Gi\�MlR�[ir����X �swu�����5����w(��fb�9�J�aEb� � �-G�6}�ںo�}U������"��mT}O �g��vȕ��'��� V:ΊW͋�~�>y������m-����B�g�.7]nj� ��/�W{�4[�&�������@��+�1�w���>��(}�o��҅���ňڣ��u�ž��B��W����T"���wW�LPmKLʠ����i��!�~��a_+C �Q��J�7�h��B��:��-�C+t��ׅ�sw���� �c��dL�H�3o�2�o�:.>A���X� �ĝNS�����j�k]%���g��K����:¤�NbR�.$G5���ɖ+bJ�;��#b��%Bj�e5-t���wX��X����:�b��h�ru�h%}���cY��Y����/x*׹�������) ��P���xz-^T]�c����tzdq��4{�ӱ����@����I@�a����D�&@� �D�6@��!�aD(�@8R@��ő�!D�j@�!D�z@�!�aD(�@8�YX�Yx�8�@�*�ʇ�,d�[ޅ��"|����0a D(�@�4a Dhsd� D��@��8�@�<�=���ϻMF@�T@>�s*��c�I��䓦�_��|�����E�I���+U�IG*��S�'���O���OjR�'���A%����~��A+�nU�'� �Oz��h�|Rڕ �!��u�|��"����I��'��h�|�y ��kU�I�I���S�'MS�'�S�'���*�I;�䓞U�'�_�E>i'�|R�P#�t�@>��|�w�I���.�'���O�V!���J>�b�|ҏU�I��I���F+�>��O�Y!�4N%��/K�n�IH������ �o��{T�O�I���Z!�?�F�d6��T���Q|�1������i��tY��Ou�F���Br^�Qh����\k��Z�x���s��o<����k��������'�� F�j�>z�N��F>5u��>R���&�jJMι�M���<w���6�|!7_�F2� z�9���Î�&dj�-��6}jm�W�޾S4��M���0�'o��{*Dk�=O�;T��H��_,u��O6/�������KR`X�4��d�n�dK!���Ц���L$|�w޺K�r0C�yF�AѺ/p�=^�Y���=�Ζ�X�s��k��R���U��G��_�� ��`����_��� �b�����`X�皥}�/)�2�_�����w��)�ֈ��~��B���y �����B���W5�h ���u��k�%���%�k�%���%�j�%���%���K������_�I^BM��7�zS�%�P%/a�D^�2y k$����Ey �t�25�6��%,��KXE�bYX���I&/a�F^�J������y2y C%�d��%����%xH�%�� /!B'/�D^B{���l��J� z��(���Ou�v��%d�߃2�KP4�(-6胼J� !/��b�N�K0���pﭹ����X�e�C���8*R����ð"��9$��`6���k���*���XT��B���B*���g����u���*a��K�=��_�/���|ȯ�y�f�I�ܺZ.�d���R+Rf��+�GVnF�o��F�o���O�0u�P~�_��߁��k��L��KJMH*��i��6���c��=��Iq1S+������oX�`���H�w�dւ��m��>���N�ڊ�Ya��վ������Zb��5M�'�S�_#��L/�F��[�~���~B����q&������B�F>�&��C��5<LM*Y�&��M�=�hz���swkG�O\�^k�9�/�?�)���Ŝ��-���[M8ijm�bn��SS[�#fo�7Mޅ�>nϚ|�;|Oɦ��;:�>m��X�]�����E6���0%��sАv�w�98�'{���P����oۙ;]���y������L]m�6�o�Vw�x�%�5������� ���+v��wǷ}zϴ�9����),w�9�����u+�}O�4�{y����������?d8� �mIW�����i^�!���Q�}hA{G��=�ps�W�)z��yD�Q�C+k���d9��yT�J��X�yL�<����}���q�O�ck;qa�����9�#��;R ��� oE9&|[�>q�s���4)m�9�Q˔b��1MnlNIv���_6�\kJ-j�H �ž���c���>=��c����f|䘹/՞>��cYQ�Y��8f�jgJ֥ʯުV��zo��;z� �oՅ/��{�s�EEsd��?���[@`c�m8�ۆ�#pg?�ٯ7��u��Mr�B�+��y[X=>�� �ؼ�-<[ ���*ڊ��� /�K����U��U�H ��{���d��*g,Y!v�����Y!�Ld� 5�"�l"+d=<Y!~���Ȃ��  �B��  ���$� ����H�����D�  Ȅ��A*�#d����# H��l�  H������� " �B��� & ȉw���� ) � ���82���82���82�Ȁ 3  R�؀ 7 ��� ;7��82���82��92�� C R�� G ��(� K ����4� N��<� P��D� R��L� T Hb�\� X H��l� \ H������H"���B��� f ������D]�R�_�U#t�Q��J�z��r��_���~� ��o>-m�C�������R���8�c9���R�708�ſ�����o�q�9��<5aJZBbb�m������@���꿄�o���&X]+�$��)�� �ɟ��|�/�|�_y殨!�)�oI��⼿��H���?���{7�����:�W�7�~��d�^%Z��V�]�*~���z��j�^�[۫T������дT^R��VM���E�|����7fG�弨.�.Dz0@YR,��` �#c���`�����\S*__�纔�`�R)��J�̘�}������`��Q���mb��_��Dw��E2���mb��d��ύmb�612���61�'��'3v�������q� �'29)5a\\bb���,7���`���]��,n��S������zaV{�h5�P�����JӾ*O�%W���T����YO+�f�����B>�kL�,�kj��Z�z휩J������S%�z���L�D���� ��#B��h�7�i�TG�ܸzS��&�<��G/˞�.)�6���R�/�X6��ejb��r�Y�">�[[r�zxEo��.S st��]���8�'o��{���>�y�C�X�/c�r���r�Y#󢶲|�0���F��d�wg6��\q�d�����3�<jT���6P����_���Ly���ǧ�i���e+f�X��Ŭ��<���yh/�rAR��OrH�"N���b�;,^�y ���%�*ⷴ��@�)T�39���� 9���<<'�󐪓�@����<D �<���<� �<4��yh"��"��P ��@������29�r��<R�y�X&确@��r����9��<� �<�����@��r ���0N'�a�B�C����r���<LS�y�-��0B!硭L�C����-��pJ&硳@���29�9'Ɂ0�΃P�E��>��w� �o�C���_R��1�-�˸��\��WIqj�IC��o�9��������8F�&�O����-����H�����S��o���������1��G�/�o����������q ������Z�u֙=_�.**r�T�rQQ�'<7�X���.�ax.�^�������9�L�CY���z�k���uݺ���A������r�j���Z��0)��^�����������`K����%���~����S�_n��׶��q떎}�[���l������n���f�ׂQ��?_p�d5�M�qg[���6�m~/�l�}�uɌYG��ft��Y��:rt�~fK��dq���x�@�a �4o�7���>�>G�a��@@|( >�ȑ}ȫ��?�A1Z�t��3/F�o��������O�2�gR|\bܔ;��[�n��͞��+���V|��A����3V��_��ڟ��/�zm>н��#�)o� 7�sT�P�J��o�y���#�U���h����O=1X�z����O�z"����}�ē�ē��S�u�S����N�b�� �魻�3 ���g�Q��ij ������k�Ƽ��8p��S�'� �ԋ�^��^�>W�t�q���ł}q�+���9_�0�7� �7=�H�����l�Ϫך���������s>R[F�6��p@lm��Ԧ�b[�]&o� ѻ���M}�v�}O��g��wȝ��e,�߿NR;Κj7/z@���0���j RM�xG��N�!���PϪb�ML�.+v�Z`�r�bW���ۆ���\��x�њ|��s�����b����h���=I�s>���O1,�]SD�D1b�RS���~/����;A�L�>`}u��ivے��A]G�����.���ΩC �٣,_�Q�t6E{���x�F��(4=���8r�f��T��iL� Q�̳��{^�c?M����=.l�wz�=޻��c�=�����V�}‰"u�8S��S��fJ�,��|L�M�\Ӕ���8���)u� 1���=-4GM���>��Uuz����s�G32�3��W�g-�?���=�>�_���m�㷢��mo��~m�<o�Ԁ/I���V������*�*Mrh�r8_� v�UʾvZ�|A�YS��A��7���[i��J��{���~�y*��~V��� *���U���O��ރU�����~� ��{���C��;2���u�~o�#���{��F���g��3�N@0,S�V@0�s�^@0G�b@0��3Ѫ��x�a���I`���@�*��EcW.��r��X��m�`\ X��:Ƽ$�v�s00G��@01G��@02� 3s�ؙ++��@�41����ț16� s��@08,�sdl���@0;����@0=l�G~��`} �����z z��7�G��z z z z z z z z z z z>2a=G֋ѓpd� = G֫ѳѻ������������������녀�8����#땀�8�� � �^ �� �� � �^ �� �� � �^ ���c�+z4��W�g��z7 z8 z9 z: z; z< z=nZ��=��E����?n�?��c�?��Si�ny������A׬�+����?�� �7�����?-.e�-%!i�m���-�������+����_��Gƌ�KH.��� ������`c��9nai�/�Wf�ZK��HzV�-����� �y���o�|w�|��Qǡ�G�_v7罔g:r�E�64����"ǏUG�~ʉ5_��e�8����-�Kn��V_�_ίf.��c�f�{��5�+{s��a �io1'�ܲ�v{�h���ljr����m&�2���,���VGh��NG��;��k경��5��K�n�4�TT�7��q ��g�j�v,ӵ� �_�ήGv���V@\/>�ŮGv�� �v���3]��.v�L��|��]O>�Į)�Ibו�$�k�g����3I�sdי� �k͑]o>�Į9�Ib�����w���w���w�����wÑ}?<��w���w���wƑ}o@|w@|���bE]`�@�/3��������㿤���1��7]�o�~� �������a��������OV�*�X��Vo�E�ޗɶ����� ���,4�n�gk����mD�h�z$�zMR�4!�T�\� �U.Ƣ�L��/�C�&_�P*_���H�х�\��U��L�:�x��%�?�����} >G����\|��>��s'��@|N >+�x;?�; .F6���7���G�?uJ�����l�����4�����7�����Uw��ue����X?����@���խ��s��x��˭�y/囏^mՆ�4��B��&��I�^���qqPg��m��KnZΥ7�9.�7���_�f�{��5�Gs{�S�aG�9Ӭ-k�ut��d���| ��[�}��u�N���' �V3�J�9�{��3\'7g��ܜ�����\v8��@n��9��ě��ie%7'�Ln�j+�9=�9��9�frsR���tp����JnN�����{\=rsX������ڄ��InN�rs;�͙f%7g/?��*ߢ��;W�ȹ`�?������4�KI�ON������������� �7��8� ��&$%L�Z�o\��o6��-��$/_=�=,|m{���I�A 𶋊�r%�I �ર6������C���L��/D�}��@� ~������C�������q�v��3)9%yJ9��M���`����!���_��IW�cx��Z+��Jjh�r-��(]��w�,P�mxV� O��[�s��s�����+6Y��q�ҧ� ���㕰ցr��Dž�*�rľ8��� r���*���#�g(֛�#VlK�u�� ���<ij�2t�^yh��eɒ������ԣ� 3�z��DŽ��^�G��,��~T�J�1R�"?Qb�͐���P��?,��~R� �&ǝ~D��n.���$��� ouP&�8.O\!$�,�'���2���Q�y�&}��{!%y�>�}��:p��ZxZI ]!���T�{<)O�^�̸���h�"e澾r����cY�Y��+�_�#�T�\���/`��_��� �P��*���`i/��R�����~x}���^��5! �M ��D��YѴ8���D���Ԁhn@49 �G��p��q�G����Ds�I�,�h�@4O �(����C�5W����l9���͗���h�@4eh�@4ih�@4mh�@4q �9M��Ι�5y �=G��h�YY(@�����D�����.��{_�PsS��QS���&h.�B�����^"�H��c�e~_�d�}8V�-�-7̤)���FI�T��L�Z���9�˲�����X"����<����M�pp \܆��nj�}� �F�•�p' \ �µ�p/ \ x��u���]v�0�#�7�#�������\Z���������������o���?�Z�戺��d�����=w(�U:(���?=�����*�x�6���&�����B4��?k � 3u������T�g)��*���w���n��k�K����.��+��c�n ����3{�� m="5{ϸGm��g�C�G���f���-�쳦�r�l���M�����d곭�1?��wy9)2�����a�_l��R�4�����}^���G�}JD�{�ѵ�٢��C���6Թ�>lg�-��L�W�����e��lSm��)Ҩ�Q��#�Keʕ-W�\y��ϼ��^���S]i�}���SI�a��?S��"�7��. "��[�q��p����-��&q��� jt��� �R�f�~����{l�?h������0��_�8�� q� �� q�9����q=�0���+q\��,8�� a��0��g�u�\8�O�s\ߝ����!!̇�zސfDq}6oHs��~>oH���^���¼(��� af�w� an8`r� ���7$���yCB�!���)��Hq�k�!!̒����!!̓��DސfJq}8oHx��ke��F,a��F�o���q�����q)�n�����&�����������\�L��������? �O��_J������+��m���*�\Yg֫mm���Eu<QͶ��=�O�x�K%=o�)� ���/�{��UL� ��H,�UO٥z>�e�dzG���e��>G������nM��`��n�^��ْiA�^cf�t��(�fb�TkH�^;<H��c=��V��:Mպ/H���U��X�V��y���s���S����x���9���d�b�R����<�y�Ez�ګ%���t����V�G� V�Z ���<ok�7J��z��ne��~���\ �׷����������!��J����мRx�H=|�d��q��^�.s����o������N��1|�ˏ�Ӡ�]z�;*� o+?�E�N������G�G�Д�6�"\���T��Д=t�*94�itp5 ܍�����А���p �G�ႄ� �pEB�$���-�pM ��Mq�U�pWpY �\��q���pgpi��e$�6� ����@�:�.�u/�(�* t% Z��� (���YPtAK�� �H���A/�� �!��/�}�6*(�P�i���=�F*(�4R��������p ���*����� ��8�>�jb\l����� �v�����V�����6����'v*u��������P�϶�z��VR�7��wI֧����z��'��t�d�g�>���-����`i�-�� j�{�mșLu��Y۰�#Ԙ�ޒ����#fڥ��7U��T)vJW}T�@i��N��?W2���-�W™�AC�n�/7r��ƍ�L�oJ���@��0�<�!P�!��2a�y���#�3]e�@����a(�qc�`(�FC( �2a<�y��Ce(��D��L;g¨(�Hd��qQ���-1���=Ј���Ϩ��_D|ZR�X����Ϸ�O௟�����ۥ�c-����xs����&Oc���VfL�ƤiL�ƄiL��diL��DiL��$iL��iL���hL���hL�ƤhL�ƄhL��dhL��DhL��$hL�� 8��&L�nTd���ZRx�<tIyX�FsL����'��9K�#�\�Ȭf%�;�e�(�ϴ� �;�jZ|h�#��l-�+ܑ�-MK�l�H\�����c���r���y\� 9Y�bN� ��Y'�w�+�����k���"�1�ݫ�}�H/�E˨�92r�h��vL�ڠM�OsdNY�=��2b�6u~�ãLY�r�}���W1��K�v���Y6D��{�j��4 �,�G]�|{��[L���$�XRF�-��X��ت�s#��>���� �����is�a�,i��,i�Y�n-��}��a�,io�sX0K�'d����Y�v�,m�0��}Lci�eK۟i,m?�`i[�X�Np��=[ci;���v���vK�Qt`i{<�<xKۃ���v���� :�w���2��}^fi�:���������_4��5K�{4��g;X�ޠ����`i{���v����iK��Y�ʔ�'^��K�5�տ��.y�������[.V�����G�g$�N�31m�M����_��������V��WG{�ş����� 4e�<�ǃN�?>���y�-���FY�ZP۽'�_��V������**z������T ���~��VT<�d|q����<$�{�}�����  ;��х-a�\�7��oS;/��8w�a��F�o��F����Rn��~��5�t0��[�_}$J���������<�i�p�E�ymq5��e��&8[���˫�`�W�Rk���� fZ[��l�3��6/��am�������Vy��OBo�oj��/�����i ������%��IWP�g��<W��g�-�]��y��y�k��qή�VY�-|�iI�k�>}��Gd��g\�%��PkH��%��S�P��мdWx����VW����/����u�%"3��wMKd�����K��5��'|bP��u�7-�i� x�u�+�����M;]C �r}e�kXA�3f����sD�d��,_�1�;#�2�{�ut��%�j�5>��%�xWkB�3��mfkb�/-���X�^g;��+���q�+y�Zgʠ�.u����\�)���k��J��L+�hM�dI/Xbͨc�șa�x��eRV�ur�ْ9�����2�)#��S��`rO)mpv�Kt�F#���)�]��U�o��À|o��h�gad$� C�؀�� ����0> #� �1a���(�0L ��H)0� ��� ��ĥ7��0\N\�]��8-��Twq���Ø9q�qr�����A�0nJ\��s��ʉK���UVN\pr�2�ʉ�h '.VN\B,�� �r��E�pJX�y �����9(qB��pJ\��P�"���0�����E8%.�y(qD��p""�H�™�� �é��:�<8�C��s8�C��\Y��2���e��..��:� 2��e�H �A&Y� �c�2H��� 5-\ᡟpL.����e�2tG�2H#�ypX.�Htǥ2�p^.�,�s81�A&;� �� ��N�e�I.�,�r$��e�V.�t�p����� ��^p|.�x�9��v$��)��oW�?������������;.�KI�V:����||����e#����_��7�ϋ?ӓ���k�Yُ+���g]�9ȵ~U3ˆ�\攷䜿�z����>�|�������e�—\�k>m٢�u}Tu�%7�+�� �'��p}��S�OT��L9�ʛ�����s��A��]�]_��Η�s���������p���9ص�`���4kA�pe��(�;��r 1�zpJ���z�C#�*ߴ�`=�����u\G�<���s�u����?mq}x��خe��[��O����ÊM��h���W��δ�JyR9=r��L��n֟��QζLt�R��r�bo׹����x�.�u_̭�*̮�.Z*B�y��cF���#;�eU�ZN�A)o�a�h^�T2͵V��W*�ֻ܏(Uv�qUuQ��KwUm�۴ �Uc�`��;�j&vt���U;�����B׽-/��4�o�[q����Ek�����[l/P~�����N��◭� ?��L{��t��fc�� X�n��_��绽Zǻ� W+�*��Z�SZm�j�3<�m^�$�n��VVIj?�I�<�D�OB� ���$���������q��� __�� :��B��uڲ���{Ҏu^�)����c]g���ma�1Kʓ�ݧJ�9&�g\`Rp�>�!�u�BN����� ��t�W�s����u�������>�|��Õ�kjY#c�)������D�?!�:�AYe�w���D�h�����(���k���\C_��V�銙��=<g�kD�L��,�K�xU��1�:��IetB7k\�1J|hk��>J�WYk¶vJb�o���Mʘ�Y��m�N��k׸�j���])�t�:k����Ԕ���W��"Ǻ� �+�AOZ� V*u�X3r�W&��c����29��5s���l�uʈ����~�z���\��e���������.��I@�l�����a�aL���:���Ǎ�ԁ��� �� ��x�.;��W��eP��' ( �����+ ( �����)�ʝ�€�1 ��P��F(h��o8��h���7�r�� ��9����hVA}@���@*� �r��B6-萆M J�aӂi��L.����H h��.��L h��>��P h�PP)t �A�@P+� �A�@P-tKð��0lA�4 [P/ ��KC��~���7���i��d�-hj���jtN�C�4� Vc@�@P6� uS�\�7NeGA�:�/�s (Z�ځ�w (���I�t�A�@P?���2�R@(� � � � � �V�~t�����U�/ܬ�-v����ͪ��|����XFXU u��6OaU���U�ᙬ��NbU�[&�jU�XUk�ɪډ$Vպ\`U͕ĪZ� ����Ī��V��$����Vմc��m�����c��-���Z�1V�6e��u�U�W3YU :ƪړ��� JbUmL&�j�I����dU�n�j/�YU���X�XU�cuM,k���v��6YaU��ʪ�p�U�ZVVպ)���deU��ªZ>�c�cU�]V��2Ȫڋ����U�lV�IJȪ� .V�6�YU�t����ͪ��j3ݬ�Y\������6�ʪړ �jݬ���QXUk��XNIMK*�j�VվauM,���}deU���U��]��Us����Ū�'�^V��?�����ͪ�XV��r̪ړ����bifU��K4�j�X�YUcŒͪ�� �j���K7�U�n�a����O�����;P�K�OM��XJ���?|���#����ǭ�����Q��?޴��?V->�NZ�|���I���&�`X7� m�F�wm�d�wb����r��?�@�k������-���>��-I-������3V.+�cy�du���C����S~s�S��W�k�O��~���چ/�e�,����jb�s�D�9ò?9L��hFЦn]��Çmi�X��N��܊��6 ��H#���, ��h����[��q�؏-���Ҏ?���s�T��s�� ����R�;A����� ��VnK'���������Wܲ�e��}�J{ƛ�ֻ[�:u��ڷS��#�ݻ��z;j���j���h�q���+��l�!�>�G�^ Z�o;���T��\юV��h��N���<�����{����w� {�\�EgH��֐SS��\�y�3�H�+|eg��6��/���YV�����w��Șf��U��:���������e��<�qq��ol���><ŋ�Vd����EE�F x_ˑ�'���r�ž��eO|ݛ�q5�5(*:z��̟��4�����O���G�|��G|�B, #h7aL@F�aa\@U���ahT��F�=apT�FG�=axT��G�=a�T�FH�=a�T��H�=a�T�FI=a��@�0NBa�T�F �� c�ʗ0XBa�T�K(��*X€ �S�J2U�`�8`�8�QS2 �P7N(��*R�Щ"%��P<U��� ç �0~�@ � �p�@ G�J�7��p� ��\C8��9�"$�+B tG�J�pB�0\jCǡ��p� �G8� ‘(W�D��p(�s+�r�\\aQ�N��tg� �H � ���ҝ��|\aiF�pB����s8#� �!��Sr��c:�[;gq�me#�7�������;1�O��M*-��^�g�k������2��z���?ׂ��������njv��_x��Ҝ �˃^����p}I� ����K��u/{�����~�����;#�7.�������|���[��PV���jS��o��O}'���2�O]�VYS[]�UMY{��jv]Y׼����e}�3���O��;���a�˝�i����w��W���q8�Q}cd�{S�H}s�h���L���ܹ�#�O��U�/=�ΛpH�²Ͻs�}��}����|i�{w��_��V�*\���-���{�1� g��f��ΊP$>���^�:��rhD ��V��á���w�p�wϏ�N�G�����<�خ5��[V�'��S~X�C��VN�Z��8u�r*e�zz�D�Ld��S�a��퇪g[>���zg�\�!�sg���G�w_��_�m�.�n�--rK� u��eq�e�B��rQ-ou+<g�C����������ZYB����Ze�K���ں����K7-x�]cf�~��0w��P�֐�����{:Vq���.�N�VJ݊��ze�R��XY���`�1���+���Lm��mŜ.�M�=�4tPo6f����Mz�^Ϻ[�~U�j=��U�QmUy��U����@w��jۼ��wV��ne���ު�\�'!A�M=��������*^m��9J�gU=��W��?�Ͽ��e�~��,w�'�.�m\j���ܖ�w��ӧ*="�=�b����jHpO%��2=�{�;4��zx����Iz���ܽ_����eQ"2Ǫ}�4U"c"T��rJ�����+�P�U�?�F��D}S]�n����>�p�{�+y����c��և�$�G���Gf�u+���c�Q�s�� J\� 5>��|���UCI��YM�pJI\�Hsx�2vn'=���q� ��y�A��:k������2�=���zZ�DwZ�~5=h��^���Q'C��yY�xv�2)�qur~g%sJ��hv#eʈpu�|I��!,��`������s��3��[a��U諉X���%d�x[�څ��FH9Zꉌc�m���ݦ�S�!H��u�M9,�B��~#�r�&DA��� �$DI�� KBA�� ҤX'���<� PڬG�(D �A�@�*� ���>�`isA���� Z Ȗ�0o��%�K9� _ʹS�-H�rnAĔs 2��[2�܂�)��L9� gʹAS�-H�rnAԔs ��Y]-�5{��]��t�����-:w;���e:w�.�nYA��-+���f�����ٙ*w�>�p��X��f�P�k���f۫�5�R��t����f�u�m����:w���ݲbq��/��5��s��7wֹͮk6O��*wͮV�kv��]���r��D��f3T��p��P��fqs�lg��f���k6Z�����5�I�نn�m�s׬Xxp�ŇH,@@,B@,D�U�ňI,H�+��>�s,N�U�J"Q�e:�B�bĂE�X�H� ib�" C,`�]��92�0�bĂĢ������"�BG(; < = > ? @ A�L�B��ك:�gW��âȚɳt�ő��@�E�5�At�Œ4�`�f"M N OJ�� �"J�XH��@?T���\ޫp=��������U�,Z���s=�=:ǢK�`��r=����`����<U 1׃y� d��TA,�\N�sb�f�gO� 5k<��sb�f�'�αp��3��,��s,��D�9t�x��9v�x��NA�X�Y�9�S��BO({�7�{X��,~��ş��"�z��,��`���" �z� �,������"@��B @ �"X"` A��� �"�$�&�(�*�,�.�0�2�4 �_p��"� �aEDD D0D@DPB��������v@���5�?C�3�? �������ش����ϗ��}��$�ϥ\�� �II����w��g���F���������N(=��1������fq���� �7��N���GFII{ ��C��|M�_P�Q�� �؀�X�g���ڈ��OH���)/�T_��w�WƼ�. X��:�}i��2�7�e�Kܯ�|F�`���S��fN�{y^�����+��?T���[�\�߲J�3��ܳ��O�Z�O�;*�`��_n���8���`p;7��n�^ϧ�R/@��st����({��u��c��ݬ_��P{�(~z��F��6�*�۩-@pb����������� x��WR[��Kj �IUV��� ��P�'�%<Jm�K�-@�)�N����� ��/m �?��̶�8�� .'|^���������b�(�. � �]��v�_�K�XǀF���.@h� �c�����b�?�9`���g����7QML�5�������o�Q�1�?��o7��S�ŗ�������K�o�l��r+�?���8�ş[�����`�Ob��s;i��[�� �H�X=��`)�`-�pg��~��������<}�qz>=�U�t�Yi�w���Wλܻ]Uv�l��\襁n���k�Vӂ��3ߵ�=񿖚�/Zk �j�>�zO�X˽�k���:�V�a�Wf��^�Z�z?���l�h��>�ᇞ�F�T�/��aN�(7����iT}�٘#��.��{}bnQ{����M�W�y�U�g̭ �i����69�km�rxg-�ڭLv���/M~���IpȾ�}~����j9����?9=���4}�R�x����G����|iк�_g�j��u[��lI9�u����#r��3n�#��[ZH�dGȩr��|sh�F9��$s��%r��1��/~��ٕ��|Y�f�#2�q�:���_��z#ǀ���(�1�B-*�#�09�Q�9zskyH���%U�a�1�O��s��GĹ�Y3�J�1-v�ˎQޟi�w�Uմ��G���Z�W�#a[����Ƒ�<J�mU�ع��$Wk��Ar�VŜ(��N��PWNMq���>/�E�cN+�WK�̑^���QGsd���&��혔�A����Ȝ�H{4;�1e�4m�� �G����_�U���M|IҚd���V�1^��z�k���>�**��b��,���� �+��" �+���s���>ٽ�av�Źy��q=O�\���t�F9�>������r �+�r $UVx!��Ө�F�#� �$�Ux&���;I}���ᥤ�v��᭬��s��z����w<�@x/���]���la�u�����V_y�zx5���u=���W޺^���+���V_+����σ��:������� g��� 6 V0���X����*lG�U�O�,�*�3��eVa?1� ��7���*�y��F0���4VaU3���k��>�`v��*l��U�i��Z��:��Ӱ ���qX���Y����*�t",�*�:� �%���X�]G�`'Va�Y�=�� ���*�V�U�Va��X���`���*�|3��eVa'�Y�]"� cf��U� ��/k��u� ���*lg�����U�p:�^� ����†ɬ���� {������n4� {Bfv��UX��*� 3���4Va_v� ���*��Va5�U����5Va��¦�9�U�(:�� ;�~�U�At�%V�-��'���*���*�y�U�w�,�*�gVa�X������X���`v��*l��U�E��QVa�i��c�+S���^��*���%ʎ;Q��}���?UƟt��v`��F�o<�e��}SRS��-5�����~>�����g���0����6�e��}=>.����싾�u'[��-x��U�������{��9���m�w��\��eڿ�)�{`s��y'g�[M?9��?W3���kd>��Zӹʛ��������R� ?��e|lo��r��>�7�6����w�͢�8�ejx����u����Aُ�:��i������ܓ��)��4��rk���/"|8�����[�؇vR���o� ��U�n)qe�աn)q���J�M$���Z�M$���j�U$�u��G]E� RW���Ե#�$u툫I];�R׎��Ե#�,�����+L(�2u�+M];�jS~$�8�G�S~$�<�G��s~4��w��#q'�ݠ�H�BqW(/w��qw(w�P�%�Gĝ�|$�%鯻c�i����^�����s�_�C#�cǦ�Ŷ/� ���������#�3����������� I�ݬ��{�����#������7��ş�$<��ɾh����D����}:�����H��N0�?-]�l���I*��h*Z�@���7y�(��<r�T��z�r�u��l,��r����{%��Vi�ۦ��K��܋�Uv�/Uu��^m�b��k�i���33�=1^��g�5$T���鞎��{[�4�ib�[���^/[�[���dk��������}��x�6�9���ɴ����L��l�� 8`j��-�E�&��vɫp��U�T�U���GJmr^���Sm�Y��ۭ�ok?%�.?�o�I�n���/�A�����0S߯l���MA�����b�x~��i� ��{�K����.��+u�u��m�Tɒ������gܣ�����!�#m!�6�B�3�м���#��3M��[��/.���c�Ȝh�FV#c�٬s�V�u�b�?�:�Ac��A�ԁ<lQ�j�7���F_�ћQ[�}�4�`�3}�4<g�>"�UidV��D|h��1Q���mt�05�����.j��l ^�Մm�l��j��1��V�� ��>/�ǥ���W�S��Jꬍ��?H�)K��Ki�3������W���mu�P3r޶M<��:)�9���^j� �G�۪SF �M�_M-���v���^EE��y�4���%���"��j���uJMo8�:4�#X���`��l����J�U%��:zҰ\��4�DZ<��4l`�' ��q�@{��:?�5��OnEK���`?��I�ށ�&����X������\ �‹��d ��Px4^M(<��Á�r�t �<�����q��`` �V��`B�@�LA��< �A��b �`M�D�AH ,�LBZX/ F�U��.����ep�i�` ��s�:@0���}�` �� �D@��+�6'���9�N���H�,�LE�`+��c�Z8�\@�0E�ŀ`2 � F����n���`9B�t@�0���~@0 ,��@0"�n� 3����!q�% 7�ك-�`L`M ����I�`S V��A0+�J(�%L � ��u�`^`_ X&�6��q���`f`gB��@�4�`j ؚP06� s��@08,���{G�9M]���l0�#�7�#�/����ON� �����F����o}����m�(�;�[���j�)Cl�s-T��tyWT�B�E�}T ��$"��j�gaу����������;��`����[���nIqںOZ����g\��~�-$��rj�����y Dd����,"b����l}v�U������Xĸ�����������q�?J������*��Cl���P9�O��M������GU��;I��oU9��� v"<��,���[���M:cq�����?�W���|_�b���}�q�?��~�j����_��� 8�,���d�����y6����F����S67�#�7������� z@lR��[��w��5�?��?��o���Z���"F�q#�7�������F�o��7��۳�����?*���#����� Ɩ�ϸ��_J� M�K{(v����o������_�4�����pK��Ƶ������o���Y��d��s�%k��+~Lv�y0JY�s��]���}� ��~���C��m���?�<�����u���}�^��-<��ס�+�CͰ�]���h��5��u�m�^�6���}�C���ۣ�آ�ik�n���򫙆nٽnV�Td�;L�sf�l~�id�X�Ż�3f�Fy�c=��t��P�2��x�-w�/��~�UT��Y��v�Q�{9 �����ߧ�w�ȃ��^���-��� ��d‚hژ�"�6֓����x��'tָ~���5.a}�q���5�{��Jږ�XBa��m �%�K��`ָ~��� ;k\]m�q%�Y�2�X��M�pָ���qb�KX;k\[X�V��׬u �g���.xk\K%ָv�X�)�Ƶ��'�ָf�X�z���)w������?�K����[c�c�Ŗ���������{Z�ؔ��ɥ����c����߹������6!9�6��@qz��?�4!1�� �7��f����w����?5qT�͏������S�7��o��v;/_������d��iǨ�����dco�z�+*��jkgHT[���g���v��j���]�����7�C! ��é�U���A�ܟ��`�p��~w0�뿱��������ČR����|�򿞩���Ji8����o���������;�ۚ��<:������u���u��/��-��*cT��6����/ԭ������z'OX��ni��em��JK��߱6^�����k�i�X����l� �}k��{=�nQ{�۫�x�W�j�U�A�V��G�mr&*m�*�YÔv+;(��tQ���(> Cܾ���������*="3�=�B,��ZC��,�1�un9�_��j� �� j��*ϟR�^W�7�ԇ.s}%OV�ow�����$���y�Ȭ�n%b�;c�2�{�::!B����Ƈ�W�U�j( �:��N)���c�T����'}~�=.����"ϝ2�PWg�v?��SS����PO���N+ܯ��U� >P3�d(9/��U&e=�N��dNIP�n�L�N�/)e�\~����e���WQ�{2r�����������՟)#FJ,ޗm��@>�8�1���q�a @ �0�ׅ�a0@ ���a@@��1aP@��q ����al@F��Q0$�$�F�!�b)���(�0L ��H�0T ���h�0\rFa��€�" #�0f �°�0n #�Ё0v �'n��� � �#� ��!�p ��A�p g�a�p �!� G™�C�T@8����d@8�D���UBn�ӃF�o��F�o����G�<8r���\ ������_� ��bK�� ����������)#��N�/����w�k���} ���?��ĥ�*s_ž]�A)�b�s�I����嫠O�_�Ǻ��E��u,���X ���߷��i9=���L�I���6���:9�� �����\��s��r�?��z�? � ?~��(㔳��������ɴǭM�:� S�Z�O-���i�e1%ܩ" )=)���GN��3O ����y��v�����Ϩ�8yƻ��3����� ������.��>��3�}�<����g�����H:����,<��f�<�=��3�Xx�� ��q%i/q5y��' ,⪒�"�, ,���/'�0 ,�ӟ�Jq�I�W������"��QW6�?#�3�?��⿨���RJ����];���ר��.��J,���cG��ֳ/��֝�ay��1����,_�h�[���u ���, ����-��v�Oϯ�<S>I�əj��Z[�l�N�����*���^���?V�r�?��~���Q�7ZcGO��o�F�ûvi����cS�;]$�_�9�(ߏ#�ǎp�7X�H��Ƒ^ Gz�������9���ɑ^�̑^3 Gz�d���Y8��.s�W�ɑ^�̑^��#��Gz�,���鹝�U�8ҫe�H�?Gz/Z8��F�H���#�}Gzť4qM�Pd�;���Wc�0�?#����F�王�&�#�8��������k� �7������&�rZ����ɱ�o2��^S���`��x+���'���e_fɡ! c��.�<�y���S����by���Z�:W5������eM���z_:�Zh�z�Gf��ɖ�Iߺ���k�N�AΝ�-�w��>�m��R�j��2�p�� _g9s�|�HK���y�{��?h kZ*��]����e'�*��T}�%W��:K��ޑMO�t��#���Zg͖�r�8kט���b��iZ� Ýu�Giuws�{;H��y�������+�Z��Ƴ��Բr��2��������Ww��<Hr6��}�ŏg�^��-��l������:ۼ�Hk��I��cӴv��8ۏ�ɶ�!���h����o�m �+X�P5�Xa�$U�}ZQ��]g�׏��\����[�.�~pv�����NˀO���t��{S���3��3Z��;��S�Zc�%�2r��tK�{)r��і�ْ���N��-�r_�c���Ҭ=v;�eڵ�m~� �I�ޕoxX��3��?:�Q֣\�K/4F�)[�B��<=��6L���a�tuݨ U����`����.��a)�%?�ϫF1܈5s�r� @X5�M�u�u�\a�@X9���a�@X=�O{[ 맽-� /(Q7��G ��3��B�!4�Gx �遧�����x ���k�� �‹��$ ��Px] �U@x����e@x����u@x���@x"�H(<�$� �w�@x)�Jj��VR��ǒ�%���.Ṥv �%�Kx0^ �'�̈́£��j <��Á�r <o��)�^��ӊ'��(K�L�@��; ��%�` ���5�` ��U^�L��(@� �` ؅P0 ,��6@0���>@0,�F@0�B���`&B�N@0�%���R�ӮF�g����F��?61y�����@����_�����k��0��z�w�?S����{��w�Yًm���E��q�mc�t��' m<�����C�}砝�.�6�ˀ�R��B�]{������G�u{rc���l�^��9m�g���a��ՃS�ؾ����M�:����ҷw��G�IG~�G?*�5G��տ?|P:�k�~|�&�ij��R^�����R���\�t�����цK<�����h�J<������e�y��m�`Y��� �++Ko�x�s6�G;���hgK<�6M�y�Qϣ �xm=�<Y�����ֱ�<���l<�v����V�x�I����I<�v���h��x�Jϣ}���h��<�!6�G�.�<�h���v�x�B� ?�p���h�4�� 6��P`�2��0����y��z��_p�g%�r ��:������s�K��_�>��K� {o��)N��1f@JwH�C9�`B�4�V0�Ԃ-�` X�f� �(9��},B9�`ʅ��(@� �� ��e�Pg�`���C��u�3C0uf����`! �6���`% � v" K ����`, X ����3D0,F��x�o�Tr�o�Tr�o�� _��pe�/�K�2��.�+3|y^¥�`A��g�� /���y Wf��+3|g^����^��Exe�o���/��Hϖ_5÷����]I�<�w/������2��$�_��Gxe��j�+3|���we��J:�2��y:�2���+3|�^��{i�ɥ���\��ۉί�7��zy��a��Wf�� /��]����|�����4��� �K�M�3|��� (���������y��������䱉�#Ó���J������˾������g�?�P���x\�'!M�>�,�VrBe�ĥ�V��Z���Mg�d��ZI��ZI��ZI��ZI=���@����*i%Ϋ���SY+y_e�d��Z����E:k%�t�JF묕�謕�RY+ VY+i�^;�Z�V���#:k%�謕���V��Z���V��ZI�jh%�U���]y���:�CI����~)�öK7b��?��\I�O�%f�Z2a~G-�0�QK&̚^2a���L���� s�^2a�K&���� s�Z2a���H��{�L���%��Ւ �b�d¼A/�0/�K&���� �h�d���L�G�%�`�d��B-�0��@�K �V�d�|D/�0��L���K&���%fU/�0?��L�ST#a6� � ٭q�����x�o���q�����K�������ϯ�?��%�����K���� ������-�u'��w ��_�%��9yo���uC���ז ���{Av�3��W��)?���3N��Z#��~m�m6���C;����� ��<�h��3r��/����sG�i�rӻr͢MZ����y��Z�/>2��E �~��q��r��;��-�:�Ts����%�l�OS��v#N���d��Nu���� ټc@��{�-�1�_��̼c�[�s��Z�c��w b�j˼c@��w xA���W�w a��d�1���w h+��ͼc���q�yǀ 2���>q�)�W��>q�)�W�ӾD�s�J�ĝ w��>qG�]�tK�J��ݡ4K�!Bq�(�w��,q�(l���1�ˈ���Ϩ���'�KHL�-=��^��{M��+������te�G@��:O\|�AV� ��������9̽6�G�6�v�k^S_�Wq��&��??�~����uw)�V�7�~���慨9�9e��V��&+ܹ��S?��U��ܧ�'G�R>�Y����u���O���"���i�y��e�fS��#���Դ�퐾*�h��|L�[�ľ�,[A� ���6�;+�~ q�������Ãm�Fxۿi��v8���ۻ{JG�ښ���\���n:�+O:�e�����^�K����B8������g��d�C��%"X���`��ã��\|�n��R���#ō���͠�� �� �M�PT� E��!7��D(n7 �F-��Q���q@�< n 7� ����� č�OqsK�x֡VE�hn�L����k�x�s��[<s��S�x:��@-����s��[<�l��9��-�6�x&ڹ�s��[<{۹�3��-��vn�la��^\��-�mM���\�N��-�y�t�b�"M���m#�3�?#�3����S�&�ŗ���X��_@�������]n��y~����1�������s���4���Z2����G*����F��q�#�������s����)#{��&����f�g?���.��t�����o�w:����MML)5��!���Ы��OM�ONKL�m�3%5.eTl)������o����b�����Q�I�C�/�_��!���c��/��o�q���Ə�񿏏ߵ�~�F���8�@1��x�����Ia7{�k�����З-*ښ]rX)=&T�G�^�U���Iaw�(X\b�_t������ψ����Q����؄���������\���ݼ����o_=1�!�������r~q�N٘x�g�7W2�3�П_���hΘ���i��3õ�G8��6Z���9*��6��pK\������]E~p_K���C�Z���1/~c��;rR�G�q�Α�c^��L�4��,���6_��)MK+?�9�^�6ᛱ��sA�#�#�_��&.i1P��x g��u�G��Y�<v^���d���ʋ�<o�W����®L ��YaW ��,�h��v�h_�Ɇ;ec��1�Иlȓ ����{��_ 8����c 8^����g 8�•�l��j ��Pp6� w��@p8<���@p:����䶂��y ��¬zl��| x����X�X�X �X�X�XH�k�%��N\���w�'ͥmD�v>�:���o�_����8#�7���c����SF��KL��E�߫��\��������R��!�$�������r�bo׹�-EKO����s=f�<�M +��ֲ�ʅ��f������x/��i�����ܝZP<0���|��EE9Xs�J �hi�ZT����A ὴ�/!���X�t�cs^���G�x#~��֛��}p�w�@rr.���w#���w$�'��w%�/��w&�7��w�8W����5�,���I�6�c�7�c��2�;!)����:�/��W�������1���SW����C+����^M��^�v��Nʭ�����hU��X_G[�j���M�v�yr�^5˶��O���`��Wa��?h���ssc���9��G�Ӭ�����Y�k_����B��n���g���`���C�����!��qGh�'�еϛ�ν���{����Zo�s�>�>�E(}_�"�g�������;:���H�{��~d�jv��q=st��r�� �!?��>Y`V�h19�7�;�y�)*����k��V��2��n��šn�=�a���BIeVJ(,��֣���bImVKj��\�Ƅ���*,��։tK��ZX3��¢ImVM(,��Va݄��Iu��=�a��jOfX?���Hm^@j��Z-�7��*<��d���3He�A(<���'���)�� o!�Ux ���kHm�Cj��R[���*���V�I�� o"�Ux��«Hm�El&��Px^F(< o#G��:R_���*���[x�%U��y���2�#��&���#������)���GM?!9�&��~�~���w�5��������J�o�şM m}�ԌH����Y��/�{j��[v���S9�:_����s��m|�^�� �o�ej��"S���ƙ�L�TS��Ѧ�}��u1�׶��y/S�*uL^�{ڽ���[~���j�=�֛=�mV���}�;�������jo���]�[n���䛺���e�ɿ�\S@���:�f�:\�j �?��/���|��ӆ����D�;�:��e}'{�'�ۻ-l`�<���}zGS���{��77�������C��7��8l /��)��\S��_6�~�uS����#�y��������d����� ���R�}@`�}`�P��{�ڣڶ�G�,ۣk?`���n��3-MCל��Y��a��i��S��s>3)#w�b=j�m�i����� L�]޲?Xq�=��ݞpd�������܉�1���.fO��iܓ]�ɯ0�<�خ>`z�_gS�����42���b�PC2���mO��2��l�pm2M<��>I{�4������}��)_�O}f���e+�+_ /ϊ���XT��C�@�<�{T��{[<��׫��J|�#��U�ۋg�{�v����h�V�o²��n ,+�� ��a�@X=�����c/�Cx��(�A9�� �1�gPn!���Bx �B���B�1@x ��s(��C9�� �1�Q�!<�">�M�c�"v^E9��,��wQ�!<�r �e@x�����Qn!��Px+��t�Cx!��)��H9��H�1�WR�!<�V$᝔c��Bx)�J���V <�r ᵄ�s)��K(<�r �ŔcO�Cx3�£)�^M9��l�1�wS�!<�r ��cO'����Sn!��Px>��� P�!X�r ��c6�C0�3�@0,S�� ��5�` ؃P0,��&@0 ���.@0 ,��6@0�C �`r.�>����`!B�D@��+�L@� E9�`�K��?�����v�_}�b��vr{o��>2}�)[�����][��E�`�wR��P��*R�������������ON/-r2�0������t�OL��~��?�k���� ��f����{��E��?7��/�ά��9m-L�١�e�M��Vf�'���d�e.�pK{�X/G�~���Wrx���O�tT2}f���}se]���^ᨲ{����YG�u+L�_{�lZ��L����M5S͵� 2�h��c���V�u��׭T�\�L��^�Z�z?���l�h��>�ᇞ�F�T�/��aN�(7����iT}�٘#��.��{}bnQ{����M�W�y�U�g̭ �i����69�km�rxg-�ڭLv���/M~���IpȾ�}~����j9����?9=���4}�R�x����G����|iк�_g�j��u[��lI9�u����#r��3n�#��[ZH�dGȩr��|sh�F9��$s��%r��1��/~��ٕ��|Y�f�#2�q�:���_��z#ǀ���(�1�B-*�#�09�Q�9zskyH���%U�a�1�O��s��GĹ�Y3�J�1-v�ˎQޟi�w�Uմ��G���Z�W�#a[����Ƒ�<J�mU�ع��$Wk��Ar�VŜ(��N��PWNMq���>/�E�cN+�WK�̑^���QGsd���&��혔�A����Ȝ�H{4;�1e�4m�� ���=�]�U��>�!I;�"��e�h��v� }5MS�8�,�G��ɼu�xo�x�����ǰ?����u� i/��2d�/n>:�o�̫�(93�ɕ�t8�x8�����@8# �Sᘄ�9�&�P8)� ���@8-� ����@81�L��pf�U�C��*��dU��$� �&9U88ɩ��IN�N(��P8<ɫ��I^�O�p~�W��*H��UA$� 2 yUɫ�H^�@� �WA��*H�Pɪ�, x��ɫ�8H^�A�  ����*��?A&$� B��k<�~�XH^�B� �W�s ɪ�l᰼z��A<,�~I� �W��9���ՅtBbyu-�� &�W�9��UAR���HVdE(�dUAZ���H^�E� 0�W���*���UAf$� B#yU�ɫ��7�ɫ �7��~� dG(�dUAz���H^�G��~� $H��t~� dH�j?�R$yU#ɫ�I^I� IZ��n K����H�p?��$\���DI^DJ� S�W���*H���(~� �J�j~� $K�jm~� dK(�dUA���xIV�K(��UA�$�f�� c�W��� e�WG����\�L��*T����K�<��/���$�*���_ܡcP����������@����i�'ŏ�x���@������� ���� �7�����T��W�C��o���#^��������B��j����u������*�}�����)O-zwW�c͓{�y���1/O��畴�1K� ��:�޽K��}�u�e�k������{��Qnz�7.n����,߷h�[�ۺbô���o�����l]��-fո�[W?8*fMD�k��n{l�-b޽�R���{�]��>��p�� ;���ɊH���²�W����� �`��>�_3h���6=r&hsǕ˶��������r-��?.�N�O�;�?98��Vim6i���ܼ'���U6l�C-�w��&�˰����> ��u4�w������g��ܽi��^V��fd�;+(�@�O��)����vh���oZ� ;Z'�ۻk�iq.���S�G+��?�}g���s򏽽6��G���s�~X�!Z_�;9kQ�S ;�2-��ȸ�3�����@���C�϶��Ku��s�sϝ��H�� ���/�V�-���/Zz4W��]�nj��e�4���]X9�Hty�a,�D{���*�ߌ�d�VYz&���p�]n5���s�:�GW[��[���|ӂ~�5fZ���[3�7�֐ڹ��k���s�-ʯӴVX]qY�y�V������l�2���5z{]t��/��'|~�ɴQqM�}������;ݼ�r�E� ��Z�8�U8;�U���*HKk}�¡69Qim��yg��[Y>���zi��o�|:��M�8�/��i��o��8w����q�����ڡ��9�;��ϡN[���3�P�Һ��<�u֢�n }YR��u��7�G�贞qr\p������BN=r:Իݡм!�ë�����t�c?��btZ�]��"2;��]S5,2&(���a�:׋�?a{؀��Z6�|AtT��aQ���G7z;7z���!���}%'X��ܘ���9�sG�=�?2�c��(:vFT�(�iѣ��⪎���<$:�Ņ��m^щ ��W�s�6vn������K��O^���2�|u�#��O�SS�_{y~Zd\nZ�'��A��� ތΨ3:,#��gC�&e�ѓ��2��~4�Rؔ��S�}���G*W�īB�_}�yy���Z�UT��hG{_������3�o����-e�.��� B� I� �Ҳ(� � ��BiC7V!*���\WT�.?�^4���uCEѨ�B��i�E�k)�������{��3wf��~]T�:�����_���Ei@=���N�ax����9*�n"[?�k�w �����Q^������:}�� t����W Bgy� �Z ��� t��2IAh0�� ���$M��I�y}@�f^����$���I�y}@�j^���g��f� P�m�J� B���� t����s&i:]�� ��ƃ�yZB�Ah>��� �D `R�e)�1�B1��/����Rl�u )>�� ��X"^0)f��L�<ӕ��t��3])��LW�%<ӕ� ��"���- � �"΀�5 � �b��ä�"���A ��X"��I ���">�L\�Q<���ĥX�3q)^� \�Y �Xg%��#~�L\�a<���I�L oU�#�a9�� ���Ql��-�o<�E1���(����:ޢx'��V�{�=1����#���)�bx˙"���(�[�S��Vv����#����-�1�e-�[�{��V�"1�U��#f���M1�U��񓇳(�2)���R֢x��ZSyX���Z��_Ű�X���8+����a�{�a-� 1��X k��B kݝ'����B k��a��_�a��<1��2U kE�a�*�bX�1�G��Z���ŰV�G��a-��bX�~����YÙ�Ű����\ kM����bXk �G|�Z�/İ֍ybXk@���'��̩bX+>O k�M�ZS�a��_�a��Ű��������&�Z)ybX�v���'��j&�a�(�>h+�a���m֢v��������ֺ�ߣ!���e{A{B k���Ѯ�Z�EbX˽G k +�Z7��Z�EbXkY��JN�Z7��a��D1�5.E k5N�Z��m1����&�Z5�=�&bX��(bX��G[���� E����…���"��V��Z���1�uc����6���������6������� �����Ϸy��X;[����29�'�r�O�e��oF^^E��7�#<�"����K���/�%��~��2���e��H����R�e�4��4!{�#������!�_�����\"�O�����w9��9\���K���/˥������������!�/��b�0���W������?���j��a��[���t�}���\[��b� eg�����le����L)���T�(�� W�n����7 k+���}�S9������(?��^�MY�Tv4�+��oΨR\��׸��i���} �:��U<+�qC�8z ��0zؓ��3f����4q�NUܞ�F��3�Ū ����2)|�`��΀j���*�6A��M���o�j���j�T=|�U�j����=�Kܦ��ߣ��mz��q��P.A�rMx����?�������KJK�����t:���/���F���[Xh�E��*��wz�������_�8�C-F.�_;c��2�{ܨF�Eޒ�Fq��46^�AM ��(6N4'��e<م��KA|1�/q �y�"�22������_��t��� ��iJ�������F���k����K�S������ �͗��mw�4ڽ���~�t���^����k׶�w��U3�`��7Bs��[�a�ߵ�73"B=�Ȫ�FT��ި���V{;����e��Ych]_��v[���}q�ז�R�1w����[���!��N���p{�� !�� ;g�kZ��׎6�j���d���P{�Y��/Է�]����}PL mp�����Z����'�RK_bO���Hi�ޛ�����yG�|Ӹ~�,�ȹ��6���N�o�Yj�j���F�džܦ�K�nO�9QKKhaO;�OK���o�eT�Ҟ�J�&x�>��F�{�{'�2�ּ���3� �N �a�d���6Xg� ���;�]+���^��6-h�}�����G��g,������>k�p���}��.ڜE?��qJ�\�4ͥ]^?ށ^4�z`Ἃk��9��C��0�h@�a@ ��%dH ��� �Qq�"�a\ ���04����dt ��0@F�A#�a�,�d� ���r�����2�XA,����2�xA0#a� ��A�0j� ¸A8#g�&Cg���0x&=�g��pN�@8��|��1@8�$ �5����0�i@8���1ɉ@8g�P � �c�p.��@8g�pLr:��$��LrB��A8$�� ��p ���gZ�l����\�K�����E0��cz���� =�����Yy9i�L�������@�������Y�r��2��o =M��rӲ���O��R�e�_�r���jdg_.�!��R������,�J��3/��X���%�_��Y.��';��e��������[ξ��)��4�On��R�@�X򺾋���Ž�����@�,�mz�Guu��M����w��([ս �7�5V�����W���_����g���s2�N�X:��i�S�l�p���_�����m�~ !��U�A����M_�dUVkj:��������M=��a�����k�p������p���9��?g��yD�e� ���o��4�}�� �����G��U���t����{�LNj/z���oy��e��ٿ��0w���Mw\�n���z�g���Y�O7�7�����䚦�?T� ��Ԫ��u����vK����m\j�������������z��{��jz���n�==uK�ݦ���tkB�)lHU=<8���Y-�մ��UcS�����o�a�o�� rw}�i��£���Pm��{�}R�9p�;6�v=���7Y��y�)!�?j���M�kf���.2�94@��d�������sx��>p�T�����������>�iw�П��?�����ד��lJi����fS��;�+O�����:r�a�q�::�5Ә��U��~�c�}�ؐB����zj��zڡ����.z����j��U����I���2�M�� ��5'���&�BC�q�)'�55��!S���j^q wAT�^��[��������ӏ��g,]㞹g�>k�]��'�G��<��O&����/�e��q��B�r�6��ijܙ���?�������;1m���6�@��f�P�6I�!�M�h�&�b��N��6�UL�$E�&W�{( �@�"vWX��+<����s������ S�bw�.vW��+ ��P �]�TH쮐b�+ R�4����Ļ*�21I�Ĵ�&���o���i�Ĵͽ�����[L�|Y�+�w��^��� �n���#��]a�[�p�.vW���+�P�� ��bw����]�f��]a�*vWH3���e�p(#X�y8�y�lNJ BmA(.��� ���PaJ B�A(2U�� ԙI B���� ��b�Pm�ͽ0Ro �-&RqJέtRs�B�A(;u�� T�IJB�A(>��� �D@Dn%R4@D�Dt`R�%�)@D &E QD�=@DQD$M@DQDd�V E&EQ�I�D�aR�u@D�D�@D"�DD�@D&щ��@D)&E*ъI D�bR��@D0Q D$�@D4Q Dd�@D8Q�Y,�ю�_�+�s��WD?D ADC���b}e�wl� �?2�#�?2�������U~�_����*��R���K���R��� yi�sr����/��V�����a����WX���}lG��n%��[<�^n�v{=�W�pm���#��L�u*Б�:��\]�����HwV��]�R�j��uyoLE'x� ������@~V�+\�;Ǎ�u3^>�:�és<�:�és<܎����U�N��O�(��!Eyí�Y"r�[<"�ܒs��<�!��O��x��-��D��@?=W ��9E�S�|r��&���e�Q��d�������?���_FVV�3-����E��1�o�##k����q{���I���/�� ���I�y��r�� �X��r���a��_E����<P��n������뇚���2)D��nkl�4���J���#�SeP��j���j��jw ��P?r�X������x��w��f�2O��^1�~r�Y}p�������o4��p��gj�{����xSöq�k�F5Z�W�u7n__m�SOO��Z������j���U�\���� ����-�k���[N��t]�qs�>�Z7����S��c��w���������~�&O�� �!K�{:��rw�}��|��mIw�CsC�ք��aC�ÃS����#��2G5�g����9��/��o����m���t}�%S7������&[�AO��/�{��M}��i�'>n�;��O� !�v�n�]s����G�}�4�]�����g=�������x��ǸŤ{4wi�ۓ�����h�I�̝�e�9�y�)��v��'>5�x4�|���M#�~o��Q��T�y��y&��wǼG�cC���K�ŝZ��IKHw��ۓ�۝�-ϓQ��;cU�g�W5ݓ��5gzۙ& 5gyM�ɑf���MS"�s������y�3�7�D��.���gZ��=m�>��#w�g,}�3sO�{��e��'�g���3�(�_%����Z��(ʻ7"7r�S����ʍ�s}�m#·�� IRz��'��;��g�^�@�K^7GJ��kǷs�s^� �2����M�����w�&Rqp<��A8!Gd�6�T�s��H��19���88('� ��ÂpZ� �yE��e)�q&�bk)�x�H�ƙE���)��f�b���pp�j����Vn�j�����9�JN/R�߸E�5�,R�[�"���,R�_�D���Y�Z�1�T�'f�j}F�\ID��N�H�~��V�I�Z7yD�u�[�Z�{D�5�-R�7{D����V�Y�ZC�"�z�Y�Z�E�5�,R���E���Y�Z뉔+��H����!6"պ�$R��="������T�b�H��T�n�j�����"պ�#R�3Eʕ�I�Z)W)�j�!R�$V"�:�$R��zD�u�[�Z�T��H������H��{D���[�Z{�{�H����T�g"�J"'R��"�Jb'R���{��H��n����"���I�Z�f�j���!� �(�F��$� �I" B(�$� �I� B8A�'!� ����T� BXA�+�e ���2IlA.�D���_ B�A11Ky� �T�z J��H�O&��|���nڔ���/���������effO���1>�\����_�%����R'cq��������/�_�d���+��ǖ�w����g�-�����VX����L)���_�����+����vm��s��W�-U���2˦���ͷ�����{��튿V���&��Mʞ��{�����c���� 6]��X7͞�n�����妖m���%�ljUw��:8�����j�j �6;l�'�Qz7�ku��ԫv�y��������ض|�!�"�`H� �TA�.�N��ut�L:u�����v���N���ک*xR;UOj�*�I�T-<����I��Y-�"�jQ5qVk��D���Ug���8�EU�Y-�>�j�I��FU���{�Dɠ ���'���;J�ӑU���W�������H��*��W��R��5��vw���}h�oϑ�νۺ��US|�V5�}t�3�� �}��7�e�,p�11[Ǩ'�Ѥ�CM�>�FO��rh)����[N8&��蠸%E����1�yy :H^��h� ��7 ���2����o���� )�B� ���Oh$�>+���2�W\��S�@P�5���1��~��Oӗ������Eg,�;�w���o�+Ѯ�1��V�� Wv �<�`��Ѯ���7��?���� �q��A�V�gox�va��Z�F�bm����m���k��]�fKn�5_��fV�ϔ9��bd/ߵ�"}-c������תi���U�|�U����9�|���v�&W���:۽�����Vns�ܻ��q�g�<�Ӝz��2j�/4g���u�/l�t_x3�/"�z_�񱾨&ӜQ�����pv~���˾g�c�ή/7wv�����b�i_��cnS_��o���N��Zmq���^UV9Z��K�~����J_�w�����V_��w��m}����l_R�f��?\�j��ժ�(��!��~k����j�*����O4D�y~�^i9��/� T�(�]�vf�A��^v�F��Ԅt�韷3��(�<�v��J�~�������iH=�*���J||=Jn�(YK�S� �B�,��·y a�3�Ƴ��ޘds<�쎓ud{��#�c� ��C&�"{d�M��K����}��Qv�$[a� l�݂�]��E�aN�s�l��xdϜ�#��$�5_E�mN�}s�l��wd� l�I��I<�yv�$�a� |���n�?�� �d� ����>�O@� a�π�&���C ��/��'>¯@���c � ����7>���{ ��I>��Z�C��A�$����B���/���i�����R�NuLtd�e�g�/��g��j ����?�`�OU4���x�P�w����^7��omb�PP�6��Q<��JEYb��<�A�[�.I��)��<Q��Gko���LQ+Z !�oO���� ��8$�����P��)D��C�C���ݿBe���_��]�����LGVjE��̡�g�KdD����I�G��=��}��D���?�J~Q!2�R�����z2Kݑ�_��e�%>}�3��������3�n5��_���֛�K^�D���uF�љ���`�����-[Vk[?i���̧ƻo���p��}r�w�\���U��#�i_���%��.���wG}�=?Y9�����~R~�u���r�x��O#�+?�6v�����e�_��q����[q��{PU���=�w��?�m��&׉ ?9�o}AQ������4g�ӿw3��c��J�J��:�j��\կ�wV���Pe�/��U_�>����f���ݿ(��J��ym\un�Yw�H�^V3g��O�����w5t��kx4Qi�|��h�LW��1�&W�]Ng�eaJ��]�Jw��v�p,V��1��2Τ\76�٪�W�ם�U�)m���k�����)3}����j��g��s���>�u\𘫓��a��������:f���� ����7��Z���٣��עw>k���CZ����c�fi]�ɷw{b��=w��v� ���\o�)#�ؘ�޸A݌�����,&��1ўX����boo�F�;^����O��x��o~��o�Q���(c�3�C>ܠ%]w�=��OK��>��-��� � ��ތ��k?_띴�9#�������kd=2՛}O��y�wJn���Y`�����bϏ�t�l��4Z���>�&��oO�g�;���b�g���vú?����͹w���6�������Ҍo�hgƭcMM�K �ќ�q �(~��y��y���<����I�).�:��S��@x /ቜ #o� ���*�g�>v�L�P�ǎ��I���ّ��~v䱼�y-�gG���ّ��~v����y1�gG���ّ7�~v�Ѽ�y5�gG��k4�w3��y?;�r&y:�gG���ّ��~v����y>/���T� �I��I @�E��&U� (P�+�B�P ��bIj���j�P�BAP�" ����P� eA���P*�$�A��0Iq@���> *B�@�EB�*�P&���R � j�$�bC'�b�r�P/N����@ŸWAJB͸@�Bո�I�B�@(��t ԎI�B���| ���PAJB A("U�� ��B�PIn�R�PK&)&�d�rr������h �(%e��2IQA�*���I��Q���� ��ڂP\� By��� � �Pbj B�A�2e�� �J�Pjn�Z�Pl� B���� ���PrjB�A�:���5�@/BB�Q��a�;�w��"fz�)4���B�����������_)ehR���>��XD1YF�g��������X���OWJ�����(��(�������y����R����0�\��J)=�����Ae�U�#��ˠ�����M�����K���/���r�?֑�6�"����b ���?.E���Wꖼ<�|��χUM}�������mzJ@׈����_�oyG3ר��ͣǽ�������hw��3�Ã�qQ�1�՟-���w�0�ɉ�N��!�c�u�s/�x�r�Ŝ<b#���.9��q �ę�8g�@���C��8Kg �lA�1�5��1�I�v >�e���_���q���܊��a����!��e���Fӯ�ؔ_>QO$<MѴ���O>e�[!G7�o��/�#c����� x-bZ$/UP�h^��h�c�;��88�ӱ��^���$��Sf�+<}���!�Fv �׊���2���d�G���.+qCs 223��a������г�x�E�������J%���8J�q��j�[��� ��K5�J_#x2hΡ����q��?=�W�4C |��ɷ`�s���%*㿌�2�������qS�9i�����i=g���0�����K��K^�B�_�k�kɆN�{�:mw���kw(<7[9��p�D��U�xEI���7��R������\��R���U��(W�N�]�>h�Q�W���p���e���=�����)��*�G���P�tۤԝ6W��|�R?e�R�����Q�JC��JP�TW����_/W��ǹ�|���t^��٫�����k=����v�p�뺶�b�eƷ�u�ޠ��Mi]i��v�|��͡O]m�@i��uW�u3��u��;R�x�<W��n�yr��2j�+4�V��5�1A o��qu%�������g��ǿqu����˦v��G?U�. tu��u����]��G��������nϹ�:>�o~��W��JB�g���V(�_ݣ��=W��v��Q�2`^�2pj;�����r �G���ڸ�̍\CM����\��߹���+�w]�������~�G��'�)�ب��m F)m�]�P�&�bTBIm3TI ꥌ�3ŕ�7֕��ׄO�\��]_m��lCW������,�AW�s��9��2e�%��7Jn�J^�-J~� JA�UJ��K���,T��u)�7OQf�4V����Y+f�n�;�5�&�5'g� [�U�l~J �X����(}-ʩO��i?=��ļ*eq4tgU��SWp!n�Kؒ+�.�Nb��L�Ov|[L�d��k���Nn��2OLn��q+�\�sh�v(p=&�� ���+2�A�$�D�k��=Q�(pS�* �.��E��2�}Q��(pc�2�s�b�f�[�pm� ��A�9WG���pyn��G���@P (��a1��BP �B&� MRB.8ܑd�� nb�t�@>@H d��0��I��� i!/ $�̠@j@� $��p�'�!?(� 2B�@� $������&��Z��2 S�j���޲\�@�@��!_rH�@��1I�� ����5�B�@H dR��C#6�g�C��q�7Q�n@9��+�C Q � $���� i!� $�L��Jr B2A�&�D�|�@BQ �(�Rn����@R�$�(�V�+ $2��!� $��r���'��$�b�g<�҂�ÀNV�o�����o��r�����O�-�=��*�o5����52L��x���K�����B]}>��v2S_�'��at1���e������s뒾��� } F�û�ȩ*2���/����W�\�����K��3��J�n� !�����Z���?W������E�j��K�9��P��OE����<P���V}`���e�#�b ������᩶�;#<�^/�c���g�N, 7/�U{����u��� ���� ��'{�^���(O��Fښ����lM7[s��k�l�9��ٕl�F3�����F�[E)��~�dn�ӑ����m~{���k�x��~����e�/�VrӍ���&v;�cvͳYz�{B� ���ns���-��8sD���Ȫ�<QJm[Ԗ���o�v~꠹�暅1��j�����&�6w�m{�m�;����>�M��0�ޝ�x�s������:��~�dN����{C����[����߳�m�ߪf`��p���{Ͻ��f���� ��I�j�mX��5�����A�������W��*��΋��.T*���U/.��� �k� >)���H����a�G���H#��4��|2&�3a���d.��+� �s���8'��s���8'L��_S�/&saR ̊I�¼@�3aj � �Ɂ0;���@� 3a� ̑I& �,A�&�a� ����0W&�M/2[��2I� „94��0e� ¤A�5�a�L2qf��A�;�a� L���p � \�;�p n�$��Lrn�U8�C��e@� ��> \��p%��FG.��Enµ��^ \�4��?�f1��n5j%����/�d�������&��8���/8�#��?-f9�S�������5+����!b ŷ�"�Y�����4L��/Vld�2���2����)���ϛ0ƞ��V�_��ps�Y��H���/�_�K��ӳ�:���/��;g���\�����j�����~+~��\2����?d���N����qw��[����/�����2�{%������� �������)�������{q%�{�LPz���Ǧ6Q�Z}���W{U٬'��DM������U���Ej��Q��~J��u�����g����T����A����LӇDf�I��� ����ɿ����Ԕ�u�ῴQG�pX�~W�:�]G��;u����1���jcv���c�����UO��A5��j}|����f����"}��=�h�>��$}���oMQ'��U�zl��=��yk�:eP��3���ki�������QԂN ��g�Z��Ӽo�ӿ߫��<��|�e}փ��7�~X�=}�>��9:Z-���^�'�745����V��r��Y��� �Vx��Ťk��?�k����� �#��%��ɤk ⺂�� �/�k �:��� �7�k⺃��l{t�A�;`�-��&��a �������^@� �a; �]�l���%��$�aW l �}��1v��@��aw l����AvȒD���d� �I� �>A�(;a� ���rK�춴�}�mmys73=�v ����1�����d�T9kW��e�_��e���rvn^�� ��Yì���.���I��u�4�oR�B�G���EI�o.]S�dC�Ԃڧ/�]��@b_��U���y6Gl�q�_+���/��߉�r��+���2�g��T���7�4������K����������Όr��/��9���FX#e��2��5Q�"��Z�]U�P>[9�߲`O�E�7|� 8~�{�Ԛ�}� c��N��0����֯C��^K���H.�j��j�|�6�� ƈM�jׯ�E����0]}��Ƙ�ޚ6!�K?U����x�W�:���X���xt"&��j~��iv�������o~W�F���j�g<,J{��ae:m�I��n湭8}U��jQ ��IU�Z�ͨj@T�*QM|��@T�*cR���:�� AT#��Q� �D���Z�{�]�U��:��B,2�/���'��\����q�2Y���;O����?����R����R���3;?ݑ��Oo�xQ�f9w�'9�����cp�w���o���v���%-���H?l�|��K���l7�=�QK��lo�&Z.�˪�|a�E��6�[D��r�Oq�7�_ ��#9�{$OM>�:g�$YzP�Z��j�"�N��e���?v�#o�cr�����4�����j��?Vt�/ݤ馒�W#����� 5��5�y���Q����{^5j��o�Z��Q{t��>p�Q�� ��t�^�F���F�㍫��Wu��"Q z;Mk��Nk�x����@�鼶Z�����Wi׸����!���9�Zs �eƻ�u��5Zu��ZW�i��\ ��:�͡7���U5�m{\k�tK�ê�Z��U��wL�:M�J3O�Y�l�B�3 k������Fx�Z��!F��O���6�v�nD����v��eS--极Fץ>�[���>{�f9@�1z��3Ƭ�v�_�kZW�o>M�?vX�ub����-F�����t����Z�{��*Z���?9.��^��l��TSKme���A_g�6��UF���ڄ݇��퍴�/�gL��2=kL�?ֲ��cd;7iNͣM��ȱݭ�F�b���Fˌ%Y+��Fc��M�;Θ^�X��R�1��c֊�� ��7�is&c3���U�?���?`��ġ���H?�Uk�a��E�3����0<c����М������b�\nq���0}&�?� \�;�p n�5@��& \�I��e��6 \�I�…��F \ �;�p)nµ@��f \ ���p9n����~ \��pE��%A�%77�5A�'�rQn��rU� �eA�-�e���pan •A�3��� \�{�pqn��A�;��� \�I�B@�)! $�,�������u��Bv@HGC�B��$E ��$��%�B�@H�!U � �d��-�B�@HGq�1R�$9!i d ����7B�@H��%I�����졏Ko���9,<�߭C�h�z��Nn�H�e�_��e�_���\Q����IJ����##q����iq���������#r�W��������ܼ��� �C#-g�C-r������~\�䁲��u}�_z�v���1�w�o�V��|��˷V���� -�lj��m���R�S�� �j���~���Ʀ힀��]�����Wv�j��5�z�%[� ϙ�[w�I��\w��������z��A��=W��Yx��yr�����ް�<|ễ#~{�|}��p��Qy� G����4�P�h�q�� �����l�-����Õ �� 4����-����^�el��'.��6���̙�޶M��^s��'m�3<g���)#���z�0�s�'������ɞ�/'��L}��{�?کp��晷�)��H#� Ym�o:f�3@��e��؋� ?U����{��rq��n��� ���i7V�|���i�x��n��G$=J�(%+�����g�<ΘדW����FW�?��|��k ?���G<��§@���L5��/&?c����7NR��q�������{��&��$5� '��9IM��Ij�GNR�Or������䛜�&�ᣜ�&?e��rrZn�����\gn��b�~qR�4��Ҥc��&-�4�'�� ���qR:C�?�ҽ��C�DRZ�?�ѤyL�=����Iia��ANJ?+�z�I黄�C9)M��Ii�GNJ����tga��KnZ4����Qa��ONJ(�:�Ii�RNJ��rR�4��Ҥ�")-��zQI��a���/�"�Y$�-#:���45^�Ή������������;�Ҕ��� ��6[�Y��l��]���yn�����!&��u�ݿ�����mՎn�5���k6yn��� ���jo~���kf&�lkq��ٯ����e�%���ϱ�j2���*���1��m�����modk�M��������~��+��SYQ��(�:�yp{���%��|/��WOe9/t�pn܇��c�9r߅Γ�.t��w��� �3�]輹�B��}:�Pp߅��.T�w��� � �Y�^��Buä�� ��]����Bu�}�/�P�����z���?����?����Y��c�s�_����~N�/2T��Td���R����z�}��ɕ ;U���L�����x� 9�4;�/x�@�×D�tE��|�c�.�='�\��dΫ �+W���_��e�p������]���r��/�P���\��#y��Kb���1<�C��2��%��]l�?���gG�M)��S��/�DFw�e���_��:�gL�(�����͡��f���2���K��C��-���Ј�}T��.L�z�#�o�F�յ�~�����0�ت l��a�i�f?��1x�;��gx���Ғ�o���YK~�����K#eFGc��#T����4FF�d�z�-mt���1��iZ�54�j:q�� ^�l<QX:�a�э���!8G|��dҹ�8_&�3��fҹ�8u���u�~F���:Q/L��IbB4�D=1��@��� D���;��A�#��Q� 괴y���+�(�|R%d�O��d�O����_~�c|~^Fy����?�a���.��K��Rɣ��4-�(+��+jT.���,�>u�*����!㿌�����+.�'82NGzvn�k�9�?"B��t������_X���<� {��F�)����+��?�`��%n�x��WYL��s8O�)��y�/�� }!�/e��l6\엗�&��&㿌���/�y����$��?���V�/������ʢ�^\|�,�����b�.s��T��|Q;�[��!�e���_�����TG�8G�#������0K����_�h]P����0~���4[o){���v*���/ʹ�2���/�,�$�O.�����yN�?4""B���$��WJ�dt�Ӗ�� o����"7*?D�[�('�/(�k��J�)�:(~�򝕦�R�[sVs.R�m�� �~�8k^����u�J{��9v���#���\\������_ ��% I�⒔� ��"N��"v��]%���VqBH?��@���q��\#N����E�SF�is+�N�� �T ��I��J@T (�ƿR�~���ͼue��<�X�2����?�L�_�s%�������������s��������<8n�����_���r�))[�w-���s��wԮ;r�+�Q�ʬ�h������(=�Z\����}"E�D O���aO��,��0�g87�84&�u:D޻��I� �Ç@�<oh���e���"��ɞ�����U�����""x��K�8��?I���/�W���ud����-����K�8����R���_�����Av�(��e��f����KRʰ.k]����t���]�kqq� �� 2h��B������ð�Yio +�7�����(�V��ߌ��º�X¤���/㿌�����ssi�����F�������r��5�����s������C����uj��omb��=]��Z�Ͽ�_eL�I���zKoSY�Vy���}q�J{��������?]�N���4 ��8H �`y�B�?�?�YQ���*XvV�[��9�ݸ,㿌�2����w�c�#3-#����l���p3��-�yP2�K���/�_�?���������2����?;5�W��SJ���/�_����9S��r��_hx�9�?Z������a�~���~��������N��C�,K��/^�o�@Vs���V�$�e���_�r���S����/��� ���\N��#���wU9Vݏ>y�wes�toFD�!7���C �k��n=Ʌ�d���_�Y���?��������_����s��5���.��_�,�G�j_y��Mю�`_�O|]z��%��/��/�O&�Uro u���1�e�:4 � ���ޡ��?�ןL���B2���/�,g���������������������G�O�O���c�5t+k��M�ܘ�C��1����7�2�i�v�y_q*������s7���_��e���?;g|v椊�����������-2�Wp��V��%�����G\5j�3���_MH�}`¨��F�����v�O�p�ϑ�����5ԗڦ�/-(�7��8g�_�3��x�O#�ۃ�_ rNz��3�}�9Y�֙��ș���tf�M��/������-���|��V� j,����7��o��)����f�4�7�9�Y+���v8g�4�9''�Y2��r���SUQ�H� ����:XS䧖�~ȣ\�d�_�dŦ���%��-�X��G�,5*&.5� D�◨]&�0�ZQ� jD���u5��A\6\� ����0骀�2 ��+�*��R ��+⪁�r ��+�*����pt5A\Q&]UW��q�A\eW��q�A\un.ҕ?�l���r�g�:���;Z:�;�:Y/��*���'���7 ;r��b�?a��B-��W���*%�^�:��_�ȫu��쵓_.T�Zb���-���g ��6W%�J�F��?RЬ����E� *�fY %>ġ�8��X���@^i��o�w'*�e���_��#={ �* ��g�5N��W�7���R���K����?�QQ���F�{��U��*��WZN���RN���p/~5[/Y�]����b��2E�;��������gu����B��.��/㿌�����?#o�##�B���������U��w����7�!�����~2R���n����Jn�3GY�x.���#;VJ�����+Du��j%㿌�2�������,gZF������?��M�w�:2�9��2�K���/�_�Z��� ���|���K���/�_�,�H�s�����I�;�<��L�j����=��7��e�st�˟���74� #33��_����R��P�������Jw���_h���j=g�g��������i����y��O�kE�3M����|P��7��]�(���q���Ӄ���7]��}]�pM}�q�Xw�'�?��Vuy��k���'4{���߸M ���q��ZKӠ��6]��j��S+���S��� 1T���~�����,/��R�,��+��*6���%�O�.Ƥf���H�M��8u�� @T��`Ru��&U ��aR���"&U��Q]|0Te � DՁ�>U�AT%��Q�L�VUˤ�ˡ�����E��-���'���O���82������2��g�F����,�R���K�����rv9M��[������R���K���R��cBF�l�z�����]�E��wIJY���k��t�_n�Z�^}�2��W]��7t=>��(3�2���/�,�"��8�V��o����j���K���/�_�K����'���/'��������K$I���Ul��j �*y]wG��u 5�X�7j� �Ε��;笷u���=f�C��f��)3Lޓ+pW�u�V��wV9��� ^�����W���%+n�b=m+=�����tx�?"���/q� �!3�A:��q L:�����T����[���Z\��e���?)'Ry}�ߘ������!�_��Y�_��9&U�����#�,�R���K����ffF����a�R���K���/˥���b3��%�f ����R�+D�#�H�#��_�wNy���h���G���kh����"��NT��Mʼ�h��5��qQ�V�[_{z�Mm�N�z���Ϊ �u�����]Q���ۘ ���{x}�-K��m�v}�g���%G���_��5}���D��(�}bQhO�zk�Ea��ׇ�o�Q�ɨ�_��"��h}��I�ެFu~�vb��y�gQ�E��,H�>��(��'�z 촾g��E��u�>ۜ��k`T�7$�y������X���j���{>q��.Q'|]d�>k�����w�y����� �Z���de����'��Ψ��w$�^Ԉ� �������Nu댨���Ec�W�׆=S���~l��8���(�Q��R��U�+��?��1Q�7Q�ˠ{�վ%J��(��~�%ʦ��9�8H�Mr°!�����x_��'p�A\g����q�A\w&]{�� �����d ��m��6�N�}B��^�N�f@� �/��†@�[b�=��)v¶@�ag l ����9v��@�a�\�d���d� l�]��M� �FA�)���VA�+�a��d� �� 3ɎA�2{a� ��m��o6��A�:{a� ��탗��c�(z�-���*'����l����,�ʀ!��=�*�����x�i��� �� ����H�����G�I�å�_ ��(pL�.���;���zLN���ZVAy�����R����0���+����td�Q���?2<� �fUL�����K���_������+M�{���?�����<[��aar��KR�d|�f��(y䢧�<�^�w������%��޼L_:�N}�S;U���|AU}E�_�G�n�W�l�>:p��Tի��?�������q���=I�̻V}v�m�s�n�ڜ��:�I1t�������]�K?��o(z_}e����e3�M<�.���:m��ڄ��)��7���ߌ꯾�y��vJ����c�f����c�w>��ny>[��]���5A���&u�}��m�����٤���>��|���3s�����W��C���Wv�ެ�e��s�����w����>h�߶��{�=5 m{~ֶ�����c۷y�����m?�.ܿ��Oи)��Ӝ����-�|p��/zF~ڦ���� �jo�����ǂm�|d;�����w�ھ��om������C�l?�g��7c��ljn�O��<dC���U��X���ra�o�\�G���yla��m�Z�7Vkύ�ռ�Nj�^7���^\ �~Xuw������w�������[�A�o�4ڹ����e�&���>���l�*S�KM��Zh2e�L-FN1]�o��e��u�L����Z�6W�����͗Vw�]׹۽���~����o��{?�;�ݢw�۠�SW�Q{�Мu����j�����f���Ԉ�sԨ&��Q;��cz�Wb�.�R�����]_�w����}qS�6���cn�ڳW=6����+=>��ګ�f=��'j���������-R�|���w�Sj�����w.P<�\����ܬ�}pf�>$2SOꗠm8@O��VO�ͬ�4襦쮫���:�����ԑ�:�uߩ�������]U�Ku�pP��Euܨ�z�5�i]W��?��7��������E���'铞�^�|k�:���z�cC�� ���[��)�bԜ� �\Ks5/�w5���tj��>S���M��}C���^}��1u�/�|M�a�����+�9w��y|�*V"�ȟjg=.�F��� �*��~����a �/�`��}~Ջ�?7��3_����s�%�gV����Q�D�$h��#TiOm�a�b���B���ge�B�#1�k�&��E&i#}�� t�V��K� B7Ah'��� t�IZ BOAh*]�� ��Ƃ�YZ BoAh.�t����_ B����bz B�A�2m�� 4�N��j&�5�f�n��n��$ ��̏D}@ϙ�� t�I�Bߙ�� t�IZB��x�>�q��� b�8"�� b����">�� ��X"^��B3@� �D�C@��D<S@�&��D�g@��D��ES(= ��"��E ���".��ML�O�@�@�)� D��@�-��ݙ��"���eL�g b��"���o b�8"ց�w b��"��� b �8"���L�� �"��">��� �$�X�}o�� b&��)n����7�� "���� b)�xʤ� "�2)���� b,�8 "ւ�� b.�� "�r߀�/� "��� �1�� ".3)6���L�� �4�X "^���<AqD��A�pqD,�+�s1D\gRlߙ�A�y�D��A�}�D������� @� @� @���F�N�V�^�f�n�v�~цюіўѦѮ�. �-@�/�����`R[D{D�D�D�D�DD;�)�"�� ����C��[��֎�͝��[�����fd�O������?���_ϴ�������� ���­��n��� ���^�(����d��^��7b���o-��>b���l���u�ﶥۍwߪ�}/��]c�oz��ca]��)�j�xw��k��� ���㍽o�e���fm��'���i���}�� �'��Ȭa|Y�[ݴV���oP��|��WS����zk�j�T��d��>��3�Qwzgo��h������WG��6ls�����Q�O��~���Ck��'����k�^}����B���M�?-n��~������{� �h��fo���Ҽ�'���$x��_��;���~�t���^����k׶�w��U3�`��7Bs��[�a�ߵ�73"B=�Ȫ�FT��ި���V{;����e��Ych]_��v[���}q�ז�R�1w����[���!��N���p{�� !�� ;g�kZ��׎6�j���d���P{�Y��/Է�]����}PL mp�����Z����'�RK_bO���Hi�ޛ�����yG�|Ӹ~�,�ȹ��6���N�o�Yj�j���F�džܦ�K�nO�9QKKhaO;�OK���o�eT�Ҟ�J�&x�>��F�{�{'�2�ּ���3� �N �a�d���6Xg� ���;�]+���^��6-h�}�����G��g,������>k�p���}��.ڜE?�+�U��޴�S\�zg����������Gm· ���C�A�Gz]OC�9c^P/�"��q����H�y�E"��ly gI� 9;B��Y�FΆ�G�l�t���"�q=���rv����䩜� oe��rV���I��Y �^&y0g5ȋ��ɜ� o��y4g+ȫ9[A����w��p^�$O�� <�����E ��,y?gH8�@*�YR�"�pC���� �E e���gH!8{@*��R &�gH18�@��YR�"�zp����"�E %�,� gHQ8�@��YR�"��p���I*�ك�d-Ԇ��8�E ��,)gH}�O �YR!���D�E 5Y���=TId���P'�E��{���"lK�Z�,�j�t.���"���%�9�*&�I�j&�S��C�Da���q��I*��R:&�gH�z�E ��,�gH9�@*�YRB�"�r������E e�,�#G@RH&�$gH)����= �d�jr�������E �,�(gHI9�@j�YRT�"��r�������E ���,gHi����= �e��r����I��YR`�"� s�����ƜE E�,�2gH�9�@��YRh�"�Js���Ij��Rl�~�Pn�F�Pp�",� %�,�l�Pt�"��s��_���Fo�O�^�������l3����y����w�ud9r����_��O�}�9���#e����U�S,����X呾�{�f��?B�o=�7h��~u������?oԃ>_�7����~��d�+j�gV�͖,S�/��kfݨ�2s�#ǩ��KR[�ī�u�P[5 V[��Ub��_��6_����Zo�f5]�[ri�-�+�P�?�S\���v֏>��Wx �Z�_������`�dX����� ޮq^�E�����d��A$3�"��f�V���b�y� ��f^��af�.�����0�+�f^��a�e�f�U1�|�*��sT1�<N��I�f�W�0s�*���U1���a�X] 3��b���.�����0s5]3�a��0���$Чf|Z:dk)��\Ӳ�'�r�?�����3mLrZNjZ������Y�^��>���Ud��J���ׁ��y�}KL;�f�W5��V�9��o#n~n�q�T�S7?�'D͒ۛ��ŧ�d��a+:&��V�s0%w[]��'㿌�r�/�;�r��d����_(�yv��.����%�����y��)2�����^���ߟ8e^�T?q�|e4�N˦ ������%���M�ĕI\�Ľ��������eke�O��d�O�r���W�����h� �����s*���/�_��y��G֘���iY�����i%�?k��l�������(y�,,y]�EO�j�w}�[�w�������/�������S��_�U�=�PwE����a���V������/ܯ�H��ڱ|��s\���-�]��M�ҿ�w=��|�v���CcuO��ս�^��~3M��?N����{�06{����s�X�\~%�6N���8O?�u;�_���S�#�� Bl<�Kn�:�xǟ'.��PH\f�p�E�ȱ��\<���}���Or41�s����t<ݓ��{���tOr@��IN��=���<~N�$��ŮƉ����b���<�'e���ů��Êů�g�q��W"��ݵ21+��Wb����]�%�T��� JVٻ�������������9��SDD�9�������+����ǟ��n��������t->�K_�����w���q��=���3ֵ��#�=�r=����] \TU����6Z&��(" �aU�QPDP'�ܽ$&�h�K�\���M�̊��l*5>��253���\�VjY.�K�f���=��_J���w~3�ܙ�Y���y�s�{����Ғ�oH��ϫ�N='���ji��&���A���;�7}@z�*�o�yJ]ii��m����Zta����E����EoK�0R}w�3R�� �{&I���J�$mH�]�0&Q��n����uӗGՏ\�Տ~Q�|{��� ��#o8����[��!}2?I��~�mc��m~�n�'m_>���1��X��i�ҧ��v�0�9w̘���Sڕ�A������� ���ݵޔw�Y,yx�����ޏ����3L���\�W/M�=7Ϯ=�m�fL��CS������h?hjl?�����w���G���9/��O������rD>�f�|t�6���w���e�/�?�;W>���~�� �����m�_|��z��o����N���}�[��x��Ѫ!/@���6��i�=�z����|=���u�֮Y�K�W����g&��-O�r�T�\~���z�r�U���[<�Рo.�D� ^�׳ו5W]����� E������ �D�w������(��QE�wU��?�D���|�)�����STQ��[���`��ߟ�D��Ւ��n�D��A���~�$�? ���*�?���� TQ���*�.�����^����%Q��mI�������9����>I��s%Q�}�$�߮�����D��ר���QU��H~[��O��3���� �'~�sQ���U��;E��OTQ��O���9E����׋ h5$Q��n����'p�h/�Q�}�$Rb_�"�E���d�{S � "6O��gȢ��xY�&���s����4����g�߳���{����b��c��{�]�ol��=��{�,���E��͈>F�?"����eQ�}�,꿿+���vY�Q���ʢ��z�����.꿿`��mvQ��!���>�.�g ��� ��(�p����������!�]�K���S�z�POބ9���pr3���?=�������=�'��7c��7=�w�������1,53�>]�����t��[��W9��s����!)٣� �������S���DD�����9�s�Q��ZI.��r�����+�U��x��狥?����bJ0�~H����_����B���!��s�GeT���3�3��z�������~���1*7{bE�����)�����Qaz��[%�K�k �d��'���}н�(W��и� ʛ<��7]p�o�-���W�ٷ��1�·��o_0���U����u��?o0z/˒�|����X'�i�{�{���Y���]<�-r��}Ϛ[vv����gn�Tnu�s@}Iر�8������u�A� r���ۗ�!c��P�,Y�1�8lb����9��L{�w�9�m�=�\�9ګ�=z��9�L{۵5���l툝�E�{?��r-�@Kb�������^U:d�$5����~�%��h�S�7,��ܥt�����#��_wtY�]K�2Ǒ>-L���24<�Y��5��.|�a0ݺ�S5y�)�j�I�(َ� ���@9��7�_lL��`�u@4*Oܡ��;Ը<q��'�P#�jhFjl^�F �w��y�5<Oء��:D��C$����D )� �� @��A i� ��@�D" ��Hd�P@� bA. �"�H�ءـ w�D: ��� #�"2� $���@��AR � Y� ,;q"-���@��H ���@��H �� 7��S5�ё O�����_������?U氌�� ���$����X�L�����=J�8���o ��Lak����p��b�zi�����_����F�t�\���*;�^�r����U��^;�~^��f���O�G�xJ:��-��������]�%��K?���N��'���T:�.V:=���Kc�nAo�캘ڪػ���w�z����F�揄N�U��^T�v�U0M�^���dy��h��t��R��c%cn��|`oI_s���q���5��p�1�Zލ�jծ��$��:�n�x ;�%%ս�~k٥>��t[�,�/�|�{G��x�4ҋ�H�?Y�rM�F��g��7m�y��j$0}^�B��{� ���� U)!��K1�=� r����UI�]�h^ An��\ /� w�K">Ka�VĒ��$�$�@K"�3�͈%�3���r9�$��/� ��K"���rA8����_�P��Ҟ�G�n W��b$����\F�/��ɅqDMn�#jreQ�;�z�XF�5��ɵqD�/}З>H�҇k.}л�ku5z�=������?���*st=j��Vb��n �*�c��z����?5K��uK��9cx�m u�[�>)�v߄�_�v��B��dߢ�:�c>ۮ苄�E�CLE�ϴ-�S=_z�=�KѾ��E�?�]��K�c�^}:F{���o��(����c��j��д��C6�-8���W ��-��p�� �*����Ÿ����{�ѧ�ۜp��O����~�����䀓fG̩���o���r*�W��1�5�8�Ĝ9�p�`��s_ )�}����/�c������-�\��V�V�:��B�����S��G���hu(�ƴ��Z�7��eSL�C�<>%������m�`tn!*�ը�^�.�J/5�{!��֪B�M�A��? ��ڤW>���h��p퉛�{I]����T��I��1+��Gq����y4���crjn�ɩ�9&�f瘜��crj~�ɉ� DY�����(���ZpY��E z������&\���e�.\�(�e�6\���e�>\�(�e�F�D%���N�D)���,Q�sD/��8@4�Q�sD7��8@��Q�sD?�9@4�DE.�@t���DK � =��(42U9��+��!ʲ�&�A] � ���1T�ΌDi h�H��ޜ$"�As�Q�9Gqkӽ6�$8F-������O�G�ɤ�#uS�G���3B+�=`�ё���� ��1R�������������U-��>�"������5��Ga��Qd��y�33B{N}FEڿ��u���=�_%��Ȍ������a��W��##Lz��f�d�t��Ȓ��e^���Z|\n�?%�N�7 �j�alt�����|��^��[��{�_�d��b�E}���N-n6�]�17����&�-�����Q�2�x���V����b��f�S���Z'̷�r�[ox���Ms�����y��!�g�C�ƛ�a�As�McF���G��^�ӧ8�Vu>�8ƻ�9f���ds�u���m`�[�e�_sʜ0�9q��fs�~s�i'�����+��\1U���U�DαsK�2�,HT�"Q�KAMHq[��K��_�Ε #�MW1ϋ�?�� ��3�m�'�@� ��HmD��F@�mD{�f@�mD�ц@�#m D{Ѧ@�+m�H� D�Ό��@�7mD����Q������\�>��'���h� ��H�'�� �g�� ��?@p�%���' 8�UxU;�N��D���t��뿪��F�̨����DE\���)\�����_��[r���ş;����ը�f�h��ѯ����joo`����Vg�8Gݏ|�zs�8n{�]1�Y�h��g�� �M�W�=�Y�c�V�}�Ң�{�o�W��Y���bG��ъ��K���Z��],��QZ|�#hm����Ύ�gS�� ��ӳ��-,��bj����D4/P"[�V�\f*�<�D�����d���w�v��b�zQ�[<W�r��0-OI\�]1g�Qڏ�E�>FK��Ԓ���:��:Չ�R���R�xj��C�ԏ�j]~4(i����?:�t�wF���.�{�^��[�-=#^Pz�X����!���)���紾 &h}�?��;�_�>C�#N�\�6�ͦ��)~ڐgceP -c��2��-�������.��"�mt�֥Z�G��I���ֲ � �+���[1���D� 9�DD�����?I4�*@Ѕ�(m�:@� A# ����KV�KV�KV�KV�KV�KV�KV�K�4���KV�K�h�Bd�J4d$*�T%:�OH�d�J�d�J�d�J�d9Ee�J4e�GTe�Jt��(�R�h�R���R����( ���,U��,U��,U��,U��,U��,U��,U��,U��,U�����@��A L�(���H��I0�Ya@�&��a*@� &�ٰ�!��|�0!F2#&�#�&�YaZ@�&��aj@�&��az���4?(���� �H��]���������5���u����l�4���*[������w,��Y�j����������fotf��y�f�ڳ��xkC���J��+>�ܔ���V�M:�G|�4�Yi���7v��2�Y��{���c���V���zF 8��8�� �5Ik�!W Z9HkS�M ����L��м暜�@ ����x)��F%�sJ�O5%*l���%��-f�F��ٽZ�u�J��Zܒ Z����K�ąi��YZ�i�+:ޫ%e�J�_��1i���=DK�MVR��)�����m�J��j*i+nSҷ��]�u�Z��ss� ρ-�Ԩy�����H ,�%�����mА�[�@vo�y=�x�}胅v�i��飞1(,���t �n(�\�)E�g�H#�.idoY����4r7�H#ϑE���N4�H#74�4r E��o����595?kr�kr�kr�kr��H#/SD�Y�ɉ"�<Ehr��H#?#49QE����2"����4� �͉>"��(�9�H���k"��@hs��H#{ mN�bmN�i�jB���j�ɉn�D9��D;�F.�sЏ�9QP��_�Dy�&��i"�<Ki����@M��DO��DQ��DS��DU��DWF�,kr�-#Q��9ї�9Q��9ј�9Q��4�-JgҾa���0��{E��������������q����6���G���[E����7,󚧭Z|�|��6Y��8��y���k���������;�,��Yt�����&wvs�:�l�h�������ht���}����k��������� ���]_YZo�n ZYliS��%x�K���OZB��*r�4%l� �4�Q-<ަE��E��ѢL]����{���QZ�s�J���Z��%ni��֠$�l�$.<����(����zI�T��5uO�e/�:�F�{fH�N������F�!�.�R��G���G�O�_l���iB���h ��K'}��j��t4�P��ۅZ�.2��E���j����d��FñZ(jҢY�S# �~�!��1�A�e��.jҢa�Z* ,��W��EmZ4�P�6-]��'-B���6 �� M��G5��m� �P�"� b0��m�q��l�(��׋�6�j�H�j}��l�<B���6HĎ��tQE�*d�����������J�7zhv�鿨��_]�U��+-Qr���9� ����Yl��p�E�g ��0������c�#�'�eJtD����h���h{.��n}mG�^�%n��%~m5K��Z�ą,��,��K��n[������ۑ ���.�h��~�R���{o��4�ЂO�\��0B��5�t�Є�,B�;�&����a�Є�Bf9�&LHd�p�Eh��Є � k�}�@B��}�HB��0��&�I��@ĺ\�R亶6��������U]����14#���_X���/\��_e�ҵG������|��{W���ߟ��qu��{ݥ�������)�-}���N�ΥN1�;��>�\_^�%���zW�'譛�#�?'�7������t���9$�*���Y�%�?�� q���������*���&��� @�� /3�'2J���������ܱ��I˪�͟�s#c?�����bʆ\���S6 ����/��)_ ��3�d����[C�����]�=�4�f��s.�����������1,'+��v�� �L����d�WZ�#��A����8���cit��b��[��&�o}��~���k�,>�򴦳��f��h������Ez���Xk��C���]k�qT�w�R�� |�F �}^j�%Q Z#�m^+?�%��^��N~Z�G�†4QM�!R��"E��U#�OS�l����-E�<�����~>Um�q����R�ˋ��ՄY���xI�����:��[J��TM~_���]�T�)E�QK�oq)ז��m��ɗD%��a_�������:���.��7|�\� ������5��zIf���d̓�a�G�#�^�&���`��Z/EZ/FZ/PZ�1#Oh��5���jB�U�hL�zԠ��P�����e�G���U��,�54k<jlv���ѹ���g�g��`��\�t "��Ed`$B��#R��#b��#r��#���#���#���#���#°�#Ұ�$��yp�@@�"��p�P�i›K��� �������*��r�d �� ��� ���HY����Jגk�O<'�=6�Xtmըa��Ysi7uiHx��1t �9�\�?��&_��������?U��Q������sX��_aQz��2���ҥ��$��������ci��L����謋��G��ko��x�b�us�&˧i������e �u��z�OְA_LcV��_�"z̒"}�-E���'�x�Tc���ڞ�Qۭ��b�vQ�ޥƯm�&� W�����i���$u�����UWJ��R�t\��VM��TJ9�[Ju}KJݶF���|)m�")}�j�'�Jݖ?�v�H���Ի�Ƚ[�=X��V��Ȭ�i������n5k�F�~!���lK�Jx�ޖ>R�_�+�J��o[r�� �5�V�*����hb<�f^]��,2N.<l�f�HYd�f�9(�'�A�f�N�����K�>�{�8�D4�.���$�g��R�A�P����R�(�H4� Q�3H�ŬfP�3HD;� �8�D�� Q�3HDCv�DE� �G'Jr�h�$�&g����A"�2Mq���DW�,�� }q��@�� ���4�f@���@P����i� "!8B�+�������ӏ���G 1zĭ������\���{�m����Clt�;Q�Ԝ��.w�����x�+��&�����T�������������X�?fTƸ�J���e���������K�?�4I��gS~_��cC�Ѷ;= �F5��B�<���k���x����{����>��؛Ύ�7���n���7X��"��7�io���{����v���)M8�9p�#��]�˭7�%�,��̗��͔C��/���ȡ��տs��5'e�*N�{��1iuq'�i���)�^(Nu}�8u�C�]�X��"�8}�Ds�':�J;)���G���Y�F�?����\�nӹ������:�����r+��gEvs�cX �fG$��*�Rˊ��E�o�M��x"�4#�6����E�OԥBˋ�_�]����Eꯋ]��b�"���.R>v����fp����?b�H�������` #1�S�N�sD �}Y��b��`lb�C��U��,�T��β`*���"u��Y�W���4�H.(���E����d�:X,R���"u8�,R���� 1�z)��g���u���� ��������nj˫�������4�Y����[%����4]]��egj�'=l)�*KW:���k/�?�( <������3�N[~�����g��#G�#��Y�n�O;����}��| ��t��t��z���O���-W�'��T����"G�φ*>o:,MW�ך�su��Hi>.��bq���u��Æ(~1���V)��}->?h��8ZK#���j9�VnS�c�ri��1^����q��c��@������b�1��b�1��b�1��b�1��b�����q�����#�o��1i���� J��RGʱ�Z��,G��.���H[񠖾�K�'2�nˇ[��J�,��,wݭ(=r�-=�;(��o��n�R����ϯՕ� �:�~�����qG��[��>u |�6h�[��nֆ̛�P�,�2��i�8[�4ϒ�l��?�rO�Ǖa>}-�~��og���r��&��aJ����Y�+��6v�vZ����q�]��1�_9��'���Ŏq�ϴ�!�-�ok�k��xF�x�E��Iڤm�,��Y�LY�m�:���'R,��T�&^(�����ŝX��w�<� R��qʚl��6�� l;�V�^��F� l���Ž��% � �®�!a[@�6,�f�d��m� ���쒣���Fe�O���F9�#;��l��?�W���f9�#���l��?�_��Ȇ9�#;樏l��왛�l�q�� �-�����vED}Wo)Q���dK �{�l)A�/���-%��h�tK�������K��.'/-\����|p�r�������E�`��}���zED{"��'ß�ho�&��Y�͓�_D�'6O��ў�<���������A�W��q�H���|~��|� ���W�xl�|~ ���‡�Ǹ+&_�?§��ɷ�߀�q@�9 |�����������@�A |!��%�D �"#�F �#�Cl\? ���_�3��@�N���a��6��pڦkxHd�*��&�{z4���z�����q �����Ȯ��?׬�������,�Ȓ��e^S ���Oɿ��M��v��y�@��^/C���׍/n�|X�Ϣ��Mg�7�ܮؘT�|`���u�}c�(nt���[+n��i���y���c�w~-�ް���KnS��1x�99d�pc������f ��]��uX~x���#z���3bw�)fs����c�{w�������������׫s�Ґ��k�uN�i蛸pgs�������ܡ㮾��5���˥K��/��ܑwR�d)���p��p�l���!�H�(ݕ�:�����b��T���`h1L����X��M ���t^1L7<_ Ӎ/�tÊ�0]�b1L�Z,����a��b1Lׄ (���(�tNj�0�V,��>-�t�>:�5j\���sK�s��E�����E�6����"PK�s@j��E���n1,�g��F��r1�E��u��zw�Z�n�Ew�Z��"P��,���bX�\g���@mg���+���l��.>��3\vs�����(�����t��7��H�d���9:����t�wk���.�2T��=VݶfXʬw'������7h���g��4��;oW?\Pò�%E�4��c�w[����ز��q�I��s�J;:�t^�M�VHB'8��� ��Np��RCP�r�M�C�_t��� &�dRH�r} ((| �_���_���_���&_���._���6_���O���H??G����$�1 �1���_����_?�{�����9.//�������2��E����*�?:M�}�*�<�ܺ5[����~������y �2��ԃ��Nxu׾H[ ��jW����y��O��{֠+�*މN���`��?�@|�T�s�Y��p�*>�]J?T>}������G㮳s��W��G� �CVz����������� ���_�K���������-�J�^�{&�����=�wz>�5�9����Z����מcZ㭉V�u�&��m>�BlMg7�5�l�s]l����H������2�C���j[+��m�n; ��6|` �0��k����� A+g�L4ϻ�2}�!4/� g����Lc�l��]l=�l�>mlQ�����l1�- 1�����ڭ�a���!n�qC��-���.7���2����֡�|CR�2[�����I�m���R|G�R�����Zl���u��dK[�֖�����޶^iI}~�f��U1׹�䤿؍��x�&��⧰�N�m�#.u.����+E�O�~��!?���8�iW^Fm+��>�'��@�3m�H� D���@�=���\�@p^� �G�� \�/�� xw�?@p�% �ĺ�8��G������1 x׀��c$��=F���@p>�I x 7��'�e�(<��"��W 8 o��.#�3���2�s�3������8��2 �[���p�Mn� ]���_����_�������1������EE����������E�������<��<oV/��J��ͭ>�ܔ��]��&R�#Z�ج�H�d��]�� z���=[i���߭P�?��3��cZ�G��7�jA+G8�tӂ�uu�L��мP���@ �n5u U��C����H�5��I���%�ؕϫq����j��m�yCUsV��}�d�Cr�-)��������'IJ9��ٻ���>��>�'��}0�*�K������;]�I���3�*V�K5/�2�ˤLI����q0�������A��BuoV���[(Bu7� �������hV��2BuoV���d�{�"T�+V��g+Bu?n��P��e�PݏiBm?�j;Wj{�S��n�P�]�Bm˚PۡN��hBm���G+ ���hm�� |�Vg5M-�j�Z��41��4���41��4���41�����t�P�`��BՃ%���)@���01��Xs.��Ξ������t�������7|԰J����_��"##%c��G�����_����׏ ���F ������_��z��*��G�9ttE����dT���?�e}��M9n #YKKP=�2{��M>��$`�����Ԙ��R��>ɘ��c@ɖ�n�ܫ#��e��ˁK�A{).�x�e�J xyc=�l�4� 9��2D��dыPez���$�� ���+&��|h�>8;@��@|`�| d�葄[oZ�������U��?9#3���ʑ����S�������k��&����i/]���pǂ.� iq�m%�&��QOً���.���.�qOyW3�,]z!������r}&t��g�\'փ̴_k=>'��b� >�e]����_yA����_������Gf��7�r������2�?#���J���$���ī^z(T]<�9kAF}uIƒ֥���M3�����WjLq���҉��'���b�ZO�~M��Y/�Q�H�^�r���G:��Z��3��s��������<��%��̗����˰��jS]S�9�2���AO:�'�u6Yk���<z�Y�������u�:o�e��Q�ZoD?�m��J��Y=O}(y�im�E�{� k�޾R��Z�)H��r��˓|G<�lizW���hm�0Y�w����2@ ��f ��[i���%�� ���!��gS��ٓ-��')���aC$�d�p�'|�D��X"�nP�<눮�P�>��s�����^�v{*�o?�{y��`�%a�%q�1�yD��~�XG��1ZR�˖��J��-��Di)�,)�{*��9R?>�u���%mU#%������(�^�h鞷W�<Zh���z����,=#^Pz�X��}�CJ�,G�S�J��:��P�w"��}�6`G�c�sIڠ7 ��S��!�[�A5��I�Y���2��l�&����X.Ђ �]*0�{B׽��,6�.myy Q�Ku}�T7Q�Ku��T7Q�Ku��T7Q�Kt���6���@��Aw (���@П�L3��0 L�f�3��;��f��a.@� f��ú�̇�L3b�.&���p���0+ L ����p�Ԁ0709 �L��� q��0G L��4�<�0Q ̔ C� ��a�@�-�\2] ̗�$2a��� "Sœ�0i ��¼�ā0s Ls��0{ L����(J���8+In��{�E0��W�H�C�E�q� \��•�N8 "��[�n��(5���a$7��a�/J����v�p=@� \nW�;�%ᖀpM�!�?�=! O��%��������_NƈJ�����!GS�v3��������_��U���^��q=�^��kX�>�w���P� {�ՙ{�s��Ϙ�?�ֶ<S2~�i2��ᕢ��T[����z�-������z+�I��q�MoY�����!��_���R����U���Ќ ���Mר�����H�_��Z���r��"I�bc��&�܈r�'1$�L������=xDBp����_����_?*����1jhv���aaae�����e���[�yI����V��[�m����5$ɬ����ix��"ͥ<_X�7M�G�G?�EyU�?*�oJ�Ի ]�������񟪥�:e��C��y���p�I����j�\qL-�_��M��:��V{�\���,��;-u �*���q�to�0���~�y�AO�r{W/���- }�S���u����L��w3��9�� S��Mw4Y>M�Yt����l����cn��|`kG��@�7���e�������Q�������p�%p����햠�۔6oX��ٕ��OZB��*r�8Kؠ���Gx�M����E�&��?h��g�ٟah{n����$C�޾���Cl�k��f��%>��f����~z[C�N,oC�����I� ��?���~mH9vȐ���!u�fC���V,3�o}����نn�_�u5�`�=�v�ݏ�z�f�zF��z���z7�f��&���W�v��AG�����O�|V�00��a��#���4 ��͠ �̐1�G��ķ ���ڲ�=cȎ_a���*�0�m�O�rΏ� �<�v��^��l��3��o���atN3�uf�Ά� c�id�Ԑ��a\}�0>��m��[Äz��&86&����}�aҶ���ϼo���9�ԉ��x�V7P���+g�4�^>�t�%�L�H�i��N%�(�yN8���@��A L3��0 L��4�0�(�D8� 3�H�L��̅# 2�(v�9�0QLw��b�&"�{"���DD��!"�MD�"��s�Gdb"�s�ajI��1��qDAf��q�ls�a�@�!��Ғ���n���d�A� ��a�@�*��H&˩a2[F2] �Œ�0e ��¬�0m��ȼ�0q �S��98"�����0Fr@� \���[�5��p@� \�fr@� �#� �.7�+�R�p+@� � .7����� .���a$�� � ኀpG@�$ �� ����M᪀pW@�,��K�p]�侀pa���� w�K­����ɽq�����j���&��M���94�M�0��]{E����O���x����@ΰ�^�!�������i�_xهk�\q<Ur�!Rś�m�6�]*}�H�z�'���H�65���{��x�@�t�i�c_�;���\釨L�S��=���������Y�U#���t{��t����9�O�y�!�����c��VO�~��K���Q;��^�(��n=���왶�s�,5'?��<ow���G���p��W�h>@i|v����(��;�i>�Ov4�zAi�<c1>���<u�����5_� K����'%Z v[}~����v-��Uĕ�4s����<�"��y�:)P�;萿���euRL��W“���Jd��J��L%�� %�z�%����q����!Z����w�k�t$��%��������~�CZ���kI��v^\�[�K����)G<��o�k�㔴�B�g�wt�wfQ������s4^���/����Zz7ܡ� ��9�����[���8��\��_5�9`� ��}k�e����!O�P�����I>����Z���ά��Rv��y���:�I �3�I9��9�oj,ݻ��s��ߥ�]�#g~%�*8h}O�d���z_�}꘬W�cC�Q����-_��s��� uuN؞�N<:�����I�tuN^�)MY|�:uBG��9]/�V�TH���R�f���կuqu��׿�B����E��e���_F��&�݅���xIɽ2?��R�CL:e}.q3d$S��� �$f �ia�@�(f����T�0W L�e$��|Ʉ�0c Ls¤�0k L��M�y�i2q�n��U�����u�/�9L^���!�O���zi2�nz�$�M���� x��#����-�I��cnrs��������*8�&w�14� ���mp M��chrC� ������J8�&w�14���ch���ɽp M.��\ ��kE���1t�er=CO1;\#�!�����#wı4�$���-q,�R��pO@�(���M1���X�����8�&�ű4�.���}q,M.�circK�+cA�ciriK�[�X��������q,M�wDZt��er{K���X�����9��|�����9�.]�Ln�c�����9�&�14�IFr�@�KFr�S���z����c�����F9�&W�15�S��ɥrLMnU�Գ��p��"��rLMn�cjr�K��e$��15�]����rLM�cjr�S(6��+昺@���K�z�X���1u���.�c�d��\5�����\6��u��>p�S���sL������cjr�S�K瘚�:P����u�������iM���Oo��O?Ҕ�g����3"E���.5��f��!��̳�[>�p?��v������?0˱G��^����ݳ��{�a���>[�����ώ��������wV������O�ȯ"�)q��S���������<���Z$��ۦN���>��s�����W�|���|����ғ3��COn���o^B�ϯՃ��?��p���>�S�����â�Ӧ3����5�Ԉ��|t'�?#���?Ӿ��3���� �4���/�����&���/����w����I��������o����~�矟$����-|������G�����_��/ ���~q���� 8�ϗ�.��'��/�6��_��,?_x|���f �/�=���� ����{���������������'���7�D=�7����|�����c|��Օ�W7����ۃ|^$���7����ǯ_����kW�����]?�;~��<�Uz���ϋ����~�׿��IW� ��Ͽ����_x��?�����A�X>��э�������]�������o\����{���jE��v����3����m>����2�Ϸ�l��-�?����<���om:�Ϸ����o}��2�?��O��|[��|�m����A��뷿/�o����y�}{��O�~��?}&H�;Ě�w���Mv���{����]a/����W��ś���'��������}O��_�~�ϿH�-��>���M��������e����ܣ��{����=o�.Ώ��k�ZoM{k_n�Ⱦ2+)sZTܭ�y.=������F����*���1jt%����ˬ�����o%����(���p����9��jyH���6���g���ﺝ��m�+�eg�q����U��ܪbs� �7A�m�z���|d����P�����-�p�ݢć�rt�w|X�y�N����������U��3t��J�������������W�����V1��=t��J���W�S�)J��nV�w��? $}��͟��������W�i����6�C�6}�>�& �H��{Be����� ���g���"�,3�� ���Sd$��g�3���� }fP��� ¡� �� �x�]����_=����z�w�����C��S����5"L��s��יr?P2�'�k��9����h��v��˧ֈ�5�p�[3�.~,1(����G�lU����st��|��� ����}�O���G �F7�2�{����H��FT��������_�����<z|V�����GF�Y������D��q5 $�̝�ϻ���|�ßۼ�zH���y�KP�,���,2�Mg7�5�\M5�ؚ8��H����Qm���ϻPm�����C���C�����]K �7<*��ehS0B �w�!dzW)4/� g�Ja�rl��ijx|[Dp����U�6�����+�����?oQ~��g�yS��YS��{)���ؓ":�'�lo��3�ػa����h�����w�K��$� _\%�����V��)�#�����/�\?)bP��x?-?/?1��@��@��@��@��@��@��@4�DS�@4 �D�0�u�D8�L@44M���R����͞����jJ��Ԝ@4)� D�Ѽ@41� DS��@49�ή�����@�*A (�H��sG�[+7��?]����G������Rnj�7vD%�?Sxx����X���N &����>/5���U�w�g�wz�w6�9_jt�#���ͪמߝ��vU����o�<-�gQ\~�����&7�7�ޖ�|���"��|��o�[����ސ��cU���7F�S;�>�'L�w�4�ް���)c��G���&C�7���7�YiưA��Mc�����#<?ҧ]~��a~��&�1�&c̾?�۞���n����cܒ���5�� 3�6&.\c4g�gl?����2���f;&-���>̘�;9?�ش�T����۲�|g�O[����u������Ҿ0�A��i W���o8�\j��KR�{�}�V�.�ĸ�Z���t-nKq1\z ���+!0R/@�e����8���У}V?�DS���v��C���@4=#5�Эb�h tkWU����B��� ��/tkp�ЭM�n��4���|�[���ug�Э�n]�/t�7F�[w�n��=�$��J�ЯK�B�>e���Я�B�7 ���(�k�Q����>��Я}A=�_�1���DC ��Ht���o���o���o���o���o���o���o��쪉��o���hD]ַD_ַDa h ���@P��h ���7�������?����1 �1�|��������o+���7�:��l`��q����ã���p9Z��V���(���+��5g{��g�4R����Kٙ��I[ ��ʒĕ��~����:�(˾9�x�̣���,�J�>r���Q��ʖm���W(;FԲ�|���+������灓_�v������ʗ�{~zKۻc�e�.�����ϧ���z�r:���K�G�QOZk�]h�qn�T�k����c����V�7�P�|i��-��[�������m�շx=j�z��kއ�&�;}� �6�=��lr�Ә���|`'g��h�o\��e/�_���V����V�Ӟր������Z[o���r��M�'��ǧ9C��n �˷�Ys�a��9Mc�v��?��1��:�L�Q�:c�'Xc�';۞�om���3vo�5ni�5~mSk�L?kⳒ�|O k��M�:�&e��L����1Is^w߱�]s߱�w �Kx^�;�=����n�n��k���f�27R~��Hb wM��]�7��Ob�����ǯ|M���b� 9B��/Ҙ�"�ټ�AvF"<GEDz ��y�02 �C����� �0 ��m�q�M2F2 c�ld0�>����g����62 #�0&F2( � �¸�00^�yJ��zL26^�I� F��1���2��!�M�ȡ�b����Q��b ��G2RF2T& +G�d�=�ъ�q�SD�YN=�v��# ��G2f�ɠ9zl"����9j$�f$�葌\D�g�"j��*��}V5~��Q��V5�[E�(������i���w��q�SD��SD���Q��{8 5��s8 ��ip�H���Ƶb}G��D8j$G�<95��������5���������.g䘸�z�3rR���������2�L���5<!8���o=���?}�O���d���Wa[�]w�G���?LQz�W������,�ϳM^�0C[s�W���N����1�qk��J:��YX8���Z�~,N$�-u�Ì��'H�8�{gq=9��]c��5ɸ �/�t�N���_,�g�dM�'��+>3��%5}v����Y2�w`iL߃��M�.��[a��������W��b�uܘ������#��������_~�Jb�j�5w�����?�S�^ʡ�Q�����#��g,(��'&<��kK]�ݩ���&��~�sox3�!�� �w��Vw`z����z������nj���=�R���H�������_n^�����J�8�������g����e����J�C?P�l�)�1�*���!�]!��O��_�����m������o�L��}����!ҁ�;��l/�sJ��ߡ���5���*��oX�4S�(Kx�[JD�?���+�?/�D��T���Xc~���wFk�8j�]1@�[�o��SI���5q� �yl����@��o)�swkr����Mqv��S�t$әr$R���ik��FR�w9�^=#�Ϯ��:����g���~U-�;8�����#7��3b��+=������>m�Z��zP��0��wW��ﴇ���$u���΁�)Ҡ�۝��t���{é j)eL�f_]�d�f5�Aʎ�k����:�'�:��!5�|��7���X�L����9r�lu��(���Q�u���n�Kc��:dž���:�s���]r�:�X�4��^�m�K���>��iiҶ�����NY�u����OdZ]�_>d�v�q�?/�VIj��"��+�|��h���G.݇ ���R���d�#ʍI��R^�����nF�_X+#Y,$���2Y.g��z�@��V��d�<�L� �Ea�@X6� ���Ld�\��,k�⁰z.@L��H�ϩ�*V���y <^O�H���H^ ��w�C᥀�T@x+ <^ �Ŋ�" Ã�“�7£1�W³�w��ဗ��့������|@x? < ^O��E���Wd$��wd�%���K�)��@xL�@xN�@xP�@xR�,�p��^� �we$ �����m��@x] </� ���7�#�Wf�C��3#yh�Ҍ�q�[�q�kṁ����Y���M���E�e#MQ\622�U3R����_���x���Qq��o$�o*�������������g�0�a�H�0�1�M�,���\��r�k��3�s�Bo��������#څ˺���������z�����������Qq��g�LaQW��â������K���K�^��ԆU�:����doTs`q�3sd��6�מ ��[��׵P�,�]�Y�4}���l�!�8� ����J���(��˔�A�*~޳�VS�B���3Z���� fg�IZ� �Z��AZ��nZ�D-d����5��Zؠ�4�K �7*w�S"}�)Qa����(1��h1�6*m���ڭ+Tb����l��׼�%�X�%.|H3g���O{^���^-)SU��ҵ�IC�N�!Z�o��r,MIum��n V�|WSI[q�������� �+� ��_v�^���v��������B;��j����A���G��]���� �k8]E�]��C���eIԆ���B��-�hO ڔ�����}9�Jm�YTjg΢R[s�ڛ����E�v�� �=gQ��9�J�,*񀳨�΢Du #x�H��,��� 8"����qp����Φg8�J�a}C��l*�}q����#���K�M%>q6�8�YT��b$~� m,���gS�k�M%�q6�8��T�gS׈�)���ԅb{4�����T�#gS���M%^r6���YT�'gQ����S΢W���M%�r6�x��T�.gS�%�m�9L >̔f����u������f��1�9�++�w���Q����E�X��4�G��^�u��pG^�� ��j�_��^�h�! �s�|9�#%?��~�ˑIF�j.�%����>� }�丐c�dA��^��|�K��"y�L�FJ�����W�>#�->'ψ���3������x1>7k4������XKy��X�.�����S�n�#���z�����qK��cs�eTX�v���Y������n���Zɵ���5Y�?p��M��ɭ��yy�zc����k�G��E%�z����z��������5�r���k�� ����[��/��cx�Ĕ�M=�‹s��~)��j_�F��+�?�$��A��Eip#o�@��.B�[���z�����Q��������kd$��v3ĉ�����u�������?����a�T��]��S�^���㿺%�\r����i�����=�wz>�5�9����Z����מcZ㭉V�u�6�l�M�k���`O��~��lb?��6��N���c��F�'���'�D��v�A� o�=a�$�xO�~6��T�u��-ƻ�!f����\uC�u;l�{~0�-9n�_�Ő0�SC�������%R�ik���2��~å�IS�N�iR�������vPS���]�k���Rӷ���>QW�6���W�Gm]�+�K{��T��G���mg�\��nK)��� �xuv>�_�ۅv�sR�^�1RPXI��0��W�$��t�2��95��.*��E���@P��h�����K{׆0^ڻ��xi��������xi��Ռ���{�]ڻ�#�b����ӌ�����xi������g���-Qxq[� ���DEF�#�d$ZAM � E��)T��@P��h u�m}��0И�O�����4К�� ���@��AwN�偠=� �����?����M�+���_��z�G?J�����W����������qy�������u�������1v��c*f���-���2�������n�ס���3uO�Z�����h۝��/64:��y�s��^ �ؼ��؛,�g�Y���tv����6vc�����z�i쾱N{ˠo�~�;�<>�����Oir���́1�z_n��-9he�ܦ`�<o�2�~94/G����a���Mc�����G�ho���l�2�ڣη��x���u�mϵ�ۭ;f���&�-�����f�n��������;t|CN��hO�{R�Th��>NN�}̞rl�=�5מ�m���w��i+z�ӷ���>m�v���^?��ƛ��]�}!�UE�;Ԋ�Wܖ>����5u/��t�$��r�ea�Ky��s<Ԭ"��Q�xF�D��@9���Z�x>����"�3�&r<9v���g9�.v�㉵�O����0�"�s�.r<N���|c9�v����.r<�e���d����,r<�$��[����"�3_9������/�O�,r<�d��n9�!v���.r<��"���.r<��r"�c��D���,r<��4�QQ�x�"�sT9�Ͳ��l�En�]�vސEng�]�v��En��.r;�d��y�.r;s�"��+�(,r;��"���.r;#d�ۉ����A�_���\j#������������������1$}�H�1d���� /����������k�\q�*����͜6c�a�lŵ([�:�|<gH��G:�s�d����{u�5$)c��nݸ_������㊻�'H x�Ɠo��Sl�w�-�J�ҭr]����n�F�\ ��=��K�Ex�m�2�9 }!^4L_�U0}����f}9蜘����w�z������O���3s��VQ�Q��h9�t������+��������_������?cx^���_�� ��E���7<3#�����gT����_������U��]323FW�{\w�GX���&=�wS�?,�Q�)%��1|���s~|b�����';�P�=�ı#��� �Ywux��Yګ���ҝ_$�t�Mv����uO�Ϭ{v��=��u_�;���~t~���׫W9���9�y�i���ߍ��<��<8�)�zG��'�R��o�E��=^xxwPяF�TT����� �>}����܀��Z�,����o��%�4;bN�48m|3旔S��M���aO�3�J̙ӑ�gv�9�Ր�߷ .:�N��?V��.<�[(=Ѣ�e�{a�QnE���/t�z��=�-�z�kL�V�jL���U}s@�_6��>�,���Wb�l�P�ٶ1 F���S�k���T��$����|x�{��>R�I={]���۔�e�iS�:Ѯ����e������Ƽ�$�3�(ImͩQjo�9�ڜw��v��h�A�8 v�LH\��#��� �A�x�;H7�N#�w�$�����A���;H_xI� � I��$�;��$�w�$���#F�|b$N�+ ����<�k@� ��; ������� <��@�N2/��&���@��\�@}�<8�MN���@��c ��$ >3���5#q~�q xׁ��k��7#W��x��_������Ƹ�{���� ������=�������?������1���?rT���������)],�Tr߰�+*��B����N�ōj��ht�����-^{v7��k�^'[�,on�Y���t���٤SV㈃��>��H�d��-�� z�������q���j�����^�'t�w=�l��g���6���:C�'8C�B�r��6(�j�o ��F��e��1X��~�F�~��]��o������v�V[���s�����ADю�T�/|��TpQ�Q�W�3��4��YM�G/����iV�4+3�R��TV��l*{i֔���Mf�j��wo_��m`��M�gf�t�Zߵ�:��=l߫�����O���?e�f��U��[��Sot�L_�O���9��tz��9:b�?��$g��i��p�3s�0�؃��6us����7%v��2Q�����rU�&�2�<� �>�;R��)v���ݴ�\� �.����V�"�]C��g}���D���w}��A�;a ��M�� ��>@�;a+ 셓� �A��p2�aC ��-��'��0�aW\��m��/����3���@�'�;����� ��C��A�$�a� ��2�Qv�;��*{a� ����r2�aÜ̎A�2{��� ¾�� 6�}�t)�:e*��S�O�j�����eeA���'�����d������@cAY�@J���Le[Ƿ�W���~s�a'n���R�G�ǚ[9���_��,ʥM��d���#Ū�3���h~y�}<� Y�C��#]2��O���R�϶�m������;���ޤ�Q���ߪ:�n������;j���\�>���Iq������/���.�7c�}�5;y���W+a�F�HDe�(���+�ͩ�����rՅ�ye�<'�a�841��s �!�B�09١���8d�9��BG��/w��ȣ���'�)�S�o��l�=���1N��2�b��0��O�?H�I�����|�R�F�C�^�����ј㿈�o�k�������O���Q_ԁ�����E?�ͺ$[�?�^�$�&WL�s��>�g�[vg߅��z=g���u�N�km��_f�9�����k��m�;�x�n\��z���r��Ǣ1^Mq���=���z ������'���o�o|q��q?D������׶;_�ܼ�6h�c��[�l����:��f�6�ª��ɧ�^�5$+>c|�����3����ȉ��(��rұ��Ч��a��*���R��UR��*#��X��RR�$�#GG(iy��>�+�i'���(�>�3&g�?'g��%�=�V�i����Y%{�ry��5ʄ�ٺ|�2qʍʤb���P��fe(w�L�_���V��a�<���ʴ��ӷU.y;J����gn�Z�����Y��m�ޖ�W�G�=�Iy���J^�;eG�&en�%����q�Rp¥�T.;��=x�R����듕��9riAŹ�$_>q���I.�u����+�I��!���O�mTxwʕ��WV���ܳ]Yt���U��V��\�\��������F��$�[�Ř��E �w0&OO���)����f7�i�(��y���8�80;a� ��̓�{^L`�ϋ ��A�?� ��O�� ����������_@� ��; ����#�Ÿ@���[ ����?�k��3�s ����\������/�\��#�� |�r2᧜�WA�+�� |����a~ —y�c� §A�5��� |��s2_����A�=��� 4���zB@�m�Z���F�� N� �i�� �����ZBO@h ]�- �:�1 t�ր�N�9 t����B�@h=�I t��ۘ6��'B�x�n'qB�8�f��-N��� �B�@�-�g���4�;�_Tע��x=~0(�0�4X;�0([��όu��i�G�?�������K�*�8ʃ��y�Йή�i�4��1�< �H�syC���4���d�H���s�[��=���z}�?\�.�����>����f�1&I�f�6L�:����)��ֈ�Y���F��͠5�����������?����f�� ���u<���Z�o��2x�Rː��m^�E7�f��5�cH.�'M�M���:��D�'1v�%�@O�1�e��a��[���lI�vԒ���eĪw,�K��#����Z������ƒ���3:b�%������z2�z2�\�{p�gܦ9�� w���)��}ޱ@d���j�S��uM�¢�8����ҫ� ֳ�ˣX������-1:Xj���1:ȷ����1:����r�L����d������x�t�с�"F�=bt��"F�-btp�"F�,bt��E�X����G������^������V�,����1:��#F �%��� ������� ��k3Zh\+�q����S�O����'� N�_���9�?��T�o��������lݲ�[m���Ԏ1�˝"�t��S%��Cj����.� ���=]7�{�����<��c�P��x��]==��xz ���{ෞ>�>O��ox⚟��=l�s��j���k��9��͏[B1���6��<o�V�:�<�<�A�)���Y��zG9�bj=�f�*��\�{E���H�Y7���SE$��T��w�E�_����G$����O���?�#�������+'�B$��zD���G$�>�H�������E$��-"������F$�^�H������q %��O�����ߜO� ����/���?�X��7^���3�������P����_���>ز���C�MUc<����|y����8M��WT�{:*�➎)^qOG�W�����t <��{�'���l�t��_�����;��}���}kl⾎�6~_����cR�O�ב�3���%�^fK<`�%˲ }:�7l�`���&[�vٖ���mĪ#6��g[꒶��v�<ۉhQ��2_�����fͽy��E����dF�7��3ڊ�&т��x_$6���M�t*��KO�;��O�׉Y����{4g��߫"m?R%��8�Hۯ�i{ஂ �H�wL�=pWA�W�큻 b9k�*`�*���>���*�l㬹���M��kY�����M�큻 ����=pw��H�w,������f"m����Y�H�wd 2Ki�e6���}"m��a9"mli��V��vfI"m?bi�Ϝ���4:�, Y�)%�E�������M*����Λeu�4F��[����[����%�E�E��Z��������MR�KK� �%�������gԝ=�Oo���������F|��7�\!m����j�H,����"���+�����+wc���"ZH�\7�p.߼�pA�zm�z��cG^�����K�Al�Y>|��)�#�tp ��J�q�@+� I��G�A�:ف�!m0>�=���$���)�7��_YZ�_��Y�� ��� z����������oz���7��7�؝�i��u� gg�~���n��1��_1��+��|����@| ���C�K�`�NŞ�'��Q���_��O�ߦ�'���A m�X�פ5�����%�����������I�)s�{e�连�8{���h�����j����:_?c���?g��������=z�z��/��뱊u}ﳊu}�Xź��W��kH���8i���-�k֏�O��&�ΰ&��M:�b�t�w�~�u��8k��f֔e��#V�Z_YS�H^��%�o���u�xy�W�f�$i�/:�R��:�O̓���^=m�X3m�71ӽN#��]?C��!���`�Ef?�Yd�u:������z8O-6{��f�p�ZlV�#a( ���4f0 ����Kf<�̀@CaL �Q�0,�����2#ah`H���F���)������W.�,.u�ك����kϝ��@�c���OK3[�����?p�w�������ED�nJ��,�V�����X�zD$��Կv������?,�<�#Ze��(��������L��䗖�����uƳ��N`ъ�����-�_Z{7{Xs�l�G�Ǽ�*�_�� S�>��Y�rI��9�x�,d�Xız�t]>���7��W*b.vw?� NK��~ |=�6%�<Ԡm�zG��?��j��ҞW�Ϩ���fm��0ߜS^8�>$��� {0���������7E�ϱ�o�W�7�j���)��VP8+�08�S���������M[�� ��A������Ͼ��5�� �j�hZ�� ��_{�M���q ֎1E�N��y;�|�%��{�����鲻�5v���u�E�n��;�/w���SS���K�q����װ���>����ٷ�Mθ�[�qG��;�������v.��\��n�?��l��%)�!�C��<�_73˩w�9 Ƀ��I�ܦn��f��n� ɝ�QJ��w�/?ICw�t۷O~��R�R�����,�������#ӯ���v��S(��]�1N��esg�wg��tg��t�=��=n�@w��T){Ew�m������.�}�Mq�����ͪ���WpWU� �x �����U,����5�$i ��u:�-ܤ�����& ��Q~s-�U�= �wA�0'�e= ��A�8�^�� z�����@X�a �����Nf) � �ɬ�倰Šx��, �5qebªx4d�º@X+ai���@X'�:���a�h�B4X"� ���j�,�u��b �J�`� � �ɬ��r2�a� ��%�����3�a�h�k�Q��[)�:e%��S�O�jf�?��*���5J��ӝ;�W�@��;�oY����� ��&o��7�ߟ)��c���S��Ά��Y�u�?�j�&�5�Պm��{6i�(������4�����Ҋ nT�����t�&����������Z0���^�_`/ �7����:)�����������ML� K���R�#T��l�����U؋���*�9+\A�������$����+q�W�++ �������s����_C�Z�63R�Y��ph��}�3�����Mv�u_9�Ǐ8c[�?��L��K��[�����~����m��S�n��X�O��q�?u�F�����9+���L���9��#��3zMrf��� 7:3� s�=��9nS7g�n�?�'���6�j9Cꏾ"1AJ�S�\��)�;� w�7�e9��f��X�1�.]*.t� ���C�x�$�V�05���L��q2�a~ L��0E��$A�%���̓w3Qf �TA�+�a���tA�/'3af ”A�3����� �6���������T�oZ�����( �g�o��!���z�?��7j�h�%���f/\��~3w�����t��������;Y������^�����q����~l���k�|��6H�]e�G[�EK��o����̧��x�y(�k�S����E�K�����E�u�/������������������q��;�߾?��������d)����������5����a���k�%I���;���m㐕�� i՛ǥ�ʭ�iB.]���W(���7ذSⴁ8u N�S(v�}��Ʃq:9�)=}�Z�Z��)q�A�j��)q�A�z�D��]�;8Y���]�{@t�n�U � D��$����u �D��F0�]�^�'Rp����?��G���� �%協�����Ik6Q����_d5;W?�7t^�j��o��R;�<.��?>Ub�<�v��YP��1��uc���꩞��3== �h�z.����3���װ_=�~�����m��'�� K��Ö��?~��R�,?�A~������x�z����ܳ�Ps��y��������V�:��VTG�REu�qYTG��|����!�s�Q-TEut�GTG�=�::�#����8Q�:�N���ƫ�줉��Q��#��>������Qq� N����vH�O*� B��T������f��x��? g��� t����w���̆Ϋ�>�m�w��c�m���,�~ ������ߤ��{�'v�;����.�u_���X4٧)��]4#��3�����.�ރZ�����m��/.��-�([�O[9����Y��?k-b����!��-ڼiZ�̛=��U�I�U�n�=f}�*�DOb�E�x��'�XO���=��7�_�ْ��3m��c��vi-�ˁ��R�t��L��)�m.��ړ�U3���Û��Պ_�����N"m�ł:��am������w��~G<�O�H��ٔ�:�2J5�TݺE���-Ld��8�E"[��#��=Z���ƳCt�VY��lդ��R��Vo��lu�Od��>��:|"[���j�Od��>����D�l�u��V��D�� '���u;�V?��O���?�S���Om����Yp�a��<@�3�'�� s�d&�l8��0&Œ@�saR � �iq2���L ���d�ij�ݍ)�F ���S�O�?��M/�w�존������ߙ�<*��I�I�I�I����J�_8?d��d2���7��(�;��������S�����p��F�� �����S�?��[ë�۾�Y�����bf3����y�T�&smRT������N�4� ��y���k�1|ϔx��F��?�j���΂�%u� ��_���������7i�/-�, �g���� �?��;�~���������j���u�j��z��tv�Ϩ��_��?(��T�syͧ��߲�cM��R�c�:�S�Z����c�|G鼿��e�%J쎂���Uu[=����aU= ��w��hF۪��NV���=��>�oV�m�BU\�o�qG}�~�>��_p�����v>��y�vк[��,�^r�vHy�V��]R�wͪ:5xL��<�J���s�W�9�����|Y����E�~ǂɚ���xF�?kI���3��Kz�V��Ŗ�^wx2��� _���s�g���q��x�vWZ�W�{r�}�������%E��V��*V�6T7�n�o5�)�O�S�5O��s�T�A��;�ߑ���t�եWQzEϊ��>����a�����d� ��A�:zDV�@X�a ,�u��V�R@X '�V�r8���� V’@X�z�E��*�P5Ӈ��ρ���N##��L#�yjq4}j�a���4�ւ�"AX%xj:�;���İR� �Zy�1�a� ,��r2 aŜ̒AX3�a� ,�[!�n�����OU��)�������_VQ�?�j/ɳ��B��l0��l{����� ��S��������I���^2�n/�ʞo�S��� &=������@3���,{�p��?Pb����︿��l�X�}�[����-�{��-�{�-�{�-�{��-�{��F�w���Ck�/��Z�3$��{�$�z���g'; �����NS��ns�0��/�P�mި _���|� %e�?��NŒW���NRF�����ʨ�5��D�����v���S>Ms�1���W8�~�,��e1du�T,����u9�(���M�ZQ\�ŋ,8Ţ���ŕ���Cܢ�X_�}j}����S뫿�ŕ���O�Eq%����nQ\ ���Uŕ;���r�$�*�u�J��XW}�H%j�UOn_���t��+EQe8�.E���5��MX�� �b^,a�̋%��y��u7/��.����\�X��b �~^,a&��%� x���sa��,xу��9E�?�<P�HL �()�����?��Jf��������u�����S�������7i�wU̻�������5��q������I�I�I�i�_���������q�_o`?;k�_��� ���X]ʹ��1k�ضe�R��gS��s�����q��g,�x�Z�g����V����l4�������(���z�� �~�r�}�# ������U�X�<����n�YW� �/���A��i� S����� �<� զ�봔�P�O������I��� %��G��Ls���#�%�E�E��������S��I��=�p~iYypd�|�}�9�����T�i��O`�������e�ܲv��C\��cL��S�_����|���y���e���#�-�j�|>�fn1�[�|�-�>��_��|�-r�3e1'�I� ,�Ĝ�lI� �'��]&7�8���� ���6��܉�ـ�w�/?���N��}���c6����/�A�=l@}?Los�L�� �W�G�)d��ݣ#ƱA�͝q8ߝ>ҝ�'�=�`o��M�Y�S��m�5��:�w����ʵ8�lܜ�t#��6:�x#��r�7�80��ֲ�sN��ƃn�QKA��ZO���n��G��ֳ�&j=>����l�֓�����D�[�z��'2S�����CnQ� �O|�-j=����E�'0?QԢN�O�"�Z�L��y�7H����(T��<�lI�z��H��S=O�����T�Sdf&j=����q2�������|����$Q�����}���|,�Z�I�z^�D��I�z����S�z��9f���#.��\E�g�$j=6����E�g� 3aQ������nQ�I��>��ڦM5��)����ڟ��O�U�o�����s���)������\z���u�N����~�n��r���þ.�G8cwd)]7&+�VV�/��X$+��0�K�(=�Tz ۫����'v�ҷ�J\�丣;�~�^��_P��w�<`������˃�U��\&^r�<�<K��%˺��ޕ���*�I}S�A�Y�R1�h�$���?�+I�Z�Cw�� ���<��o��m�'�,}C�j�lq<!�.ޥ�L�UN��A�� 9=m�2:b��ѫD�8\�d�[��=S���ʸMIJ�� r��X%w�+Z�TyN��ƒ�H� E�E��)��߬����d���ѭ�}��:���n��v����9E��'��N��g)"�OVD�?X�E��2'�A��G��TD��W�������*"�@��[���w�"�A#��"Af:"��]������+e��_&���Y��Y����e��("�OSD�?V�E���8an"�o�����,�? ���������E���,����E���,��������E��K���LT���}L�TE��\��4Y��%���+��[� ��_���?I��Y������_����?���{��R�(5��������4�����%������1A_s�w.xGG�I�I���Ӥ��Qd/w� KfW�~�/��p��/F�^K��F���=1�»f��[����[֞�t����c�G�)�Ym���Wc�<R�y����+�bw,�v�X���z����)���x5�Iދf ��̊����=���O�ao��y�"Z[���;t���Z[��Z�|�:p��:h�c��[�^�/��%Vm^�U7S��]Wz ��'�����y��^���������I�R�C���ۯ�_gM��̚���uĪCV��+k��;2�5kڜO���<jMO���Қ�k�7��#���뽙{��{�2�M�{�v_g�^���� ��1:����#$)�}^_x��D F��6��G[1�Y<������Hѧ�&��V>f6V/�j�jY:��QB7��jQ:au���D]ȣu�g��.��*�BG��a�.tE�� -�P�Wԅ�zE]h�Wԅ�xE](�f��B�Tx]���� �����a�� }� �u��VQ:fu���̜D]�u�� y��.��Uԅ�п��.��*�BVQR��.t�Wԅ��u��^Q���Af��.4��=�QԅR�k�%� 1��u!f��.�L�ׅ�����!�� }� �u�׬�.�Wԅ����N�� �����z�� =�u���Y������-�B�YE](�����ԅ�:��)%�D� ����S��Z-��c~�vZ:_���g_��)�o��?��#���:����hk��;=c�h;E�f��KXU�$O��&m��K=�;n�uݸ��mu���r��Ǣ�>Mq�����Y�}��w�����'���o�o|q�mq?D��}����/�;�r���sкל�<���Q�rթ�[�4$+>�"����g�g��'r}�����}IDzlC��� �?�6|�ɖ�]��,�d�����ٖ���od�~[��oT��m�io�FG�k��ٗqx�/3�6_枻}c.���t�/k����v���W����X��y������S<�"�a�M$Oo���w���;�z��':HzN�:u�<d��@�(2�;="��#2y֡��SyF�:Vd�&���zDF�Od�}"�/������d���3|"�O􉌾�Od�]8a"�?��7>��w�; �g����ma "�w��PD&��Sd��8E&��Sd�Sd�+���U|"s/�����{� 3(��_f���'2�,���c|"sl���&2w�&2�N6������g�����D��&2w�Od�O�D���Od���D��'2��>���&� Td�bF. Ud��D�n�a�5�{(.rtcJ��R ��)���?�����.N� �g����.���4��� ��t�������hb-cd�?�����b�W]����B��A��������:��2�� hM���i��_g>{��Nk��?��b�"�0�����2�����U{�[�)�S���O���L�,s�š6�3�5���u�*��Ŏy�I�I�@��Z�������9Cb��`2����^� iL4�#�'�o�����7)���n ���f���l�������������i�Pe��oԙI�I�I�I��5���Q�uf�9����k���]���/I�Z]=�*j8{Lё�P���O�Z(�� :������� �C/�c&_<3�����:m ���O��?����A,�'��h����+"��������T��O��?�P����}F�⿎����)Dr}=� �_��ӓ�P���O�Z��� ���]������>\����p�_�B��?����B)�B,������m/"�����oH1��P���O�Z�c�����`�كHn��_!�Sh����)�S ��̵�����C/��� ��TϿB�7�к��)�S��J��j��@�?����*"�����oN�ue)�S���O-��B��#��Ћ�w+�� ��+�������)�S ���j��� ���O7"yb=� �?1%�t��?����B(�'�Z���C0�_�D$O��_!�'�$��P���O�Z����P��E���_H�I�I��5��7��/&���/0�����$ ���/��*j8{L���_)�S���O-�����b>w�W��+��r�E�:��r�X��iY�� `(�S���O-��������� ���� �\WϿB���� �)�S��B�Q����O��`�ЃH���_!��Y���)�S���O-����W����B0�o�"���W���ix���)�S �����������;}���z�⿑�Z��?����B'�7���&Z��/��j0�__Ͽ��}J<��)�S���O-�����j��������PϿB�7��S���?����B(�7���&Z��/�-���z��1%����)�S��B�q�5�����?ڊHn��_!��R�iX���)�S ��߸���h���D�ϵ!����W���x���?����B(�7�����(��^���D$O��_!�'�ē�P���O�Z��������o�R����t#�'���S�iX���)�S ��߸���F���B0�_� �'����R�iX���)�S ��T�������%�'�'��t�w9%W�)�7�� ��������Ԃ�����3��ٯkt�+�+��I�I�I�I����禑���������7E�/)��p�ًC���`֑�������S ��[f��'�����������F���?ݦ�Z�cA��!A��$�Lu�]��鿩!��������:�7R�ߴ���2��RW�#4��I��?����9�!�%e�{����������Z0�?�"��_G�������}����^B�O�O�O�O���� �`]���'�L��??�Yi�啤���������7���S^8'���:��I�I�%�O$�ob��UZ�_鰻fW:J���u���Z^�A��7�^2+��c#�'�'�?+��i���6]MB��� K������I�I�'�O���ML�Sg�]� �����F�˜�`�<����j���9s\�`}F=�_�`$�'�'�'������WX6+u�}�=8��G�o���Y����!��;9DT_x��7�?vx���/���}����� ��5 o&I=��7{��v�������yVv�4P�7h��T��h��Ǟd  ��A����C�bO� MU�(�S���O�8���*k���`H8;��f����#�ٳ�y7{Xi�N�+c���w9W�X��3�� �:�U�U���5�h�}����.��3]�_�T �K'[8_�����V��7e􆫣����ν�Z:?�����*�����v�ۼ�����Q� L��ir��iο��p�"�ÄYRX�f�}5o����`�ē��[HR�p��t���a���M౫&�ޗ:��"/���)�9xȕ��$-�"����<!!)z�� ��s����s���8� �#�s �|�8� �+�s���/�s �<s�s �|�8� �;�s�������� ��O�4� ��AC���#������(�"^G!��?��(��v���l�=h�s��X���ST�'�'�'�o���)���H�I�I�I��[�G��ًJCF��z����������Sk�/ɯ(l$�7� g_���i�O��ZL�i^��~���7�[m�m��X3��aR�pI r��ZF� X[Yj�+4|��֠������p% ��A|*�"V�O�bt-��?����~/�_V:��� f�������Sk�/,+�k������s���q�^��֬�y�͟�VZ���f'O~�������xM����x�����0�W��:��x���ŞjI�(�S���O����Xh������Q���Mg�C���#���[Xu�������ݗ�ݮ�9BrZ�J�5�B���CQ�!^O�C��?�j �]�� �� �����:��4jO��ԋ�T�%�'�'�o��_qYż����>��7�������������7m�O���5���o0�_����+�� ����������MU���Y�=�$���g����!���4D�ť�Y�X�3���?�~��nt���7�7����M��������,Ǟ��Y����<�/��h{���+#�mWq^��D�������R��R�����c��t���E�����>�f~�̾�)�x�r��ժj�ܮZu�4��ԉ���N|�UuR�=��25'a����"5�њܬ�Ջ;�P/^��\�psu�u�)ꔜ��)�n�L퐫���F��9�N���N�����d3u���5��񨗼���'M�q�@s�]U�o]��\S56u�:{ċ��W���u,V�F��8��P376Q��v�&�;��pe?���lMQ�WSt�Qu�)Y3�x����!�th+������r��z�g���nj�2U-���f~nu�M��[4 ���V��S�pȵ�+���.j�O����5W�u�z��C�5�5���� ?��� o^˯�':��n+�UO��7S��b���Zn�����0~�3�@مba2f<�̀�Bd̈@'3&�Ɍ�3,Nf\ F����36��@��r2#a���A$�a� ����0RNf���XA,'3Z��Ɍ�s2#�d���3��dF�� �qs2a���A;'3xF�� ��?�dN�8�3�pN� ��9�dN�Q8��p�d�ɜ��p������#q2g�P����cq�ㅃq2'�h � ��q2��x���q�9o� G�d��!A8%�� ��9)G�� ���̥��k���_/�� �ǹ�a/K{��\�3�����\��������_�yc�d������\�r���|�8�ї��+��q��`{�����_����?��������zF�3���o��}��a�����q�� ��$q��޻��W q������^}@�=���߳��Z���^+��>���}S�q��q:]�k���w��_�\�w���xS�C�����Tq��X�_?<_�#��5��������v�Y�m]��8�Ǖ����?ۚ��|��ͷ���j<���Z,���k��O%�����2�Mǹ��'���|�_?�l��fq����毟�I�s�.<7����}�� C�q��s=��q�/�?����[�8w�V�׻�������wE���W���q���T�zOoq��������_��r��.q�o\���$������8ߍ��_��&��O�������}�^ ��8��}�_�̨`����}�Ξ����4���?��M�GEyc��dd��5�כM4��1���ҩu���~��{ީp޻�Ķ!�[��K�G^y������:�Yu݅�c7,�wj�u�,W����5�.��s�Y�r���r�Af�O�8�ot�����`T�}�G��vGe��-���R��R��e�2xɫʐ��6�E7�}Y��,����I�ɦnw�f��|�91�%�]N:6_�t�<l�Te��YJ���JʲTe�]]��^J�$y��%-/V��s%=�<:�%��Gr���������=�����6m��v?�d�X.�߸F�PR"[�/V&N�Q�T�Pr��ܬ ��N�Ƀ�+��*S;�����^��C?y�֣�%oG�3�v���_˗^�<�=�m�۲���(�G<)ϙ�[��q��Hޤ̍ܢ�wS��/nW N���]��er��/Q�_�\�w}�R�>G.-�8����'�]s;�e��ry��rE;I�?��2��������N�����ª��{�+��|^�j���Օ�kV\� k^�U��wD�� �u���Ֆx����O�s� �m��Œ�SK����Caa|"2c]�e���[xy���ig>�8�/��>�/@����� j�����[ � ����3���@���d���@� ?� ��O����%�䱀�'���S� �_A�,��d� �9���c� ŸA�4��� �����������w>��A�>��dB8����^>b���GLx��i/1}��#��\�t����V��C�bE��2Q���OA�!��3Z���(��㯡)���_C[@� /�0���]�3��ô�ވrΓ�5t��?�=����q��� �!N�E �q�&��%^�a�B�x�i��e�U����q�f�� �-���7L�x�f��7L�8���� �3N�i���t��q���2�v���7L縳3����Q��!�G�� �M����uZp����&�h�O���O���{���Q������1AG��������Sk�e/�M���:-��M�O�O�O�a��5�Q6+�^l��k|�O0�̴��?�?�?����� g�V����x���d$�'�'�'����_Z�R����� zZ��������ZC�z�T{aEIc��`N8g�_-��n�V��ys�w �-����~�J����tOw��� oVۯ���:y�{�Ծ 5��$�h>c�f'�:�ҽ-`�� ;����:�Q�[���kN����n��[�9���`Ġ���O� �;�i�O��S ���h��Q^zE���k���_���������Ԃ���٥�Ғ����7��i����j ��c�.{��^�?� ����j ��cK �L��fW��\� f�����L�?����?��c��Vn���ѯ�޴���=��=+Jܯ_=�)�!IR ~�C ~{����v�I�ɭ�Ga���+S-b��� @|,����`! ���4�������+fm������x��O�I���"�$�si�u���{:���ͮ��~I����j_D�����e�5R3��J��FI�}Q_gm�k��mm�������^�P�M^Vfmw�����+x�v�؁�c�u8�ک�?l1�7{;G��:��w7�b��]ߘ������Dw��֩�����7��n�p�5y@+<�'J���!'HK͕�Ss�t&�v������̀8; ����sv�@�-g �Yq�8��qA�Eg��qFA�Ug��q�A�e��3 �l�8� �:�3���>�� zDo��08�ŞP�F����Q Z�7�>��@�q��������I�I�I��]� ��ҊyA����� F�?��Cn�/����O�j7�����_�����pz�����Q�G��������`-�T��:��G�O�O�O�A�����^f���U�h�?���j���,{~iY�>���3����������D� g�� ��A���������������Z���<G�>���oH��Z��������Z�����lH������������Z����y��e�A�����i6�����j ��e����t4��������ZC����>�4��?g�?�H�I�I��O���!�� 3���������D�������)��A]������������?W ���������������S ������ � *���u������%�'�'��� �_�*�_�8������e����b��pIl��f�����7�$�Y�ɓ?�$�؜=��I�"��k6���έ�?�Eu�/\��������؃�4��?�������� ]�� ���u���l���?�?�?��������%�4�Ӟ����@�P���͟���Ͻ�����š�IRۮ�y[Y�;y���ؔT|����_Ɛ�:��'����(�,^GRE��?�j����,�WJ������c���?�������B�K+�Es J��CC��Z=��H�O�O�O��B�=ߞWZ�_Z��s�O�O�O�O�O�!��Z�*/�_:�4H�_���:��������Sk�ϱ��� � ���`>������7D������hͫ����7��==�zyƀ�JX�p��V���qΩ�n+K��yV��l\���0I<��313���'�b�� �����c����)�S�����n��E�A������f3��E�O�O�O�A��U�,-���z-���*�]io �'�'�'�'�o��_QRX��8����f�Y��OЙ������iQ͞��۹��J�u�KC���<����{���\߫��w>N~��N�k�w�^�]%��$�~�Q��p����������6/�o{�F���rygϵC��������ߧk�����qqΑ�m�i��Ҩ>�+�i'���(�>�3&g�?'�5oެyD�{u֗$�Z�Co� �4�+�m��ۈ��;-=�8V�����; �Ā89 N';I N��℁8i���q����8� N$�� ��`pRA�X'� ��N2� �d�8� N:����4t��� :��u �bO�N/��(����ڟ��M),�+(u5J�gN0�s���E�_���f�Nw:!!���� voZ�~�Rg��◿l\�Ur՗�v̯�.?­�� �?w�WL}_q���PIh�;� ����?�I�ݧ }��=l�e��˥���*)�,�FL_,[J�R�P�<r�^J�!�r�4�����O�����S{����w��Ǯm��{�w�߿R�o�=~�kʄ+V��#U&ڞ�&�\��X�r[o�/�\)]��"O�fJS^u�S}#�i��a,+�h^�/�]��bD#1�� �Bv�o�b2K�J9�OW��Rs�t���ͻr�睧����4�����>�<������X������o@��>���������d}��@���ч � } �?�Ч ��� �[�fNg}��L�Ϝ��y������9O3Y���{�n��a ��-��6�.@��@������V@� '�v��l���5� E��x���)�����/I��?�M�Ysr��r������F����t&#��Ә���s�n�~.߳~�z����l��fՏʫ7tQ��u�������O�5Ǿ�+ϡ9�k���S����;�k®���-h� ������FL�RZ��R[j�VZ�#Mm%�QZ=�&�_���=�F����ƳRm��G� ڤ��\)��AѴ�,��V��\8�b�Cf��cR�ܩ�Y�3G��*Fӥ�I�rĨ�~�I��fG��s?+��I��f���?PsѵO+='����l��������r�oh��#�����?�-���uu�f��yL���J�=�R?aS�\]�j�5R��߬ї�V �cN �7Yc��$�L�$v��?�I:��<���a�_��WŨ���S���:����5u�C�� Ϩiy7)���j��yJ��oi2�o�3�ڢ�lS,g>q�f�7��q��P�޹L�^t�:~k�2a����������I�e%��05��#J��n�d�^e�C5S�'O}��fگo��������-�%>��gn�/�{^3�Jٖ��j��Vev�G������>Ց1Mq|�D͏��6W-l�M)|d�z�g'����boWy�� Mɣ�ʥ��k���ɗ�[k\���e�єOX'��l��O�(�?�J]s������ʟ�( �yT��ʢ�W�W=5F���2��;(aR��,\ ���'���B�w+x�#�c�xr�dS�Na�V.�ճJ��LH��P ���z� �s�Z1s0^�eN�� ���p8N��@�|hp@4���#��+sF �)��2��n� ��9)G�d� �aA8-��5i漼&��פ��4sd� ¡A85��91sn��A8:g����A8>�! D����k�Lx�� ��3q�5r&|��D��șPp2�!�L4@�! |p�D�'�LH���� �LP���f��CX���� �1��2&2 ��ʘ��AN&:|pƄG Ύ�� >8c"�gL������$g��&18{���@����_C�8�X�A,N&Z|PƄ����1�3&b|pƄ�Θ���4>8c�Ɠ&l|p�čΘ���9���q2�!x�L���� '?>8cBA!1!� D�0�G B$A%��X�LN&� ����'�d" BHA�)A!� ����X" BhA�-��<)������s2!� �� �e� B���9���Nwe�ke�t�u���}4����9��D=��i��ZNaI��Y���k5����?L��5�ԲB��q�b����y� W�������s�7jͤ�M��;��3�� &S�_g���&������7|��D󿚖������8J���!������7u��zuvx���`�?�?�?�?����t{Y�ÕY����&=�����-�S}x��������S��h���RWeP?�|��3Ͼ�WkH�� �jq?���=ץx��������1�Vݣ�O��?�Ph��w�ʂR����Ϡ7b���� ��4�#�'����M���K�y��N�����@��I�I�'��������������:�����c�Ņs� �����������MS��%�`�����i�?�^XR9k*U����������T�3�JBF���i��]ʢ�#8�������,�7��ߦ��٥%�,��7ꍧ�z�<JK�����������7M��b. yA������ן^��)�5����,��O�O�O�O�����;�B��c0�N�����9�����?�?�?�?[�s�eE��9�+�%A������#���\�'�'�'�'�o��?����$X�Q�� ���S ���2G�����������nb-;=7�q�����s��Қi��i��G������[���v������ߤܽn�rϿ��%�+�Z]�`;{le��4[�{��G�V�o��(m��Q���E�`I�"���vyqJ���o٣� �(z}�t��J��הN�?��|T����tya���i���Mr����ݗ+r�E�ʚb�|ь9rϬ\���t�� �ܧk��7:F��HS�~0*�>�����2�Ŗ���?)��}��߲O��UeH�E��������wm� ��e��dS��e�~�l>q��{��x�.'�� }:M��2|�,%y�P%eY�2⮮�en/%uI�<rt���+��󹒞vB���#9��grf�sr�]�؃k�q�6�Y��U�W,��o\�L()���+�ܨL*v(9 �JnV�rq����A���?j��F�S�m�L���<}�Q咷��j;y���K��^�u��6�m�~���#����ܭ���Sv$oR�FnQ�)J��+'\J�J��Jу�(�/].ϻ>Y)Y�#��P��L���ˮ���2]w�<�g���$��A���D^��Ge�w�\y�}ea�z��=ەEw>�\��n���u�5+�Q�QL(|a Ul��U�h�#��N�ɭ����>�҂�s2� ���Ŝ�����S� {�c� {�s�pN�Q@8 ��9 >N�q@8�D  �3�p(N±@8's0N��@8��t ��p@N�A8#�� �s�pPN� ���pXN �qA8/OX��pb\�#�pf��0��� �s�ppN�� ��9;��� ��"B@�A! |�ń�8�"B(8�X� N& ��x�����bBP@� a!.\���B�����p2�!< ���!BB�@Q!L � �@�x�D �P�+���D �p�/B�@1!h D ���7B�@��؁<N&z ����!� ���D���1�=���-�e�di�!��������Z��鴑.����[�%A�@뿐���7J���lj��:'�;@�����p��ok���tVp���������4m��_�*-)����z�����?�xl��������7q���/!����3�,�e�W���I�I�I�I����Oq�����X��^b�( �����������&�� �X�����񳳮��&����w�����F;T��B7{���+�z�u�կkջ׽�޳�n��ۻ���m�5��9Vk�^�K]7�)���4���4Ľ�yp� ̓_��n��R7��A��~�Ɨ�5���f��5���j�uZ�c7{�ǝY���������隭ZY}R?_}�#��OU���^uۗ�f�{�iv쟢y���4�<����[4��b5�-�]�����VjvN\���x�楡�i^�����V��L������ߨywP?�{�Wh���V;�N;����������{4v��~��?�G�:j|��V?v�Q?)*��4@=������ϒ�|�_�Ņ���Zk�<q��?���|u G����5�<�zx�c�o��W��^��Ξ��f����s5Gg�j~�����F���(}���#B�� ��_?���yB=�E�z�ʇ�/ow�;_�4�?Ua}PӢ�PMK퍚�_vմ��5�v����״~����jڬ<���j����U���j���}���Mw�z��#*�o���o�o�Ӎb�������� �ۯ)�������C�|���>�~@<�o�?�1�����|�W����"���p;ͷ����7k^��gE�h_'O�r�$����#,SVâ�2��y$����R�x��ΕF��̜\i$���s[ѪU�=���aj��7���0 �d:�o`Z(nx���o`�BA�#��� ��^��L� B;9�~��PN�� �����T� B[A�+��� ��ނ�\� B{A�/ �d: B�A�1M�� ��>��h: B�A�5��� ��~s2 �� �����t��ɴ��s2��� ��ރ�|�B�A�?�"�� ���".�� �,>�� ��X"^�� ���"~��! ��X"���) � ��"�p�"΀�5 � ��"�� {@�1D�8Y<��b'�K b��"F��S b�x�ݚ�,q D��@�0�����-.�i��[\~���[\X�knqa���Ņ�<�����[\X knqa���Ņ�D��[\9��� ����b%Xs��C[μ�����nq �[\(��r�(��x�Y��6�w� ��C�?��������*fۃ����=��=c���vZ�����������o*-��U� 5�7��\�� �C2���̮(�����������u��M��W�J��л��h���I�I�%���_MM�S�a��<��F��M&�����Yg��_ 2���9���ў�~������+�����w�OZ�v���۝� n�_�0˿�t���K{9��1�������0�C-��?t�����,���Z�_N�?���M��?�NpV]��"��{��A1읛�<�]��y`��p�<����<�CΙ�klg�9떖\��-}k�E�;��_�d�SE4��˺\m<uѳUTc}IR�.վ�<p屫�%�|�.�;�������\)���E_:,L:�B%^��bDW����y�"������y_�@(�XP���. �B]�l*�0|6S>��) �M�ԆϦb��gS1���L~1��.��M� �dJ�gS15⳩�"��T�~1����M��/fSMp��T�5�꿙M%;c6S�3fS1e;c6S�?�M���TL�j3� jX�k�B��`-�䳲���l%Z��f��/�� o����jY�S�w�Z7�W 4�G�Ĥ�h�䳟�u��x<�;�#/H�%�** �覅�2�T������S�W�rك��P�1tg��b�3P����?��<A�~������%�g�U�����<ſ_�8�� ��?؇�7 �˫�O�‡��i�G�<���ü�����������/;���?������e/*�����`����ν�������h�5R���b�˷�km�w��c�m���,�~ ������ߤ��{�'v�;����.�u_���X4٧)��]4#��3�����.�ރZ��t���m}���!���׶;�r���sкל�<���Q�rթ�[�����׻n����'U�M��~�����lb�g�Q��cӝC�����s��4g���Δe}�#��-��K��G��L��T�W��i>��G����g~ş�Ο�����ޕ�7Ue�WhiZ�JY, ;��mڢ�싴PY!� (�#m���D��a �:"���((*(����qǧ3�G����I�(6m����|�)P����}��s����M�ĝz��Ռ�\����։?Ũ7 �<L����2p����G��\'A.��4!����Ѵ�p��9� 2!�3x�P/S�������|�c,˼r�S��rUR��r�M��r�M��ruM����*W��{+W���+W��{L�l+�$�n�������I~M����'���'���O�+�O򫡟�W�.嗘$���$�b%b~�_��#$�>RIvRIv����ڪ���$��QIv��Ivݯ��Z���Z����t�]��yE��@%�5T'�u�J���N���J�k�J���J���J�KQIvE�$��ɿ�y(e���$��$��:ɮ-*ɮWt�]o�$�6�yJ��6�dם:ɮU�].�dT{+ɦ�zm����ŧ�9�������yT��7�� Q�ݳ���I�e��f��X��t�㏁�8����:j;o<����֣o�����H��C�X�~xc��Ƚ��묟>���iֆ���6<�����J�M�hM�t��tY�f��Y� z�q��-�/��$����h/�u'�H+��"�4DU�C��R��G��&Mf��4��Iùe�׋����`?+�ERW��2q��w��r���'��SĔDW@��UbW�c���&we�x���D�Iq'ş�= �O��A �!b�x"&��K b��"F��S�yw&/��]�X���|-�DBⰢU��I��l$��g��{�?���c��=gfȎ�;��?II��3bpB�ϧ���������y��� P���R��gR*���I�72���0p�ћ�,�2=�v1���O�g{��g�Ѡ:��"Mڐ��.`jK`(���asd�噽�r�0<�i����[s��*�����b�+���d��=�j�8/`~�� ��X���c�gw�8�J��r�_J�Y����cs�9��^esNϰ-�;C���1�3���O��-ϑ�c[` Q��q�gj������Q���A ��R��ײ�ǚF����~�5�[�/�^�3"�ok���G3�wG�;���蠟�������q���V�S��(0roՋ�_�W��@D��9�QQ{�EF�>�䵐퍋�B�~<I|:���į؃,~��7p�b�Q+Ns�|s�����V�*�R�e�[��E٭S�#��|��v���g)�ؔ(�S��,b��T���X"^%�(��n�쥲�z��-y�n�����Y�� ���b�j�ׂe���Y-�en����?�g�������ܐ�%�_�%Y�7W��4��2�3���_�����6�=4g�ͦ�������%�������c���m���Z���i}������_|��K���߽�F��<��������;y��Ցf�ki���wo���o��-k���� ��$�����֪�a�u��Z�o�b�ؠ�y{�������J��}J���(��T���\%>'[�8��S�p�s�T���ݕ.��(]E+�",Z��F[����z�}l��㰵���ք�۬}�ݛ�7o�Ք��i�� ������V�҈z�K>�)�~��W�#Ba����A<�WTmZ��tp��S�5{Vs�� !S�o�G=�`�E�"`舧�8�'<t�ӣ~:���$:��F�(:�i���x�#�JD��O�$"���N"ؤ9+N��"�Ȝmx��٣V2g?�Ȝ=��9��P#��42gWhd�ޢ�9�U!s֧�9{�B��R��YX2g�QȜ��9���9�]!s��B�,�f2g���A-���fp[ɜ=l%sv����mV2g��$sv�����L2g��9{�Q6gٜ�U���J�\�����?��R�g������K���dA ��kN����_)V�Y��/��7d/�nT�f�2��吝���s����P��|�{|tK�~{iX��hX����S���G�/�������Ư̧��;e������ ~�?~x��"����ڲ��U�=j��O����Q���^����T�v� �'r_X�Ln��z뿚})n��*�!�kWuN���1�>��=k�gObP��-�P���Ҟ-ģ�)(b�R{�D��=c"^�1�t�sKٳ�[b����{�D,���@�5� D|�@�9�.�W{ʺ�d[|��mqD%�b�J�œ��ȶ�W%�b�J��)cۂm�P�3_�[�X���g���??��ew�,����ɒR��+Y�1��5�����0pM��Z�Q��|�r�t��+��Ϻh�wu��Zt ,-��kNv&=� �!S���\��T�F�����&�>�9,Q�c ���b>���Z%֕�+kMo�R�J��S��U\�\�.NQ�� F4��c������!�B��kf����o��&�5��0��3p��o�����b��]�Z�\xSf�5�1^k�n�����h`kÇ����tO�7M���p�����m�˧�{���ڥz�?��ܘ���\�w�:\�w��]��w=x�t�!�~��U��Uk���ɤ=�OfV�'|��="��[�sD�;_价ii�y�l��-"��J�����/��ܖ�]���6pfKmв^��a?iC����}mؐ�E���6��["W}O�O��y���'rӵ"/}R˸k��G���:�"�׮�t�6.g�6>u�6!��vM����m��?u�&�L9f�6�q"���v��_ENY_䓟�\�+�G�9�>�?~�͸�Q�7��e_r��}�L�fmV��ڬܮ��-[s쟫��x�6�� -��,� �՜9`3M��������/J�|F��}��y^��@?.�Z��gD^w@[�m���h7�y�v�wkK��n�k�V/���k�����hԸ��_ �r��h2�������x=M8��]<O�gzE$x-e��&��60��<ϸS�9�J�_�z��>�¦�㇊���$1 f+�����/[� k�.sْD����"��i�Y����"ܥ�!/e�{�"����/嶠��  ���Inߣ��^�����Ing�$���In�In��$���$���$�KA� �܅.P�H�]� �H&���.�'3IvWv��d�� ��d�BAA$�o�Hv�]:"�mQHv_���Z#��[#ٝ���n���n����%�(�d�� ��d�� ��4��o)$��SHv?E((�d�} �� ��'5��K���j$��C���5�ݓ4���4���4��5��m ��-z%%��SHv�]~z$�]_!���B��+�d��f�2Iv���~T!���F���d�O#ٽY#ٽ�PP*��l�d�\�d�p�dw�F�;K!��W#�=L!�-+��.��> �n�  &��-e.��IvGj$����%h�d�3 ����� ��-����5�ݫ4��L��@�e��_��¬�Y���g�/���m�Y�|����d �f�g�����Ou����ϨM���Rė��!?����������:��#3ܶDB��%55� �����j������u�&��t��[�nD��#&�_6���[�����|�[��߰�W�F���o���4�9�CW��pk��n��?ҳw�#ߞ�=���{읖�=��?�/'~����<&~�o�o�rS��+����龧��};2���um�3&����������|�o���}ϟP�_x��]N���_z�o�����i�r���,�-~��E�^���Z�u�_�r������}�{�UW��O�x�����˽��T�����G��{�:�y�+��_��������;>��N���w��}�S���1�ǿ{���>wſ��}�4Q�?����~���с��������>}�U��A�g����1���� ^�W��|�bK��m{��#f����^�{g�T8��Q��A���g"��H�ӧ�'�I����b�]<<r�nb$�=�%]��o����㋟~V��Y����IoE�˺W�5���W�9T��W"�Gֿ ������d���!Y�*�Hֿ >����% � ~��$ ���$ �����- � ��À�1 � >�Ӏ�5 � ~� ����9��+��t�K��]�{rAWp-�-H �O������{�Dp"-�.�n������H��+xR��J��+�R��L�_Z�\��)x�^��r�W�\�\Z�� p��'�*���~:sBp�D��?��_�D����X�D��@�D��@�0\ ��@�2� ?��d�Ѳ>Y�O\-�_��d�ٲ>Y�K܍����y�̥xx���{��gۆ���?�����ow;s�j���lA��y����/��������_���='��� �O�a?e����������/\��ɛr]m��zp�W�����ynC�V��Wa�Zfv�9�LM�G�l*^Ta]�� �n��]�HXLaic�i,mL1���~ �zl뱭W}m.8J���8`�����_���rs��]3�g؜�����sb�����5���L��-��u���l��95���w�����/�a �������������W�ݡZ�?���D3��3�3���s�_��Ѷ����eW;�'�&�>�!�lN����gh>�4���k�m����G���{�#j�n\��e�cܒ���g�U�߳�<&�Do�w Z�W�z��F��C-a�A�ϲ��yOh������J��a�&z{NH稜<a�ADC$=�������Ѹ������*:ܪ�)L�+W�˞g�d����s�?#^�@�%^(\� vB�eJ· .zaTfa�ݵ��s�!�Y��0 ��)(QLC:�p��Q���\��A�F��0�1*�=)�:��)Ĵb���NL B@R� BA��E8`ԕޓy��se7��9�g����}AȾ�����ͥ��DK ������i��mQ����6��������>G����=�Vi��;�����^�*� \�~�������0D=��%=M��!2���gy�5yV���QfT1�g�3� ~5x־�o��F5:#�;�.��YfU�4J|�j�rC����˖m#D��6"\d�2g�.�ڥEJ��! ��������?f,M���f��Y����s��nW� ����%&�K������с�/�c7(���75�l���{Z�6�6��a�b�Q����b�;x랶�V��=~����<�?����8��3��qj��Sz��q�K{7�u~��nj��ƪt.߷j���7RV���Y�U��SM�����w�����+���������x���� =�m����P��/ת���U����j����W��Ap[��5�:pf�:hY;}�ꐬS��.�aC����-�ί�#���>��&}���W}q�>��;���w�� ������z��b��~n� ��F+_ɚH�g��,m %nx�f�F&wx�57x��L�\t QX��W���픭�[J�a&i�?�!�y�D��iP�6��T�����H{޺��� ?i�[��=���=�~Ҟ��=G�I{��I{������l�/O{b��:X�Ģ�׾UI{~���<���|I%��U%��SI{ޣ��ܥ���_'��N'��H'���=�#ӌ�g�J�s�N��Z��gW��g�����g��g�������TI{��i���S������_'��E%���N�� ���&B1mI{ަ���S'���J�ӥ���`�r��BB'!��s���<B��/r���_y��S,�����I��������O���tG� W�9�+9%�?�.w^�,[Nu�?�?�?�?���9�3r�؜�����O'����9(L��4������������˙]���D��3�3�3����/�ϛ��wϪ��j6%��������ٶy���������j�ϰe��J���L翛RRJ��bJ�����ll����n���uϿ����S|޶��?�h�E|�>��S���f��͉�V�Xu�����+�U���ۣ��l����?����W^y��꼶����Y�u�N��߻����z��������}�GL�՞Uߺ��������3~�x��~����O\����B��n�?�x����v�Fm�7����䏿�M� ��R�Ͳ�y�O����j�I���e�o��Z|����/�����kQ�#�P�ӣZ�O��'�N�y���q��沢�uE��)9 EY���x#� �T�'��T� d��]��";숀�vDP�C�E`˝�"�e�p�"�����:z��С�cU:�<F~���C�Mz�Q�����sB~��s ���a����$ ������ճ�(d�� Y5+Cv��!;�␝~y�N?�@d�A"�qA$@������"Q�|��A0�)H��l�[,��x�  ��� #  ȇ�s���!s�o-8D�o(g=9��?�������r�l��g�R����&%��S��Od����uc�?k�N�k�9�_���/�*�u��R����}և� K�X7NMUL���ϱ�%�{?�uN�!��c����㣎�i���n���w�ռ�E�2���������iwL�e���_w���y�~ꫣ��O��k�������^���P �u���^�A\�}�jh�J5|��F��~�������6�������M���t��^��)�ق�����Z ���s������ �H���5�^��k���%������D�~�u�-�;������zQo� M�r�f���۲%���.�&�Y�]-M!�d ��_GtKSHD8QD�˶�"��ؖYD�4go� &��`i�F��`���` XB�` �B�` X�J���`��A�$@� ���,@���� ��&�`��i�l#͢W$I*`i �f�`)�I�H��4�I�H��4�#I�H��4�3�Y�f�E��,�[wv���a����?�����?n�}�m�3T�_��/��X��H{N��9����?�?�?����3wn ���ɖr�����A�_�V�)��'�=��4y��4�h�����Y�� 4z��g��|���@���r:�G7<�G�F��Fg�f��o��t���8c����a�f�g>���,�#.��NG\<�V� 1+��x>1S��Yˎ���c�~�1{OdD�/ �x��r���?�������,W���������_f������q�����%���c��fD���o�յ��Q��g�N{�z�r��H�ا����t}���C�:�w�蛻����U}4�&��%��}=]���2��� ҩv��N�c����շ��T� W��W����g����W�;�S���c���Z��{]ߵ�Y����_Z?]ݽ����t�������{'��_�2B}-ͤ�~�*}����}D���t��/c?���]�Q3����~ Օey��g亲���Èz�+�7�'~TxT�!�2�FW�CQ���Y.��>�l�k��L�[{�+�:��$g/(̒e�@�a����BY.�@�}c� (EnF�"QP�ܔ$�EnJSrSRO�Ħ$A9rS���)IP�AC@Pt%I�D�n���' (�d�[g�d�[�N�osu�|뤖�| ��ʀ�3 (M��5 � z�†9 ����= �OV� ��J�1Ta'hPV� *�e���D��i3W7�9�xA�e���%�o6���b.�6A *r�o�"�7A/��1�V�{n��gW�?��p��?��,�š������"^�7OJ �?��������i��S�����qd�r�����ߒ�����Rh�k���������u���� ��8���fĿyP^�͙���{��9=ö�� ]�3�3�3��������6�#���%)1���+���������9�����ʞ�r;�j�����������9��z�w�f������$����my���[��������������B��z6�ONL,}�W�Œ��_�1*(�h��X�����\~j���N�<×�,=���>ٿ5��� {f�z��]�G���U���ҵQ��-¢u�oW�{Cd�R*��⺨s���V����d���g���bݸI�>���s��\�۴�ţȿ� ܛj|N���j�:�c�� ^c��8�>�L-�(�V"L*,z*7~�sơi��Iđ,f�$��D<I1%��D\�b[�����s*�1'Q��y���F�2��c����R�7D�cT�h��d�HX%E2̛�f��� �Ê*`�&��$��`�����?�j���y��}���1'���hI��/5�����'��<��y��0_7 �L7|;I��3I�>�OoԤ�*{�|������~S�yqj�-������r��˫�8��9� ��p�Ei�C � N�(����O���c��fpt�G�<j��9*�R\��@ ���(�F���H��H��H �@,,<4\��+�L@n��-P�ݩ��N�b�M��6�^��A,�٠��[�x�c� ���8�\�\���7��� ���?������y6w�v�����Dq]��/��]��O���L~�� J?��M 3[v��V��M� ���_ض�o�=m>���޺����v���o�6���Ov�%7N����w������߹���� �8q�k�_�n��³>�}J�����|�ck����7��&��f��l��o� �)����'�����IWx�����-����� �o�im�X�>N���%�zً���?�c����*D�u�m��W>�u��g�eM���}h����vy�:l�1������w�G�������������O��O?���q�K�j�g��b"�U��E���"��)�LH��B�� kT�:��3=Ma��W�g��ᜂ^�d�a Yp�-L ;�7VJz���Q 3i�����Ɓ�&�8p�6�7�6({h��Dn�CRs����-~��y~��v?I͉~��#�$5��$5{�Ij��Ij6��Ԥ�90YHjvSIj�:�CL�b�߯�D$9[Ir��f%ɹ�J�s��$�-V��O�Ir��'������'������ �$�+I�?I�t+I�X?I�>V��+IN��$gk���Rr� J����{��Rr��J��E+I�c~���$9w�Ir��'ɹ�PLd��~��7�Ir>���t���5�q*G�^(������y��� V��+D�_����KQ�OH�������������6Ǿ����l��9���������yT���.����'�����|�w�� l��Ơ�u��Eg|�����V���#���Cj�ʗ�>˶�}�|�)��|�.=�}��t�:=y�"��^�S��S~����-P�>����Z�����_�����:�n�^�FQΌT-k�vB�uJ��:l�_�E��}Ŀ��G�ߤ�:�W��/n�G?q���'���N2F�i�d�6� ?����"�%�d� �����W��Q٢i�ڢ��he������wE~������I�đ���<@L IBb1��OL& &� ����(&�L��h@L6 &�����b1 ������� ĤbbJbB[1A����Db�J�I �����1�����Z=���������yTW��7�.�\95����ZJ�������`�o |Ȍ"p�IO������6��w-]�ud}��jz�mpg���. ��~��.�Mt?�Ԟ��iR��z�ȭ���0D>�E7z�Q�=��꒓2����m�6O4�[��r�vL�Y�Zm�_ ^��?����)AßD:6>�l���*�K�����L"j��A��,&i�6�|��\ʇ0�H�Ԗ�&�"&��(������Z�w���� i.��LӂڦN\��k URk��?����s�?ץΩ=�-y���������^���53tG�����)��������5��_6�)p� Z���o�/�o��}f�k����hx4���߲�wG[�أ�nt�h�o�b�ؠ�y{�������Bz���GH�Bn� ��-d�5Bb�:UH��Jɞ����_~�I��G2�>��L��7����3�>솣�O��z�b}0,�e�؄�=" U�P��I�&^��8��%-&�5 �N�E���u��Hj�F�6ω|`, \Ǒku�R�{���iŋ��?�"L� �E�Y"d��%�F�X"t$��n�!�f�0�n�%r��*�f�r��Q��Z���E'�!��ͺF!7k�BnV�BnVw�ܬ�Z�F[�C�r���$�+Xi�d&�\�J�{3�� V��g������(�[�ܥv���EУ�zE�bNc=���vv�)د�d?�亖�,Ɩ�_����KQ �������?����󄼝�ʙW;��Ts2����cs�9��^%�Sٝ���������Q��?����p:C�g���k��S��WM���ϯ�!p-�����pp�N�w�����^�\W��mO��|���������or_�%y�G���[)���{�7�^����p�Q��E�ѸIDU�\�(����\Q�ZE��J��W 7a�,� �YџkodB�ƶ�X�6^�V?��� ���eu4t��K�����^�=9�H�O�${�tN�0���C� �EnQ�9�(�߭��9fg����v���47����Y��x���ms����dSY�o6���I����5p�x�cɳ��[�u���Nx ����X�# ���� O�U�im|l��deOk�m��ƼF�f�O����em��Qc.�im9r�ڪ�vkk�;z�_��(+�6N��ܪ�yk����>�W�CQ���Lip��8��8��D�B1_�̇���"]D@y�р����(��Ȑ(��"J�����"݄m��k$?G�=@DQ$ſ�$)�E4Iu "J��*)�Ed���n%�U'��g�y��Uf\�l�Gz��g������Y����?����x��َ\�Ӗ���������G���59�lNׂܹ5���I)I�������o������\DŽ��ǂ�Z���Sks�?Ŕ�:pT^Tde��&HC�ܛ��ay��a`�����eJ,~l^��Q�y�/�S!Ŕ�(���]s�����i/M� w�sOi��9�?����I���:��/�=��ve���bI*v��h�}A�������&�O�e�/��8���⥢�����,�3����������_W�?ϑe������?)1��g�g�������������g��IL2���1��o�� #w�k�iM���5�|��}� �_6=� �٨�z�w�|o�=�[ߺy�������;{����n�ƿ��3����"���t�ڲ��V->�����/yc���m����/�]8uAly�W��t����j��v�a�E:�����%��R�+��j�r� 殍��/E�7@�Ny-AG@Ē�6�T�fӭE�o@�qD�@� ~�!�D<�@ĥD�@�'1 D������$ruQ�U]l��5G��Y���ˣ���#?�f��9%���OJ��5���>d���=�֎�$síW����Ipf�u��G�7��,s�Q����gI-Ϛ�³���G�I7"���d<�9'�ic�*y5�Kj�m���jv��Ny܉S����s�@������:�����NXG�����茒��ʞ�\��R �䫕��@3С�$�֋(��_D�T�"���%����:'�/"M*un��R6=�Rg����\�73ce������g����Dž��]9�\�ܶ�P�����k�뿹�g���`� \�n����~�wPח���s�ko��uǿӧ���}�_���Ad����"�#���$e�,kM��nxf����u��(��3���]�e�+�2�h�īBQZ��)E�xKkG}wiy�������f��1��ث�S:Z|�� ���s���?�����l�\�B%t�_����D��LW�͙]=���������u�����r�g����Z��� ������4���������S]���v-������d�oY��������9��z��w;�fך�?�dI��O����5���i��S����7vHȿG��?�d�o����`s�v����������&���ʸf|�j��T���o6%���R�������������A9�ܹ�~����j���<�ۑe�;ș5��Ͳ�0����������"�����j�}^����d.��ٶ��������:��n�b�3��<�����b�?�m��s��/�?�?�?����!vg�ۖS���,����l�<���������ϣJ��-7/a�3�a �8��������p�;o�$�"�=t���������_7�����^�)�b�?ƾp��{n(������������H�B����q>�?��3mY�����#]NWN~N>�?�?�?�?�������0^�����!5ɔT,����v� B���������u��3Y��j��OKR�����]����?�?�?�?��W�3��U����\��� BEN��������u��.{����.����r�rβ��sC�����������������x�<W(�?�O��ŜRl�7Ñ�ж�����j����g]#2&��{T��� ���e���g�g�g����f���$�ۖ㰅� h��&&����d�g�g��Gu���!�Rg����)��?5%E�7Ug��Q��p�cfb�_ �]��&�xZ;�m���ʁ O)�ٵ��N�m���*G��������픈̶Z���i�}�"ߍӢ�~�E=�����Z��m�F�}�4^���=J�i+���fv+� �)-:lPb&�TbNݢ�J��nt��1[���-.l��9Kk�Yw���aZ������j�ܿ]���D��: ^�tv|�\��&�˨CJ��Q��تt;rP�u��c�J��J��oj��ݭ%<���>_�;�.ʹb�f��Z-�mђ��%�k�Y�w�R�?k)�)ZZ�VJ�G�k�6��.���v�(��L���]ʀ[�*W>�NhHt����a˕!Yk��}Ԇ Y� ����l�F��Q���ʨ�-S�ڗ��~v���y��q�He��~�؅=�L��j�pm\f�6~`wm���vM|�6��/�����&}��6���ڔ#��kwoӮ{�#e�#���W��L�lU����{��ʌ��JVZ�����;\��l�6+l�6����φj��,ڜ��js�l��l0h�?kN�ͥ~��s"��SN*�Q'��~(y=(�mv) ��( ~^�,<q�R�,zc��x� ��wj7n\�ݴ¥-Yj�nv_���W��r竘�l ��O>%���3&(�� ��x��aa����b䶺�?1"Q� �"Q� 1D�;@��QĐ�&"�0KE<SE\[E|c@�b 񆁘�@�a �0�A �!bQ��G �$��ؔ(���(��X"^��Y ����@��@�1b񌁘�(��-Q�7b\��s �:���"�e,b����+�@��̑�@p�7H�GH<W�@px܁���`�G�=Zp |�N�W�� �Ezz�c$�D�+�|����`�{0�?� ��>����%y�?�QO�U@��o�]�/ px \�>��a��0�m�-� ����$�@�+8�����? 8� ��C 8��n�?b�#ejц�Wp�ğ�}gb�71���O p(< ���� �S�q�`6���fSsS�d@�$V��Y����Q�?۞csd�C�g���e������m��ox��J1�������g���<�sط�pd��S_� o������Wz"M��w;z�����L}O���= ��������� M��gh:�K�q���f^74/��Т�#���� 1��hh�6����=��zb�y<qa���s<m?��i�<����f���\r�NC��[=�w<�o4tv�h���2C�Q� ]��4t��ۑ� =�Vz���<���k�[���Vy���鳽��7o����Z��z�'��ߓt�O�K�.��Dœ�[�'�m{C�G'<��w�pٮ��?������x~�a��o�|�!�@��A���<�.Ð�=C�<�6�V���q��gyF���a��F���U�n4�~v�!}�4C��c c�4�]h6d�S=W[3<�2x���`��\��3�X�3���=����3��w<S���v������0����W�f��y�0�`��:{��6�vÌ�� Yis �ݧ���� <���Y?\���h����9/'x�>������g�=�ǩ��q��{�9M �6�G��~��z3��kX�ð�� O�2��ܰ���� �Wzn�x�� <K������m����i}�#�Uo]�\�2W�\u���D�\��1���W�x�C>@��|�� Eܐp��|�1��0y��!���|�N�����"���|���8#`��|�x�_IDܑ��@>���5��|�; �<b `��K����$`.��S�2E����C>@��|�f�����@>�������@>�����8.�M>�3�"��XM(�|������J"�|�������`���C>��<�t��  �C>@{�'��� �x���@>�? ��5��|�� �<n �e�w�����|���g���!��Wp����{���D>���"����z����D>���(��}W��o�_z����E>����0�@�+��|z_�i��� n#��Wp�S �d����G>���>��}�@�+�P���� N$�s�M ��� �$��Wp%����3����I>�r���Vz����J>���ְ�z�k�#H�K�H��цŎ�l��'��,Ʉ��`�����?�����ݎ�6g������lb�_[�3�<��+Zw/���*8�����W!��߭7�b9�2ˏ��� ���������������\�s�HGNN������L��%�������ߺ��w��]�������iC ���)��'��a�����������z�-���d�?䯋��Ӛ\@��q@����X|���pA�ԋ�^�A��6\.DI�mR�q��/�&������g�ϣ����s�����&�+y�gR�<�������������?��v�C�g��SJ�'��S���%�����5���߿|0T[�ٴ��w�|�!ZE����r����%�o��(�l�No�\Q&��–�W�]�U I�x���&5� �Rn���ng��Zo:�[����w�i=��Vzګ�ڱX��!-a�T�ϝ˵�y�<ՋO�Mև&�̖u�)�������׻d���_�H���K���z�iG�^|�v�ﰒ��#�T�^��x��{�d�Ba\����| D|߬�8"ր�7 b�����G b�����@|J�n�&���U�/��t��Eg��. /�k�G�}~�����C�`�O�-8EzтW�-�Ezт_�-8F��g�-�F�Kߐ�M�C^t�6]�yс�t�C�ESm:���� j�?��M<E^t�6]�yс�t�[�Ej���M<F^t�6]�y�\�N^4צ�F��+u��Y���g�o�;��^�C����ZL�2�_$��ڡ������*�����*)��VJ�ٮ�\U�k������\������|���?��m}��g��B�g���&�����|�����������c������WWط0�ೳcm��􇘨g��ąM��ۜӣ˸�[w�6���SW����E1��O�u����� ��@� G�Moo���F���7�^�~��&���c-��K����m�0���a�JJ^%?% �c(a�C����#q2��9��'~V��畞�����*?�D��K�K�$�߃�L��w�_^HH�,�2'7�����|������H� �;�&�����JI1����� �������������QJ��� ��d1%�9�#��_M��@N�U.�ǜ��o�6�d���8;�����rfDž]Y�y�춟u,h��4���� :,�K����N�OQՎھ�N���wv|q��NN�˨�Nv��C�[��'�yQ�u��[��=O�=�k�.��1OAB�:���9}'k�iEz���t5�ݧ �>j�8c���QM1�X���jZ�&'�>:����y�e��Q/�����ӯx~����Я|`�Ɂ�U��[�*<�@�u_��>��Æ,,�_�yJ�����G~}��Q�ׯ�7���g'��Ǟ̸��>f���؅m�LuL���4u\��`��8u��y�5���Nl�����?Q'}�n��O��S�<Wp���u�?9�����W?sr�ǧO/X}�:{�n���䌑�zV�ԓ�݇���'g6�Rg�]W0�a��Ϯ(p��M���%s��Rs6���~�:�/ \�!Uu�>9� �=곓���y=���o�E_���?߭/<��d����Eo8N.�9^�a�m7nT՛V�.X�t�z���hΰ¾m�V&t�}�bRQ]؆��d]��T�ɷ,��e6'�ijI>�+5Mi�`�ܷ�� Ĕ�(�-SW���$�, I?F~�� �tbJ1����@Lo �8����tb�K���/QLi� a���D8@��L�Dh�bE�&�.B�p"d� BG� BH�# B �p"��+ B ��"Ā3y[�D�r@���HD�E�_'�d��aD(J�D�#! DX�@�'! D��@�+! D�J�� D��E�@�3! DX�@�7!D��@�;!D���"� ������� hj��� h��.�� h��>d� �wCA#@P�DA'@P ��A/@P 4�A7�����. ډ�/�$�M�%��'fqi.��ΓY���c���O�?�3�>�� M��q�/����|�cM��ZK� �?�>w�ܽŠr����URfQ�ߧ����tOH��+>��w�J*�7���|���?������Ξ>ҵ�������ŔZb�/t�4��1�3�3��y�ϰ��p廝���ɉ���?��L����迻�G�Ue?�V_��d?�}����hmQ?��+� �9�A�� p��a�x���h��ø֚��`�YC 5��.���d�4���X'k�qf��琵��9 YB�:[5��P�5���Qe��]�ͅ�V�Ɔ�\��=��� ">���ca�c_���B�m��=��l�9�v��/챰�j� {,������8��/�`�Z�`�p�Ċz,|@���=��Z�� P-~a��%�� Y�{+�0�~o�=:S->�X� ��S�J_����Y��p��������_KbJ*��e�g�g��QM��r�ͮ%��bI,���kN��������_��?�^S���Z��K2��U�8�5�J���O|kw��?0�H��}�|��;�9���_�3�������7�zt������a�w���?�����7��4ߨ�v_��8��#Öxa"�LD<KqL�I�0S����/�����O|�03:�f���f�>Z�����%Q�`@�p��)Q��@��@��@����/����q��V �����������W������3���_"����ݎ���Mb���������?ޕ_k��T� %���96G6�?�?�?�?����l�}Q���Sj��3�3�3����`˝gs:j����2��e�g�g��Q-�?ё��r��OM,��=t����������u��'�s�B����%�C�9�������������3˵��t�B����S���`�k��9}�#'������?�������ub�rf;lξ!��Ƿ�R��_L�%�R��������O�j���T�������y6�x� \���IMN���L�# �?���ͰͰ�.����������&��m��� a�&�G��R�߲���C?��`����F�/�i���o���ի�(C��ׇg��z�U1�P���">R*������,���D��ت��?�������?u���v��ͳ�*�+��1���b���5�5���������x���]Y!������B�'���r�:����������*��s�]J�⿲�-)��������ϣ���=+ߞcw�*�+��c�$��Ou��,�h�黾{W.� ��~��p�@#�f2�3�]����zyx"��xN��?� �*����������S�������}����$sr���?����?�?�?�?����l�{n�⿒�_r�I�u�S���������nG�#�F�%��K�)�$���c��M�@ ���9bul�wc?t�F�_�u����U��"���8�*m`��ɕ�>r;��^x�O���r���+Q|o�~8������������(u�_��˳�.�+���y��?���?���5�g�w:B������y������F���I�?o�� c�� !�g�sJb��o���� �8_#L|��>�s͘��[��Y���|���������۝ Y�C�=*���@ ��z��)�Y�1�3����c#���T��P���K3���V�x⬒��|���?�Zs�O���,���dSJ���%��k�����/pm\��e��/Dj���y7<pB;p{#���Q��b����7���ʯ�M2���2��s���i�(��Ö�R�-��X~�nk���Uk0�o��-�N�7ʸG���1Zߨ5�o�6z��x�-�&;7(M���Eiv�Rc�Ev��#�3e��r�pc�~=��=�c; ��DE��u��~��m�y�������o�O~�d�!-~A{c�?l�:]s��y�A�R�g�.W=�tm��ح�W�v�So�h��㓗�=����z�Ao�U-aݭ�>O���.��5ݛ��g-3&�ҒF�4&�;�Y��4�$~��F�4���II�����/�+���/��������ⅿ(�����57+]����������}�6�� ﰡӵa�~�8"�Fe�ۛ��OSF=u���*��>�Mw��q�r�ghc�:���⵫����[PO�.�;�/� �6�N���M���qr�/�ɯ51N9��r�&�x�'���ˎ��veZ���usk�Q�m�rmF�vo�,���x��>b�f�n�wV�m֡�^GdSͱ�2���]5ɘs��2oA?�s���&�5�wS�[~3�];�ܖ��ƮR�N��]��][���ނؕZ�K���N.������ڍKn����eڒiv�ͫ�ia"I�W_ �U������>\�g�|nD��.��fL����x�L0a�3 ��"��.  � �( �`"��: (��!�P�E b �H �R�GE`�@�D�@�D�@,A D�b x�` 1���`"�1�@6���@��@;/Q=�D�A@�DA@�Ār� 0@@�DA@�DA@��Dd�-�2�7FA(@��L��A.@ $�A6@�DA:@�� AD #  �1AN@$QId%�cAXiA\y�����Ā 2�t2�Ѐ 5 � r��� 9y�D'Q��'Q��'Q���1@�@"Hb�9A�@�$D)sA�@�DA�@�DA�@�DA�@)d �b�T� V �+���h1@�@��S� ^��|� `���� b �B��� f �x�tt �흑�'���w�������J�<x����<x����<x��q��!��a�PKcZZZ��X X dateutil/zoneinfo/rebuild.pyimport logging import os import tempfile import shutil import json from subprocess import check_call, check_output from tarfile import TarFile from dateutil.zoneinfo import METADATA_FN, ZONEFILENAME def rebuild(filename, tag=None, format="gz", zonegroups=[], metadata=None): """Rebuild the internal timezone info in dateutil/zoneinfo/zoneinfo*tar* filename is the timezone tarball from ``ftp.iana.org/tz``. """ tmpdir = tempfile.mkdtemp() zonedir = os.path.join(tmpdir, "zoneinfo") moduledir = os.path.dirname(__file__) try: with TarFile.open(filename) as tf: for name in zonegroups: tf.extract(name, tmpdir) filepaths = [os.path.join(tmpdir, n) for n in zonegroups] _run_zic(zonedir, filepaths) # write metadata file with open(os.path.join(zonedir, METADATA_FN), 'w') as f: json.dump(metadata, f, indent=4, sort_keys=True) target = os.path.join(moduledir, ZONEFILENAME) with TarFile.open(target, "w:%s" % format) as tf: for entry in os.listdir(zonedir): entrypath = os.path.join(zonedir, entry) tf.add(entrypath, entry) finally: shutil.rmtree(tmpdir) def _run_zic(zonedir, filepaths): """Calls the ``zic`` compiler in a compatible way to get a "fat" binary. Recent versions of ``zic`` default to ``-b slim``, while older versions don't even have the ``-b`` option (but default to "fat" binaries). The current version of dateutil does not support Version 2+ TZif files, which causes problems when used in conjunction with "slim" binaries, so this function is used to ensure that we always get a "fat" binary. """ try: help_text = check_output(["zic", "--help"]) except OSError as e: _print_on_nosuchfile(e) raise if b"-b " in help_text: bloat_args = ["-b", "fat"] else: bloat_args = [] check_call(["zic"] + bloat_args + ["-d", zonedir] + filepaths) def _print_on_nosuchfile(e): """Print helpful troubleshooting message e is an exception raised by subprocess.check_call() """ if e.errno == 2: logging.error( "Could not find zic. Perhaps you need to install " "libc-bin or some other package that provides it, " "or it's not in your PATH?") PKcZZZ��}�I I -python_dateutil-2.9.0.post0.dist-info/LICENSECopyright 2017- Paul Ganssle <paul@ganssle.io> Copyright 2017- dateutil contributors (see AUTHORS file) Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. The above license applies to all contributions after 2017-12-01, as well as all contributions that have been re-licensed (see AUTHORS file for the list of contributors who have re-licensed their code). -------------------------------------------------------------------------------- dateutil - Extensions to the standard Python datetime module. Copyright (c) 2003-2011 - Gustavo Niemeyer <gustavo@niemeyer.net> Copyright (c) 2012-2014 - Tomi Pieviläinen <tomi.pievilainen@iki.fi> Copyright (c) 2014-2016 - Yaron de Leeuw <me@jarondl.net> Copyright (c) 2015- - Paul Ganssle <paul@ganssle.io> Copyright (c) 2015- - dateutil contributors (see AUTHORS file) All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the copyright holder nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. The above BSD License Applies to all code, even that also covered by Apache 2.0.PKcZZZ�#��� � .python_dateutil-2.9.0.post0.dist-info/METADATAMetadata-Version: 2.1 Name: python-dateutil Version: 2.9.0.post0 Summary: Extensions to the standard Python datetime module Home-page: https://github.com/dateutil/dateutil Author: Gustavo Niemeyer Author-email: gustavo@niemeyer.net Maintainer: Paul Ganssle Maintainer-email: dateutil@python.org License: Dual License Project-URL: Documentation, https://dateutil.readthedocs.io/en/stable/ Project-URL: Source, https://github.com/dateutil/dateutil Classifier: Development Status :: 5 - Production/Stable Classifier: Intended Audience :: Developers Classifier: License :: OSI Approved :: BSD License Classifier: License :: OSI Approved :: Apache Software License Classifier: Programming Language :: Python Classifier: Programming Language :: Python :: 2 Classifier: Programming Language :: Python :: 2.7 Classifier: Programming Language :: Python :: 3 Classifier: Programming Language :: Python :: 3.3 Classifier: Programming Language :: Python :: 3.4 Classifier: Programming Language :: Python :: 3.5 Classifier: Programming Language :: Python :: 3.6 Classifier: Programming Language :: Python :: 3.7 Classifier: Programming Language :: Python :: 3.8 Classifier: Programming Language :: Python :: 3.9 Classifier: Programming Language :: Python :: 3.10 Classifier: Programming Language :: Python :: 3.11 Classifier: Programming Language :: Python :: 3.12 Classifier: Topic :: Software Development :: Libraries Requires-Python: !=3.0.*,!=3.1.*,!=3.2.*,>=2.7 Description-Content-Type: text/x-rst License-File: LICENSE Requires-Dist: six >=1.5 dateutil - powerful extensions to datetime ========================================== |pypi| |support| |licence| |gitter| |readthedocs| |travis| |appveyor| |pipelines| |coverage| .. |pypi| image:: https://img.shields.io/pypi/v/python-dateutil.svg?style=flat-square :target: https://pypi.org/project/python-dateutil/ :alt: pypi version .. |support| image:: https://img.shields.io/pypi/pyversions/python-dateutil.svg?style=flat-square :target: https://pypi.org/project/python-dateutil/ :alt: supported Python version .. |travis| image:: https://img.shields.io/travis/dateutil/dateutil/master.svg?style=flat-square&label=Travis%20Build :target: https://travis-ci.org/dateutil/dateutil :alt: travis build status .. |appveyor| image:: https://img.shields.io/appveyor/ci/dateutil/dateutil/master.svg?style=flat-square&logo=appveyor :target: https://ci.appveyor.com/project/dateutil/dateutil :alt: appveyor build status .. |pipelines| image:: https://dev.azure.com/pythondateutilazure/dateutil/_apis/build/status/dateutil.dateutil?branchName=master :target: https://dev.azure.com/pythondateutilazure/dateutil/_build/latest?definitionId=1&branchName=master :alt: azure pipelines build status .. |coverage| image:: https://codecov.io/gh/dateutil/dateutil/branch/master/graphs/badge.svg?branch=master :target: https://codecov.io/gh/dateutil/dateutil?branch=master :alt: Code coverage .. |gitter| image:: https://badges.gitter.im/dateutil/dateutil.svg :alt: Join the chat at https://gitter.im/dateutil/dateutil :target: https://gitter.im/dateutil/dateutil .. |licence| image:: https://img.shields.io/pypi/l/python-dateutil.svg?style=flat-square :target: https://pypi.org/project/python-dateutil/ :alt: licence .. |readthedocs| image:: https://img.shields.io/readthedocs/dateutil/latest.svg?style=flat-square&label=Read%20the%20Docs :alt: Read the documentation at https://dateutil.readthedocs.io/en/latest/ :target: https://dateutil.readthedocs.io/en/latest/ The `dateutil` module provides powerful extensions to the standard `datetime` module, available in Python. Installation ============ `dateutil` can be installed from PyPI using `pip` (note that the package name is different from the importable name):: pip install python-dateutil Download ======== dateutil is available on PyPI https://pypi.org/project/python-dateutil/ The documentation is hosted at: https://dateutil.readthedocs.io/en/stable/ Code ==== The code and issue tracker are hosted on GitHub: https://github.com/dateutil/dateutil/ Features ======== * Computing of relative deltas (next month, next year, next Monday, last week of month, etc); * Computing of relative deltas between two given date and/or datetime objects; * Computing of dates based on very flexible recurrence rules, using a superset of the `iCalendar <https://www.ietf.org/rfc/rfc2445.txt>`_ specification. Parsing of RFC strings is supported as well. * Generic parsing of dates in almost any string format; * Timezone (tzinfo) implementations for tzfile(5) format files (/etc/localtime, /usr/share/zoneinfo, etc), TZ environment string (in all known formats), iCalendar format files, given ranges (with help from relative deltas), local machine timezone, fixed offset timezone, UTC timezone, and Windows registry-based time zones. * Internal up-to-date world timezone information based on Olson's database. * Computing of Easter Sunday dates for any given year, using Western, Orthodox or Julian algorithms; * A comprehensive test suite. Quick example ============= Here's a snapshot, just to give an idea about the power of the package. For more examples, look at the documentation. Suppose you want to know how much time is left, in years/months/days/etc, before the next easter happening on a year with a Friday 13th in August, and you want to get today's date out of the "date" unix system command. Here is the code: .. code-block:: python3 >>> from dateutil.relativedelta import * >>> from dateutil.easter import * >>> from dateutil.rrule import * >>> from dateutil.parser import * >>> from datetime import * >>> now = parse("Sat Oct 11 17:13:46 UTC 2003") >>> today = now.date() >>> year = rrule(YEARLY,dtstart=now,bymonth=8,bymonthday=13,byweekday=FR)[0].year >>> rdelta = relativedelta(easter(year), today) >>> print("Today is: %s" % today) Today is: 2003-10-11 >>> print("Year with next Aug 13th on a Friday is: %s" % year) Year with next Aug 13th on a Friday is: 2004 >>> print("How far is the Easter of that year: %s" % rdelta) How far is the Easter of that year: relativedelta(months=+6) >>> print("And the Easter of that year is: %s" % (today+rdelta)) And the Easter of that year is: 2004-04-11 Being exactly 6 months ahead was **really** a coincidence :) Contributing ============ We welcome many types of contributions - bug reports, pull requests (code, infrastructure or documentation fixes). For more information about how to contribute to the project, see the ``CONTRIBUTING.md`` file in the repository. Author ====== The dateutil module was written by Gustavo Niemeyer <gustavo@niemeyer.net> in 2003. It is maintained by: * Gustavo Niemeyer <gustavo@niemeyer.net> 2003-2011 * Tomi Pieviläinen <tomi.pievilainen@iki.fi> 2012-2014 * Yaron de Leeuw <me@jarondl.net> 2014-2016 * Paul Ganssle <paul@ganssle.io> 2015- Starting with version 2.4.1 and running until 2.8.2, all source and binary distributions will be signed by a PGP key that has, at the very least, been signed by the key which made the previous release. A table of release signing keys can be found below: =========== ============================ Releases Signing key fingerprint =========== ============================ 2.4.1-2.8.2 `6B49 ACBA DCF6 BD1C A206 67AB CD54 FCE3 D964 BEFB`_ =========== ============================ New releases *may* have signed tags, but binary and source distributions uploaded to PyPI will no longer have GPG signatures attached. Contact ======= Our mailing list is available at `dateutil@python.org <https://mail.python.org/mailman/listinfo/dateutil>`_. As it is hosted by the PSF, it is subject to the `PSF code of conduct <https://www.python.org/psf/conduct/>`_. License ======= All contributions after December 1, 2017 released under dual license - either `Apache 2.0 License <https://www.apache.org/licenses/LICENSE-2.0>`_ or the `BSD 3-Clause License <https://opensource.org/licenses/BSD-3-Clause>`_. Contributions before December 1, 2017 - except those those explicitly relicensed - are released only under the BSD 3-Clause License. .. _6B49 ACBA DCF6 BD1C A206 67AB CD54 FCE3 D964 BEFB: https://pgp.mit.edu/pks/lookup?op=vindex&search=0xCD54FCE3D964BEFB PKcZZZ�0�Onn+python_dateutil-2.9.0.post0.dist-info/WHEELWheel-Version: 1.0 Generator: bdist_wheel (0.42.0) Root-Is-Purelib: true Tag: py2-none-any Tag: py3-none-any PKcZZZ�k- 3python_dateutil-2.9.0.post0.dist-info/top_level.txtdateutil PKcZZZ��2.python_dateutil-2.9.0.post0.dist-info/zip-safe PKcZZZ�G�  ,python_dateutil-2.9.0.post0.dist-info/RECORDdateutil/__init__.py,sha256=Mqam67WO9IkTmUFyI66vS6IoSXTp9G388DadH2LCMLY,620 dateutil/_common.py,sha256=77w0yytkrxlYbSn--lDVPUMabUXRR9I3lBv_vQRUqUY,932 dateutil/_version.py,sha256=BV031OxDDAmy58neUg5yyqLkLaqIw7ibK9As3jiMib0,166 dateutil/easter.py,sha256=dyBi-lKvimH1u_k6p7Z0JJK72QhqVtVBsqByvpEPKvc,2678 dateutil/relativedelta.py,sha256=IY_mglMjoZbYfrvloTY2ce02aiVjPIkiZfqgNTZRfuA,24903 dateutil/rrule.py,sha256=KJzKlaCd1jEbu4A38ZltslaoAUh9nSbdbOFdjp70Kew,66557 dateutil/tzwin.py,sha256=7Ar4vdQCnnM0mKR3MUjbIKsZrBVfHgdwsJZc_mGYRew,59 dateutil/utils.py,sha256=dKCchEw8eObi0loGTx91unBxm_7UGlU3v_FjFMdqwYM,1965 dateutil/parser/__init__.py,sha256=wWk6GFuxTpjoggCGtgkceJoti4pVjl4_fHQXpNOaSYg,1766 dateutil/parser/_parser.py,sha256=7klDdyicksQB_Xgl-3UAmBwzCYor1AIZqklIcT6dH_8,58796 dateutil/parser/isoparser.py,sha256=8Fy999bnCd1frSdOYuOraWfJTtd5W7qQ51NwNuH_hXM,13233 dateutil/tz/__init__.py,sha256=F-Mz13v6jYseklQf9Te9J6nzcLDmq47gORa61K35_FA,444 dateutil/tz/_common.py,sha256=cgzDTANsOXvEc86cYF77EsliuSab8Puwpsl5-bX3_S4,12977 dateutil/tz/_factories.py,sha256=unb6XQNXrPMveksTCU-Ag8jmVZs4SojoPUcAHpWnrvU,2569 dateutil/tz/tz.py,sha256=EUnEdMfeThXiY6l4sh9yBabZ63_POzy01zSsh9thn1o,62855 dateutil/tz/win.py,sha256=xJszWgSwE1xPx_HJj4ZkepyukC_hNy016WMcXhbRaB8,12935 dateutil/zoneinfo/__init__.py,sha256=KYg0pthCMjcp5MXSEiBJn3nMjZeNZav7rlJw5-tz1S4,5889 dateutil/zoneinfo/dateutil-zoneinfo.tar.gz,sha256=0-pS57bpaN4NiE3xKIGTWW-pW4A9tPkqGCeac5gARHU,156400 dateutil/zoneinfo/rebuild.py,sha256=MiqYzCIHvNbMH-LdRYLv-4T0EIA7hDKt5GLR0IRTLdI,2392 python_dateutil-2.9.0.post0.dist-info/LICENSE,sha256=ugD1Gg2SgjtaHN4n2LW50jIeZ-2NqbwWPv-W1eF-V34,2889 python_dateutil-2.9.0.post0.dist-info/METADATA,sha256=qdQ22jIr6AgzL5jYgyWZjofLaTpniplp_rTPrXKabpM,8354 python_dateutil-2.9.0.post0.dist-info/WHEEL,sha256=-G_t0oGuE7UD0DrSpVZnq1hHMBV9DD2XkS5v7XpmTnk,110 python_dateutil-2.9.0.post0.dist-info/top_level.txt,sha256=4tjdWkhRZvF7LA_BYe_L9gB2w_p2a-z5y6ArjaRkot8,9 python_dateutil-2.9.0.post0.dist-info/zip-safe,sha256=AbpHGcgLb-kRsJGnwFEktk7uzpZOCcBY74-YBdrKVGs,1 python_dateutil-2.9.0.post0.dist-info/RECORD,, PKcZZZ�Wz ll�dateutil/__init__.pyPKcZZZs�9.����dateutil/_common.pyPKcZZZ������sdateutil/_version.pyPKcZZZ���Ev v �Kdateutil/easter.pyPKcZZZ[1��GaGa��dateutil/relativedelta.pyPKcZZZv�A���osdateutil/rrule.pyPKcZZZ� 9�;;��wdateutil/tzwin.pyPKcZZZ���5���xdateutil/utils.pyPKcZZZo������dateutil/parser/__init__.pyPKcZZZ`�R۬�����dateutil/parser/_parser.pyPKcZZZV�NDZ3�3��ldateutil/parser/isoparser.pyPKcZZZ�������Ϡdateutil/tz/__init__.pyPKcZZZ�4[��2�2���dateutil/tz/_common.pyPKcZZZI�Ow ���dateutil/tz/_factories.pyPKcZZZ�g�[�������dateutil/tz/tz.pyPKcZZZ)�ݰ�2�2���dateutil/tz/win.pyPKcZZZ�q��Rdateutil/zoneinfo/__init__.pyPKcZZZ� C��b�b*��dateutil/zoneinfo/dateutil-zoneinfo.tar.gzPKcZZZ��X X �Ƃdateutil/zoneinfo/rebuild.pyPKcZZZ��}�I I -�X�python_dateutil-2.9.0.post0.dist-info/LICENSEPKcZZZ�#��� � .��python_dateutil-2.9.0.post0.dist-info/METADATAPKcZZZ�0�Onn+�ڸpython_dateutil-2.9.0.post0.dist-info/WHEELPKcZZZ�k- 3���python_dateutil-2.9.0.post0.dist-info/top_level.txtPKcZZZ��2.��python_dateutil-2.9.0.post0.dist-info/zip-safePKcZZZ�G�  ,�8�python_dateutil-2.9.0.post0.dist-info/RECORDPKG��
Memory