PK!=9SSkirlent_sphinx/__init__.py# Copyright (C) 2019 H. Turgut Uyar from pathlib import Path from . import slides, tables __version__ = "0.1.2" # sig: str _template_path = Path(Path(__file__).parent, "templates") def get_path(): """Get the base path for templates. :sig: () -> str :return: Base path for the templates of this extension. """ return str(_template_path) def setup(app): """Register this extension with Sphinx. This will add the directives and themes of this extension to Sphinx. :sig: (sphinx.application.Sphinx) -> Dict[str, str] :param app: Sphinx application to register this extension with. :return: Information about this extension. """ tables.setup(app) slides.setup(app) app.add_html_theme("kirlent", str(Path(_template_path, "kirlent"))) return {"version": __version__} PK!n3kirlent_sphinx/__init__.pyi# THIS FILE IS AUTOMATICALLY GENERATED, DO NOT EDIT MANUALLY. from typing import Dict import sphinx.application __version__ = ... # type: str def get_path() -> str: ... def setup(app: sphinx.application.Sphinx) -> Dict[str, str]: ... PK! X ڎkirlent_sphinx/slides.py# Copyright (C) 2019 H. Turgut Uyar # # Derived from the sphinxjp.themes.revealjs project: # https://github.com/tell-k/sphinxjp.themes.revealjs # # The copyright text for sphinxjp.themes.revealjs is included below. # # ============================================================================= # Copyright (c) 2013 tell-k # # Permission is hereby granted, free of charge, to any person # obtaining a copy of this software and associated documentation # files (the "Software"), to deal in the Software without # restriction, including without limitation the rights to use, # copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the # Software is furnished to do so, subject to the following # conditions: # # The above copyright notice and this permission notice shall be # included in all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, # EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES # OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND # NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT # HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, # WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING # FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR # OTHER DEALINGS IN THE SOFTWARE. # ============================================================================= from docutils import nodes from docutils.parsers.rst import Directive, directives from docutils.parsers.rst.roles import set_classes class Slide(nodes.General, nodes.Element): """Node for a slide.""" class SpeakerNotes(nodes.General, nodes.Element): """Node for speaker notes on a slide.""" class SlideDirective(Directive): """A directive for generating a slide.""" has_content = True required_arguments = 0 optional_arguments = 100 final_argument_whitespace = False option_spec = { "id": directives.unchanged, "class": directives.class_option, "noheading": directives.flag, "title-heading": lambda t: directives.choice(t, ("h1", "h2", "h3", "h4", "h5", "h6")), "subtitle": directives.unchanged_required, "subtitle-heading": directives.unchanged, "data-autoslide": directives.unchanged, "data-transition": directives.unchanged, "data-transition-speed": directives.unchanged, "data-background": directives.unchanged, "data-background-repeat": directives.unchanged, "data-background-size": directives.unchanged, "data-background-transition": directives.unchanged, "data-state": directives.unchanged, "data-markdown": directives.unchanged, "data-separator": directives.unchanged, "data-separator-vertical": directives.unchanged, "data-separator-notes": directives.unchanged, "data-charset": directives.unchanged, } def run(self): """Build a slide node from this directive.""" self.assert_has_content() set_classes(self.options) text = "\n".join(self.content) node = Slide(text, **self.options) self.add_name(node) if "data-markdown" not in self.options: self.state.nested_parse(self.content, self.content_offset, node) if self.arguments: node["title"] = " ".join(self.arguments) node["noheading"] = "noheading" in self.options return [node] class SpeakerNotesDirective(Directive): """A directive for generating speaker notes.""" has_content = True required_arguments = 0 optional_arguments = 0 final_argument_whitespace = False option_spec = {"class": directives.class_option} def run(self): """Build a speaker notes node from this directive.""" self.assert_has_content() set_classes(self.options) text = "\n".join(self.content) node = SpeakerNotes(text, **self.options) self.add_name(node) self.state.nested_parse(self.content, self.content_offset, node) return [node] _MARKDOWN_HEADINGS = { "h1": "#", "h2": "##", "h3": "###", "h4": "####", "h5": "#####", "h6": "######", } def visit_slide(self, node): """Build start tag for a slide node.""" section_attrs = {} if node.get("id"): section_attrs.update({"ids": [node.get("id")]}) data_attrs = [a for a in SlideDirective.option_spec if a.startswith("data-")] for attr in data_attrs: if node.get(attr) is not None: section_attrs.update({attr: node.get(attr)}) title = node.get("title") if (not node.get("noheading")) else None title_heading = node.get("title-heading", "h2") subtitle = node.get("subtitle") subtitle_heading = node.get("subtitle-heading", "h3") md_slide = node.get("data-markdown") if md_slide is not None: template = "%(mark)s %(text)s \n" title_mark = _MARKDOWN_HEADINGS.get(title_heading) subtitle_mark = _MARKDOWN_HEADINGS.get(subtitle_heading) else: template = "<%(mark)s>%(text)s\n" title_mark = title_heading subtitle_mark = subtitle_heading title_text = (template % {"mark": title_mark, "text": title}) if title else None subtitle_text = (template % {"mark": subtitle_mark, "text": subtitle}) if subtitle else None self.body.append(self.starttag(node, "section", **section_attrs)) self.body.append('
\n') # for Bulma if md_slide is not None: if md_slide == "": self.body.append("\n") else: if title_text: self.body.append(title_text) if subtitle_text: self.body.append(subtitle_text) self.set_first_last(node) def depart_slide(self, node): """Build end tag for a slide node.""" self.body.append("
\n") # for closing the Bulma content div self.body.append("\n") def visit_speaker_note(self, node): """Build start tag for a speaker notes node.""" self.body.append(self.starttag(node, "aside", **{"class": "notes"})) self.set_first_last(node) def depart_speaker_note(self, node): """Build end tag for a speaker notes node.""" self.body.append("\n") def setup(app): """Add the directives to a Sphinx application. :sig: (sphinx.application.Sphinx) -> None :param app: Application to add the directives to. """ app.add_node(Slide, html=(visit_slide, depart_slide)) app.add_node(SpeakerNotes, html=(visit_speaker_note, depart_speaker_note)) app.add_directive("slide", SlideDirective) app.add_directive("speaker-notes", SpeakerNotesDirective) PK!Rgkirlent_sphinx/slides.pyi# THIS FILE IS AUTOMATICALLY GENERATED, DO NOT EDIT MANUALLY. from docutils import nodes from docutils.parsers.rst import Directive import sphinx.application class Slide(nodes.General, nodes.Element): ... class SpeakerNotes(nodes.General, nodes.Element): ... class SlideDirective(Directive): ... class SpeakerNotesDirective(Directive): ... def setup(app: sphinx.application.Sphinx) -> None: ... PK!bP9'9'kirlent_sphinx/tables.py# Copyright (C) 2019 H. Turgut Uyar # # Derived from the cloud_sptheme.ext.table_styling project: # https://cloud-sptheme.readthedocs.io/ # # The copyright text for cloud_sptheme is included below. # # ============================================================================= # The "cloud_sptheme" python package and artwork is # Copyright (c) 2010-2017 by Assurance Technologies, LLC. # 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 Assurance Technologies, nor the names of the # 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. # ============================================================================= from itertools import zip_longest from docutils import nodes from docutils.parsers.rst import directives from sphinx.directives.patches import RSTTable # ============================================================================= # field option parsers # ============================================================================= def _split_argument_list(argument): if "," in argument: return argument.split(",") else: return argument.split() def _parse_argument_map(argument, argmap, param): args = _split_argument_list(argument) if len(args) == 1 and all(c in argmap for c in args[0]): args = args[0] def norm(arg): try: return argmap[arg] except KeyError: raise ValueError("invalid %s: %r" % (param, arg)) return [norm(arg) for arg in args] _alignment_map = { "l": "left", "r": "right", "c": "centered", "j": "justified", "left": "left", "right": "right", "center": "centered", "centered": "centered", "justify": "justified", "justified": "justified", } def alignment_list(argument): """convert into list of alignment options. raise ``ValueError`` if no args found, or invalid strings. """ return _parse_argument_map(argument, _alignment_map, "alignment") _bool_map = { "true": True, "t": True, "yes": True, "y": True, "false": False, "f": False, "no": False, "n": False, } def bool_list(argument): """convert to list of true/false values""" return _parse_argument_map(argument, _bool_map, "boolean value") def class_option_list(argument): """convert to list of list of classes""" args = _split_argument_list(argument) return [directives.class_option(arg) for arg in args] _divider_map = { "0": "no", "1": "single", "2": "double", "none": "no", "single": "single", "double": "double", } def divider_list(argument): return _parse_argument_map(argument, _divider_map, "divider style") class ExtendedRSTTable(RSTTable): """A directive for generating tables with more details.""" option_spec = RSTTable.option_spec.copy() option_spec.update( { "header-columns": directives.nonnegative_int, "widths": directives.positive_int_list, "column-alignment": alignment_list, "header-alignment": alignment_list, "column-wrapping": bool_list, "column-classes": class_option_list, "column-dividers": divider_list, } ) def run(self): result = RSTTable.run(self) if result and isinstance(result[0], nodes.table): self._update_table_classes(result[0]) return result def _update_table_classes(self, table): table_classes = table["classes"] table_classes.append("table") # figure out how many header rows & columns options = self.options header_cols = options.get("header-columns") or 0 widths = options.get("widths") # Parse column options into list of ColumnOptions records. # If any option is short, it will be padded with ``None`` values # to match the longest list. EMPTY = () opts = tuple( zip_longest( options.get("column-alignment", EMPTY), options.get("header-alignment", EMPTY), options.get("column-wrapping", EMPTY), options.get("column-classes", EMPTY), options.get("column-dividers", EMPTY), ) ) NULL_OPTIONS = [None] * 5 # try to find "tgroup" node holding thead/tbody etc def locate(cls): for child in table.children: if isinstance(child, cls): return child return None tgroup = locate(nodes.tgroup) if not tgroup: return # loop through content of 'tgroup' node -- # should be 0+ 'colspec' nodes, 0-1 thead node, and 0-1 tbody nodes. # NOTE: using 'cgroup_idx' as hack to track colgroup index cgroup_idx = 0 for child in tgroup: # handle colspec entry (corresponding to COLGROUP) # set group width & mark "header" columns if isinstance(child, nodes.colspec): if widths and cgroup_idx < len(widths): child["colwidth"] = widths[cgroup_idx] if cgroup_idx < header_cols: child["stub"] = 1 cgroup_idx += 1 continue # otherwise have thead / tbody -- # loop through each row in child, adding classes as appropriate assert isinstance(child, (nodes.thead, nodes.tbody)) for row in child.children: # check if we're in a header is_header_row = isinstance(child, nodes.thead) # Add alignment and wrap classes to each column (would add to # colspec instead, but html doesn't inherit much from colgroup) # We iterate trough the list of table cells in the row while # maintaining the column format index in parallel assert isinstance(row, nodes.row) colidx = 0 # visible idx, to account for colspans prev_col_classes = None for idx, col in enumerate(row): # get align/wrap options for column try: col_opts = opts[colidx] except IndexError: col_opts = NULL_OPTIONS align, header_align, wrap, clist, divider = col_opts # let header values override defaults if is_header_row: align = header_align if align is None: align = "left" # add alignment / wrapping classes for column assert isinstance(col, nodes.entry) classes = col["classes"] if align: classes.append("has-text-" + align) if wrap is False: classes.append("nowrap") if clist: classes.extend(clist) if divider: # add divider class for left side of this column, classes.append(divider + "-left-divider") # same divider type to right side of previous column, # so that css can bind to either. if prev_col_classes is not None: prev_col_classes.append(divider + "-right-divider") # update prev_col_classes for next pass prev_col_classes = classes # Now it's the time to advance the column format index. # If we have a cell spans across the columns, we add the # value of 'morecols', so we get the proper right divider # for the current cell and the proper format index for the # next loop iteration colidx += 1 + col.get("morecols", 0) # add divider to right side of last column if prev_col_classes and colidx < len(opts): align, header_align, wrap, clist, divider = opts[colidx] if divider: prev_col_classes.append(divider + "-right-divider") def setup(app): """Add the directives to a Sphinx application. :sig: (sphinx.application.Sphinx) -> None :param app: Application to add the directives to. """ directive_map = directives._directives if directive_map.get("table") is RSTTable: directive_map.pop("table") app.add_directive("table", ExtendedRSTTable) PK!+kirlent_sphinx/tables.pyi# THIS FILE IS AUTOMATICALLY GENERATED, DO NOT EDIT MANUALLY. from sphinx.directives.patches import RSTTable import sphinx.application class ExtendedRSTTable(RSTTable): ... def setup(app: sphinx.application.Sphinx) -> None: ... PK!Ze[KK,kirlent_sphinx/templates/kirlent/layout.html{# revealjs/layout.html ~~~~~~~~~~~~~~~~~~~~~~~~~~ Master layout template for Sphinx themes. :copyright: tell-k :license: MIT License #} {%- block doctype -%} {%- endblock %} {%- set url_root = pathto('', 1) %} {# XXX necessary? #} {%- if url_root == '#' %}{% set url_root = '' %}{% endif %} {%- if not embedded and docstitle %} {%- set page_title = docstitle|e %} {%- else %} {%- set page_title = "" %} {%- endif %} {%- macro script() %} {%- endmacro %} {%- macro css() %} {%- for cssfile in css_files %} {%- endfor %} {%- endmacro %} {%- block htmltitle %} {{ page_title }} {%- endblock %} {{ metatags }} {{ css() }} {%- if not embedded %} {%- if favicon %} {%- endif %} {%- endif %} {%- for scriptfile in script_files %} {%- if scriptfile not in ('_static/jquery.js', '_static/underscore.js', '_static/doctools.js') %} {%- endif %} {%- endfor %}
{% block body %}{% endblock %}
{{ script() }} {% if theme_customjs -%} {% endif %} PK!u_33/kirlent_sphinx/templates/kirlent/static/LICENSECopyright (C) 2015 Hakim El Hattab, http://hakim.se Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.PK!:4$;l;l9kirlent_sphinx/templates/kirlent/static/css/bulma.min.css/*! bulma.io v0.7.1 | MIT License | github.com/jgthms/bulma */@-webkit-keyframes spinAround{from{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(359deg);transform:rotate(359deg)}}@keyframes spinAround{from{-webkit-transform:rotate(0);transform:rotate(0)}to{-webkit-transform:rotate(359deg);transform:rotate(359deg)}}.breadcrumb,.button,.delete,.file,.is-unselectable,.modal-close,.pagination-ellipsis,.pagination-link,.pagination-next,.pagination-previous,.tabs{-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.navbar-link::after,.select:not(.is-multiple):not(.is-loading)::after{border:3px solid transparent;border-radius:2px;border-right:0;border-top:0;content:" ";display:block;height:.625em;margin-top:-.4375em;pointer-events:none;position:absolute;top:50%;-webkit-transform:rotate(-45deg);transform:rotate(-45deg);-webkit-transform-origin:center;transform-origin:center;width:.625em}.block:not(:last-child),.box:not(:last-child),.breadcrumb:not(:last-child),.content:not(:last-child),.highlight:not(:last-child),.level:not(:last-child),.message:not(:last-child),.notification:not(:last-child),.progress:not(:last-child),.subtitle:not(:last-child),.table-container:not(:last-child),.table:not(:last-child),.tabs:not(:last-child),.title:not(:last-child){margin-bottom:1.5rem}.delete,.modal-close{-moz-appearance:none;-webkit-appearance:none;background-color:rgba(10,10,10,.2);border:none;border-radius:290486px;cursor:pointer;display:inline-block;flex-grow:0;flex-shrink:0;font-size:0;height:20px;max-height:20px;max-width:20px;min-height:20px;min-width:20px;outline:0;position:relative;vertical-align:top;width:20px}.delete::after,.delete::before,.modal-close::after,.modal-close::before{background-color:#fff;content:"";display:block;left:50%;position:absolute;top:50%;-webkit-transform:translateX(-50%) translateY(-50%) rotate(45deg);transform:translateX(-50%) translateY(-50%) rotate(45deg);-webkit-transform-origin:center center;transform-origin:center center}.delete::before,.modal-close::before{height:2px;width:50%}.delete::after,.modal-close::after{height:50%;width:2px}.delete:focus,.delete:hover,.modal-close:focus,.modal-close:hover{background-color:rgba(10,10,10,.3)}.delete:active,.modal-close:active{background-color:rgba(10,10,10,.4)}.is-small.delete,.is-small.modal-close{height:16px;max-height:16px;max-width:16px;min-height:16px;min-width:16px;width:16px}.is-medium.delete,.is-medium.modal-close{height:24px;max-height:24px;max-width:24px;min-height:24px;min-width:24px;width:24px}.is-large.delete,.is-large.modal-close{height:32px;max-height:32px;max-width:32px;min-height:32px;min-width:32px;width:32px}.button.is-loading::after,.control.is-loading::after,.loader,.select.is-loading::after{-webkit-animation:spinAround .5s infinite linear;animation:spinAround .5s infinite linear;border:2px solid #dbdbdb;border-radius:290486px;border-right-color:transparent;border-top-color:transparent;content:"";display:block;height:1em;position:relative;width:1em}.hero-video,.image.is-16by9 img,.image.is-1by1 img,.image.is-1by2 img,.image.is-1by3 img,.image.is-2by1 img,.image.is-2by3 img,.image.is-3by1 img,.image.is-3by2 img,.image.is-3by4 img,.image.is-3by5 img,.image.is-4by3 img,.image.is-4by5 img,.image.is-5by3 img,.image.is-5by4 img,.image.is-9by16 img,.image.is-square img,.is-overlay,.modal,.modal-background{bottom:0;left:0;position:absolute;right:0;top:0}.button,.file-cta,.file-name,.input,.pagination-ellipsis,.pagination-link,.pagination-next,.pagination-previous,.select select,.textarea{-moz-appearance:none;-webkit-appearance:none;align-items:center;border:1px solid transparent;border-radius:4px;box-shadow:none;display:inline-flex;font-size:1rem;height:2.25em;justify-content:flex-start;line-height:1.5;padding-bottom:calc(.375em - 1px);padding-left:calc(.625em - 1px);padding-right:calc(.625em - 1px);padding-top:calc(.375em - 1px);position:relative;vertical-align:top}.button:active,.button:focus,.file-cta:active,.file-cta:focus,.file-name:active,.file-name:focus,.input:active,.input:focus,.is-active.button,.is-active.file-cta,.is-active.file-name,.is-active.input,.is-active.pagination-ellipsis,.is-active.pagination-link,.is-active.pagination-next,.is-active.pagination-previous,.is-active.textarea,.is-focused.button,.is-focused.file-cta,.is-focused.file-name,.is-focused.input,.is-focused.pagination-ellipsis,.is-focused.pagination-link,.is-focused.pagination-next,.is-focused.pagination-previous,.is-focused.textarea,.pagination-ellipsis:active,.pagination-ellipsis:focus,.pagination-link:active,.pagination-link:focus,.pagination-next:active,.pagination-next:focus,.pagination-previous:active,.pagination-previous:focus,.select select.is-active,.select select.is-focused,.select select:active,.select select:focus,.textarea:active,.textarea:focus{outline:0}.button[disabled],.file-cta[disabled],.file-name[disabled],.input[disabled],.pagination-ellipsis[disabled],.pagination-link[disabled],.pagination-next[disabled],.pagination-previous[disabled],.select select[disabled],.textarea[disabled]{cursor:not-allowed}/*! minireset.css v0.0.3 | MIT License | github.com/jgthms/minireset.css */blockquote,body,dd,dl,dt,fieldset,figure,h1,h2,h3,h4,h5,h6,hr,html,iframe,legend,li,ol,p,pre,textarea,ul{margin:0;padding:0}h1,h2,h3,h4,h5,h6{font-size:100%;font-weight:400}ul{list-style:none}button,input,select,textarea{margin:0}html{box-sizing:border-box}*,::after,::before{box-sizing:inherit}audio,img,video{height:auto;max-width:100%}iframe{border:0}table{border-collapse:collapse;border-spacing:0}td,th{padding:0;text-align:left}html{background-color:#fff;font-size:16px;-moz-osx-font-smoothing:grayscale;-webkit-font-smoothing:antialiased;min-width:300px;overflow-x:hidden;overflow-y:scroll;text-rendering:optimizeLegibility;-webkit-text-size-adjust:100%;-moz-text-size-adjust:100%;-ms-text-size-adjust:100%;text-size-adjust:100%}article,aside,figure,footer,header,hgroup,section{display:block}body,button,input,select,textarea{font-family:BlinkMacSystemFont,-apple-system,"Segoe UI",Roboto,Oxygen,Ubuntu,Cantarell,"Fira Sans","Droid Sans","Helvetica Neue",Helvetica,Arial,sans-serif}code,pre{-moz-osx-font-smoothing:auto;-webkit-font-smoothing:auto;font-family:monospace}body{color:#4a4a4a;font-size:1rem;font-weight:400;line-height:1.5}a{color:#3273dc;cursor:pointer;text-decoration:none}a strong{color:currentColor}a:hover{color:#363636}code{background-color:#f5f5f5;color:#ff3860;font-size:.875em;font-weight:400;padding:.25em .5em .25em}hr{background-color:#f5f5f5;border:none;display:block;height:2px;margin:1.5rem 0}img{height:auto;max-width:100%}input[type=checkbox],input[type=radio]{vertical-align:baseline}small{font-size:.875em}span{font-style:inherit;font-weight:inherit}strong{color:#363636;font-weight:700}pre{-webkit-overflow-scrolling:touch;background-color:#f5f5f5;color:#4a4a4a;font-size:.875em;overflow-x:auto;padding:1.25rem 1.5rem;white-space:pre;word-wrap:normal}pre code{background-color:transparent;color:currentColor;font-size:1em;padding:0}table td,table th{text-align:left;vertical-align:top}table th{color:#363636}.is-clearfix::after{clear:both;content:" ";display:table}.is-pulled-left{float:left!important}.is-pulled-right{float:right!important}.is-clipped{overflow:hidden!important}.is-size-1{font-size:3rem!important}.is-size-2{font-size:2.5rem!important}.is-size-3{font-size:2rem!important}.is-size-4{font-size:1.5rem!important}.is-size-5{font-size:1.25rem!important}.is-size-6{font-size:1rem!important}.is-size-7{font-size:.75rem!important}@media screen and (max-width:768px){.is-size-1-mobile{font-size:3rem!important}.is-size-2-mobile{font-size:2.5rem!important}.is-size-3-mobile{font-size:2rem!important}.is-size-4-mobile{font-size:1.5rem!important}.is-size-5-mobile{font-size:1.25rem!important}.is-size-6-mobile{font-size:1rem!important}.is-size-7-mobile{font-size:.75rem!important}}@media screen and (min-width:769px),print{.is-size-1-tablet{font-size:3rem!important}.is-size-2-tablet{font-size:2.5rem!important}.is-size-3-tablet{font-size:2rem!important}.is-size-4-tablet{font-size:1.5rem!important}.is-size-5-tablet{font-size:1.25rem!important}.is-size-6-tablet{font-size:1rem!important}.is-size-7-tablet{font-size:.75rem!important}}@media screen and (max-width:1087px){.is-size-1-touch{font-size:3rem!important}.is-size-2-touch{font-size:2.5rem!important}.is-size-3-touch{font-size:2rem!important}.is-size-4-touch{font-size:1.5rem!important}.is-size-5-touch{font-size:1.25rem!important}.is-size-6-touch{font-size:1rem!important}.is-size-7-touch{font-size:.75rem!important}}@media screen and (min-width:1088px){.is-size-1-desktop{font-size:3rem!important}.is-size-2-desktop{font-size:2.5rem!important}.is-size-3-desktop{font-size:2rem!important}.is-size-4-desktop{font-size:1.5rem!important}.is-size-5-desktop{font-size:1.25rem!important}.is-size-6-desktop{font-size:1rem!important}.is-size-7-desktop{font-size:.75rem!important}}@media screen and (min-width:1280px){.is-size-1-widescreen{font-size:3rem!important}.is-size-2-widescreen{font-size:2.5rem!important}.is-size-3-widescreen{font-size:2rem!important}.is-size-4-widescreen{font-size:1.5rem!important}.is-size-5-widescreen{font-size:1.25rem!important}.is-size-6-widescreen{font-size:1rem!important}.is-size-7-widescreen{font-size:.75rem!important}}@media screen and (min-width:1472px){.is-size-1-fullhd{font-size:3rem!important}.is-size-2-fullhd{font-size:2.5rem!important}.is-size-3-fullhd{font-size:2rem!important}.is-size-4-fullhd{font-size:1.5rem!important}.is-size-5-fullhd{font-size:1.25rem!important}.is-size-6-fullhd{font-size:1rem!important}.is-size-7-fullhd{font-size:.75rem!important}}.has-text-centered{text-align:center!important}.has-text-justified{text-align:justify!important}.has-text-left{text-align:left!important}.has-text-right{text-align:right!important}@media screen and (max-width:768px){.has-text-centered-mobile{text-align:center!important}}@media screen and (min-width:769px),print{.has-text-centered-tablet{text-align:center!important}}@media screen and (min-width:769px) and (max-width:1087px){.has-text-centered-tablet-only{text-align:center!important}}@media screen and (max-width:1087px){.has-text-centered-touch{text-align:center!important}}@media screen and (min-width:1088px){.has-text-centered-desktop{text-align:center!important}}@media screen and (min-width:1088px) and (max-width:1279px){.has-text-centered-desktop-only{text-align:center!important}}@media screen and (min-width:1280px){.has-text-centered-widescreen{text-align:center!important}}@media screen and (min-width:1280px) and (max-width:1471px){.has-text-centered-widescreen-only{text-align:center!important}}@media screen and (min-width:1472px){.has-text-centered-fullhd{text-align:center!important}}@media screen and (max-width:768px){.has-text-justified-mobile{text-align:justify!important}}@media screen and (min-width:769px),print{.has-text-justified-tablet{text-align:justify!important}}@media screen and (min-width:769px) and (max-width:1087px){.has-text-justified-tablet-only{text-align:justify!important}}@media screen and (max-width:1087px){.has-text-justified-touch{text-align:justify!important}}@media screen and (min-width:1088px){.has-text-justified-desktop{text-align:justify!important}}@media screen and (min-width:1088px) and (max-width:1279px){.has-text-justified-desktop-only{text-align:justify!important}}@media screen and (min-width:1280px){.has-text-justified-widescreen{text-align:justify!important}}@media screen and (min-width:1280px) and (max-width:1471px){.has-text-justified-widescreen-only{text-align:justify!important}}@media screen and (min-width:1472px){.has-text-justified-fullhd{text-align:justify!important}}@media screen and (max-width:768px){.has-text-left-mobile{text-align:left!important}}@media screen and (min-width:769px),print{.has-text-left-tablet{text-align:left!important}}@media screen and (min-width:769px) and (max-width:1087px){.has-text-left-tablet-only{text-align:left!important}}@media screen and (max-width:1087px){.has-text-left-touch{text-align:left!important}}@media screen and (min-width:1088px){.has-text-left-desktop{text-align:left!important}}@media screen and (min-width:1088px) and (max-width:1279px){.has-text-left-desktop-only{text-align:left!important}}@media screen and (min-width:1280px){.has-text-left-widescreen{text-align:left!important}}@media screen and (min-width:1280px) and (max-width:1471px){.has-text-left-widescreen-only{text-align:left!important}}@media screen and (min-width:1472px){.has-text-left-fullhd{text-align:left!important}}@media screen and (max-width:768px){.has-text-right-mobile{text-align:right!important}}@media screen and (min-width:769px),print{.has-text-right-tablet{text-align:right!important}}@media screen and (min-width:769px) and (max-width:1087px){.has-text-right-tablet-only{text-align:right!important}}@media screen and (max-width:1087px){.has-text-right-touch{text-align:right!important}}@media screen and (min-width:1088px){.has-text-right-desktop{text-align:right!important}}@media screen and (min-width:1088px) and (max-width:1279px){.has-text-right-desktop-only{text-align:right!important}}@media screen and (min-width:1280px){.has-text-right-widescreen{text-align:right!important}}@media screen and (min-width:1280px) and (max-width:1471px){.has-text-right-widescreen-only{text-align:right!important}}@media screen and (min-width:1472px){.has-text-right-fullhd{text-align:right!important}}.is-capitalized{text-transform:capitalize!important}.is-lowercase{text-transform:lowercase!important}.is-uppercase{text-transform:uppercase!important}.is-italic{font-style:italic!important}.has-text-white{color:#fff!important}a.has-text-white:focus,a.has-text-white:hover{color:#e6e6e6!important}.has-background-white{background-color:#fff!important}.has-text-black{color:#0a0a0a!important}a.has-text-black:focus,a.has-text-black:hover{color:#000!important}.has-background-black{background-color:#0a0a0a!important}.has-text-light{color:#f5f5f5!important}a.has-text-light:focus,a.has-text-light:hover{color:#dbdbdb!important}.has-background-light{background-color:#f5f5f5!important}.has-text-dark{color:#363636!important}a.has-text-dark:focus,a.has-text-dark:hover{color:#1c1c1c!important}.has-background-dark{background-color:#363636!important}.has-text-primary{color:#00d1b2!important}a.has-text-primary:focus,a.has-text-primary:hover{color:#009e86!important}.has-background-primary{background-color:#00d1b2!important}.has-text-link{color:#3273dc!important}a.has-text-link:focus,a.has-text-link:hover{color:#205bbc!important}.has-background-link{background-color:#3273dc!important}.has-text-info{color:#209cee!important}a.has-text-info:focus,a.has-text-info:hover{color:#0f81cc!important}.has-background-info{background-color:#209cee!important}.has-text-success{color:#23d160!important}a.has-text-success:focus,a.has-text-success:hover{color:#1ca64c!important}.has-background-success{background-color:#23d160!important}.has-text-warning{color:#ffdd57!important}a.has-text-warning:focus,a.has-text-warning:hover{color:#ffd324!important}.has-background-warning{background-color:#ffdd57!important}.has-text-danger{color:#ff3860!important}a.has-text-danger:focus,a.has-text-danger:hover{color:#ff0537!important}.has-background-danger{background-color:#ff3860!important}.has-text-black-bis{color:#121212!important}.has-background-black-bis{background-color:#121212!important}.has-text-black-ter{color:#242424!important}.has-background-black-ter{background-color:#242424!important}.has-text-grey-darker{color:#363636!important}.has-background-grey-darker{background-color:#363636!important}.has-text-grey-dark{color:#4a4a4a!important}.has-background-grey-dark{background-color:#4a4a4a!important}.has-text-grey{color:#7a7a7a!important}.has-background-grey{background-color:#7a7a7a!important}.has-text-grey-light{color:#b5b5b5!important}.has-background-grey-light{background-color:#b5b5b5!important}.has-text-grey-lighter{color:#dbdbdb!important}.has-background-grey-lighter{background-color:#dbdbdb!important}.has-text-white-ter{color:#f5f5f5!important}.has-background-white-ter{background-color:#f5f5f5!important}.has-text-white-bis{color:#fafafa!important}.has-background-white-bis{background-color:#fafafa!important}.has-text-weight-light{font-weight:300!important}.has-text-weight-normal{font-weight:400!important}.has-text-weight-semibold{font-weight:600!important}.has-text-weight-bold{font-weight:700!important}.is-block{display:block!important}@media screen and (max-width:768px){.is-block-mobile{display:block!important}}@media screen and (min-width:769px),print{.is-block-tablet{display:block!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-block-tablet-only{display:block!important}}@media screen and (max-width:1087px){.is-block-touch{display:block!important}}@media screen and (min-width:1088px){.is-block-desktop{display:block!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-block-desktop-only{display:block!important}}@media screen and (min-width:1280px){.is-block-widescreen{display:block!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-block-widescreen-only{display:block!important}}@media screen and (min-width:1472px){.is-block-fullhd{display:block!important}}.is-flex{display:flex!important}@media screen and (max-width:768px){.is-flex-mobile{display:flex!important}}@media screen and (min-width:769px),print{.is-flex-tablet{display:flex!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-flex-tablet-only{display:flex!important}}@media screen and (max-width:1087px){.is-flex-touch{display:flex!important}}@media screen and (min-width:1088px){.is-flex-desktop{display:flex!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-flex-desktop-only{display:flex!important}}@media screen and (min-width:1280px){.is-flex-widescreen{display:flex!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-flex-widescreen-only{display:flex!important}}@media screen and (min-width:1472px){.is-flex-fullhd{display:flex!important}}.is-inline{display:inline!important}@media screen and (max-width:768px){.is-inline-mobile{display:inline!important}}@media screen and (min-width:769px),print{.is-inline-tablet{display:inline!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-inline-tablet-only{display:inline!important}}@media screen and (max-width:1087px){.is-inline-touch{display:inline!important}}@media screen and (min-width:1088px){.is-inline-desktop{display:inline!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-inline-desktop-only{display:inline!important}}@media screen and (min-width:1280px){.is-inline-widescreen{display:inline!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-inline-widescreen-only{display:inline!important}}@media screen and (min-width:1472px){.is-inline-fullhd{display:inline!important}}.is-inline-block{display:inline-block!important}@media screen and (max-width:768px){.is-inline-block-mobile{display:inline-block!important}}@media screen and (min-width:769px),print{.is-inline-block-tablet{display:inline-block!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-inline-block-tablet-only{display:inline-block!important}}@media screen and (max-width:1087px){.is-inline-block-touch{display:inline-block!important}}@media screen and (min-width:1088px){.is-inline-block-desktop{display:inline-block!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-inline-block-desktop-only{display:inline-block!important}}@media screen and (min-width:1280px){.is-inline-block-widescreen{display:inline-block!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-inline-block-widescreen-only{display:inline-block!important}}@media screen and (min-width:1472px){.is-inline-block-fullhd{display:inline-block!important}}.is-inline-flex{display:inline-flex!important}@media screen and (max-width:768px){.is-inline-flex-mobile{display:inline-flex!important}}@media screen and (min-width:769px),print{.is-inline-flex-tablet{display:inline-flex!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-inline-flex-tablet-only{display:inline-flex!important}}@media screen and (max-width:1087px){.is-inline-flex-touch{display:inline-flex!important}}@media screen and (min-width:1088px){.is-inline-flex-desktop{display:inline-flex!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-inline-flex-desktop-only{display:inline-flex!important}}@media screen and (min-width:1280px){.is-inline-flex-widescreen{display:inline-flex!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-inline-flex-widescreen-only{display:inline-flex!important}}@media screen and (min-width:1472px){.is-inline-flex-fullhd{display:inline-flex!important}}.is-hidden{display:none!important}@media screen and (max-width:768px){.is-hidden-mobile{display:none!important}}@media screen and (min-width:769px),print{.is-hidden-tablet{display:none!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-hidden-tablet-only{display:none!important}}@media screen and (max-width:1087px){.is-hidden-touch{display:none!important}}@media screen and (min-width:1088px){.is-hidden-desktop{display:none!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-hidden-desktop-only{display:none!important}}@media screen and (min-width:1280px){.is-hidden-widescreen{display:none!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-hidden-widescreen-only{display:none!important}}@media screen and (min-width:1472px){.is-hidden-fullhd{display:none!important}}.is-invisible{visibility:hidden!important}@media screen and (max-width:768px){.is-invisible-mobile{visibility:hidden!important}}@media screen and (min-width:769px),print{.is-invisible-tablet{visibility:hidden!important}}@media screen and (min-width:769px) and (max-width:1087px){.is-invisible-tablet-only{visibility:hidden!important}}@media screen and (max-width:1087px){.is-invisible-touch{visibility:hidden!important}}@media screen and (min-width:1088px){.is-invisible-desktop{visibility:hidden!important}}@media screen and (min-width:1088px) and (max-width:1279px){.is-invisible-desktop-only{visibility:hidden!important}}@media screen and (min-width:1280px){.is-invisible-widescreen{visibility:hidden!important}}@media screen and (min-width:1280px) and (max-width:1471px){.is-invisible-widescreen-only{visibility:hidden!important}}@media screen and (min-width:1472px){.is-invisible-fullhd{visibility:hidden!important}}.is-marginless{margin:0!important}.is-paddingless{padding:0!important}.is-radiusless{border-radius:0!important}.is-shadowless{box-shadow:none!important}.box{background-color:#fff;border-radius:6px;box-shadow:0 2px 3px rgba(10,10,10,.1),0 0 0 1px rgba(10,10,10,.1);color:#4a4a4a;display:block;padding:1.25rem}a.box:focus,a.box:hover{box-shadow:0 2px 3px rgba(10,10,10,.1),0 0 0 1px #3273dc}a.box:active{box-shadow:inset 0 1px 2px rgba(10,10,10,.2),0 0 0 1px #3273dc}.button{background-color:#fff;border-color:#dbdbdb;border-width:1px;color:#363636;cursor:pointer;justify-content:center;padding-bottom:calc(.375em - 1px);padding-left:.75em;padding-right:.75em;padding-top:calc(.375em - 1px);text-align:center;white-space:nowrap}.button strong{color:inherit}.button .icon,.button .icon.is-large,.button .icon.is-medium,.button .icon.is-small{height:1.5em;width:1.5em}.button .icon:first-child:not(:last-child){margin-left:calc(-.375em - 1px);margin-right:.1875em}.button .icon:last-child:not(:first-child){margin-left:.1875em;margin-right:calc(-.375em - 1px)}.button .icon:first-child:last-child{margin-left:calc(-.375em - 1px);margin-right:calc(-.375em - 1px)}.button.is-hovered,.button:hover{border-color:#b5b5b5;color:#363636}.button.is-focused,.button:focus{border-color:#3273dc;color:#363636}.button.is-focused:not(:active),.button:focus:not(:active){box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.button.is-active,.button:active{border-color:#4a4a4a;color:#363636}.button.is-text{background-color:transparent;border-color:transparent;color:#4a4a4a;text-decoration:underline}.button.is-text.is-focused,.button.is-text.is-hovered,.button.is-text:focus,.button.is-text:hover{background-color:#f5f5f5;color:#363636}.button.is-text.is-active,.button.is-text:active{background-color:#e8e8e8;color:#363636}.button.is-text[disabled]{background-color:transparent;border-color:transparent;box-shadow:none}.button.is-white{background-color:#fff;border-color:transparent;color:#0a0a0a}.button.is-white.is-hovered,.button.is-white:hover{background-color:#f9f9f9;border-color:transparent;color:#0a0a0a}.button.is-white.is-focused,.button.is-white:focus{border-color:transparent;color:#0a0a0a}.button.is-white.is-focused:not(:active),.button.is-white:focus:not(:active){box-shadow:0 0 0 .125em rgba(255,255,255,.25)}.button.is-white.is-active,.button.is-white:active{background-color:#f2f2f2;border-color:transparent;color:#0a0a0a}.button.is-white[disabled]{background-color:#fff;border-color:transparent;box-shadow:none}.button.is-white.is-inverted{background-color:#0a0a0a;color:#fff}.button.is-white.is-inverted:hover{background-color:#000}.button.is-white.is-inverted[disabled]{background-color:#0a0a0a;border-color:transparent;box-shadow:none;color:#fff}.button.is-white.is-loading::after{border-color:transparent transparent #0a0a0a #0a0a0a!important}.button.is-white.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-white.is-outlined:focus,.button.is-white.is-outlined:hover{background-color:#fff;border-color:#fff;color:#0a0a0a}.button.is-white.is-outlined.is-loading::after{border-color:transparent transparent #fff #fff!important}.button.is-white.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-white.is-inverted.is-outlined{background-color:transparent;border-color:#0a0a0a;color:#0a0a0a}.button.is-white.is-inverted.is-outlined:focus,.button.is-white.is-inverted.is-outlined:hover{background-color:#0a0a0a;color:#fff}.button.is-white.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#0a0a0a;box-shadow:none;color:#0a0a0a}.button.is-black{background-color:#0a0a0a;border-color:transparent;color:#fff}.button.is-black.is-hovered,.button.is-black:hover{background-color:#040404;border-color:transparent;color:#fff}.button.is-black.is-focused,.button.is-black:focus{border-color:transparent;color:#fff}.button.is-black.is-focused:not(:active),.button.is-black:focus:not(:active){box-shadow:0 0 0 .125em rgba(10,10,10,.25)}.button.is-black.is-active,.button.is-black:active{background-color:#000;border-color:transparent;color:#fff}.button.is-black[disabled]{background-color:#0a0a0a;border-color:transparent;box-shadow:none}.button.is-black.is-inverted{background-color:#fff;color:#0a0a0a}.button.is-black.is-inverted:hover{background-color:#f2f2f2}.button.is-black.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#0a0a0a}.button.is-black.is-loading::after{border-color:transparent transparent #fff #fff!important}.button.is-black.is-outlined{background-color:transparent;border-color:#0a0a0a;color:#0a0a0a}.button.is-black.is-outlined:focus,.button.is-black.is-outlined:hover{background-color:#0a0a0a;border-color:#0a0a0a;color:#fff}.button.is-black.is-outlined.is-loading::after{border-color:transparent transparent #0a0a0a #0a0a0a!important}.button.is-black.is-outlined[disabled]{background-color:transparent;border-color:#0a0a0a;box-shadow:none;color:#0a0a0a}.button.is-black.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-black.is-inverted.is-outlined:focus,.button.is-black.is-inverted.is-outlined:hover{background-color:#fff;color:#0a0a0a}.button.is-black.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-light{background-color:#f5f5f5;border-color:transparent;color:#363636}.button.is-light.is-hovered,.button.is-light:hover{background-color:#eee;border-color:transparent;color:#363636}.button.is-light.is-focused,.button.is-light:focus{border-color:transparent;color:#363636}.button.is-light.is-focused:not(:active),.button.is-light:focus:not(:active){box-shadow:0 0 0 .125em rgba(245,245,245,.25)}.button.is-light.is-active,.button.is-light:active{background-color:#e8e8e8;border-color:transparent;color:#363636}.button.is-light[disabled]{background-color:#f5f5f5;border-color:transparent;box-shadow:none}.button.is-light.is-inverted{background-color:#363636;color:#f5f5f5}.button.is-light.is-inverted:hover{background-color:#292929}.button.is-light.is-inverted[disabled]{background-color:#363636;border-color:transparent;box-shadow:none;color:#f5f5f5}.button.is-light.is-loading::after{border-color:transparent transparent #363636 #363636!important}.button.is-light.is-outlined{background-color:transparent;border-color:#f5f5f5;color:#f5f5f5}.button.is-light.is-outlined:focus,.button.is-light.is-outlined:hover{background-color:#f5f5f5;border-color:#f5f5f5;color:#363636}.button.is-light.is-outlined.is-loading::after{border-color:transparent transparent #f5f5f5 #f5f5f5!important}.button.is-light.is-outlined[disabled]{background-color:transparent;border-color:#f5f5f5;box-shadow:none;color:#f5f5f5}.button.is-light.is-inverted.is-outlined{background-color:transparent;border-color:#363636;color:#363636}.button.is-light.is-inverted.is-outlined:focus,.button.is-light.is-inverted.is-outlined:hover{background-color:#363636;color:#f5f5f5}.button.is-light.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#363636;box-shadow:none;color:#363636}.button.is-dark{background-color:#363636;border-color:transparent;color:#f5f5f5}.button.is-dark.is-hovered,.button.is-dark:hover{background-color:#2f2f2f;border-color:transparent;color:#f5f5f5}.button.is-dark.is-focused,.button.is-dark:focus{border-color:transparent;color:#f5f5f5}.button.is-dark.is-focused:not(:active),.button.is-dark:focus:not(:active){box-shadow:0 0 0 .125em rgba(54,54,54,.25)}.button.is-dark.is-active,.button.is-dark:active{background-color:#292929;border-color:transparent;color:#f5f5f5}.button.is-dark[disabled]{background-color:#363636;border-color:transparent;box-shadow:none}.button.is-dark.is-inverted{background-color:#f5f5f5;color:#363636}.button.is-dark.is-inverted:hover{background-color:#e8e8e8}.button.is-dark.is-inverted[disabled]{background-color:#f5f5f5;border-color:transparent;box-shadow:none;color:#363636}.button.is-dark.is-loading::after{border-color:transparent transparent #f5f5f5 #f5f5f5!important}.button.is-dark.is-outlined{background-color:transparent;border-color:#363636;color:#363636}.button.is-dark.is-outlined:focus,.button.is-dark.is-outlined:hover{background-color:#363636;border-color:#363636;color:#f5f5f5}.button.is-dark.is-outlined.is-loading::after{border-color:transparent transparent #363636 #363636!important}.button.is-dark.is-outlined[disabled]{background-color:transparent;border-color:#363636;box-shadow:none;color:#363636}.button.is-dark.is-inverted.is-outlined{background-color:transparent;border-color:#f5f5f5;color:#f5f5f5}.button.is-dark.is-inverted.is-outlined:focus,.button.is-dark.is-inverted.is-outlined:hover{background-color:#f5f5f5;color:#363636}.button.is-dark.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#f5f5f5;box-shadow:none;color:#f5f5f5}.button.is-primary{background-color:#00d1b2;border-color:transparent;color:#fff}.button.is-primary.is-hovered,.button.is-primary:hover{background-color:#00c4a7;border-color:transparent;color:#fff}.button.is-primary.is-focused,.button.is-primary:focus{border-color:transparent;color:#fff}.button.is-primary.is-focused:not(:active),.button.is-primary:focus:not(:active){box-shadow:0 0 0 .125em rgba(0,209,178,.25)}.button.is-primary.is-active,.button.is-primary:active{background-color:#00b89c;border-color:transparent;color:#fff}.button.is-primary[disabled]{background-color:#00d1b2;border-color:transparent;box-shadow:none}.button.is-primary.is-inverted{background-color:#fff;color:#00d1b2}.button.is-primary.is-inverted:hover{background-color:#f2f2f2}.button.is-primary.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#00d1b2}.button.is-primary.is-loading::after{border-color:transparent transparent #fff #fff!important}.button.is-primary.is-outlined{background-color:transparent;border-color:#00d1b2;color:#00d1b2}.button.is-primary.is-outlined:focus,.button.is-primary.is-outlined:hover{background-color:#00d1b2;border-color:#00d1b2;color:#fff}.button.is-primary.is-outlined.is-loading::after{border-color:transparent transparent #00d1b2 #00d1b2!important}.button.is-primary.is-outlined[disabled]{background-color:transparent;border-color:#00d1b2;box-shadow:none;color:#00d1b2}.button.is-primary.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-primary.is-inverted.is-outlined:focus,.button.is-primary.is-inverted.is-outlined:hover{background-color:#fff;color:#00d1b2}.button.is-primary.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-link{background-color:#3273dc;border-color:transparent;color:#fff}.button.is-link.is-hovered,.button.is-link:hover{background-color:#276cda;border-color:transparent;color:#fff}.button.is-link.is-focused,.button.is-link:focus{border-color:transparent;color:#fff}.button.is-link.is-focused:not(:active),.button.is-link:focus:not(:active){box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.button.is-link.is-active,.button.is-link:active{background-color:#2366d1;border-color:transparent;color:#fff}.button.is-link[disabled]{background-color:#3273dc;border-color:transparent;box-shadow:none}.button.is-link.is-inverted{background-color:#fff;color:#3273dc}.button.is-link.is-inverted:hover{background-color:#f2f2f2}.button.is-link.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#3273dc}.button.is-link.is-loading::after{border-color:transparent transparent #fff #fff!important}.button.is-link.is-outlined{background-color:transparent;border-color:#3273dc;color:#3273dc}.button.is-link.is-outlined:focus,.button.is-link.is-outlined:hover{background-color:#3273dc;border-color:#3273dc;color:#fff}.button.is-link.is-outlined.is-loading::after{border-color:transparent transparent #3273dc #3273dc!important}.button.is-link.is-outlined[disabled]{background-color:transparent;border-color:#3273dc;box-shadow:none;color:#3273dc}.button.is-link.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-link.is-inverted.is-outlined:focus,.button.is-link.is-inverted.is-outlined:hover{background-color:#fff;color:#3273dc}.button.is-link.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-info{background-color:#209cee;border-color:transparent;color:#fff}.button.is-info.is-hovered,.button.is-info:hover{background-color:#1496ed;border-color:transparent;color:#fff}.button.is-info.is-focused,.button.is-info:focus{border-color:transparent;color:#fff}.button.is-info.is-focused:not(:active),.button.is-info:focus:not(:active){box-shadow:0 0 0 .125em rgba(32,156,238,.25)}.button.is-info.is-active,.button.is-info:active{background-color:#118fe4;border-color:transparent;color:#fff}.button.is-info[disabled]{background-color:#209cee;border-color:transparent;box-shadow:none}.button.is-info.is-inverted{background-color:#fff;color:#209cee}.button.is-info.is-inverted:hover{background-color:#f2f2f2}.button.is-info.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#209cee}.button.is-info.is-loading::after{border-color:transparent transparent #fff #fff!important}.button.is-info.is-outlined{background-color:transparent;border-color:#209cee;color:#209cee}.button.is-info.is-outlined:focus,.button.is-info.is-outlined:hover{background-color:#209cee;border-color:#209cee;color:#fff}.button.is-info.is-outlined.is-loading::after{border-color:transparent transparent #209cee #209cee!important}.button.is-info.is-outlined[disabled]{background-color:transparent;border-color:#209cee;box-shadow:none;color:#209cee}.button.is-info.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-info.is-inverted.is-outlined:focus,.button.is-info.is-inverted.is-outlined:hover{background-color:#fff;color:#209cee}.button.is-info.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-success{background-color:#23d160;border-color:transparent;color:#fff}.button.is-success.is-hovered,.button.is-success:hover{background-color:#22c65b;border-color:transparent;color:#fff}.button.is-success.is-focused,.button.is-success:focus{border-color:transparent;color:#fff}.button.is-success.is-focused:not(:active),.button.is-success:focus:not(:active){box-shadow:0 0 0 .125em rgba(35,209,96,.25)}.button.is-success.is-active,.button.is-success:active{background-color:#20bc56;border-color:transparent;color:#fff}.button.is-success[disabled]{background-color:#23d160;border-color:transparent;box-shadow:none}.button.is-success.is-inverted{background-color:#fff;color:#23d160}.button.is-success.is-inverted:hover{background-color:#f2f2f2}.button.is-success.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#23d160}.button.is-success.is-loading::after{border-color:transparent transparent #fff #fff!important}.button.is-success.is-outlined{background-color:transparent;border-color:#23d160;color:#23d160}.button.is-success.is-outlined:focus,.button.is-success.is-outlined:hover{background-color:#23d160;border-color:#23d160;color:#fff}.button.is-success.is-outlined.is-loading::after{border-color:transparent transparent #23d160 #23d160!important}.button.is-success.is-outlined[disabled]{background-color:transparent;border-color:#23d160;box-shadow:none;color:#23d160}.button.is-success.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-success.is-inverted.is-outlined:focus,.button.is-success.is-inverted.is-outlined:hover{background-color:#fff;color:#23d160}.button.is-success.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-warning{background-color:#ffdd57;border-color:transparent;color:rgba(0,0,0,.7)}.button.is-warning.is-hovered,.button.is-warning:hover{background-color:#ffdb4a;border-color:transparent;color:rgba(0,0,0,.7)}.button.is-warning.is-focused,.button.is-warning:focus{border-color:transparent;color:rgba(0,0,0,.7)}.button.is-warning.is-focused:not(:active),.button.is-warning:focus:not(:active){box-shadow:0 0 0 .125em rgba(255,221,87,.25)}.button.is-warning.is-active,.button.is-warning:active{background-color:#ffd83d;border-color:transparent;color:rgba(0,0,0,.7)}.button.is-warning[disabled]{background-color:#ffdd57;border-color:transparent;box-shadow:none}.button.is-warning.is-inverted{background-color:rgba(0,0,0,.7);color:#ffdd57}.button.is-warning.is-inverted:hover{background-color:rgba(0,0,0,.7)}.button.is-warning.is-inverted[disabled]{background-color:rgba(0,0,0,.7);border-color:transparent;box-shadow:none;color:#ffdd57}.button.is-warning.is-loading::after{border-color:transparent transparent rgba(0,0,0,.7) rgba(0,0,0,.7)!important}.button.is-warning.is-outlined{background-color:transparent;border-color:#ffdd57;color:#ffdd57}.button.is-warning.is-outlined:focus,.button.is-warning.is-outlined:hover{background-color:#ffdd57;border-color:#ffdd57;color:rgba(0,0,0,.7)}.button.is-warning.is-outlined.is-loading::after{border-color:transparent transparent #ffdd57 #ffdd57!important}.button.is-warning.is-outlined[disabled]{background-color:transparent;border-color:#ffdd57;box-shadow:none;color:#ffdd57}.button.is-warning.is-inverted.is-outlined{background-color:transparent;border-color:rgba(0,0,0,.7);color:rgba(0,0,0,.7)}.button.is-warning.is-inverted.is-outlined:focus,.button.is-warning.is-inverted.is-outlined:hover{background-color:rgba(0,0,0,.7);color:#ffdd57}.button.is-warning.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:rgba(0,0,0,.7);box-shadow:none;color:rgba(0,0,0,.7)}.button.is-danger{background-color:#ff3860;border-color:transparent;color:#fff}.button.is-danger.is-hovered,.button.is-danger:hover{background-color:#ff2b56;border-color:transparent;color:#fff}.button.is-danger.is-focused,.button.is-danger:focus{border-color:transparent;color:#fff}.button.is-danger.is-focused:not(:active),.button.is-danger:focus:not(:active){box-shadow:0 0 0 .125em rgba(255,56,96,.25)}.button.is-danger.is-active,.button.is-danger:active{background-color:#ff1f4b;border-color:transparent;color:#fff}.button.is-danger[disabled]{background-color:#ff3860;border-color:transparent;box-shadow:none}.button.is-danger.is-inverted{background-color:#fff;color:#ff3860}.button.is-danger.is-inverted:hover{background-color:#f2f2f2}.button.is-danger.is-inverted[disabled]{background-color:#fff;border-color:transparent;box-shadow:none;color:#ff3860}.button.is-danger.is-loading::after{border-color:transparent transparent #fff #fff!important}.button.is-danger.is-outlined{background-color:transparent;border-color:#ff3860;color:#ff3860}.button.is-danger.is-outlined:focus,.button.is-danger.is-outlined:hover{background-color:#ff3860;border-color:#ff3860;color:#fff}.button.is-danger.is-outlined.is-loading::after{border-color:transparent transparent #ff3860 #ff3860!important}.button.is-danger.is-outlined[disabled]{background-color:transparent;border-color:#ff3860;box-shadow:none;color:#ff3860}.button.is-danger.is-inverted.is-outlined{background-color:transparent;border-color:#fff;color:#fff}.button.is-danger.is-inverted.is-outlined:focus,.button.is-danger.is-inverted.is-outlined:hover{background-color:#fff;color:#ff3860}.button.is-danger.is-inverted.is-outlined[disabled]{background-color:transparent;border-color:#fff;box-shadow:none;color:#fff}.button.is-small{border-radius:2px;font-size:.75rem}.button.is-medium{font-size:1.25rem}.button.is-large{font-size:1.5rem}.button[disabled]{background-color:#fff;border-color:#dbdbdb;box-shadow:none;opacity:.5}.button.is-fullwidth{display:flex;width:100%}.button.is-loading{color:transparent!important;pointer-events:none}.button.is-loading::after{position:absolute;left:calc(50% - (1em / 2));top:calc(50% - (1em / 2));position:absolute!important}.button.is-static{background-color:#f5f5f5;border-color:#dbdbdb;color:#7a7a7a;box-shadow:none;pointer-events:none}.button.is-rounded{border-radius:290486px;padding-left:1em;padding-right:1em}.buttons{align-items:center;display:flex;flex-wrap:wrap;justify-content:flex-start}.buttons .button{margin-bottom:.5rem}.buttons .button:not(:last-child){margin-right:.5rem}.buttons:last-child{margin-bottom:-.5rem}.buttons:not(:last-child){margin-bottom:1rem}.buttons.has-addons .button:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.buttons.has-addons .button:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0;margin-right:-1px}.buttons.has-addons .button:last-child{margin-right:0}.buttons.has-addons .button.is-hovered,.buttons.has-addons .button:hover{z-index:2}.buttons.has-addons .button.is-active,.buttons.has-addons .button.is-focused,.buttons.has-addons .button.is-selected,.buttons.has-addons .button:active,.buttons.has-addons .button:focus{z-index:3}.buttons.has-addons .button.is-active:hover,.buttons.has-addons .button.is-focused:hover,.buttons.has-addons .button.is-selected:hover,.buttons.has-addons .button:active:hover,.buttons.has-addons .button:focus:hover{z-index:4}.buttons.has-addons .button.is-expanded{flex-grow:1}.buttons.is-centered{justify-content:center}.buttons.is-right{justify-content:flex-end}.container{margin:0 auto;position:relative}@media screen and (min-width:1088px){.container{max-width:960px;width:960px}.container.is-fluid{margin-left:64px;margin-right:64px;max-width:none;width:auto}}@media screen and (max-width:1279px){.container.is-widescreen{max-width:1152px;width:auto}}@media screen and (max-width:1471px){.container.is-fullhd{max-width:1344px;width:auto}}@media screen and (min-width:1280px){.container{max-width:1152px;width:1152px}}@media screen and (min-width:1472px){.container{max-width:1344px;width:1344px}}.content li+li{margin-top:.25em}.content blockquote:not(:last-child),.content dl:not(:last-child),.content ol:not(:last-child),.content p:not(:last-child),.content pre:not(:last-child),.content table:not(:last-child),.content ul:not(:last-child){margin-bottom:1em}.content h1,.content h2,.content h3,.content h4,.content h5,.content h6{color:#363636;font-weight:600;line-height:1.125}.content h1{font-size:2em;margin-bottom:.5em}.content h1:not(:first-child){margin-top:1em}.content h2{font-size:1.75em;margin-bottom:.5714em}.content h2:not(:first-child){margin-top:1.1428em}.content h3{font-size:1.5em;margin-bottom:.6666em}.content h3:not(:first-child){margin-top:1.3333em}.content h4{font-size:1.25em;margin-bottom:.8em}.content h5{font-size:1.125em;margin-bottom:.8888em}.content h6{font-size:1em;margin-bottom:1em}.content blockquote{background-color:#f5f5f5;border-left:5px solid #dbdbdb;padding:1.25em 1.5em}.content ol{list-style:decimal outside;margin-left:2em;margin-top:1em}.content ul{list-style:disc outside;margin-left:2em;margin-top:1em}.content ul ul{list-style-type:circle;margin-top:.5em}.content ul ul ul{list-style-type:square}.content dd{margin-left:2em}.content figure{margin-left:2em;margin-right:2em;text-align:center}.content figure:not(:first-child){margin-top:2em}.content figure:not(:last-child){margin-bottom:2em}.content figure img{display:inline-block}.content figure figcaption{font-style:italic}.content pre{-webkit-overflow-scrolling:touch;overflow-x:auto;padding:1.25em 1.5em;white-space:pre;word-wrap:normal}.content sub,.content sup{font-size:75%}.content table{width:100%}.content table td,.content table th{border:1px solid #dbdbdb;border-width:0 0 1px;padding:.5em .75em;vertical-align:top}.content table th{color:#363636;text-align:left}.content table thead td,.content table thead th{border-width:0 0 2px;color:#363636}.content table tfoot td,.content table tfoot th{border-width:2px 0 0;color:#363636}.content table tbody tr:last-child td,.content table tbody tr:last-child th{border-bottom-width:0}.content.is-small{font-size:.75rem}.content.is-medium{font-size:1.25rem}.content.is-large{font-size:1.5rem}.input,.textarea{background-color:#fff;border-color:#dbdbdb;color:#363636;box-shadow:inset 0 1px 2px rgba(10,10,10,.1);max-width:100%;width:100%}.input::-moz-placeholder,.textarea::-moz-placeholder{color:rgba(54,54,54,.3)}.input::-webkit-input-placeholder,.textarea::-webkit-input-placeholder{color:rgba(54,54,54,.3)}.input:-moz-placeholder,.textarea:-moz-placeholder{color:rgba(54,54,54,.3)}.input:-ms-input-placeholder,.textarea:-ms-input-placeholder{color:rgba(54,54,54,.3)}.input.is-hovered,.input:hover,.textarea.is-hovered,.textarea:hover{border-color:#b5b5b5}.input.is-active,.input.is-focused,.input:active,.input:focus,.textarea.is-active,.textarea.is-focused,.textarea:active,.textarea:focus{border-color:#3273dc;box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.input[disabled],.textarea[disabled]{background-color:#f5f5f5;border-color:#f5f5f5;box-shadow:none;color:#7a7a7a}.input[disabled]::-moz-placeholder,.textarea[disabled]::-moz-placeholder{color:rgba(122,122,122,.3)}.input[disabled]::-webkit-input-placeholder,.textarea[disabled]::-webkit-input-placeholder{color:rgba(122,122,122,.3)}.input[disabled]:-moz-placeholder,.textarea[disabled]:-moz-placeholder{color:rgba(122,122,122,.3)}.input[disabled]:-ms-input-placeholder,.textarea[disabled]:-ms-input-placeholder{color:rgba(122,122,122,.3)}.input[readonly],.textarea[readonly]{box-shadow:none}.input.is-white,.textarea.is-white{border-color:#fff}.input.is-white.is-active,.input.is-white.is-focused,.input.is-white:active,.input.is-white:focus,.textarea.is-white.is-active,.textarea.is-white.is-focused,.textarea.is-white:active,.textarea.is-white:focus{box-shadow:0 0 0 .125em rgba(255,255,255,.25)}.input.is-black,.textarea.is-black{border-color:#0a0a0a}.input.is-black.is-active,.input.is-black.is-focused,.input.is-black:active,.input.is-black:focus,.textarea.is-black.is-active,.textarea.is-black.is-focused,.textarea.is-black:active,.textarea.is-black:focus{box-shadow:0 0 0 .125em rgba(10,10,10,.25)}.input.is-light,.textarea.is-light{border-color:#f5f5f5}.input.is-light.is-active,.input.is-light.is-focused,.input.is-light:active,.input.is-light:focus,.textarea.is-light.is-active,.textarea.is-light.is-focused,.textarea.is-light:active,.textarea.is-light:focus{box-shadow:0 0 0 .125em rgba(245,245,245,.25)}.input.is-dark,.textarea.is-dark{border-color:#363636}.input.is-dark.is-active,.input.is-dark.is-focused,.input.is-dark:active,.input.is-dark:focus,.textarea.is-dark.is-active,.textarea.is-dark.is-focused,.textarea.is-dark:active,.textarea.is-dark:focus{box-shadow:0 0 0 .125em rgba(54,54,54,.25)}.input.is-primary,.textarea.is-primary{border-color:#00d1b2}.input.is-primary.is-active,.input.is-primary.is-focused,.input.is-primary:active,.input.is-primary:focus,.textarea.is-primary.is-active,.textarea.is-primary.is-focused,.textarea.is-primary:active,.textarea.is-primary:focus{box-shadow:0 0 0 .125em rgba(0,209,178,.25)}.input.is-link,.textarea.is-link{border-color:#3273dc}.input.is-link.is-active,.input.is-link.is-focused,.input.is-link:active,.input.is-link:focus,.textarea.is-link.is-active,.textarea.is-link.is-focused,.textarea.is-link:active,.textarea.is-link:focus{box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.input.is-info,.textarea.is-info{border-color:#209cee}.input.is-info.is-active,.input.is-info.is-focused,.input.is-info:active,.input.is-info:focus,.textarea.is-info.is-active,.textarea.is-info.is-focused,.textarea.is-info:active,.textarea.is-info:focus{box-shadow:0 0 0 .125em rgba(32,156,238,.25)}.input.is-success,.textarea.is-success{border-color:#23d160}.input.is-success.is-active,.input.is-success.is-focused,.input.is-success:active,.input.is-success:focus,.textarea.is-success.is-active,.textarea.is-success.is-focused,.textarea.is-success:active,.textarea.is-success:focus{box-shadow:0 0 0 .125em rgba(35,209,96,.25)}.input.is-warning,.textarea.is-warning{border-color:#ffdd57}.input.is-warning.is-active,.input.is-warning.is-focused,.input.is-warning:active,.input.is-warning:focus,.textarea.is-warning.is-active,.textarea.is-warning.is-focused,.textarea.is-warning:active,.textarea.is-warning:focus{box-shadow:0 0 0 .125em rgba(255,221,87,.25)}.input.is-danger,.textarea.is-danger{border-color:#ff3860}.input.is-danger.is-active,.input.is-danger.is-focused,.input.is-danger:active,.input.is-danger:focus,.textarea.is-danger.is-active,.textarea.is-danger.is-focused,.textarea.is-danger:active,.textarea.is-danger:focus{box-shadow:0 0 0 .125em rgba(255,56,96,.25)}.input.is-small,.textarea.is-small{border-radius:2px;font-size:.75rem}.input.is-medium,.textarea.is-medium{font-size:1.25rem}.input.is-large,.textarea.is-large{font-size:1.5rem}.input.is-fullwidth,.textarea.is-fullwidth{display:block;width:100%}.input.is-inline,.textarea.is-inline{display:inline;width:auto}.input.is-rounded{border-radius:290486px;padding-left:1em;padding-right:1em}.input.is-static{background-color:transparent;border-color:transparent;box-shadow:none;padding-left:0;padding-right:0}.textarea{display:block;max-width:100%;min-width:100%;padding:.625em;resize:vertical}.textarea:not([rows]){max-height:600px;min-height:120px}.textarea[rows]{height:initial}.textarea.has-fixed-size{resize:none}.checkbox,.radio{cursor:pointer;display:inline-block;line-height:1.25;position:relative}.checkbox input,.radio input{cursor:pointer}.checkbox:hover,.radio:hover{color:#363636}.checkbox[disabled],.radio[disabled]{color:#7a7a7a;cursor:not-allowed}.radio+.radio{margin-left:.5em}.select{display:inline-block;max-width:100%;position:relative;vertical-align:top}.select:not(.is-multiple){height:2.25em}.select:not(.is-multiple):not(.is-loading)::after{border-color:#3273dc;right:1.125em;z-index:4}.select.is-rounded select{border-radius:290486px;padding-left:1em}.select select{background-color:#fff;border-color:#dbdbdb;color:#363636;cursor:pointer;display:block;font-size:1em;max-width:100%;outline:0}.select select::-moz-placeholder{color:rgba(54,54,54,.3)}.select select::-webkit-input-placeholder{color:rgba(54,54,54,.3)}.select select:-moz-placeholder{color:rgba(54,54,54,.3)}.select select:-ms-input-placeholder{color:rgba(54,54,54,.3)}.select select.is-hovered,.select select:hover{border-color:#b5b5b5}.select select.is-active,.select select.is-focused,.select select:active,.select select:focus{border-color:#3273dc;box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.select select[disabled]{background-color:#f5f5f5;border-color:#f5f5f5;box-shadow:none;color:#7a7a7a}.select select[disabled]::-moz-placeholder{color:rgba(122,122,122,.3)}.select select[disabled]::-webkit-input-placeholder{color:rgba(122,122,122,.3)}.select select[disabled]:-moz-placeholder{color:rgba(122,122,122,.3)}.select select[disabled]:-ms-input-placeholder{color:rgba(122,122,122,.3)}.select select::-ms-expand{display:none}.select select[disabled]:hover{border-color:#f5f5f5}.select select:not([multiple]){padding-right:2.5em}.select select[multiple]{height:initial;padding:0}.select select[multiple] option{padding:.5em 1em}.select:not(.is-multiple):not(.is-loading):hover::after{border-color:#363636}.select.is-white:not(:hover)::after{border-color:#fff}.select.is-white select{border-color:#fff}.select.is-white select.is-hovered,.select.is-white select:hover{border-color:#f2f2f2}.select.is-white select.is-active,.select.is-white select.is-focused,.select.is-white select:active,.select.is-white select:focus{box-shadow:0 0 0 .125em rgba(255,255,255,.25)}.select.is-black:not(:hover)::after{border-color:#0a0a0a}.select.is-black select{border-color:#0a0a0a}.select.is-black select.is-hovered,.select.is-black select:hover{border-color:#000}.select.is-black select.is-active,.select.is-black select.is-focused,.select.is-black select:active,.select.is-black select:focus{box-shadow:0 0 0 .125em rgba(10,10,10,.25)}.select.is-light:not(:hover)::after{border-color:#f5f5f5}.select.is-light select{border-color:#f5f5f5}.select.is-light select.is-hovered,.select.is-light select:hover{border-color:#e8e8e8}.select.is-light select.is-active,.select.is-light select.is-focused,.select.is-light select:active,.select.is-light select:focus{box-shadow:0 0 0 .125em rgba(245,245,245,.25)}.select.is-dark:not(:hover)::after{border-color:#363636}.select.is-dark select{border-color:#363636}.select.is-dark select.is-hovered,.select.is-dark select:hover{border-color:#292929}.select.is-dark select.is-active,.select.is-dark select.is-focused,.select.is-dark select:active,.select.is-dark select:focus{box-shadow:0 0 0 .125em rgba(54,54,54,.25)}.select.is-primary:not(:hover)::after{border-color:#00d1b2}.select.is-primary select{border-color:#00d1b2}.select.is-primary select.is-hovered,.select.is-primary select:hover{border-color:#00b89c}.select.is-primary select.is-active,.select.is-primary select.is-focused,.select.is-primary select:active,.select.is-primary select:focus{box-shadow:0 0 0 .125em rgba(0,209,178,.25)}.select.is-link:not(:hover)::after{border-color:#3273dc}.select.is-link select{border-color:#3273dc}.select.is-link select.is-hovered,.select.is-link select:hover{border-color:#2366d1}.select.is-link select.is-active,.select.is-link select.is-focused,.select.is-link select:active,.select.is-link select:focus{box-shadow:0 0 0 .125em rgba(50,115,220,.25)}.select.is-info:not(:hover)::after{border-color:#209cee}.select.is-info select{border-color:#209cee}.select.is-info select.is-hovered,.select.is-info select:hover{border-color:#118fe4}.select.is-info select.is-active,.select.is-info select.is-focused,.select.is-info select:active,.select.is-info select:focus{box-shadow:0 0 0 .125em rgba(32,156,238,.25)}.select.is-success:not(:hover)::after{border-color:#23d160}.select.is-success select{border-color:#23d160}.select.is-success select.is-hovered,.select.is-success select:hover{border-color:#20bc56}.select.is-success select.is-active,.select.is-success select.is-focused,.select.is-success select:active,.select.is-success select:focus{box-shadow:0 0 0 .125em rgba(35,209,96,.25)}.select.is-warning:not(:hover)::after{border-color:#ffdd57}.select.is-warning select{border-color:#ffdd57}.select.is-warning select.is-hovered,.select.is-warning select:hover{border-color:#ffd83d}.select.is-warning select.is-active,.select.is-warning select.is-focused,.select.is-warning select:active,.select.is-warning select:focus{box-shadow:0 0 0 .125em rgba(255,221,87,.25)}.select.is-danger:not(:hover)::after{border-color:#ff3860}.select.is-danger select{border-color:#ff3860}.select.is-danger select.is-hovered,.select.is-danger select:hover{border-color:#ff1f4b}.select.is-danger select.is-active,.select.is-danger select.is-focused,.select.is-danger select:active,.select.is-danger select:focus{box-shadow:0 0 0 .125em rgba(255,56,96,.25)}.select.is-small{border-radius:2px;font-size:.75rem}.select.is-medium{font-size:1.25rem}.select.is-large{font-size:1.5rem}.select.is-disabled::after{border-color:#7a7a7a}.select.is-fullwidth{width:100%}.select.is-fullwidth select{width:100%}.select.is-loading::after{margin-top:0;position:absolute;right:.625em;top:.625em;-webkit-transform:none;transform:none}.select.is-loading.is-small:after{font-size:.75rem}.select.is-loading.is-medium:after{font-size:1.25rem}.select.is-loading.is-large:after{font-size:1.5rem}.file{align-items:stretch;display:flex;justify-content:flex-start;position:relative}.file.is-white .file-cta{background-color:#fff;border-color:transparent;color:#0a0a0a}.file.is-white.is-hovered .file-cta,.file.is-white:hover .file-cta{background-color:#f9f9f9;border-color:transparent;color:#0a0a0a}.file.is-white.is-focused .file-cta,.file.is-white:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(255,255,255,.25);color:#0a0a0a}.file.is-white.is-active .file-cta,.file.is-white:active .file-cta{background-color:#f2f2f2;border-color:transparent;color:#0a0a0a}.file.is-black .file-cta{background-color:#0a0a0a;border-color:transparent;color:#fff}.file.is-black.is-hovered .file-cta,.file.is-black:hover .file-cta{background-color:#040404;border-color:transparent;color:#fff}.file.is-black.is-focused .file-cta,.file.is-black:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(10,10,10,.25);color:#fff}.file.is-black.is-active .file-cta,.file.is-black:active .file-cta{background-color:#000;border-color:transparent;color:#fff}.file.is-light .file-cta{background-color:#f5f5f5;border-color:transparent;color:#363636}.file.is-light.is-hovered .file-cta,.file.is-light:hover .file-cta{background-color:#eee;border-color:transparent;color:#363636}.file.is-light.is-focused .file-cta,.file.is-light:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(245,245,245,.25);color:#363636}.file.is-light.is-active .file-cta,.file.is-light:active .file-cta{background-color:#e8e8e8;border-color:transparent;color:#363636}.file.is-dark .file-cta{background-color:#363636;border-color:transparent;color:#f5f5f5}.file.is-dark.is-hovered .file-cta,.file.is-dark:hover .file-cta{background-color:#2f2f2f;border-color:transparent;color:#f5f5f5}.file.is-dark.is-focused .file-cta,.file.is-dark:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(54,54,54,.25);color:#f5f5f5}.file.is-dark.is-active .file-cta,.file.is-dark:active .file-cta{background-color:#292929;border-color:transparent;color:#f5f5f5}.file.is-primary .file-cta{background-color:#00d1b2;border-color:transparent;color:#fff}.file.is-primary.is-hovered .file-cta,.file.is-primary:hover .file-cta{background-color:#00c4a7;border-color:transparent;color:#fff}.file.is-primary.is-focused .file-cta,.file.is-primary:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(0,209,178,.25);color:#fff}.file.is-primary.is-active .file-cta,.file.is-primary:active .file-cta{background-color:#00b89c;border-color:transparent;color:#fff}.file.is-link .file-cta{background-color:#3273dc;border-color:transparent;color:#fff}.file.is-link.is-hovered .file-cta,.file.is-link:hover .file-cta{background-color:#276cda;border-color:transparent;color:#fff}.file.is-link.is-focused .file-cta,.file.is-link:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(50,115,220,.25);color:#fff}.file.is-link.is-active .file-cta,.file.is-link:active .file-cta{background-color:#2366d1;border-color:transparent;color:#fff}.file.is-info .file-cta{background-color:#209cee;border-color:transparent;color:#fff}.file.is-info.is-hovered .file-cta,.file.is-info:hover .file-cta{background-color:#1496ed;border-color:transparent;color:#fff}.file.is-info.is-focused .file-cta,.file.is-info:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(32,156,238,.25);color:#fff}.file.is-info.is-active .file-cta,.file.is-info:active .file-cta{background-color:#118fe4;border-color:transparent;color:#fff}.file.is-success .file-cta{background-color:#23d160;border-color:transparent;color:#fff}.file.is-success.is-hovered .file-cta,.file.is-success:hover .file-cta{background-color:#22c65b;border-color:transparent;color:#fff}.file.is-success.is-focused .file-cta,.file.is-success:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(35,209,96,.25);color:#fff}.file.is-success.is-active .file-cta,.file.is-success:active .file-cta{background-color:#20bc56;border-color:transparent;color:#fff}.file.is-warning .file-cta{background-color:#ffdd57;border-color:transparent;color:rgba(0,0,0,.7)}.file.is-warning.is-hovered .file-cta,.file.is-warning:hover .file-cta{background-color:#ffdb4a;border-color:transparent;color:rgba(0,0,0,.7)}.file.is-warning.is-focused .file-cta,.file.is-warning:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(255,221,87,.25);color:rgba(0,0,0,.7)}.file.is-warning.is-active .file-cta,.file.is-warning:active .file-cta{background-color:#ffd83d;border-color:transparent;color:rgba(0,0,0,.7)}.file.is-danger .file-cta{background-color:#ff3860;border-color:transparent;color:#fff}.file.is-danger.is-hovered .file-cta,.file.is-danger:hover .file-cta{background-color:#ff2b56;border-color:transparent;color:#fff}.file.is-danger.is-focused .file-cta,.file.is-danger:focus .file-cta{border-color:transparent;box-shadow:0 0 .5em rgba(255,56,96,.25);color:#fff}.file.is-danger.is-active .file-cta,.file.is-danger:active .file-cta{background-color:#ff1f4b;border-color:transparent;color:#fff}.file.is-small{font-size:.75rem}.file.is-medium{font-size:1.25rem}.file.is-medium .file-icon .fa{font-size:21px}.file.is-large{font-size:1.5rem}.file.is-large .file-icon .fa{font-size:28px}.file.has-name .file-cta{border-bottom-right-radius:0;border-top-right-radius:0}.file.has-name .file-name{border-bottom-left-radius:0;border-top-left-radius:0}.file.has-name.is-empty .file-cta{border-radius:4px}.file.has-name.is-empty .file-name{display:none}.file.is-boxed .file-label{flex-direction:column}.file.is-boxed .file-cta{flex-direction:column;height:auto;padding:1em 3em}.file.is-boxed .file-name{border-width:0 1px 1px}.file.is-boxed .file-icon{height:1.5em;width:1.5em}.file.is-boxed .file-icon .fa{font-size:21px}.file.is-boxed.is-small .file-icon .fa{font-size:14px}.file.is-boxed.is-medium .file-icon .fa{font-size:28px}.file.is-boxed.is-large .file-icon .fa{font-size:35px}.file.is-boxed.has-name .file-cta{border-radius:4px 4px 0 0}.file.is-boxed.has-name .file-name{border-radius:0 0 4px 4px;border-width:0 1px 1px}.file.is-centered{justify-content:center}.file.is-fullwidth .file-label{width:100%}.file.is-fullwidth .file-name{flex-grow:1;max-width:none}.file.is-right{justify-content:flex-end}.file.is-right .file-cta{border-radius:0 4px 4px 0}.file.is-right .file-name{border-radius:4px 0 0 4px;border-width:1px 0 1px 1px;order:-1}.file-label{align-items:stretch;display:flex;cursor:pointer;justify-content:flex-start;overflow:hidden;position:relative}.file-label:hover .file-cta{background-color:#eee;color:#363636}.file-label:hover .file-name{border-color:#d5d5d5}.file-label:active .file-cta{background-color:#e8e8e8;color:#363636}.file-label:active .file-name{border-color:#cfcfcf}.file-input{height:.01em;left:0;outline:0;position:absolute;top:0;width:.01em}.file-cta,.file-name{border-color:#dbdbdb;border-radius:4px;font-size:1em;padding-left:1em;padding-right:1em;white-space:nowrap}.file-cta{background-color:#f5f5f5;color:#4a4a4a}.file-name{border-color:#dbdbdb;border-style:solid;border-width:1px 1px 1px 0;display:block;max-width:16em;overflow:hidden;text-align:left;text-overflow:ellipsis}.file-icon{align-items:center;display:flex;height:1em;justify-content:center;margin-right:.5em;width:1em}.file-icon .fa{font-size:14px}.label{color:#363636;display:block;font-size:1rem;font-weight:700}.label:not(:last-child){margin-bottom:.5em}.label.is-small{font-size:.75rem}.label.is-medium{font-size:1.25rem}.label.is-large{font-size:1.5rem}.help{display:block;font-size:.75rem;margin-top:.25rem}.help.is-white{color:#fff}.help.is-black{color:#0a0a0a}.help.is-light{color:#f5f5f5}.help.is-dark{color:#363636}.help.is-primary{color:#00d1b2}.help.is-link{color:#3273dc}.help.is-info{color:#209cee}.help.is-success{color:#23d160}.help.is-warning{color:#ffdd57}.help.is-danger{color:#ff3860}.field:not(:last-child){margin-bottom:.75rem}.field.has-addons{display:flex;justify-content:flex-start}.field.has-addons .control:not(:last-child){margin-right:-1px}.field.has-addons .control:not(:first-child):not(:last-child) .button,.field.has-addons .control:not(:first-child):not(:last-child) .input,.field.has-addons .control:not(:first-child):not(:last-child) .select select{border-radius:0}.field.has-addons .control:first-child .button,.field.has-addons .control:first-child .input,.field.has-addons .control:first-child .select select{border-bottom-right-radius:0;border-top-right-radius:0}.field.has-addons .control:last-child .button,.field.has-addons .control:last-child .input,.field.has-addons .control:last-child .select select{border-bottom-left-radius:0;border-top-left-radius:0}.field.has-addons .control .button.is-hovered,.field.has-addons .control .button:hover,.field.has-addons .control .input.is-hovered,.field.has-addons .control .input:hover,.field.has-addons .control .select select.is-hovered,.field.has-addons .control .select select:hover{z-index:2}.field.has-addons .control .button.is-active,.field.has-addons .control .button.is-focused,.field.has-addons .control .button:active,.field.has-addons .control .button:focus,.field.has-addons .control .input.is-active,.field.has-addons .control .input.is-focused,.field.has-addons .control .input:active,.field.has-addons .control .input:focus,.field.has-addons .control .select select.is-active,.field.has-addons .control .select select.is-focused,.field.has-addons .control .select select:active,.field.has-addons .control .select select:focus{z-index:3}.field.has-addons .control .button.is-active:hover,.field.has-addons .control .button.is-focused:hover,.field.has-addons .control .button:active:hover,.field.has-addons .control .button:focus:hover,.field.has-addons .control .input.is-active:hover,.field.has-addons .control .input.is-focused:hover,.field.has-addons .control .input:active:hover,.field.has-addons .control .input:focus:hover,.field.has-addons .control .select select.is-active:hover,.field.has-addons .control .select select.is-focused:hover,.field.has-addons .control .select select:active:hover,.field.has-addons .control .select select:focus:hover{z-index:4}.field.has-addons .control.is-expanded{flex-grow:1}.field.has-addons.has-addons-centered{justify-content:center}.field.has-addons.has-addons-right{justify-content:flex-end}.field.has-addons.has-addons-fullwidth .control{flex-grow:1;flex-shrink:0}.field.is-grouped{display:flex;justify-content:flex-start}.field.is-grouped>.control{flex-shrink:0}.field.is-grouped>.control:not(:last-child){margin-bottom:0;margin-right:.75rem}.field.is-grouped>.control.is-expanded{flex-grow:1;flex-shrink:1}.field.is-grouped.is-grouped-centered{justify-content:center}.field.is-grouped.is-grouped-right{justify-content:flex-end}.field.is-grouped.is-grouped-multiline{flex-wrap:wrap}.field.is-grouped.is-grouped-multiline>.control:last-child,.field.is-grouped.is-grouped-multiline>.control:not(:last-child){margin-bottom:.75rem}.field.is-grouped.is-grouped-multiline:last-child{margin-bottom:-.75rem}.field.is-grouped.is-grouped-multiline:not(:last-child){margin-bottom:0}@media screen and (min-width:769px),print{.field.is-horizontal{display:flex}}.field-label .label{font-size:inherit}@media screen and (max-width:768px){.field-label{margin-bottom:.5rem}}@media screen and (min-width:769px),print{.field-label{flex-basis:0;flex-grow:1;flex-shrink:0;margin-right:1.5rem;text-align:right}.field-label.is-small{font-size:.75rem;padding-top:.375em}.field-label.is-normal{padding-top:.375em}.field-label.is-medium{font-size:1.25rem;padding-top:.375em}.field-label.is-large{font-size:1.5rem;padding-top:.375em}}.field-body .field .field{margin-bottom:0}@media screen and (min-width:769px),print{.field-body{display:flex;flex-basis:0;flex-grow:5;flex-shrink:1}.field-body .field{margin-bottom:0}.field-body>.field{flex-shrink:1}.field-body>.field:not(.is-narrow){flex-grow:1}.field-body>.field:not(:last-child){margin-right:.75rem}}.control{font-size:1rem;position:relative;text-align:left}.control.has-icon .icon{color:#dbdbdb;height:2.25em;pointer-events:none;position:absolute;top:0;width:2.25em;z-index:4}.control.has-icon .input:focus+.icon{color:#7a7a7a}.control.has-icon .input.is-small+.icon{font-size:.75rem}.control.has-icon .input.is-medium+.icon{font-size:1.25rem}.control.has-icon .input.is-large+.icon{font-size:1.5rem}.control.has-icon:not(.has-icon-right) .icon{left:0}.control.has-icon:not(.has-icon-right) .input{padding-left:2.25em}.control.has-icon.has-icon-right .icon{right:0}.control.has-icon.has-icon-right .input{padding-right:2.25em}.control.has-icons-left .input:focus~.icon,.control.has-icons-left .select:focus~.icon,.control.has-icons-right .input:focus~.icon,.control.has-icons-right .select:focus~.icon{color:#7a7a7a}.control.has-icons-left .input.is-small~.icon,.control.has-icons-left .select.is-small~.icon,.control.has-icons-right .input.is-small~.icon,.control.has-icons-right .select.is-small~.icon{font-size:.75rem}.control.has-icons-left .input.is-medium~.icon,.control.has-icons-left .select.is-medium~.icon,.control.has-icons-right .input.is-medium~.icon,.control.has-icons-right .select.is-medium~.icon{font-size:1.25rem}.control.has-icons-left .input.is-large~.icon,.control.has-icons-left .select.is-large~.icon,.control.has-icons-right .input.is-large~.icon,.control.has-icons-right .select.is-large~.icon{font-size:1.5rem}.control.has-icons-left .icon,.control.has-icons-right .icon{color:#dbdbdb;height:2.25em;pointer-events:none;position:absolute;top:0;width:2.25em;z-index:4}.control.has-icons-left .input,.control.has-icons-left .select select{padding-left:2.25em}.control.has-icons-left .icon.is-left{left:0}.control.has-icons-right .input,.control.has-icons-right .select select{padding-right:2.25em}.control.has-icons-right .icon.is-right{right:0}.control.is-loading::after{position:absolute!important;right:.625em;top:.625em;z-index:4}.control.is-loading.is-small:after{font-size:.75rem}.control.is-loading.is-medium:after{font-size:1.25rem}.control.is-loading.is-large:after{font-size:1.5rem}.icon{align-items:center;display:inline-flex;justify-content:center;height:1.5rem;width:1.5rem}.icon.is-small{height:1rem;width:1rem}.icon.is-medium{height:2rem;width:2rem}.icon.is-large{height:3rem;width:3rem}.image{display:block;position:relative}.image img{display:block;height:auto;width:100%}.image img.is-rounded{border-radius:290486px}.image.is-16by9 img,.image.is-1by1 img,.image.is-1by2 img,.image.is-1by3 img,.image.is-2by1 img,.image.is-2by3 img,.image.is-3by1 img,.image.is-3by2 img,.image.is-3by4 img,.image.is-3by5 img,.image.is-4by3 img,.image.is-4by5 img,.image.is-5by3 img,.image.is-5by4 img,.image.is-9by16 img,.image.is-square img{height:100%;width:100%}.image.is-1by1,.image.is-square{padding-top:100%}.image.is-5by4{padding-top:80%}.image.is-4by3{padding-top:75%}.image.is-3by2{padding-top:66.6666%}.image.is-5by3{padding-top:60%}.image.is-16by9{padding-top:56.25%}.image.is-2by1{padding-top:50%}.image.is-3by1{padding-top:33.3333%}.image.is-4by5{padding-top:125%}.image.is-3by4{padding-top:133.3333%}.image.is-2by3{padding-top:150%}.image.is-3by5{padding-top:166.6666%}.image.is-9by16{padding-top:177.7777%}.image.is-1by2{padding-top:200%}.image.is-1by3{padding-top:300%}.image.is-16x16{height:16px;width:16px}.image.is-24x24{height:24px;width:24px}.image.is-32x32{height:32px;width:32px}.image.is-48x48{height:48px;width:48px}.image.is-64x64{height:64px;width:64px}.image.is-96x96{height:96px;width:96px}.image.is-128x128{height:128px;width:128px}.notification{background-color:#f5f5f5;border-radius:4px;padding:1.25rem 2.5rem 1.25rem 1.5rem;position:relative}.notification a:not(.button){color:currentColor;text-decoration:underline}.notification strong{color:currentColor}.notification code,.notification pre{background:#fff}.notification pre code{background:0 0}.notification>.delete{position:absolute;right:.5rem;top:.5rem}.notification .content,.notification .subtitle,.notification .title{color:currentColor}.notification.is-white{background-color:#fff;color:#0a0a0a}.notification.is-black{background-color:#0a0a0a;color:#fff}.notification.is-light{background-color:#f5f5f5;color:#363636}.notification.is-dark{background-color:#363636;color:#f5f5f5}.notification.is-primary{background-color:#00d1b2;color:#fff}.notification.is-link{background-color:#3273dc;color:#fff}.notification.is-info{background-color:#209cee;color:#fff}.notification.is-success{background-color:#23d160;color:#fff}.notification.is-warning{background-color:#ffdd57;color:rgba(0,0,0,.7)}.notification.is-danger{background-color:#ff3860;color:#fff}.progress{-moz-appearance:none;-webkit-appearance:none;border:none;border-radius:290486px;display:block;height:1rem;overflow:hidden;padding:0;width:100%}.progress::-webkit-progress-bar{background-color:#dbdbdb}.progress::-webkit-progress-value{background-color:#4a4a4a}.progress::-moz-progress-bar{background-color:#4a4a4a}.progress::-ms-fill{background-color:#4a4a4a;border:none}.progress.is-white::-webkit-progress-value{background-color:#fff}.progress.is-white::-moz-progress-bar{background-color:#fff}.progress.is-white::-ms-fill{background-color:#fff}.progress.is-black::-webkit-progress-value{background-color:#0a0a0a}.progress.is-black::-moz-progress-bar{background-color:#0a0a0a}.progress.is-black::-ms-fill{background-color:#0a0a0a}.progress.is-light::-webkit-progress-value{background-color:#f5f5f5}.progress.is-light::-moz-progress-bar{background-color:#f5f5f5}.progress.is-light::-ms-fill{background-color:#f5f5f5}.progress.is-dark::-webkit-progress-value{background-color:#363636}.progress.is-dark::-moz-progress-bar{background-color:#363636}.progress.is-dark::-ms-fill{background-color:#363636}.progress.is-primary::-webkit-progress-value{background-color:#00d1b2}.progress.is-primary::-moz-progress-bar{background-color:#00d1b2}.progress.is-primary::-ms-fill{background-color:#00d1b2}.progress.is-link::-webkit-progress-value{background-color:#3273dc}.progress.is-link::-moz-progress-bar{background-color:#3273dc}.progress.is-link::-ms-fill{background-color:#3273dc}.progress.is-info::-webkit-progress-value{background-color:#209cee}.progress.is-info::-moz-progress-bar{background-color:#209cee}.progress.is-info::-ms-fill{background-color:#209cee}.progress.is-success::-webkit-progress-value{background-color:#23d160}.progress.is-success::-moz-progress-bar{background-color:#23d160}.progress.is-success::-ms-fill{background-color:#23d160}.progress.is-warning::-webkit-progress-value{background-color:#ffdd57}.progress.is-warning::-moz-progress-bar{background-color:#ffdd57}.progress.is-warning::-ms-fill{background-color:#ffdd57}.progress.is-danger::-webkit-progress-value{background-color:#ff3860}.progress.is-danger::-moz-progress-bar{background-color:#ff3860}.progress.is-danger::-ms-fill{background-color:#ff3860}.progress.is-small{height:.75rem}.progress.is-medium{height:1.25rem}.progress.is-large{height:1.5rem}.table{background-color:#fff;color:#363636}.table td,.table th{border:1px solid #dbdbdb;border-width:0 0 1px;padding:.5em .75em;vertical-align:top}.table td.is-white,.table th.is-white{background-color:#fff;border-color:#fff;color:#0a0a0a}.table td.is-black,.table th.is-black{background-color:#0a0a0a;border-color:#0a0a0a;color:#fff}.table td.is-light,.table th.is-light{background-color:#f5f5f5;border-color:#f5f5f5;color:#363636}.table td.is-dark,.table th.is-dark{background-color:#363636;border-color:#363636;color:#f5f5f5}.table td.is-primary,.table th.is-primary{background-color:#00d1b2;border-color:#00d1b2;color:#fff}.table td.is-link,.table th.is-link{background-color:#3273dc;border-color:#3273dc;color:#fff}.table td.is-info,.table th.is-info{background-color:#209cee;border-color:#209cee;color:#fff}.table td.is-success,.table th.is-success{background-color:#23d160;border-color:#23d160;color:#fff}.table td.is-warning,.table th.is-warning{background-color:#ffdd57;border-color:#ffdd57;color:rgba(0,0,0,.7)}.table td.is-danger,.table th.is-danger{background-color:#ff3860;border-color:#ff3860;color:#fff}.table td.is-narrow,.table th.is-narrow{white-space:nowrap;width:1%}.table td.is-selected,.table th.is-selected{background-color:#00d1b2;color:#fff}.table td.is-selected a,.table td.is-selected strong,.table th.is-selected a,.table th.is-selected strong{color:currentColor}.table th{color:#363636;text-align:left}.table tr.is-selected{background-color:#00d1b2;color:#fff}.table tr.is-selected a,.table tr.is-selected strong{color:currentColor}.table tr.is-selected td,.table tr.is-selected th{border-color:#fff;color:currentColor}.table thead td,.table thead th{border-width:0 0 2px;color:#363636}.table tfoot td,.table tfoot th{border-width:2px 0 0;color:#363636}.table tbody tr:last-child td,.table tbody tr:last-child th{border-bottom-width:0}.table.is-bordered td,.table.is-bordered th{border-width:1px}.table.is-bordered tr:last-child td,.table.is-bordered tr:last-child th{border-bottom-width:1px}.table.is-fullwidth{width:100%}.table.is-hoverable tbody tr:not(.is-selected):hover{background-color:#fafafa}.table.is-hoverable.is-striped tbody tr:not(.is-selected):hover{background-color:#f5f5f5}.table.is-narrow td,.table.is-narrow th{padding:.25em .5em}.table.is-striped tbody tr:not(.is-selected):nth-child(even){background-color:#fafafa}.table-container{-webkit-overflow-scrolling:touch;overflow:auto;overflow-y:hidden;max-width:100%}.tags{align-items:center;display:flex;flex-wrap:wrap;justify-content:flex-start}.tags .tag{margin-bottom:.5rem}.tags .tag:not(:last-child){margin-right:.5rem}.tags:last-child{margin-bottom:-.5rem}.tags:not(:last-child){margin-bottom:1rem}.tags.has-addons .tag{margin-right:0}.tags.has-addons .tag:not(:first-child){border-bottom-left-radius:0;border-top-left-radius:0}.tags.has-addons .tag:not(:last-child){border-bottom-right-radius:0;border-top-right-radius:0}.tags.is-centered{justify-content:center}.tags.is-centered .tag{margin-right:.25rem;margin-left:.25rem}.tags.is-right{justify-content:flex-end}.tags.is-right .tag:not(:first-child){margin-left:.5rem}.tags.is-right .tag:not(:last-child){margin-right:0}.tag:not(body){align-items:center;background-color:#f5f5f5;border-radius:4px;color:#4a4a4a;display:inline-flex;font-size:.75rem;height:2em;justify-content:center;line-height:1.5;padding-left:.75em;padding-right:.75em;white-space:nowrap}.tag:not(body) .delete{margin-left:.25rem;margin-right:-.375rem}.tag:not(body).is-white{background-color:#fff;color:#0a0a0a}.tag:not(body).is-black{background-color:#0a0a0a;color:#fff}.tag:not(body).is-light{background-color:#f5f5f5;color:#363636}.tag:not(body).is-dark{background-color:#363636;color:#f5f5f5}.tag:not(body).is-primary{background-color:#00d1b2;color:#fff}.tag:not(body).is-link{background-color:#3273dc;color:#fff}.tag:not(body).is-info{background-color:#209cee;color:#fff}.tag:not(body).is-success{background-color:#23d160;color:#fff}.tag:not(body).is-warning{background-color:#ffdd57;color:rgba(0,0,0,.7)}.tag:not(body).is-danger{background-color:#ff3860;color:#fff}.tag:not(body).is-medium{font-size:1rem}.tag:not(body).is-large{font-size:1.25rem}.tag:not(body) .icon:first-child:not(:last-child){margin-left:-.375em;margin-right:.1875em}.tag:not(body) .icon:last-child:not(:first-child){margin-left:.1875em;margin-right:-.375em}.tag:not(body) .icon:first-child:last-child{margin-left:-.375em;margin-right:-.375em}.tag:not(body).is-delete{margin-left:1px;padding:0;position:relative;width:2em}.tag:not(body).is-delete::after,.tag:not(body).is-delete::before{background-color:currentColor;content:"";display:block;left:50%;position:absolute;top:50%;-webkit-transform:translateX(-50%) translateY(-50%) rotate(45deg);transform:translateX(-50%) translateY(-50%) rotate(45deg);-webkit-transform-origin:center center;transform-origin:center center}.tag:not(body).is-delete::before{height:1px;width:50%}.tag:not(body).is-delete::after{height:50%;width:1px}.tag:not(body).is-delete:focus,.tag:not(body).is-delete:hover{background-color:#e8e8e8}.tag:not(body).is-delete:active{background-color:#dbdbdb}.tag:not(body).is-rounded{border-radius:290486px}a.tag:hover{text-decoration:underline}.subtitle,.title{word-break:break-word}.subtitle em,.subtitle span,.title em,.title span{font-weight:inherit}.subtitle sub,.title sub{font-size:.75em}.subtitle sup,.title sup{font-size:.75em}.subtitle .tag,.title .tag{vertical-align:middle}.title{color:#363636;font-size:2rem;font-weight:600;line-height:1.125}.title strong{color:inherit;font-weight:inherit}.title+.highlight{margin-top:-.75rem}.title:not(.is-spaced)+.subtitle{margin-top:-1.25rem}.title.is-1{font-size:3rem}.title.is-2{font-size:2.5rem}.title.is-3{font-size:2rem}.title.is-4{font-size:1.5rem}.title.is-5{font-size:1.25rem}.title.is-6{font-size:1rem}.title.is-7{font-size:.75rem}.subtitle{color:#4a4a4a;font-size:1.25rem;font-weight:400;line-height:1.25}.subtitle strong{color:#363636;font-weight:600}.subtitle:not(.is-spaced)+.title{margin-top:-1.25rem}.subtitle.is-1{font-size:3rem}.subtitle.is-2{font-size:2.5rem}.subtitle.is-3{font-size:2rem}.subtitle.is-4{font-size:1.5rem}.subtitle.is-5{font-size:1.25rem}.subtitle.is-6{font-size:1rem}.subtitle.is-7{font-size:.75rem}.heading{display:block;font-size:11px;letter-spacing:1px;margin-bottom:5px;text-transform:uppercase}.highlight{font-weight:400;max-width:100%;overflow:hidden;padding:0}.highlight pre{overflow:auto;max-width:100%}.number{align-items:center;background-color:#f5f5f5;border-radius:290486px;display:inline-flex;font-size:1.25rem;height:2em;justify-content:center;margin-right:1.5rem;min-width:2.5em;padding:.25rem .5rem;text-align:center;vertical-align:top}.breadcrumb{font-size:1rem;white-space:nowrap}.breadcrumb a{align-items:center;color:#3273dc;display:flex;justify-content:center;padding:0 .75em}.breadcrumb a:hover{color:#363636}.breadcrumb li{align-items:center;display:flex}.breadcrumb li:first-child a{padding-left:0}.breadcrumb li.is-active a{color:#363636;cursor:default;pointer-events:none}.breadcrumb li+li::before{color:#b5b5b5;content:"\0002f"}.breadcrumb ol,.breadcrumb ul{align-items:flex-start;display:flex;flex-wrap:wrap;justify-content:flex-start}.breadcrumb .icon:first-child{margin-right:.5em}.breadcrumb .icon:last-child{margin-left:.5em}.breadcrumb.is-centered ol,.breadcrumb.is-centered ul{justify-content:center}.breadcrumb.is-right ol,.breadcrumb.is-right ul{justify-content:flex-end}.breadcrumb.is-small{font-size:.75rem}.breadcrumb.is-medium{font-size:1.25rem}.breadcrumb.is-large{font-size:1.5rem}.breadcrumb.has-arrow-separator li+li::before{content:"\02192"}.breadcrumb.has-bullet-separator li+li::before{content:"\02022"}.breadcrumb.has-dot-separator li+li::before{content:"\000b7"}.breadcrumb.has-succeeds-separator li+li::before{content:"\0227B"}.card{background-color:#fff;box-shadow:0 2px 3px rgba(10,10,10,.1),0 0 0 1px rgba(10,10,10,.1);color:#4a4a4a;max-width:100%;position:relative}.card-header{background-color:none;align-items:stretch;box-shadow:0 1px 2px rgba(10,10,10,.1);display:flex}.card-header-title{align-items:center;color:#363636;display:flex;flex-grow:1;font-weight:700;padding:.75rem}.card-header-title.is-centered{justify-content:center}.card-header-icon{align-items:center;cursor:pointer;display:flex;justify-content:center;padding:.75rem}.card-image{display:block;position:relative}.card-content{background-color:none;padding:1.5rem}.card-footer{background-color:none;border-top:1px solid #dbdbdb;align-items:stretch;display:flex}.card-footer-item{align-items:center;display:flex;flex-basis:0;flex-grow:1;flex-shrink:0;justify-content:center;padding:.75rem}.card-footer-item:not(:last-child){border-right:1px solid #dbdbdb}.card .media:not(:last-child){margin-bottom:.75rem}.dropdown{display:inline-flex;position:relative;vertical-align:top}.dropdown.is-active .dropdown-menu,.dropdown.is-hoverable:hover .dropdown-menu{display:block}.dropdown.is-right .dropdown-menu{left:auto;right:0}.dropdown.is-up .dropdown-menu{bottom:100%;padding-bottom:4px;padding-top:initial;top:auto}.dropdown-menu{display:none;left:0;min-width:12rem;padding-top:4px;position:absolute;top:100%;z-index:20}.dropdown-content{background-color:#fff;border-radius:4px;box-shadow:0 2px 3px rgba(10,10,10,.1),0 0 0 1px rgba(10,10,10,.1);padding-bottom:.5rem;padding-top:.5rem}.dropdown-item{color:#4a4a4a;display:block;font-size:.875rem;line-height:1.5;padding:.375rem 1rem;position:relative}a.dropdown-item{padding-right:3rem;white-space:nowrap}a.dropdown-item:hover{background-color:#f5f5f5;color:#0a0a0a}a.dropdown-item.is-active{background-color:#3273dc;color:#fff}.dropdown-divider{background-color:#dbdbdb;border:none;display:block;height:1px;margin:.5rem 0}.level{align-items:center;justify-content:space-between}.level code{border-radius:4px}.level img{display:inline-block;vertical-align:top}.level.is-mobile{display:flex}.level.is-mobile .level-left,.level.is-mobile .level-right{display:flex}.level.is-mobile .level-left+.level-right{margin-top:0}.level.is-mobile .level-item{margin-right:.75rem}.level.is-mobile .level-item:not(:last-child){margin-bottom:0}.level.is-mobile .level-item:not(.is-narrow){flex-grow:1}@media screen and (min-width:769px),print{.level{display:flex}.level>.level-item:not(.is-narrow){flex-grow:1}}.level-item{align-items:center;display:flex;flex-basis:auto;flex-grow:0;flex-shrink:0;justify-content:center}.level-item .subtitle,.level-item .title{margin-bottom:0}@media screen and (max-width:768px){.level-item:not(:last-child){margin-bottom:.75rem}}.level-left,.level-right{flex-basis:auto;flex-grow:0;flex-shrink:0}.level-left .level-item.is-flexible,.level-right .level-item.is-flexible{flex-grow:1}@media screen and (min-width:769px),print{.level-left .level-item:not(:last-child),.level-right .level-item:not(:last-child){margin-right:.75rem}}.level-left{align-items:center;justify-content:flex-start}@media screen and (max-width:768px){.level-left+.level-right{margin-top:1.5rem}}@media screen and (min-width:769px),print{.level-left{display:flex}}.level-right{align-items:center;justify-content:flex-end}@media screen and (min-width:769px),print{.level-right{display:flex}}.media{align-items:flex-start;display:flex;text-align:left}.media .content:not(:last-child){margin-bottom:.75rem}.media .media{border-top:1px solid rgba(219,219,219,.5);display:flex;padding-top:.75rem}.media .media .content:not(:last-child),.media .media .control:not(:last-child){margin-bottom:.5rem}.media .media .media{padding-top:.5rem}.media .media .media+.media{margin-top:.5rem}.media+.media{border-top:1px solid rgba(219,219,219,.5);margin-top:1rem;padding-top:1rem}.media.is-large+.media{margin-top:1.5rem;padding-top:1.5rem}.media-left,.media-right{flex-basis:auto;flex-grow:0;flex-shrink:0}.media-left{margin-right:1rem}.media-right{margin-left:1rem}.media-content{flex-basis:auto;flex-grow:1;flex-shrink:1;text-align:left}.menu{font-size:1rem}.menu.is-small{font-size:.75rem}.menu.is-medium{font-size:1.25rem}.menu.is-large{font-size:1.5rem}.menu-list{line-height:1.25}.menu-list a{border-radius:2px;color:#4a4a4a;display:block;padding:.5em .75em}.menu-list a:hover{background-color:#f5f5f5;color:#363636}.menu-list a.is-active{background-color:#3273dc;color:#fff}.menu-list li ul{border-left:1px solid #dbdbdb;margin:.75em;padding-left:.75em}.menu-label{color:#7a7a7a;font-size:.75em;letter-spacing:.1em;text-transform:uppercase}.menu-label:not(:first-child){margin-top:1em}.menu-label:not(:last-child){margin-bottom:1em}.message{background-color:#f5f5f5;border-radius:4px;font-size:1rem}.message strong{color:currentColor}.message a:not(.button):not(.tag){color:currentColor;text-decoration:underline}.message.is-small{font-size:.75rem}.message.is-medium{font-size:1.25rem}.message.is-large{font-size:1.5rem}.message.is-white{background-color:#fff}.message.is-white .message-header{background-color:#fff;color:#0a0a0a}.message.is-white .message-body{border-color:#fff;color:#4d4d4d}.message.is-black{background-color:#fafafa}.message.is-black .message-header{background-color:#0a0a0a;color:#fff}.message.is-black .message-body{border-color:#0a0a0a;color:#090909}.message.is-light{background-color:#fafafa}.message.is-light .message-header{background-color:#f5f5f5;color:#363636}.message.is-light .message-body{border-color:#f5f5f5;color:#505050}.message.is-dark{background-color:#fafafa}.message.is-dark .message-header{background-color:#363636;color:#f5f5f5}.message.is-dark .message-body{border-color:#363636;color:#2a2a2a}.message.is-primary{background-color:#f5fffd}.message.is-primary .message-header{background-color:#00d1b2;color:#fff}.message.is-primary .message-body{border-color:#00d1b2;color:#021310}.message.is-link{background-color:#f6f9fe}.message.is-link .message-header{background-color:#3273dc;color:#fff}.message.is-link .message-body{border-color:#3273dc;color:#22509a}.message.is-info{background-color:#f6fbfe}.message.is-info .message-header{background-color:#209cee;color:#fff}.message.is-info .message-body{border-color:#209cee;color:#12537e}.message.is-success{background-color:#f6fef9}.message.is-success .message-header{background-color:#23d160;color:#fff}.message.is-success .message-body{border-color:#23d160;color:#0e301a}.message.is-warning{background-color:#fffdf5}.message.is-warning .message-header{background-color:#ffdd57;color:rgba(0,0,0,.7)}.message.is-warning .message-body{border-color:#ffdd57;color:#3b3108}.message.is-danger{background-color:#fff5f7}.message.is-danger .message-header{background-color:#ff3860;color:#fff}.message.is-danger .message-body{border-color:#ff3860;color:#cd0930}.message-header{align-items:center;background-color:#4a4a4a;border-radius:4px 4px 0 0;color:#fff;display:flex;font-weight:700;justify-content:space-between;line-height:1.25;padding:.75em 1em;position:relative}.message-header .delete{flex-grow:0;flex-shrink:0;margin-left:.75em}.message-header+.message-body{border-width:0;border-top-left-radius:0;border-top-right-radius:0}.message-body{border-color:#dbdbdb;border-radius:4px;border-style:solid;border-width:0 0 0 4px;color:#4a4a4a;padding:1.25em 1.5em}.message-body code,.message-body pre{background-color:#fff}.message-body pre code{background-color:transparent}.modal{align-items:center;display:none;justify-content:center;overflow:hidden;position:fixed;z-index:40}.modal.is-active{display:flex}.modal-background{background-color:rgba(10,10,10,.86)}.modal-card,.modal-content{margin:0 20px;max-height:calc(100vh - 160px);overflow:auto;position:relative;width:100%}@media screen and (min-width:769px),print{.modal-card,.modal-content{margin:0 auto;max-height:calc(100vh - 40px);width:640px}}.modal-close{background:0 0;height:40px;position:fixed;right:20px;top:20px;width:40px}.modal-card{display:flex;flex-direction:column;max-height:calc(100vh - 40px);overflow:hidden}.modal-card-foot,.modal-card-head{align-items:center;background-color:#f5f5f5;display:flex;flex-shrink:0;justify-content:flex-start;padding:20px;position:relative}.modal-card-head{border-bottom:1px solid #dbdbdb;border-top-left-radius:6px;border-top-right-radius:6px}.modal-card-title{color:#363636;flex-grow:1;flex-shrink:0;font-size:1.5rem;line-height:1}.modal-card-foot{border-bottom-left-radius:6px;border-bottom-right-radius:6px;border-top:1px solid #dbdbdb}.modal-card-foot .button:not(:last-child){margin-right:10px}.modal-card-body{-webkit-overflow-scrolling:touch;background-color:#fff;flex-grow:1;flex-shrink:1;overflow:auto;padding:20px}.navbar{background-color:#fff;min-height:3.25rem;position:relative;z-index:30}.navbar.is-white{background-color:#fff;color:#0a0a0a}.navbar.is-white .navbar-brand .navbar-link,.navbar.is-white .navbar-brand>.navbar-item{color:#0a0a0a}.navbar.is-white .navbar-brand .navbar-link.is-active,.navbar.is-white .navbar-brand .navbar-link:hover,.navbar.is-white .navbar-brand>a.navbar-item.is-active,.navbar.is-white .navbar-brand>a.navbar-item:hover{background-color:#f2f2f2;color:#0a0a0a}.navbar.is-white .navbar-brand .navbar-link::after{border-color:#0a0a0a}@media screen and (min-width:1088px){.navbar.is-white .navbar-end .navbar-link,.navbar.is-white .navbar-end>.navbar-item,.navbar.is-white .navbar-start .navbar-link,.navbar.is-white .navbar-start>.navbar-item{color:#0a0a0a}.navbar.is-white .navbar-end .navbar-link.is-active,.navbar.is-white .navbar-end .navbar-link:hover,.navbar.is-white .navbar-end>a.navbar-item.is-active,.navbar.is-white .navbar-end>a.navbar-item:hover,.navbar.is-white .navbar-start .navbar-link.is-active,.navbar.is-white .navbar-start .navbar-link:hover,.navbar.is-white .navbar-start>a.navbar-item.is-active,.navbar.is-white .navbar-start>a.navbar-item:hover{background-color:#f2f2f2;color:#0a0a0a}.navbar.is-white .navbar-end .navbar-link::after,.navbar.is-white .navbar-start .navbar-link::after{border-color:#0a0a0a}.navbar.is-white .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-white .navbar-item.has-dropdown:hover .navbar-link{background-color:#f2f2f2;color:#0a0a0a}.navbar.is-white .navbar-dropdown a.navbar-item.is-active{background-color:#fff;color:#0a0a0a}}.navbar.is-black{background-color:#0a0a0a;color:#fff}.navbar.is-black .navbar-brand .navbar-link,.navbar.is-black .navbar-brand>.navbar-item{color:#fff}.navbar.is-black .navbar-brand .navbar-link.is-active,.navbar.is-black .navbar-brand .navbar-link:hover,.navbar.is-black .navbar-brand>a.navbar-item.is-active,.navbar.is-black .navbar-brand>a.navbar-item:hover{background-color:#000;color:#fff}.navbar.is-black .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-black .navbar-end .navbar-link,.navbar.is-black .navbar-end>.navbar-item,.navbar.is-black .navbar-start .navbar-link,.navbar.is-black .navbar-start>.navbar-item{color:#fff}.navbar.is-black .navbar-end .navbar-link.is-active,.navbar.is-black .navbar-end .navbar-link:hover,.navbar.is-black .navbar-end>a.navbar-item.is-active,.navbar.is-black .navbar-end>a.navbar-item:hover,.navbar.is-black .navbar-start .navbar-link.is-active,.navbar.is-black .navbar-start .navbar-link:hover,.navbar.is-black .navbar-start>a.navbar-item.is-active,.navbar.is-black .navbar-start>a.navbar-item:hover{background-color:#000;color:#fff}.navbar.is-black .navbar-end .navbar-link::after,.navbar.is-black .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-black .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-black .navbar-item.has-dropdown:hover .navbar-link{background-color:#000;color:#fff}.navbar.is-black .navbar-dropdown a.navbar-item.is-active{background-color:#0a0a0a;color:#fff}}.navbar.is-light{background-color:#f5f5f5;color:#363636}.navbar.is-light .navbar-brand .navbar-link,.navbar.is-light .navbar-brand>.navbar-item{color:#363636}.navbar.is-light .navbar-brand .navbar-link.is-active,.navbar.is-light .navbar-brand .navbar-link:hover,.navbar.is-light .navbar-brand>a.navbar-item.is-active,.navbar.is-light .navbar-brand>a.navbar-item:hover{background-color:#e8e8e8;color:#363636}.navbar.is-light .navbar-brand .navbar-link::after{border-color:#363636}@media screen and (min-width:1088px){.navbar.is-light .navbar-end .navbar-link,.navbar.is-light .navbar-end>.navbar-item,.navbar.is-light .navbar-start .navbar-link,.navbar.is-light .navbar-start>.navbar-item{color:#363636}.navbar.is-light .navbar-end .navbar-link.is-active,.navbar.is-light .navbar-end .navbar-link:hover,.navbar.is-light .navbar-end>a.navbar-item.is-active,.navbar.is-light .navbar-end>a.navbar-item:hover,.navbar.is-light .navbar-start .navbar-link.is-active,.navbar.is-light .navbar-start .navbar-link:hover,.navbar.is-light .navbar-start>a.navbar-item.is-active,.navbar.is-light .navbar-start>a.navbar-item:hover{background-color:#e8e8e8;color:#363636}.navbar.is-light .navbar-end .navbar-link::after,.navbar.is-light .navbar-start .navbar-link::after{border-color:#363636}.navbar.is-light .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-light .navbar-item.has-dropdown:hover .navbar-link{background-color:#e8e8e8;color:#363636}.navbar.is-light .navbar-dropdown a.navbar-item.is-active{background-color:#f5f5f5;color:#363636}}.navbar.is-dark{background-color:#363636;color:#f5f5f5}.navbar.is-dark .navbar-brand .navbar-link,.navbar.is-dark .navbar-brand>.navbar-item{color:#f5f5f5}.navbar.is-dark .navbar-brand .navbar-link.is-active,.navbar.is-dark .navbar-brand .navbar-link:hover,.navbar.is-dark .navbar-brand>a.navbar-item.is-active,.navbar.is-dark .navbar-brand>a.navbar-item:hover{background-color:#292929;color:#f5f5f5}.navbar.is-dark .navbar-brand .navbar-link::after{border-color:#f5f5f5}@media screen and (min-width:1088px){.navbar.is-dark .navbar-end .navbar-link,.navbar.is-dark .navbar-end>.navbar-item,.navbar.is-dark .navbar-start .navbar-link,.navbar.is-dark .navbar-start>.navbar-item{color:#f5f5f5}.navbar.is-dark .navbar-end .navbar-link.is-active,.navbar.is-dark .navbar-end .navbar-link:hover,.navbar.is-dark .navbar-end>a.navbar-item.is-active,.navbar.is-dark .navbar-end>a.navbar-item:hover,.navbar.is-dark .navbar-start .navbar-link.is-active,.navbar.is-dark .navbar-start .navbar-link:hover,.navbar.is-dark .navbar-start>a.navbar-item.is-active,.navbar.is-dark .navbar-start>a.navbar-item:hover{background-color:#292929;color:#f5f5f5}.navbar.is-dark .navbar-end .navbar-link::after,.navbar.is-dark .navbar-start .navbar-link::after{border-color:#f5f5f5}.navbar.is-dark .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-dark .navbar-item.has-dropdown:hover .navbar-link{background-color:#292929;color:#f5f5f5}.navbar.is-dark .navbar-dropdown a.navbar-item.is-active{background-color:#363636;color:#f5f5f5}}.navbar.is-primary{background-color:#00d1b2;color:#fff}.navbar.is-primary .navbar-brand .navbar-link,.navbar.is-primary .navbar-brand>.navbar-item{color:#fff}.navbar.is-primary .navbar-brand .navbar-link.is-active,.navbar.is-primary .navbar-brand .navbar-link:hover,.navbar.is-primary .navbar-brand>a.navbar-item.is-active,.navbar.is-primary .navbar-brand>a.navbar-item:hover{background-color:#00b89c;color:#fff}.navbar.is-primary .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-primary .navbar-end .navbar-link,.navbar.is-primary .navbar-end>.navbar-item,.navbar.is-primary .navbar-start .navbar-link,.navbar.is-primary .navbar-start>.navbar-item{color:#fff}.navbar.is-primary .navbar-end .navbar-link.is-active,.navbar.is-primary .navbar-end .navbar-link:hover,.navbar.is-primary .navbar-end>a.navbar-item.is-active,.navbar.is-primary .navbar-end>a.navbar-item:hover,.navbar.is-primary .navbar-start .navbar-link.is-active,.navbar.is-primary .navbar-start .navbar-link:hover,.navbar.is-primary .navbar-start>a.navbar-item.is-active,.navbar.is-primary .navbar-start>a.navbar-item:hover{background-color:#00b89c;color:#fff}.navbar.is-primary .navbar-end .navbar-link::after,.navbar.is-primary .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-primary .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-primary .navbar-item.has-dropdown:hover .navbar-link{background-color:#00b89c;color:#fff}.navbar.is-primary .navbar-dropdown a.navbar-item.is-active{background-color:#00d1b2;color:#fff}}.navbar.is-link{background-color:#3273dc;color:#fff}.navbar.is-link .navbar-brand .navbar-link,.navbar.is-link .navbar-brand>.navbar-item{color:#fff}.navbar.is-link .navbar-brand .navbar-link.is-active,.navbar.is-link .navbar-brand .navbar-link:hover,.navbar.is-link .navbar-brand>a.navbar-item.is-active,.navbar.is-link .navbar-brand>a.navbar-item:hover{background-color:#2366d1;color:#fff}.navbar.is-link .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-link .navbar-end .navbar-link,.navbar.is-link .navbar-end>.navbar-item,.navbar.is-link .navbar-start .navbar-link,.navbar.is-link .navbar-start>.navbar-item{color:#fff}.navbar.is-link .navbar-end .navbar-link.is-active,.navbar.is-link .navbar-end .navbar-link:hover,.navbar.is-link .navbar-end>a.navbar-item.is-active,.navbar.is-link .navbar-end>a.navbar-item:hover,.navbar.is-link .navbar-start .navbar-link.is-active,.navbar.is-link .navbar-start .navbar-link:hover,.navbar.is-link .navbar-start>a.navbar-item.is-active,.navbar.is-link .navbar-start>a.navbar-item:hover{background-color:#2366d1;color:#fff}.navbar.is-link .navbar-end .navbar-link::after,.navbar.is-link .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-link .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-link .navbar-item.has-dropdown:hover .navbar-link{background-color:#2366d1;color:#fff}.navbar.is-link .navbar-dropdown a.navbar-item.is-active{background-color:#3273dc;color:#fff}}.navbar.is-info{background-color:#209cee;color:#fff}.navbar.is-info .navbar-brand .navbar-link,.navbar.is-info .navbar-brand>.navbar-item{color:#fff}.navbar.is-info .navbar-brand .navbar-link.is-active,.navbar.is-info .navbar-brand .navbar-link:hover,.navbar.is-info .navbar-brand>a.navbar-item.is-active,.navbar.is-info .navbar-brand>a.navbar-item:hover{background-color:#118fe4;color:#fff}.navbar.is-info .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-info .navbar-end .navbar-link,.navbar.is-info .navbar-end>.navbar-item,.navbar.is-info .navbar-start .navbar-link,.navbar.is-info .navbar-start>.navbar-item{color:#fff}.navbar.is-info .navbar-end .navbar-link.is-active,.navbar.is-info .navbar-end .navbar-link:hover,.navbar.is-info .navbar-end>a.navbar-item.is-active,.navbar.is-info .navbar-end>a.navbar-item:hover,.navbar.is-info .navbar-start .navbar-link.is-active,.navbar.is-info .navbar-start .navbar-link:hover,.navbar.is-info .navbar-start>a.navbar-item.is-active,.navbar.is-info .navbar-start>a.navbar-item:hover{background-color:#118fe4;color:#fff}.navbar.is-info .navbar-end .navbar-link::after,.navbar.is-info .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-info .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-info .navbar-item.has-dropdown:hover .navbar-link{background-color:#118fe4;color:#fff}.navbar.is-info .navbar-dropdown a.navbar-item.is-active{background-color:#209cee;color:#fff}}.navbar.is-success{background-color:#23d160;color:#fff}.navbar.is-success .navbar-brand .navbar-link,.navbar.is-success .navbar-brand>.navbar-item{color:#fff}.navbar.is-success .navbar-brand .navbar-link.is-active,.navbar.is-success .navbar-brand .navbar-link:hover,.navbar.is-success .navbar-brand>a.navbar-item.is-active,.navbar.is-success .navbar-brand>a.navbar-item:hover{background-color:#20bc56;color:#fff}.navbar.is-success .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-success .navbar-end .navbar-link,.navbar.is-success .navbar-end>.navbar-item,.navbar.is-success .navbar-start .navbar-link,.navbar.is-success .navbar-start>.navbar-item{color:#fff}.navbar.is-success .navbar-end .navbar-link.is-active,.navbar.is-success .navbar-end .navbar-link:hover,.navbar.is-success .navbar-end>a.navbar-item.is-active,.navbar.is-success .navbar-end>a.navbar-item:hover,.navbar.is-success .navbar-start .navbar-link.is-active,.navbar.is-success .navbar-start .navbar-link:hover,.navbar.is-success .navbar-start>a.navbar-item.is-active,.navbar.is-success .navbar-start>a.navbar-item:hover{background-color:#20bc56;color:#fff}.navbar.is-success .navbar-end .navbar-link::after,.navbar.is-success .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-success .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-success .navbar-item.has-dropdown:hover .navbar-link{background-color:#20bc56;color:#fff}.navbar.is-success .navbar-dropdown a.navbar-item.is-active{background-color:#23d160;color:#fff}}.navbar.is-warning{background-color:#ffdd57;color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-brand .navbar-link,.navbar.is-warning .navbar-brand>.navbar-item{color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-brand .navbar-link.is-active,.navbar.is-warning .navbar-brand .navbar-link:hover,.navbar.is-warning .navbar-brand>a.navbar-item.is-active,.navbar.is-warning .navbar-brand>a.navbar-item:hover{background-color:#ffd83d;color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-brand .navbar-link::after{border-color:rgba(0,0,0,.7)}@media screen and (min-width:1088px){.navbar.is-warning .navbar-end .navbar-link,.navbar.is-warning .navbar-end>.navbar-item,.navbar.is-warning .navbar-start .navbar-link,.navbar.is-warning .navbar-start>.navbar-item{color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-end .navbar-link.is-active,.navbar.is-warning .navbar-end .navbar-link:hover,.navbar.is-warning .navbar-end>a.navbar-item.is-active,.navbar.is-warning .navbar-end>a.navbar-item:hover,.navbar.is-warning .navbar-start .navbar-link.is-active,.navbar.is-warning .navbar-start .navbar-link:hover,.navbar.is-warning .navbar-start>a.navbar-item.is-active,.navbar.is-warning .navbar-start>a.navbar-item:hover{background-color:#ffd83d;color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-end .navbar-link::after,.navbar.is-warning .navbar-start .navbar-link::after{border-color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-warning .navbar-item.has-dropdown:hover .navbar-link{background-color:#ffd83d;color:rgba(0,0,0,.7)}.navbar.is-warning .navbar-dropdown a.navbar-item.is-active{background-color:#ffdd57;color:rgba(0,0,0,.7)}}.navbar.is-danger{background-color:#ff3860;color:#fff}.navbar.is-danger .navbar-brand .navbar-link,.navbar.is-danger .navbar-brand>.navbar-item{color:#fff}.navbar.is-danger .navbar-brand .navbar-link.is-active,.navbar.is-danger .navbar-brand .navbar-link:hover,.navbar.is-danger .navbar-brand>a.navbar-item.is-active,.navbar.is-danger .navbar-brand>a.navbar-item:hover{background-color:#ff1f4b;color:#fff}.navbar.is-danger .navbar-brand .navbar-link::after{border-color:#fff}@media screen and (min-width:1088px){.navbar.is-danger .navbar-end .navbar-link,.navbar.is-danger .navbar-end>.navbar-item,.navbar.is-danger .navbar-start .navbar-link,.navbar.is-danger .navbar-start>.navbar-item{color:#fff}.navbar.is-danger .navbar-end .navbar-link.is-active,.navbar.is-danger .navbar-end .navbar-link:hover,.navbar.is-danger .navbar-end>a.navbar-item.is-active,.navbar.is-danger .navbar-end>a.navbar-item:hover,.navbar.is-danger .navbar-start .navbar-link.is-active,.navbar.is-danger .navbar-start .navbar-link:hover,.navbar.is-danger .navbar-start>a.navbar-item.is-active,.navbar.is-danger .navbar-start>a.navbar-item:hover{background-color:#ff1f4b;color:#fff}.navbar.is-danger .navbar-end .navbar-link::after,.navbar.is-danger .navbar-start .navbar-link::after{border-color:#fff}.navbar.is-danger .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-danger .navbar-item.has-dropdown:hover .navbar-link{background-color:#ff1f4b;color:#fff}.navbar.is-danger .navbar-dropdown a.navbar-item.is-active{background-color:#ff3860;color:#fff}}.navbar>.container{align-items:stretch;display:flex;min-height:3.25rem;width:100%}.navbar.has-shadow{box-shadow:0 2px 0 0 #f5f5f5}.navbar.is-fixed-bottom,.navbar.is-fixed-top{left:0;position:fixed;right:0;z-index:30}.navbar.is-fixed-bottom{bottom:0}.navbar.is-fixed-bottom.has-shadow{box-shadow:0 -2px 0 0 #f5f5f5}.navbar.is-fixed-top{top:0}body.has-navbar-fixed-top,html.has-navbar-fixed-top{padding-top:3.25rem}body.has-navbar-fixed-bottom,html.has-navbar-fixed-bottom{padding-bottom:3.25rem}.navbar-brand,.navbar-tabs{align-items:stretch;display:flex;flex-shrink:0;min-height:3.25rem}.navbar-brand a.navbar-item:hover{background-color:transparent}.navbar-tabs{-webkit-overflow-scrolling:touch;max-width:100vw;overflow-x:auto;overflow-y:hidden}.navbar-burger{cursor:pointer;display:block;height:3.25rem;position:relative;width:3.25rem;margin-left:auto}.navbar-burger span{background-color:currentColor;display:block;height:1px;left:calc(50% - 8px);position:absolute;-webkit-transform-origin:center;transform-origin:center;transition-duration:86ms;transition-property:background-color,opacity,-webkit-transform;transition-property:background-color,opacity,transform;transition-property:background-color,opacity,transform,-webkit-transform;transition-timing-function:ease-out;width:16px}.navbar-burger span:nth-child(1){top:calc(50% - 6px)}.navbar-burger span:nth-child(2){top:calc(50% - 1px)}.navbar-burger span:nth-child(3){top:calc(50% + 4px)}.navbar-burger:hover{background-color:rgba(0,0,0,.05)}.navbar-burger.is-active span:nth-child(1){-webkit-transform:translateY(5px) rotate(45deg);transform:translateY(5px) rotate(45deg)}.navbar-burger.is-active span:nth-child(2){opacity:0}.navbar-burger.is-active span:nth-child(3){-webkit-transform:translateY(-5px) rotate(-45deg);transform:translateY(-5px) rotate(-45deg)}.navbar-menu{display:none}.navbar-item,.navbar-link{color:#4a4a4a;display:block;line-height:1.5;padding:.5rem .75rem;position:relative}.navbar-item .icon:only-child,.navbar-link .icon:only-child{margin-left:-.25rem;margin-right:-.25rem}.navbar-link,a.navbar-item{cursor:pointer}.navbar-link.is-active,.navbar-link:hover,a.navbar-item.is-active,a.navbar-item:hover{background-color:#fafafa;color:#3273dc}.navbar-item{display:block;flex-grow:0;flex-shrink:0}.navbar-item img{max-height:1.75rem}.navbar-item.has-dropdown{padding:0}.navbar-item.is-expanded{flex-grow:1;flex-shrink:1}.navbar-item.is-tab{border-bottom:1px solid transparent;min-height:3.25rem;padding-bottom:calc(.5rem - 1px)}.navbar-item.is-tab:hover{background-color:transparent;border-bottom-color:#3273dc}.navbar-item.is-tab.is-active{background-color:transparent;border-bottom-color:#3273dc;border-bottom-style:solid;border-bottom-width:3px;color:#3273dc;padding-bottom:calc(.5rem - 3px)}.navbar-content{flex-grow:1;flex-shrink:1}.navbar-link{padding-right:2.5em}.navbar-link::after{border-color:#3273dc;margin-top:-.375em;right:1.125em}.navbar-dropdown{font-size:.875rem;padding-bottom:.5rem;padding-top:.5rem}.navbar-dropdown .navbar-item{padding-left:1.5rem;padding-right:1.5rem}.navbar-divider{background-color:#f5f5f5;border:none;display:none;height:2px;margin:.5rem 0}@media screen and (max-width:1087px){.navbar>.container{display:block}.navbar-brand .navbar-item,.navbar-tabs .navbar-item{align-items:center;display:flex}.navbar-link::after{display:none}.navbar-menu{background-color:#fff;box-shadow:0 8px 16px rgba(10,10,10,.1);padding:.5rem 0}.navbar-menu.is-active{display:block}.navbar.is-fixed-bottom-touch,.navbar.is-fixed-top-touch{left:0;position:fixed;right:0;z-index:30}.navbar.is-fixed-bottom-touch{bottom:0}.navbar.is-fixed-bottom-touch.has-shadow{box-shadow:0 -2px 3px rgba(10,10,10,.1)}.navbar.is-fixed-top-touch{top:0}.navbar.is-fixed-top .navbar-menu,.navbar.is-fixed-top-touch .navbar-menu{-webkit-overflow-scrolling:touch;max-height:calc(100vh - 3.25rem);overflow:auto}body.has-navbar-fixed-top-touch,html.has-navbar-fixed-top-touch{padding-top:3.25rem}body.has-navbar-fixed-bottom-touch,html.has-navbar-fixed-bottom-touch{padding-bottom:3.25rem}}@media screen and (min-width:1088px){.navbar,.navbar-end,.navbar-menu,.navbar-start{align-items:stretch;display:flex}.navbar{min-height:3.25rem}.navbar.is-spaced{padding:1rem 2rem}.navbar.is-spaced .navbar-end,.navbar.is-spaced .navbar-start{align-items:center}.navbar.is-spaced .navbar-link,.navbar.is-spaced a.navbar-item{border-radius:4px}.navbar.is-transparent .navbar-link.is-active,.navbar.is-transparent .navbar-link:hover,.navbar.is-transparent a.navbar-item.is-active,.navbar.is-transparent a.navbar-item:hover{background-color:transparent!important}.navbar.is-transparent .navbar-item.has-dropdown.is-active .navbar-link,.navbar.is-transparent .navbar-item.has-dropdown.is-hoverable:hover .navbar-link{background-color:transparent!important}.navbar.is-transparent .navbar-dropdown a.navbar-item:hover{background-color:#f5f5f5;color:#0a0a0a}.navbar.is-transparent .navbar-dropdown a.navbar-item.is-active{background-color:#f5f5f5;color:#3273dc}.navbar-burger{display:none}.navbar-item,.navbar-link{align-items:center;display:flex}.navbar-item{display:flex}.navbar-item.has-dropdown{align-items:stretch}.navbar-item.has-dropdown-up .navbar-link::after{-webkit-transform:rotate(135deg) translate(.25em,-.25em);transform:rotate(135deg) translate(.25em,-.25em)}.navbar-item.has-dropdown-up .navbar-dropdown{border-bottom:2px solid #dbdbdb;border-radius:6px 6px 0 0;border-top:none;bottom:100%;box-shadow:0 -8px 8px rgba(10,10,10,.1);top:auto}.navbar-item.is-active .navbar-dropdown,.navbar-item.is-hoverable:hover .navbar-dropdown{display:block}.navbar-item.is-active .navbar-dropdown.is-boxed,.navbar-item.is-hoverable:hover .navbar-dropdown.is-boxed,.navbar.is-spaced .navbar-item.is-active .navbar-dropdown,.navbar.is-spaced .navbar-item.is-hoverable:hover .navbar-dropdown{opacity:1;pointer-events:auto;-webkit-transform:translateY(0);transform:translateY(0)}.navbar-menu{flex-grow:1;flex-shrink:0}.navbar-start{justify-content:flex-start;margin-right:auto}.navbar-end{justify-content:flex-end;margin-left:auto}.navbar-dropdown{background-color:#fff;border-bottom-left-radius:6px;border-bottom-right-radius:6px;border-top:2px solid #dbdbdb;box-shadow:0 8px 8px rgba(10,10,10,.1);display:none;font-size:.875rem;left:0;min-width:100%;position:absolute;top:100%;z-index:20}.navbar-dropdown .navbar-item{padding:.375rem 1rem;white-space:nowrap}.navbar-dropdown a.navbar-item{padding-right:3rem}.navbar-dropdown a.navbar-item:hover{background-color:#f5f5f5;color:#0a0a0a}.navbar-dropdown a.navbar-item.is-active{background-color:#f5f5f5;color:#3273dc}.navbar-dropdown.is-boxed,.navbar.is-spaced .navbar-dropdown{border-radius:6px;border-top:none;box-shadow:0 8px 8px rgba(10,10,10,.1),0 0 0 1px rgba(10,10,10,.1);display:block;opacity:0;pointer-events:none;top:calc(100% + (-4px));-webkit-transform:translateY(-5px);transform:translateY(-5px);transition-duration:86ms;transition-property:opacity,-webkit-transform;transition-property:opacity,transform;transition-property:opacity,transform,-webkit-transform}.navbar-dropdown.is-right{left:auto;right:0}.navbar-divider{display:block}.container>.navbar .navbar-brand,.navbar>.container .navbar-brand{margin-left:-1rem}.container>.navbar .navbar-menu,.navbar>.container .navbar-menu{margin-right:-1rem}.navbar.is-fixed-bottom-desktop,.navbar.is-fixed-top-desktop{left:0;position:fixed;right:0;z-index:30}.navbar.is-fixed-bottom-desktop{bottom:0}.navbar.is-fixed-bottom-desktop.has-shadow{box-shadow:0 -2px 3px rgba(10,10,10,.1)}.navbar.is-fixed-top-desktop{top:0}body.has-navbar-fixed-top-desktop,html.has-navbar-fixed-top-desktop{padding-top:3.25rem}body.has-navbar-fixed-bottom-desktop,html.has-navbar-fixed-bottom-desktop{padding-bottom:3.25rem}body.has-spaced-navbar-fixed-top,html.has-spaced-navbar-fixed-top{padding-top:5.25rem}body.has-spaced-navbar-fixed-bottom,html.has-spaced-navbar-fixed-bottom{padding-bottom:5.25rem}.navbar-link.is-active,a.navbar-item.is-active{color:#0a0a0a}.navbar-link.is-active:not(:hover),a.navbar-item.is-active:not(:hover){background-color:transparent}.navbar-item.has-dropdown.is-active .navbar-link,.navbar-item.has-dropdown:hover .navbar-link{background-color:#fafafa}}.pagination{font-size:1rem;margin:-.25rem}.pagination.is-small{font-size:.75rem}.pagination.is-medium{font-size:1.25rem}.pagination.is-large{font-size:1.5rem}.pagination.is-rounded .pagination-next,.pagination.is-rounded .pagination-previous{padding-left:1em;padding-right:1em;border-radius:290486px}.pagination.is-rounded .pagination-link{border-radius:290486px}.pagination,.pagination-list{align-items:center;display:flex;justify-content:center;text-align:center}.pagination-ellipsis,.pagination-link,.pagination-next,.pagination-previous{font-size:1em;padding-left:.5em;padding-right:.5em;justify-content:center;margin:.25rem;text-align:center}.pagination-link,.pagination-next,.pagination-previous{border-color:#dbdbdb;color:#363636;min-width:2.25em}.pagination-link:hover,.pagination-next:hover,.pagination-previous:hover{border-color:#b5b5b5;color:#363636}.pagination-link:focus,.pagination-next:focus,.pagination-previous:focus{border-color:#3273dc}.pagination-link:active,.pagination-next:active,.pagination-previous:active{box-shadow:inset 0 1px 2px rgba(10,10,10,.2)}.pagination-link[disabled],.pagination-next[disabled],.pagination-previous[disabled]{background-color:#dbdbdb;border-color:#dbdbdb;box-shadow:none;color:#7a7a7a;opacity:.5}.pagination-next,.pagination-previous{padding-left:.75em;padding-right:.75em;white-space:nowrap}.pagination-link.is-current{background-color:#3273dc;border-color:#3273dc;color:#fff}.pagination-ellipsis{color:#b5b5b5;pointer-events:none}.pagination-list{flex-wrap:wrap}@media screen and (max-width:768px){.pagination{flex-wrap:wrap}.pagination-next,.pagination-previous{flex-grow:1;flex-shrink:1}.pagination-list li{flex-grow:1;flex-shrink:1}}@media screen and (min-width:769px),print{.pagination-list{flex-grow:1;flex-shrink:1;justify-content:flex-start;order:1}.pagination-previous{order:2}.pagination-next{order:3}.pagination{justify-content:space-between}.pagination.is-centered .pagination-previous{order:1}.pagination.is-centered .pagination-list{justify-content:center;order:2}.pagination.is-centered .pagination-next{order:3}.pagination.is-right .pagination-previous{order:1}.pagination.is-right .pagination-next{order:2}.pagination.is-right .pagination-list{justify-content:flex-end;order:3}}.panel{font-size:1rem}.panel:not(:last-child){margin-bottom:1.5rem}.panel-block,.panel-heading,.panel-tabs{border-bottom:1px solid #dbdbdb;border-left:1px solid #dbdbdb;border-right:1px solid #dbdbdb}.panel-block:first-child,.panel-heading:first-child,.panel-tabs:first-child{border-top:1px solid #dbdbdb}.panel-heading{background-color:#f5f5f5;border-radius:4px 4px 0 0;color:#363636;font-size:1.25em;font-weight:300;line-height:1.25;padding:.5em .75em}.panel-tabs{align-items:flex-end;display:flex;font-size:.875em;justify-content:center}.panel-tabs a{border-bottom:1px solid #dbdbdb;margin-bottom:-1px;padding:.5em}.panel-tabs a.is-active{border-bottom-color:#4a4a4a;color:#363636}.panel-list a{color:#4a4a4a}.panel-list a:hover{color:#3273dc}.panel-block{align-items:center;color:#363636;display:flex;justify-content:flex-start;padding:.5em .75em}.panel-block input[type=checkbox]{margin-right:.75em}.panel-block>.control{flex-grow:1;flex-shrink:1;width:100%}.panel-block.is-wrapped{flex-wrap:wrap}.panel-block.is-active{border-left-color:#3273dc;color:#363636}.panel-block.is-active .panel-icon{color:#3273dc}a.panel-block,label.panel-block{cursor:pointer}a.panel-block:hover,label.panel-block:hover{background-color:#f5f5f5}.panel-icon{display:inline-block;font-size:14px;height:1em;line-height:1em;text-align:center;vertical-align:top;width:1em;color:#7a7a7a;margin-right:.75em}.panel-icon .fa{font-size:inherit;line-height:inherit}.tabs{-webkit-overflow-scrolling:touch;align-items:stretch;display:flex;font-size:1rem;justify-content:space-between;overflow:hidden;overflow-x:auto;white-space:nowrap}.tabs a{align-items:center;border-bottom-color:#dbdbdb;border-bottom-style:solid;border-bottom-width:1px;color:#4a4a4a;display:flex;justify-content:center;margin-bottom:-1px;padding:.5em 1em;vertical-align:top}.tabs a:hover{border-bottom-color:#363636;color:#363636}.tabs li{display:block}.tabs li.is-active a{border-bottom-color:#3273dc;color:#3273dc}.tabs ul{align-items:center;border-bottom-color:#dbdbdb;border-bottom-style:solid;border-bottom-width:1px;display:flex;flex-grow:1;flex-shrink:0;justify-content:flex-start}.tabs ul.is-left{padding-right:.75em}.tabs ul.is-center{flex:none;justify-content:center;padding-left:.75em;padding-right:.75em}.tabs ul.is-right{justify-content:flex-end;padding-left:.75em}.tabs .icon:first-child{margin-right:.5em}.tabs .icon:last-child{margin-left:.5em}.tabs.is-centered ul{justify-content:center}.tabs.is-right ul{justify-content:flex-end}.tabs.is-boxed a{border:1px solid transparent;border-radius:4px 4px 0 0}.tabs.is-boxed a:hover{background-color:#f5f5f5;border-bottom-color:#dbdbdb}.tabs.is-boxed li.is-active a{background-color:#fff;border-color:#dbdbdb;border-bottom-color:transparent!important}.tabs.is-fullwidth li{flex-grow:1;flex-shrink:0}.tabs.is-toggle a{border-color:#dbdbdb;border-style:solid;border-width:1px;margin-bottom:0;position:relative}.tabs.is-toggle a:hover{background-color:#f5f5f5;border-color:#b5b5b5;z-index:2}.tabs.is-toggle li+li{margin-left:-1px}.tabs.is-toggle li:first-child a{border-radius:4px 0 0 4px}.tabs.is-toggle li:last-child a{border-radius:0 4px 4px 0}.tabs.is-toggle li.is-active a{background-color:#3273dc;border-color:#3273dc;color:#fff;z-index:1}.tabs.is-toggle ul{border-bottom:none}.tabs.is-toggle.is-toggle-rounded li:first-child a{border-bottom-left-radius:290486px;border-top-left-radius:290486px;padding-left:1.25em}.tabs.is-toggle.is-toggle-rounded li:last-child a{border-bottom-right-radius:290486px;border-top-right-radius:290486px;padding-right:1.25em}.tabs.is-small{font-size:.75rem}.tabs.is-medium{font-size:1.25rem}.tabs.is-large{font-size:1.5rem}.column{display:block;flex-basis:0;flex-grow:1;flex-shrink:1;padding:.75rem}.columns.is-mobile>.column.is-narrow{flex:none}.columns.is-mobile>.column.is-full{flex:none;width:100%}.columns.is-mobile>.column.is-three-quarters{flex:none;width:75%}.columns.is-mobile>.column.is-two-thirds{flex:none;width:66.6666%}.columns.is-mobile>.column.is-half{flex:none;width:50%}.columns.is-mobile>.column.is-one-third{flex:none;width:33.3333%}.columns.is-mobile>.column.is-one-quarter{flex:none;width:25%}.columns.is-mobile>.column.is-one-fifth{flex:none;width:20%}.columns.is-mobile>.column.is-two-fifths{flex:none;width:40%}.columns.is-mobile>.column.is-three-fifths{flex:none;width:60%}.columns.is-mobile>.column.is-four-fifths{flex:none;width:80%}.columns.is-mobile>.column.is-offset-three-quarters{margin-left:75%}.columns.is-mobile>.column.is-offset-two-thirds{margin-left:66.6666%}.columns.is-mobile>.column.is-offset-half{margin-left:50%}.columns.is-mobile>.column.is-offset-one-third{margin-left:33.3333%}.columns.is-mobile>.column.is-offset-one-quarter{margin-left:25%}.columns.is-mobile>.column.is-offset-one-fifth{margin-left:20%}.columns.is-mobile>.column.is-offset-two-fifths{margin-left:40%}.columns.is-mobile>.column.is-offset-three-fifths{margin-left:60%}.columns.is-mobile>.column.is-offset-four-fifths{margin-left:80%}.columns.is-mobile>.column.is-1{flex:none;width:8.33333%}.columns.is-mobile>.column.is-offset-1{margin-left:8.33333%}.columns.is-mobile>.column.is-2{flex:none;width:16.66667%}.columns.is-mobile>.column.is-offset-2{margin-left:16.66667%}.columns.is-mobile>.column.is-3{flex:none;width:25%}.columns.is-mobile>.column.is-offset-3{margin-left:25%}.columns.is-mobile>.column.is-4{flex:none;width:33.33333%}.columns.is-mobile>.column.is-offset-4{margin-left:33.33333%}.columns.is-mobile>.column.is-5{flex:none;width:41.66667%}.columns.is-mobile>.column.is-offset-5{margin-left:41.66667%}.columns.is-mobile>.column.is-6{flex:none;width:50%}.columns.is-mobile>.column.is-offset-6{margin-left:50%}.columns.is-mobile>.column.is-7{flex:none;width:58.33333%}.columns.is-mobile>.column.is-offset-7{margin-left:58.33333%}.columns.is-mobile>.column.is-8{flex:none;width:66.66667%}.columns.is-mobile>.column.is-offset-8{margin-left:66.66667%}.columns.is-mobile>.column.is-9{flex:none;width:75%}.columns.is-mobile>.column.is-offset-9{margin-left:75%}.columns.is-mobile>.column.is-10{flex:none;width:83.33333%}.columns.is-mobile>.column.is-offset-10{margin-left:83.33333%}.columns.is-mobile>.column.is-11{flex:none;width:91.66667%}.columns.is-mobile>.column.is-offset-11{margin-left:91.66667%}.columns.is-mobile>.column.is-12{flex:none;width:100%}.columns.is-mobile>.column.is-offset-12{margin-left:100%}@media screen and (max-width:768px){.column.is-narrow-mobile{flex:none}.column.is-full-mobile{flex:none;width:100%}.column.is-three-quarters-mobile{flex:none;width:75%}.column.is-two-thirds-mobile{flex:none;width:66.6666%}.column.is-half-mobile{flex:none;width:50%}.column.is-one-third-mobile{flex:none;width:33.3333%}.column.is-one-quarter-mobile{flex:none;width:25%}.column.is-one-fifth-mobile{flex:none;width:20%}.column.is-two-fifths-mobile{flex:none;width:40%}.column.is-three-fifths-mobile{flex:none;width:60%}.column.is-four-fifths-mobile{flex:none;width:80%}.column.is-offset-three-quarters-mobile{margin-left:75%}.column.is-offset-two-thirds-mobile{margin-left:66.6666%}.column.is-offset-half-mobile{margin-left:50%}.column.is-offset-one-third-mobile{margin-left:33.3333%}.column.is-offset-one-quarter-mobile{margin-left:25%}.column.is-offset-one-fifth-mobile{margin-left:20%}.column.is-offset-two-fifths-mobile{margin-left:40%}.column.is-offset-three-fifths-mobile{margin-left:60%}.column.is-offset-four-fifths-mobile{margin-left:80%}.column.is-1-mobile{flex:none;width:8.33333%}.column.is-offset-1-mobile{margin-left:8.33333%}.column.is-2-mobile{flex:none;width:16.66667%}.column.is-offset-2-mobile{margin-left:16.66667%}.column.is-3-mobile{flex:none;width:25%}.column.is-offset-3-mobile{margin-left:25%}.column.is-4-mobile{flex:none;width:33.33333%}.column.is-offset-4-mobile{margin-left:33.33333%}.column.is-5-mobile{flex:none;width:41.66667%}.column.is-offset-5-mobile{margin-left:41.66667%}.column.is-6-mobile{flex:none;width:50%}.column.is-offset-6-mobile{margin-left:50%}.column.is-7-mobile{flex:none;width:58.33333%}.column.is-offset-7-mobile{margin-left:58.33333%}.column.is-8-mobile{flex:none;width:66.66667%}.column.is-offset-8-mobile{margin-left:66.66667%}.column.is-9-mobile{flex:none;width:75%}.column.is-offset-9-mobile{margin-left:75%}.column.is-10-mobile{flex:none;width:83.33333%}.column.is-offset-10-mobile{margin-left:83.33333%}.column.is-11-mobile{flex:none;width:91.66667%}.column.is-offset-11-mobile{margin-left:91.66667%}.column.is-12-mobile{flex:none;width:100%}.column.is-offset-12-mobile{margin-left:100%}}@media screen and (min-width:769px),print{.column.is-narrow,.column.is-narrow-tablet{flex:none}.column.is-full,.column.is-full-tablet{flex:none;width:100%}.column.is-three-quarters,.column.is-three-quarters-tablet{flex:none;width:75%}.column.is-two-thirds,.column.is-two-thirds-tablet{flex:none;width:66.6666%}.column.is-half,.column.is-half-tablet{flex:none;width:50%}.column.is-one-third,.column.is-one-third-tablet{flex:none;width:33.3333%}.column.is-one-quarter,.column.is-one-quarter-tablet{flex:none;width:25%}.column.is-one-fifth,.column.is-one-fifth-tablet{flex:none;width:20%}.column.is-two-fifths,.column.is-two-fifths-tablet{flex:none;width:40%}.column.is-three-fifths,.column.is-three-fifths-tablet{flex:none;width:60%}.column.is-four-fifths,.column.is-four-fifths-tablet{flex:none;width:80%}.column.is-offset-three-quarters,.column.is-offset-three-quarters-tablet{margin-left:75%}.column.is-offset-two-thirds,.column.is-offset-two-thirds-tablet{margin-left:66.6666%}.column.is-offset-half,.column.is-offset-half-tablet{margin-left:50%}.column.is-offset-one-third,.column.is-offset-one-third-tablet{margin-left:33.3333%}.column.is-offset-one-quarter,.column.is-offset-one-quarter-tablet{margin-left:25%}.column.is-offset-one-fifth,.column.is-offset-one-fifth-tablet{margin-left:20%}.column.is-offset-two-fifths,.column.is-offset-two-fifths-tablet{margin-left:40%}.column.is-offset-three-fifths,.column.is-offset-three-fifths-tablet{margin-left:60%}.column.is-offset-four-fifths,.column.is-offset-four-fifths-tablet{margin-left:80%}.column.is-1,.column.is-1-tablet{flex:none;width:8.33333%}.column.is-offset-1,.column.is-offset-1-tablet{margin-left:8.33333%}.column.is-2,.column.is-2-tablet{flex:none;width:16.66667%}.column.is-offset-2,.column.is-offset-2-tablet{margin-left:16.66667%}.column.is-3,.column.is-3-tablet{flex:none;width:25%}.column.is-offset-3,.column.is-offset-3-tablet{margin-left:25%}.column.is-4,.column.is-4-tablet{flex:none;width:33.33333%}.column.is-offset-4,.column.is-offset-4-tablet{margin-left:33.33333%}.column.is-5,.column.is-5-tablet{flex:none;width:41.66667%}.column.is-offset-5,.column.is-offset-5-tablet{margin-left:41.66667%}.column.is-6,.column.is-6-tablet{flex:none;width:50%}.column.is-offset-6,.column.is-offset-6-tablet{margin-left:50%}.column.is-7,.column.is-7-tablet{flex:none;width:58.33333%}.column.is-offset-7,.column.is-offset-7-tablet{margin-left:58.33333%}.column.is-8,.column.is-8-tablet{flex:none;width:66.66667%}.column.is-offset-8,.column.is-offset-8-tablet{margin-left:66.66667%}.column.is-9,.column.is-9-tablet{flex:none;width:75%}.column.is-offset-9,.column.is-offset-9-tablet{margin-left:75%}.column.is-10,.column.is-10-tablet{flex:none;width:83.33333%}.column.is-offset-10,.column.is-offset-10-tablet{margin-left:83.33333%}.column.is-11,.column.is-11-tablet{flex:none;width:91.66667%}.column.is-offset-11,.column.is-offset-11-tablet{margin-left:91.66667%}.column.is-12,.column.is-12-tablet{flex:none;width:100%}.column.is-offset-12,.column.is-offset-12-tablet{margin-left:100%}}@media screen and (max-width:1087px){.column.is-narrow-touch{flex:none}.column.is-full-touch{flex:none;width:100%}.column.is-three-quarters-touch{flex:none;width:75%}.column.is-two-thirds-touch{flex:none;width:66.6666%}.column.is-half-touch{flex:none;width:50%}.column.is-one-third-touch{flex:none;width:33.3333%}.column.is-one-quarter-touch{flex:none;width:25%}.column.is-one-fifth-touch{flex:none;width:20%}.column.is-two-fifths-touch{flex:none;width:40%}.column.is-three-fifths-touch{flex:none;width:60%}.column.is-four-fifths-touch{flex:none;width:80%}.column.is-offset-three-quarters-touch{margin-left:75%}.column.is-offset-two-thirds-touch{margin-left:66.6666%}.column.is-offset-half-touch{margin-left:50%}.column.is-offset-one-third-touch{margin-left:33.3333%}.column.is-offset-one-quarter-touch{margin-left:25%}.column.is-offset-one-fifth-touch{margin-left:20%}.column.is-offset-two-fifths-touch{margin-left:40%}.column.is-offset-three-fifths-touch{margin-left:60%}.column.is-offset-four-fifths-touch{margin-left:80%}.column.is-1-touch{flex:none;width:8.33333%}.column.is-offset-1-touch{margin-left:8.33333%}.column.is-2-touch{flex:none;width:16.66667%}.column.is-offset-2-touch{margin-left:16.66667%}.column.is-3-touch{flex:none;width:25%}.column.is-offset-3-touch{margin-left:25%}.column.is-4-touch{flex:none;width:33.33333%}.column.is-offset-4-touch{margin-left:33.33333%}.column.is-5-touch{flex:none;width:41.66667%}.column.is-offset-5-touch{margin-left:41.66667%}.column.is-6-touch{flex:none;width:50%}.column.is-offset-6-touch{margin-left:50%}.column.is-7-touch{flex:none;width:58.33333%}.column.is-offset-7-touch{margin-left:58.33333%}.column.is-8-touch{flex:none;width:66.66667%}.column.is-offset-8-touch{margin-left:66.66667%}.column.is-9-touch{flex:none;width:75%}.column.is-offset-9-touch{margin-left:75%}.column.is-10-touch{flex:none;width:83.33333%}.column.is-offset-10-touch{margin-left:83.33333%}.column.is-11-touch{flex:none;width:91.66667%}.column.is-offset-11-touch{margin-left:91.66667%}.column.is-12-touch{flex:none;width:100%}.column.is-offset-12-touch{margin-left:100%}}@media screen and (min-width:1088px){.column.is-narrow-desktop{flex:none}.column.is-full-desktop{flex:none;width:100%}.column.is-three-quarters-desktop{flex:none;width:75%}.column.is-two-thirds-desktop{flex:none;width:66.6666%}.column.is-half-desktop{flex:none;width:50%}.column.is-one-third-desktop{flex:none;width:33.3333%}.column.is-one-quarter-desktop{flex:none;width:25%}.column.is-one-fifth-desktop{flex:none;width:20%}.column.is-two-fifths-desktop{flex:none;width:40%}.column.is-three-fifths-desktop{flex:none;width:60%}.column.is-four-fifths-desktop{flex:none;width:80%}.column.is-offset-three-quarters-desktop{margin-left:75%}.column.is-offset-two-thirds-desktop{margin-left:66.6666%}.column.is-offset-half-desktop{margin-left:50%}.column.is-offset-one-third-desktop{margin-left:33.3333%}.column.is-offset-one-quarter-desktop{margin-left:25%}.column.is-offset-one-fifth-desktop{margin-left:20%}.column.is-offset-two-fifths-desktop{margin-left:40%}.column.is-offset-three-fifths-desktop{margin-left:60%}.column.is-offset-four-fifths-desktop{margin-left:80%}.column.is-1-desktop{flex:none;width:8.33333%}.column.is-offset-1-desktop{margin-left:8.33333%}.column.is-2-desktop{flex:none;width:16.66667%}.column.is-offset-2-desktop{margin-left:16.66667%}.column.is-3-desktop{flex:none;width:25%}.column.is-offset-3-desktop{margin-left:25%}.column.is-4-desktop{flex:none;width:33.33333%}.column.is-offset-4-desktop{margin-left:33.33333%}.column.is-5-desktop{flex:none;width:41.66667%}.column.is-offset-5-desktop{margin-left:41.66667%}.column.is-6-desktop{flex:none;width:50%}.column.is-offset-6-desktop{margin-left:50%}.column.is-7-desktop{flex:none;width:58.33333%}.column.is-offset-7-desktop{margin-left:58.33333%}.column.is-8-desktop{flex:none;width:66.66667%}.column.is-offset-8-desktop{margin-left:66.66667%}.column.is-9-desktop{flex:none;width:75%}.column.is-offset-9-desktop{margin-left:75%}.column.is-10-desktop{flex:none;width:83.33333%}.column.is-offset-10-desktop{margin-left:83.33333%}.column.is-11-desktop{flex:none;width:91.66667%}.column.is-offset-11-desktop{margin-left:91.66667%}.column.is-12-desktop{flex:none;width:100%}.column.is-offset-12-desktop{margin-left:100%}}@media screen and (min-width:1280px){.column.is-narrow-widescreen{flex:none}.column.is-full-widescreen{flex:none;width:100%}.column.is-three-quarters-widescreen{flex:none;width:75%}.column.is-two-thirds-widescreen{flex:none;width:66.6666%}.column.is-half-widescreen{flex:none;width:50%}.column.is-one-third-widescreen{flex:none;width:33.3333%}.column.is-one-quarter-widescreen{flex:none;width:25%}.column.is-one-fifth-widescreen{flex:none;width:20%}.column.is-two-fifths-widescreen{flex:none;width:40%}.column.is-three-fifths-widescreen{flex:none;width:60%}.column.is-four-fifths-widescreen{flex:none;width:80%}.column.is-offset-three-quarters-widescreen{margin-left:75%}.column.is-offset-two-thirds-widescreen{margin-left:66.6666%}.column.is-offset-half-widescreen{margin-left:50%}.column.is-offset-one-third-widescreen{margin-left:33.3333%}.column.is-offset-one-quarter-widescreen{margin-left:25%}.column.is-offset-one-fifth-widescreen{margin-left:20%}.column.is-offset-two-fifths-widescreen{margin-left:40%}.column.is-offset-three-fifths-widescreen{margin-left:60%}.column.is-offset-four-fifths-widescreen{margin-left:80%}.column.is-1-widescreen{flex:none;width:8.33333%}.column.is-offset-1-widescreen{margin-left:8.33333%}.column.is-2-widescreen{flex:none;width:16.66667%}.column.is-offset-2-widescreen{margin-left:16.66667%}.column.is-3-widescreen{flex:none;width:25%}.column.is-offset-3-widescreen{margin-left:25%}.column.is-4-widescreen{flex:none;width:33.33333%}.column.is-offset-4-widescreen{margin-left:33.33333%}.column.is-5-widescreen{flex:none;width:41.66667%}.column.is-offset-5-widescreen{margin-left:41.66667%}.column.is-6-widescreen{flex:none;width:50%}.column.is-offset-6-widescreen{margin-left:50%}.column.is-7-widescreen{flex:none;width:58.33333%}.column.is-offset-7-widescreen{margin-left:58.33333%}.column.is-8-widescreen{flex:none;width:66.66667%}.column.is-offset-8-widescreen{margin-left:66.66667%}.column.is-9-widescreen{flex:none;width:75%}.column.is-offset-9-widescreen{margin-left:75%}.column.is-10-widescreen{flex:none;width:83.33333%}.column.is-offset-10-widescreen{margin-left:83.33333%}.column.is-11-widescreen{flex:none;width:91.66667%}.column.is-offset-11-widescreen{margin-left:91.66667%}.column.is-12-widescreen{flex:none;width:100%}.column.is-offset-12-widescreen{margin-left:100%}}@media screen and (min-width:1472px){.column.is-narrow-fullhd{flex:none}.column.is-full-fullhd{flex:none;width:100%}.column.is-three-quarters-fullhd{flex:none;width:75%}.column.is-two-thirds-fullhd{flex:none;width:66.6666%}.column.is-half-fullhd{flex:none;width:50%}.column.is-one-third-fullhd{flex:none;width:33.3333%}.column.is-one-quarter-fullhd{flex:none;width:25%}.column.is-one-fifth-fullhd{flex:none;width:20%}.column.is-two-fifths-fullhd{flex:none;width:40%}.column.is-three-fifths-fullhd{flex:none;width:60%}.column.is-four-fifths-fullhd{flex:none;width:80%}.column.is-offset-three-quarters-fullhd{margin-left:75%}.column.is-offset-two-thirds-fullhd{margin-left:66.6666%}.column.is-offset-half-fullhd{margin-left:50%}.column.is-offset-one-third-fullhd{margin-left:33.3333%}.column.is-offset-one-quarter-fullhd{margin-left:25%}.column.is-offset-one-fifth-fullhd{margin-left:20%}.column.is-offset-two-fifths-fullhd{margin-left:40%}.column.is-offset-three-fifths-fullhd{margin-left:60%}.column.is-offset-four-fifths-fullhd{margin-left:80%}.column.is-1-fullhd{flex:none;width:8.33333%}.column.is-offset-1-fullhd{margin-left:8.33333%}.column.is-2-fullhd{flex:none;width:16.66667%}.column.is-offset-2-fullhd{margin-left:16.66667%}.column.is-3-fullhd{flex:none;width:25%}.column.is-offset-3-fullhd{margin-left:25%}.column.is-4-fullhd{flex:none;width:33.33333%}.column.is-offset-4-fullhd{margin-left:33.33333%}.column.is-5-fullhd{flex:none;width:41.66667%}.column.is-offset-5-fullhd{margin-left:41.66667%}.column.is-6-fullhd{flex:none;width:50%}.column.is-offset-6-fullhd{margin-left:50%}.column.is-7-fullhd{flex:none;width:58.33333%}.column.is-offset-7-fullhd{margin-left:58.33333%}.column.is-8-fullhd{flex:none;width:66.66667%}.column.is-offset-8-fullhd{margin-left:66.66667%}.column.is-9-fullhd{flex:none;width:75%}.column.is-offset-9-fullhd{margin-left:75%}.column.is-10-fullhd{flex:none;width:83.33333%}.column.is-offset-10-fullhd{margin-left:83.33333%}.column.is-11-fullhd{flex:none;width:91.66667%}.column.is-offset-11-fullhd{margin-left:91.66667%}.column.is-12-fullhd{flex:none;width:100%}.column.is-offset-12-fullhd{margin-left:100%}}.columns{margin-left:-.75rem;margin-right:-.75rem;margin-top:-.75rem}.columns:last-child{margin-bottom:-.75rem}.columns:not(:last-child){margin-bottom:calc(1.5rem - .75rem)}.columns.is-centered{justify-content:center}.columns.is-gapless{margin-left:0;margin-right:0;margin-top:0}.columns.is-gapless>.column{margin:0;padding:0!important}.columns.is-gapless:not(:last-child){margin-bottom:1.5rem}.columns.is-gapless:last-child{margin-bottom:0}.columns.is-mobile{display:flex}.columns.is-multiline{flex-wrap:wrap}.columns.is-vcentered{align-items:center}@media screen and (min-width:769px),print{.columns:not(.is-desktop){display:flex}}@media screen and (min-width:1088px){.columns.is-desktop{display:flex}}.columns.is-variable{--columnGap:0.75rem;margin-left:calc(-1 * var(--columnGap));margin-right:calc(-1 * var(--columnGap))}.columns.is-variable .column{padding-left:var(--columnGap);padding-right:var(--columnGap)}.columns.is-variable.is-0{--columnGap:0rem}.columns.is-variable.is-1{--columnGap:0.25rem}.columns.is-variable.is-2{--columnGap:0.5rem}.columns.is-variable.is-3{--columnGap:0.75rem}.columns.is-variable.is-4{--columnGap:1rem}.columns.is-variable.is-5{--columnGap:1.25rem}.columns.is-variable.is-6{--columnGap:1.5rem}.columns.is-variable.is-7{--columnGap:1.75rem}.columns.is-variable.is-8{--columnGap:2rem}.tile{align-items:stretch;display:block;flex-basis:0;flex-grow:1;flex-shrink:1;min-height:-webkit-min-content;min-height:-moz-min-content;min-height:min-content}.tile.is-ancestor{margin-left:-.75rem;margin-right:-.75rem;margin-top:-.75rem}.tile.is-ancestor:last-child{margin-bottom:-.75rem}.tile.is-ancestor:not(:last-child){margin-bottom:.75rem}.tile.is-child{margin:0!important}.tile.is-parent{padding:.75rem}.tile.is-vertical{flex-direction:column}.tile.is-vertical>.tile.is-child:not(:last-child){margin-bottom:1.5rem!important}@media screen and (min-width:769px),print{.tile:not(.is-child){display:flex}.tile.is-1{flex:none;width:8.33333%}.tile.is-2{flex:none;width:16.66667%}.tile.is-3{flex:none;width:25%}.tile.is-4{flex:none;width:33.33333%}.tile.is-5{flex:none;width:41.66667%}.tile.is-6{flex:none;width:50%}.tile.is-7{flex:none;width:58.33333%}.tile.is-8{flex:none;width:66.66667%}.tile.is-9{flex:none;width:75%}.tile.is-10{flex:none;width:83.33333%}.tile.is-11{flex:none;width:91.66667%}.tile.is-12{flex:none;width:100%}}.hero{align-items:stretch;display:flex;flex-direction:column;justify-content:space-between}.hero .navbar{background:0 0}.hero .tabs ul{border-bottom:none}.hero.is-white{background-color:#fff;color:#0a0a0a}.hero.is-white a:not(.button):not(.dropdown-item):not(.tag),.hero.is-white strong{color:inherit}.hero.is-white .title{color:#0a0a0a}.hero.is-white .subtitle{color:rgba(10,10,10,.9)}.hero.is-white .subtitle a:not(.button),.hero.is-white .subtitle strong{color:#0a0a0a}@media screen and (max-width:1087px){.hero.is-white .navbar-menu{background-color:#fff}}.hero.is-white .navbar-item,.hero.is-white .navbar-link{color:rgba(10,10,10,.7)}.hero.is-white .navbar-link.is-active,.hero.is-white .navbar-link:hover,.hero.is-white a.navbar-item.is-active,.hero.is-white a.navbar-item:hover{background-color:#f2f2f2;color:#0a0a0a}.hero.is-white .tabs a{color:#0a0a0a;opacity:.9}.hero.is-white .tabs a:hover{opacity:1}.hero.is-white .tabs li.is-active a{opacity:1}.hero.is-white .tabs.is-boxed a,.hero.is-white .tabs.is-toggle a{color:#0a0a0a}.hero.is-white .tabs.is-boxed a:hover,.hero.is-white .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-white .tabs.is-boxed li.is-active a,.hero.is-white .tabs.is-boxed li.is-active a:hover,.hero.is-white .tabs.is-toggle li.is-active a,.hero.is-white .tabs.is-toggle li.is-active a:hover{background-color:#0a0a0a;border-color:#0a0a0a;color:#fff}.hero.is-white.is-bold{background-image:linear-gradient(141deg,#e6e6e6 0,#fff 71%,#fff 100%)}@media screen and (max-width:768px){.hero.is-white.is-bold .navbar-menu{background-image:linear-gradient(141deg,#e6e6e6 0,#fff 71%,#fff 100%)}}.hero.is-black{background-color:#0a0a0a;color:#fff}.hero.is-black a:not(.button):not(.dropdown-item):not(.tag),.hero.is-black strong{color:inherit}.hero.is-black .title{color:#fff}.hero.is-black .subtitle{color:rgba(255,255,255,.9)}.hero.is-black .subtitle a:not(.button),.hero.is-black .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-black .navbar-menu{background-color:#0a0a0a}}.hero.is-black .navbar-item,.hero.is-black .navbar-link{color:rgba(255,255,255,.7)}.hero.is-black .navbar-link.is-active,.hero.is-black .navbar-link:hover,.hero.is-black a.navbar-item.is-active,.hero.is-black a.navbar-item:hover{background-color:#000;color:#fff}.hero.is-black .tabs a{color:#fff;opacity:.9}.hero.is-black .tabs a:hover{opacity:1}.hero.is-black .tabs li.is-active a{opacity:1}.hero.is-black .tabs.is-boxed a,.hero.is-black .tabs.is-toggle a{color:#fff}.hero.is-black .tabs.is-boxed a:hover,.hero.is-black .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-black .tabs.is-boxed li.is-active a,.hero.is-black .tabs.is-boxed li.is-active a:hover,.hero.is-black .tabs.is-toggle li.is-active a,.hero.is-black .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#0a0a0a}.hero.is-black.is-bold{background-image:linear-gradient(141deg,#000 0,#0a0a0a 71%,#181616 100%)}@media screen and (max-width:768px){.hero.is-black.is-bold .navbar-menu{background-image:linear-gradient(141deg,#000 0,#0a0a0a 71%,#181616 100%)}}.hero.is-light{background-color:#f5f5f5;color:#363636}.hero.is-light a:not(.button):not(.dropdown-item):not(.tag),.hero.is-light strong{color:inherit}.hero.is-light .title{color:#363636}.hero.is-light .subtitle{color:rgba(54,54,54,.9)}.hero.is-light .subtitle a:not(.button),.hero.is-light .subtitle strong{color:#363636}@media screen and (max-width:1087px){.hero.is-light .navbar-menu{background-color:#f5f5f5}}.hero.is-light .navbar-item,.hero.is-light .navbar-link{color:rgba(54,54,54,.7)}.hero.is-light .navbar-link.is-active,.hero.is-light .navbar-link:hover,.hero.is-light a.navbar-item.is-active,.hero.is-light a.navbar-item:hover{background-color:#e8e8e8;color:#363636}.hero.is-light .tabs a{color:#363636;opacity:.9}.hero.is-light .tabs a:hover{opacity:1}.hero.is-light .tabs li.is-active a{opacity:1}.hero.is-light .tabs.is-boxed a,.hero.is-light .tabs.is-toggle a{color:#363636}.hero.is-light .tabs.is-boxed a:hover,.hero.is-light .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-light .tabs.is-boxed li.is-active a,.hero.is-light .tabs.is-boxed li.is-active a:hover,.hero.is-light .tabs.is-toggle li.is-active a,.hero.is-light .tabs.is-toggle li.is-active a:hover{background-color:#363636;border-color:#363636;color:#f5f5f5}.hero.is-light.is-bold{background-image:linear-gradient(141deg,#dfd8d9 0,#f5f5f5 71%,#fff 100%)}@media screen and (max-width:768px){.hero.is-light.is-bold .navbar-menu{background-image:linear-gradient(141deg,#dfd8d9 0,#f5f5f5 71%,#fff 100%)}}.hero.is-dark{background-color:#363636;color:#f5f5f5}.hero.is-dark a:not(.button):not(.dropdown-item):not(.tag),.hero.is-dark strong{color:inherit}.hero.is-dark .title{color:#f5f5f5}.hero.is-dark .subtitle{color:rgba(245,245,245,.9)}.hero.is-dark .subtitle a:not(.button),.hero.is-dark .subtitle strong{color:#f5f5f5}@media screen and (max-width:1087px){.hero.is-dark .navbar-menu{background-color:#363636}}.hero.is-dark .navbar-item,.hero.is-dark .navbar-link{color:rgba(245,245,245,.7)}.hero.is-dark .navbar-link.is-active,.hero.is-dark .navbar-link:hover,.hero.is-dark a.navbar-item.is-active,.hero.is-dark a.navbar-item:hover{background-color:#292929;color:#f5f5f5}.hero.is-dark .tabs a{color:#f5f5f5;opacity:.9}.hero.is-dark .tabs a:hover{opacity:1}.hero.is-dark .tabs li.is-active a{opacity:1}.hero.is-dark .tabs.is-boxed a,.hero.is-dark .tabs.is-toggle a{color:#f5f5f5}.hero.is-dark .tabs.is-boxed a:hover,.hero.is-dark .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-dark .tabs.is-boxed li.is-active a,.hero.is-dark .tabs.is-boxed li.is-active a:hover,.hero.is-dark .tabs.is-toggle li.is-active a,.hero.is-dark .tabs.is-toggle li.is-active a:hover{background-color:#f5f5f5;border-color:#f5f5f5;color:#363636}.hero.is-dark.is-bold{background-image:linear-gradient(141deg,#1f191a 0,#363636 71%,#46403f 100%)}@media screen and (max-width:768px){.hero.is-dark.is-bold .navbar-menu{background-image:linear-gradient(141deg,#1f191a 0,#363636 71%,#46403f 100%)}}.hero.is-primary{background-color:#00d1b2;color:#fff}.hero.is-primary a:not(.button):not(.dropdown-item):not(.tag),.hero.is-primary strong{color:inherit}.hero.is-primary .title{color:#fff}.hero.is-primary .subtitle{color:rgba(255,255,255,.9)}.hero.is-primary .subtitle a:not(.button),.hero.is-primary .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-primary .navbar-menu{background-color:#00d1b2}}.hero.is-primary .navbar-item,.hero.is-primary .navbar-link{color:rgba(255,255,255,.7)}.hero.is-primary .navbar-link.is-active,.hero.is-primary .navbar-link:hover,.hero.is-primary a.navbar-item.is-active,.hero.is-primary a.navbar-item:hover{background-color:#00b89c;color:#fff}.hero.is-primary .tabs a{color:#fff;opacity:.9}.hero.is-primary .tabs a:hover{opacity:1}.hero.is-primary .tabs li.is-active a{opacity:1}.hero.is-primary .tabs.is-boxed a,.hero.is-primary .tabs.is-toggle a{color:#fff}.hero.is-primary .tabs.is-boxed a:hover,.hero.is-primary .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-primary .tabs.is-boxed li.is-active a,.hero.is-primary .tabs.is-boxed li.is-active a:hover,.hero.is-primary .tabs.is-toggle li.is-active a,.hero.is-primary .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#00d1b2}.hero.is-primary.is-bold{background-image:linear-gradient(141deg,#009e6c 0,#00d1b2 71%,#00e7eb 100%)}@media screen and (max-width:768px){.hero.is-primary.is-bold .navbar-menu{background-image:linear-gradient(141deg,#009e6c 0,#00d1b2 71%,#00e7eb 100%)}}.hero.is-link{background-color:#3273dc;color:#fff}.hero.is-link a:not(.button):not(.dropdown-item):not(.tag),.hero.is-link strong{color:inherit}.hero.is-link .title{color:#fff}.hero.is-link .subtitle{color:rgba(255,255,255,.9)}.hero.is-link .subtitle a:not(.button),.hero.is-link .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-link .navbar-menu{background-color:#3273dc}}.hero.is-link .navbar-item,.hero.is-link .navbar-link{color:rgba(255,255,255,.7)}.hero.is-link .navbar-link.is-active,.hero.is-link .navbar-link:hover,.hero.is-link a.navbar-item.is-active,.hero.is-link a.navbar-item:hover{background-color:#2366d1;color:#fff}.hero.is-link .tabs a{color:#fff;opacity:.9}.hero.is-link .tabs a:hover{opacity:1}.hero.is-link .tabs li.is-active a{opacity:1}.hero.is-link .tabs.is-boxed a,.hero.is-link .tabs.is-toggle a{color:#fff}.hero.is-link .tabs.is-boxed a:hover,.hero.is-link .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-link .tabs.is-boxed li.is-active a,.hero.is-link .tabs.is-boxed li.is-active a:hover,.hero.is-link .tabs.is-toggle li.is-active a,.hero.is-link .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#3273dc}.hero.is-link.is-bold{background-image:linear-gradient(141deg,#1577c6 0,#3273dc 71%,#4366e5 100%)}@media screen and (max-width:768px){.hero.is-link.is-bold .navbar-menu{background-image:linear-gradient(141deg,#1577c6 0,#3273dc 71%,#4366e5 100%)}}.hero.is-info{background-color:#209cee;color:#fff}.hero.is-info a:not(.button):not(.dropdown-item):not(.tag),.hero.is-info strong{color:inherit}.hero.is-info .title{color:#fff}.hero.is-info .subtitle{color:rgba(255,255,255,.9)}.hero.is-info .subtitle a:not(.button),.hero.is-info .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-info .navbar-menu{background-color:#209cee}}.hero.is-info .navbar-item,.hero.is-info .navbar-link{color:rgba(255,255,255,.7)}.hero.is-info .navbar-link.is-active,.hero.is-info .navbar-link:hover,.hero.is-info a.navbar-item.is-active,.hero.is-info a.navbar-item:hover{background-color:#118fe4;color:#fff}.hero.is-info .tabs a{color:#fff;opacity:.9}.hero.is-info .tabs a:hover{opacity:1}.hero.is-info .tabs li.is-active a{opacity:1}.hero.is-info .tabs.is-boxed a,.hero.is-info .tabs.is-toggle a{color:#fff}.hero.is-info .tabs.is-boxed a:hover,.hero.is-info .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-info .tabs.is-boxed li.is-active a,.hero.is-info .tabs.is-boxed li.is-active a:hover,.hero.is-info .tabs.is-toggle li.is-active a,.hero.is-info .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#209cee}.hero.is-info.is-bold{background-image:linear-gradient(141deg,#04a6d7 0,#209cee 71%,#3287f5 100%)}@media screen and (max-width:768px){.hero.is-info.is-bold .navbar-menu{background-image:linear-gradient(141deg,#04a6d7 0,#209cee 71%,#3287f5 100%)}}.hero.is-success{background-color:#23d160;color:#fff}.hero.is-success a:not(.button):not(.dropdown-item):not(.tag),.hero.is-success strong{color:inherit}.hero.is-success .title{color:#fff}.hero.is-success .subtitle{color:rgba(255,255,255,.9)}.hero.is-success .subtitle a:not(.button),.hero.is-success .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-success .navbar-menu{background-color:#23d160}}.hero.is-success .navbar-item,.hero.is-success .navbar-link{color:rgba(255,255,255,.7)}.hero.is-success .navbar-link.is-active,.hero.is-success .navbar-link:hover,.hero.is-success a.navbar-item.is-active,.hero.is-success a.navbar-item:hover{background-color:#20bc56;color:#fff}.hero.is-success .tabs a{color:#fff;opacity:.9}.hero.is-success .tabs a:hover{opacity:1}.hero.is-success .tabs li.is-active a{opacity:1}.hero.is-success .tabs.is-boxed a,.hero.is-success .tabs.is-toggle a{color:#fff}.hero.is-success .tabs.is-boxed a:hover,.hero.is-success .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-success .tabs.is-boxed li.is-active a,.hero.is-success .tabs.is-boxed li.is-active a:hover,.hero.is-success .tabs.is-toggle li.is-active a,.hero.is-success .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#23d160}.hero.is-success.is-bold{background-image:linear-gradient(141deg,#12af2f 0,#23d160 71%,#2ce28a 100%)}@media screen and (max-width:768px){.hero.is-success.is-bold .navbar-menu{background-image:linear-gradient(141deg,#12af2f 0,#23d160 71%,#2ce28a 100%)}}.hero.is-warning{background-color:#ffdd57;color:rgba(0,0,0,.7)}.hero.is-warning a:not(.button):not(.dropdown-item):not(.tag),.hero.is-warning strong{color:inherit}.hero.is-warning .title{color:rgba(0,0,0,.7)}.hero.is-warning .subtitle{color:rgba(0,0,0,.9)}.hero.is-warning .subtitle a:not(.button),.hero.is-warning .subtitle strong{color:rgba(0,0,0,.7)}@media screen and (max-width:1087px){.hero.is-warning .navbar-menu{background-color:#ffdd57}}.hero.is-warning .navbar-item,.hero.is-warning .navbar-link{color:rgba(0,0,0,.7)}.hero.is-warning .navbar-link.is-active,.hero.is-warning .navbar-link:hover,.hero.is-warning a.navbar-item.is-active,.hero.is-warning a.navbar-item:hover{background-color:#ffd83d;color:rgba(0,0,0,.7)}.hero.is-warning .tabs a{color:rgba(0,0,0,.7);opacity:.9}.hero.is-warning .tabs a:hover{opacity:1}.hero.is-warning .tabs li.is-active a{opacity:1}.hero.is-warning .tabs.is-boxed a,.hero.is-warning .tabs.is-toggle a{color:rgba(0,0,0,.7)}.hero.is-warning .tabs.is-boxed a:hover,.hero.is-warning .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-warning .tabs.is-boxed li.is-active a,.hero.is-warning .tabs.is-boxed li.is-active a:hover,.hero.is-warning .tabs.is-toggle li.is-active a,.hero.is-warning .tabs.is-toggle li.is-active a:hover{background-color:rgba(0,0,0,.7);border-color:rgba(0,0,0,.7);color:#ffdd57}.hero.is-warning.is-bold{background-image:linear-gradient(141deg,#ffaf24 0,#ffdd57 71%,#fffa70 100%)}@media screen and (max-width:768px){.hero.is-warning.is-bold .navbar-menu{background-image:linear-gradient(141deg,#ffaf24 0,#ffdd57 71%,#fffa70 100%)}}.hero.is-danger{background-color:#ff3860;color:#fff}.hero.is-danger a:not(.button):not(.dropdown-item):not(.tag),.hero.is-danger strong{color:inherit}.hero.is-danger .title{color:#fff}.hero.is-danger .subtitle{color:rgba(255,255,255,.9)}.hero.is-danger .subtitle a:not(.button),.hero.is-danger .subtitle strong{color:#fff}@media screen and (max-width:1087px){.hero.is-danger .navbar-menu{background-color:#ff3860}}.hero.is-danger .navbar-item,.hero.is-danger .navbar-link{color:rgba(255,255,255,.7)}.hero.is-danger .navbar-link.is-active,.hero.is-danger .navbar-link:hover,.hero.is-danger a.navbar-item.is-active,.hero.is-danger a.navbar-item:hover{background-color:#ff1f4b;color:#fff}.hero.is-danger .tabs a{color:#fff;opacity:.9}.hero.is-danger .tabs a:hover{opacity:1}.hero.is-danger .tabs li.is-active a{opacity:1}.hero.is-danger .tabs.is-boxed a,.hero.is-danger .tabs.is-toggle a{color:#fff}.hero.is-danger .tabs.is-boxed a:hover,.hero.is-danger .tabs.is-toggle a:hover{background-color:rgba(10,10,10,.1)}.hero.is-danger .tabs.is-boxed li.is-active a,.hero.is-danger .tabs.is-boxed li.is-active a:hover,.hero.is-danger .tabs.is-toggle li.is-active a,.hero.is-danger .tabs.is-toggle li.is-active a:hover{background-color:#fff;border-color:#fff;color:#ff3860}.hero.is-danger.is-bold{background-image:linear-gradient(141deg,#ff0561 0,#ff3860 71%,#ff5257 100%)}@media screen and (max-width:768px){.hero.is-danger.is-bold .navbar-menu{background-image:linear-gradient(141deg,#ff0561 0,#ff3860 71%,#ff5257 100%)}}.hero.is-small .hero-body{padding-bottom:1.5rem;padding-top:1.5rem}@media screen and (min-width:769px),print{.hero.is-medium .hero-body{padding-bottom:9rem;padding-top:9rem}}@media screen and (min-width:769px),print{.hero.is-large .hero-body{padding-bottom:18rem;padding-top:18rem}}.hero.is-fullheight .hero-body,.hero.is-halfheight .hero-body{align-items:center;display:flex}.hero.is-fullheight .hero-body>.container,.hero.is-halfheight .hero-body>.container{flex-grow:1;flex-shrink:1}.hero.is-halfheight{min-height:50vh}.hero.is-fullheight{min-height:100vh}.hero-video{overflow:hidden}.hero-video video{left:50%;min-height:100%;min-width:100%;position:absolute;top:50%;-webkit-transform:translate3d(-50%,-50%,0);transform:translate3d(-50%,-50%,0)}.hero-video.is-transparent{opacity:.3}@media screen and (max-width:768px){.hero-video{display:none}}.hero-buttons{margin-top:1.5rem}@media screen and (max-width:768px){.hero-buttons .button{display:flex}.hero-buttons .button:not(:last-child){margin-bottom:.75rem}}@media screen and (min-width:769px),print{.hero-buttons{display:flex;justify-content:center}.hero-buttons .button:not(:last-child){margin-right:1.5rem}}.hero-foot,.hero-head{flex-grow:0;flex-shrink:0}.hero-body{flex-grow:1;flex-shrink:0;padding:3rem 1.5rem}.section{padding:3rem 1.5rem}@media screen and (min-width:1088px){.section.is-medium{padding:9rem 1.5rem}.section.is-large{padding:18rem 1.5rem}}.footer{background-color:#fafafa;padding:3rem 1.5rem 6rem}PK!A G7kirlent_sphinx/templates/kirlent/static/css/kirlent.csstable.docutils .nowrap { white-space: nowrap; } table.docutils .no-left-divider { border-left-width: 0; } table.docutils .single-left-divider { border-left-width: 2px; border-left-style: solid; } table.docutils .double-left-divider { border-left-width: 6px; border-left-style: double; } table.docutils .no-right-divider, table.docutils .single-right-divider, table.docutils .double-right-divider { border-right-width: 0; } table.docutils .single-right-divider:last-child { border-right-width: 2px; border-right-style: solid; } table.docutils .double-right-divider:last-child { border-right-width: 6px; border-right-style: double; } .reveal .slides { text-align: left; } .reveal h2 { text-transform: none; } .reveal ul { display: block; } .reveal em { font-style: normal; color: #ff0000; } .highlight { background: none; } code { color: #00b000; background-color: inherit; } PK!DRl;kirlent_sphinx/templates/kirlent/static/css/print/paper.css/* Default Print Stylesheet Template by Rob Glazebrook of CSSnewbie.com Last Updated: June 4, 2008 Feel free (nay, compelled) to edit, append, and manipulate this file as you see fit. */ @media print { /* SECTION 1: Set default width, margin, float, and background. This prevents elements from extending beyond the edge of the printed page, and prevents unnecessary background images from printing */ html { background: #fff; width: auto; height: auto; overflow: visible; } body { background: #fff; font-size: 20pt; width: auto; height: auto; border: 0; margin: 0 5%; padding: 0; overflow: visible; float: none !important; } /* SECTION 2: Remove any elements not needed in print. This would include navigation, ads, sidebars, etc. */ .nestedarrow, .controls, .fork-reveal, .share-reveal, .state-background, .reveal .progress, .reveal .backgrounds { display: none !important; } /* SECTION 3: Set body font face, size, and color. Consider using a serif font for readability. */ body, p, td, li, div { font-size: 20pt!important; font-family: Georgia, "Times New Roman", Times, serif !important; color: #000; } /* SECTION 4: Set heading font face, sizes, and color. Differentiate your headings from your body text. Perhaps use a large sans-serif for distinction. */ h1,h2,h3,h4,h5,h6 { color: #000!important; height: auto; line-height: normal; font-family: Georgia, "Times New Roman", Times, serif !important; text-shadow: 0 0 0 #000 !important; text-align: left; letter-spacing: normal; } /* Need to reduce the size of the fonts for printing */ h1 { font-size: 28pt !important; } h2 { font-size: 24pt !important; } h3 { font-size: 22pt !important; } h4 { font-size: 22pt !important; font-variant: small-caps; } h5 { font-size: 21pt !important; } h6 { font-size: 20pt !important; font-style: italic; } /* SECTION 5: Make hyperlinks more usable. Ensure links are underlined, and consider appending the URL to the end of the link for usability. */ a:link, a:visited { color: #000 !important; font-weight: bold; text-decoration: underline; } /* .reveal a:link:after, .reveal a:visited:after { content: " (" attr(href) ") "; color: #222 !important; font-size: 90%; } */ /* SECTION 6: more reveal.js specific additions by @skypanther */ ul, ol, div, p { visibility: visible; position: static; width: auto; height: auto; display: block; overflow: visible; margin: 0; text-align: left !important; } .reveal pre, .reveal table { margin-left: 0; margin-right: 0; } .reveal pre code { padding: 20px; border: 1px solid #ddd; } .reveal blockquote { margin: 20px 0; } .reveal .slides { position: static !important; width: auto !important; height: auto !important; left: 0 !important; top: 0 !important; margin-left: 0 !important; margin-top: 0 !important; padding: 0 !important; zoom: 1 !important; overflow: visible !important; display: block !important; text-align: left !important; -webkit-perspective: none; -moz-perspective: none; -ms-perspective: none; perspective: none; -webkit-perspective-origin: 50% 50%; -moz-perspective-origin: 50% 50%; -ms-perspective-origin: 50% 50%; perspective-origin: 50% 50%; } .reveal .slides section { visibility: visible !important; position: static !important; width: auto !important; height: auto !important; display: block !important; overflow: visible !important; left: 0 !important; top: 0 !important; margin-left: 0 !important; margin-top: 0 !important; padding: 60px 20px !important; z-index: auto !important; opacity: 1 !important; page-break-after: always !important; -webkit-transform-style: flat !important; -moz-transform-style: flat !important; -ms-transform-style: flat !important; transform-style: flat !important; -webkit-transform: none !important; -moz-transform: none !important; -ms-transform: none !important; transform: none !important; -webkit-transition: none !important; -moz-transition: none !important; -ms-transition: none !important; transition: none !important; } .reveal .slides section.stack { padding: 0 !important; } .reveal section:last-of-type { page-break-after: avoid !important; } .reveal section .fragment { opacity: 1 !important; visibility: visible !important; -webkit-transform: none !important; -moz-transform: none !important; -ms-transform: none !important; transform: none !important; } .reveal section img { display: block; margin: 15px 0px; background: rgba(255,255,255,1); border: 1px solid #666; box-shadow: none; } .reveal section small { font-size: 0.8em; } }PK! 9kirlent_sphinx/templates/kirlent/static/css/print/pdf.css/** * This stylesheet is used to print reveal.js * presentations to PDF. * * https://github.com/hakimel/reveal.js#pdf-export */ * { -webkit-print-color-adjust: exact; } body { margin: 0 auto !important; border: 0; padding: 0; float: none !important; overflow: visible; } html { width: 100%; height: 100%; overflow: visible; } /* Remove any elements not needed in print. */ .nestedarrow, .reveal .controls, .reveal .progress, .reveal .playback, .reveal.overview, .fork-reveal, .share-reveal, .state-background { display: none !important; } h1, h2, h3, h4, h5, h6 { text-shadow: 0 0 0 #000 !important; } .reveal pre code { overflow: hidden !important; font-family: Courier, 'Courier New', monospace !important; } ul, ol, div, p { visibility: visible; position: static; width: auto; height: auto; display: block; overflow: visible; margin: auto; } .reveal { width: auto !important; height: auto !important; overflow: hidden !important; } .reveal .slides { position: static; width: 100%; height: auto; left: auto; top: auto; margin: 0 !important; padding: 0 !important; overflow: visible; display: block; -webkit-perspective: none; -moz-perspective: none; -ms-perspective: none; perspective: none; -webkit-perspective-origin: 50% 50%; /* there isn't a none/auto value but 50-50 is the default */ -moz-perspective-origin: 50% 50%; -ms-perspective-origin: 50% 50%; perspective-origin: 50% 50%; } .reveal .slides section { page-break-after: always !important; visibility: visible !important; position: relative !important; display: block !important; position: relative !important; margin: 0 !important; padding: 0 !important; box-sizing: border-box !important; min-height: 1px; opacity: 1 !important; -webkit-transform-style: flat !important; -moz-transform-style: flat !important; -ms-transform-style: flat !important; transform-style: flat !important; -webkit-transform: none !important; -moz-transform: none !important; -ms-transform: none !important; transform: none !important; } .reveal section.stack { margin: 0 !important; padding: 0 !important; page-break-after: avoid !important; height: auto !important; min-height: auto !important; } .reveal img { box-shadow: none; } .reveal .roll { overflow: visible; line-height: 1em; } /* Slide backgrounds are placed inside of their slide when exporting to PDF */ .reveal section .slide-background { display: block !important; position: absolute; top: 0; left: 0; width: 100%; z-index: -1; } /* All elements should be above the slide-background */ .reveal section>* { position: relative; z-index: 1; } /* Display slide speaker notes when 'showNotes' is enabled */ .reveal .speaker-notes-pdf { display: block; width: 100%; max-height: none; left: auto; top: auto; z-index: 100; } /* Display slide numbers when 'slideNumber' is enabled */ .reveal .slide-number-pdf { display: block; position: absolute; font-size: 14px; } PK!{q6kirlent_sphinx/templates/kirlent/static/css/reveal.css/*! * reveal.js * http://lab.hakim.se/reveal-js * MIT licensed * * Copyright (C) 2015 Hakim El Hattab, http://hakim.se */ /********************************************* * RESET STYLES *********************************************/ html, body, .reveal div, .reveal span, .reveal applet, .reveal object, .reveal iframe, .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6, .reveal p, .reveal blockquote, .reveal pre, .reveal a, .reveal abbr, .reveal acronym, .reveal address, .reveal big, .reveal cite, .reveal code, .reveal del, .reveal dfn, .reveal em, .reveal img, .reveal ins, .reveal kbd, .reveal q, .reveal s, .reveal samp, .reveal small, .reveal strike, .reveal strong, .reveal sub, .reveal sup, .reveal tt, .reveal var, .reveal b, .reveal u, .reveal center, .reveal dl, .reveal dt, .reveal dd, .reveal ol, .reveal ul, .reveal li, .reveal fieldset, .reveal form, .reveal label, .reveal legend, .reveal table, .reveal caption, .reveal tbody, .reveal tfoot, .reveal thead, .reveal tr, .reveal th, .reveal td, .reveal article, .reveal aside, .reveal canvas, .reveal details, .reveal embed, .reveal figure, .reveal figcaption, .reveal footer, .reveal header, .reveal hgroup, .reveal menu, .reveal nav, .reveal output, .reveal ruby, .reveal section, .reveal summary, .reveal time, .reveal mark, .reveal audio, video { margin: 0; padding: 0; border: 0; font-size: 100%; font: inherit; vertical-align: baseline; } .reveal article, .reveal aside, .reveal details, .reveal figcaption, .reveal figure, .reveal footer, .reveal header, .reveal hgroup, .reveal menu, .reveal nav, .reveal section { display: block; } /********************************************* * GLOBAL STYLES *********************************************/ html, body { width: 100%; height: 100%; overflow: hidden; } body { position: relative; line-height: 1; background-color: #fff; color: #000; } html:-webkit-full-screen-ancestor { background-color: inherit; } html:-moz-full-screen-ancestor { background-color: inherit; } /********************************************* * VIEW FRAGMENTS *********************************************/ .reveal .slides section .fragment { opacity: 0; visibility: hidden; -webkit-transition: all 0.2s ease; transition: all 0.2s ease; } .reveal .slides section .fragment.visible { opacity: 1; visibility: visible; } .reveal .slides section .fragment.grow { opacity: 1; visibility: visible; } .reveal .slides section .fragment.grow.visible { -webkit-transform: scale(1.3); -ms-transform: scale(1.3); transform: scale(1.3); } .reveal .slides section .fragment.shrink { opacity: 1; visibility: visible; } .reveal .slides section .fragment.shrink.visible { -webkit-transform: scale(0.7); -ms-transform: scale(0.7); transform: scale(0.7); } .reveal .slides section .fragment.zoom-in { -webkit-transform: scale(0.1); -ms-transform: scale(0.1); transform: scale(0.1); } .reveal .slides section .fragment.zoom-in.visible { -webkit-transform: none; -ms-transform: none; transform: none; } .reveal .slides section .fragment.fade-out { opacity: 1; visibility: visible; } .reveal .slides section .fragment.fade-out.visible { opacity: 0; visibility: hidden; } .reveal .slides section .fragment.semi-fade-out { opacity: 1; visibility: visible; } .reveal .slides section .fragment.semi-fade-out.visible { opacity: 0.5; visibility: visible; } .reveal .slides section .fragment.strike { opacity: 1; visibility: visible; } .reveal .slides section .fragment.strike.visible { text-decoration: line-through; } .reveal .slides section .fragment.current-visible { opacity: 0; visibility: hidden; } .reveal .slides section .fragment.current-visible.current-fragment { opacity: 1; visibility: visible; } .reveal .slides section .fragment.highlight-red, .reveal .slides section .fragment.highlight-current-red, .reveal .slides section .fragment.highlight-green, .reveal .slides section .fragment.highlight-current-green, .reveal .slides section .fragment.highlight-blue, .reveal .slides section .fragment.highlight-current-blue { opacity: 1; visibility: visible; } .reveal .slides section .fragment.highlight-red.visible { color: #ff2c2d; } .reveal .slides section .fragment.highlight-green.visible { color: #17ff2e; } .reveal .slides section .fragment.highlight-blue.visible { color: #1b91ff; } .reveal .slides section .fragment.highlight-current-red.current-fragment { color: #ff2c2d; } .reveal .slides section .fragment.highlight-current-green.current-fragment { color: #17ff2e; } .reveal .slides section .fragment.highlight-current-blue.current-fragment { color: #1b91ff; } /********************************************* * DEFAULT ELEMENT STYLES *********************************************/ /* Fixes issue in Chrome where italic fonts did not appear when printing to PDF */ .reveal:after { content: ''; font-style: italic; } .reveal iframe { z-index: 1; } /** Prevents layering issues in certain browser/transition combinations */ .reveal a { position: relative; } .reveal .stretch { max-width: none; max-height: none; } .reveal pre.stretch code { height: 100%; max-height: 100%; box-sizing: border-box; } /********************************************* * CONTROLS *********************************************/ .reveal .controls { display: none; position: fixed; width: 110px; height: 110px; z-index: 30; right: 10px; bottom: 10px; -webkit-user-select: none; } .reveal .controls button { padding: 0; position: absolute; opacity: 0.05; width: 0; height: 0; background-color: transparent; border: 12px solid transparent; -webkit-transform: scale(0.9999); -ms-transform: scale(0.9999); transform: scale(0.9999); -webkit-transition: all 0.2s ease; transition: all 0.2s ease; -webkit-appearance: none; -webkit-tap-highlight-color: transparent; } .reveal .controls .enabled { opacity: 0.7; cursor: pointer; } .reveal .controls .enabled:active { margin-top: 1px; } .reveal .controls .navigate-left { top: 42px; border-right-width: 22px; border-right-color: #000; } .reveal .controls .navigate-left.fragmented { opacity: 0.3; } .reveal .controls .navigate-right { left: 74px; top: 42px; border-left-width: 22px; border-left-color: #000; } .reveal .controls .navigate-right.fragmented { opacity: 0.3; } .reveal .controls .navigate-up { left: 42px; border-bottom-width: 22px; border-bottom-color: #000; } .reveal .controls .navigate-up.fragmented { opacity: 0.3; } .reveal .controls .navigate-down { left: 42px; top: 74px; border-top-width: 22px; border-top-color: #000; } .reveal .controls .navigate-down.fragmented { opacity: 0.3; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { position: fixed; display: none; height: 3px; width: 100%; bottom: 0; left: 0; z-index: 10; background-color: rgba(0, 0, 0, 0.2); } .reveal .progress:after { content: ''; display: block; position: absolute; height: 20px; width: 100%; top: -20px; } .reveal .progress span { display: block; height: 100%; width: 0px; background-color: #000; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } /********************************************* * SLIDE NUMBER *********************************************/ .reveal .slide-number { position: fixed; display: block; right: 8px; bottom: 8px; z-index: 31; font-family: Helvetica, sans-serif; font-size: 12px; line-height: 1; color: #fff; background-color: rgba(0, 0, 0, 0.4); padding: 5px; } .reveal .slide-number-delimiter { margin: 0 3px; } /********************************************* * SLIDES *********************************************/ .reveal { position: relative; width: 100%; height: 100%; overflow: hidden; -ms-touch-action: none; touch-action: none; } .reveal .slides { position: absolute; width: 100%; height: 100%; top: 0; right: 0; bottom: 0; left: 0; margin: auto; overflow: visible; z-index: 1; text-align: center; -webkit-perspective: 600px; perspective: 600px; -webkit-perspective-origin: 50% 40%; perspective-origin: 50% 40%; } .reveal .slides > section { -ms-perspective: 600px; } .reveal .slides > section, .reveal .slides > section > section { display: none; position: absolute; width: 100%; padding: 20px 0px; z-index: 10; -webkit-transform-style: preserve-3d; transform-style: preserve-3d; -webkit-transition: -webkit-transform-origin 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985), -webkit-transform 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985), visibility 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985), opacity 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: -ms-transform-origin 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985), transform 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985), visibility 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985), opacity 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: transform-origin 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985), transform 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985), visibility 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985), opacity 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } /* Global transition speed settings */ .reveal[data-transition-speed="fast"] .slides section { -webkit-transition-duration: 400ms; transition-duration: 400ms; } .reveal[data-transition-speed="slow"] .slides section { -webkit-transition-duration: 1200ms; transition-duration: 1200ms; } /* Slide-specific transition speed overrides */ .reveal .slides section[data-transition-speed="fast"] { -webkit-transition-duration: 400ms; transition-duration: 400ms; } .reveal .slides section[data-transition-speed="slow"] { -webkit-transition-duration: 1200ms; transition-duration: 1200ms; } .reveal .slides > section.stack { padding-top: 0; padding-bottom: 0; } .reveal .slides > section.present, .reveal .slides > section > section.present { display: block; z-index: 11; opacity: 1; } .reveal.center, .reveal.center .slides, .reveal.center .slides section { min-height: 0 !important; } /* Don't allow interaction with invisible slides */ .reveal .slides > section.future, .reveal .slides > section > section.future, .reveal .slides > section.past, .reveal .slides > section > section.past { pointer-events: none; } .reveal.overview .slides > section, .reveal.overview .slides > section > section { pointer-events: auto; } .reveal .slides > section.past, .reveal .slides > section.future, .reveal .slides > section > section.past, .reveal .slides > section > section.future { opacity: 0; } /********************************************* * Mixins for readability of transitions *********************************************/ /********************************************* * SLIDE TRANSITION * Aliased 'linear' for backwards compatibility *********************************************/ .reveal.slide section { -webkit-backface-visibility: hidden; backface-visibility: hidden; } .reveal .slides > section[data-transition=slide].past, .reveal .slides > section[data-transition~=slide-out].past, .reveal.slide .slides > section:not([data-transition]).past { -webkit-transform: translate(-150%, 0); -ms-transform: translate(-150%, 0); transform: translate(-150%, 0); } .reveal .slides > section[data-transition=slide].future, .reveal .slides > section[data-transition~=slide-in].future, .reveal.slide .slides > section:not([data-transition]).future { -webkit-transform: translate(150%, 0); -ms-transform: translate(150%, 0); transform: translate(150%, 0); } .reveal .slides > section > section[data-transition=slide].past, .reveal .slides > section > section[data-transition~=slide-out].past, .reveal.slide .slides > section > section:not([data-transition]).past { -webkit-transform: translate(0, -150%); -ms-transform: translate(0, -150%); transform: translate(0, -150%); } .reveal .slides > section > section[data-transition=slide].future, .reveal .slides > section > section[data-transition~=slide-in].future, .reveal.slide .slides > section > section:not([data-transition]).future { -webkit-transform: translate(0, 150%); -ms-transform: translate(0, 150%); transform: translate(0, 150%); } .reveal.linear section { -webkit-backface-visibility: hidden; backface-visibility: hidden; } .reveal .slides > section[data-transition=linear].past, .reveal .slides > section[data-transition~=linear-out].past, .reveal.linear .slides > section:not([data-transition]).past { -webkit-transform: translate(-150%, 0); -ms-transform: translate(-150%, 0); transform: translate(-150%, 0); } .reveal .slides > section[data-transition=linear].future, .reveal .slides > section[data-transition~=linear-in].future, .reveal.linear .slides > section:not([data-transition]).future { -webkit-transform: translate(150%, 0); -ms-transform: translate(150%, 0); transform: translate(150%, 0); } .reveal .slides > section > section[data-transition=linear].past, .reveal .slides > section > section[data-transition~=linear-out].past, .reveal.linear .slides > section > section:not([data-transition]).past { -webkit-transform: translate(0, -150%); -ms-transform: translate(0, -150%); transform: translate(0, -150%); } .reveal .slides > section > section[data-transition=linear].future, .reveal .slides > section > section[data-transition~=linear-in].future, .reveal.linear .slides > section > section:not([data-transition]).future { -webkit-transform: translate(0, 150%); -ms-transform: translate(0, 150%); transform: translate(0, 150%); } /********************************************* * CONVEX TRANSITION * Aliased 'default' for backwards compatibility *********************************************/ .reveal .slides > section[data-transition=default].past, .reveal .slides > section[data-transition~=default-out].past, .reveal.default .slides > section:not([data-transition]).past { -webkit-transform: translate3d(-100%, 0, 0) rotateY(-90deg) translate3d(-100%, 0, 0); transform: translate3d(-100%, 0, 0) rotateY(-90deg) translate3d(-100%, 0, 0); } .reveal .slides > section[data-transition=default].future, .reveal .slides > section[data-transition~=default-in].future, .reveal.default .slides > section:not([data-transition]).future { -webkit-transform: translate3d(100%, 0, 0) rotateY(90deg) translate3d(100%, 0, 0); transform: translate3d(100%, 0, 0) rotateY(90deg) translate3d(100%, 0, 0); } .reveal .slides > section > section[data-transition=default].past, .reveal .slides > section > section[data-transition~=default-out].past, .reveal.default .slides > section > section:not([data-transition]).past { -webkit-transform: translate3d(0, -300px, 0) rotateX(70deg) translate3d(0, -300px, 0); transform: translate3d(0, -300px, 0) rotateX(70deg) translate3d(0, -300px, 0); } .reveal .slides > section > section[data-transition=default].future, .reveal .slides > section > section[data-transition~=default-in].future, .reveal.default .slides > section > section:not([data-transition]).future { -webkit-transform: translate3d(0, 300px, 0) rotateX(-70deg) translate3d(0, 300px, 0); transform: translate3d(0, 300px, 0) rotateX(-70deg) translate3d(0, 300px, 0); } .reveal .slides > section[data-transition=convex].past, .reveal .slides > section[data-transition~=convex-out].past, .reveal.convex .slides > section:not([data-transition]).past { -webkit-transform: translate3d(-100%, 0, 0) rotateY(-90deg) translate3d(-100%, 0, 0); transform: translate3d(-100%, 0, 0) rotateY(-90deg) translate3d(-100%, 0, 0); } .reveal .slides > section[data-transition=convex].future, .reveal .slides > section[data-transition~=convex-in].future, .reveal.convex .slides > section:not([data-transition]).future { -webkit-transform: translate3d(100%, 0, 0) rotateY(90deg) translate3d(100%, 0, 0); transform: translate3d(100%, 0, 0) rotateY(90deg) translate3d(100%, 0, 0); } .reveal .slides > section > section[data-transition=convex].past, .reveal .slides > section > section[data-transition~=convex-out].past, .reveal.convex .slides > section > section:not([data-transition]).past { -webkit-transform: translate3d(0, -300px, 0) rotateX(70deg) translate3d(0, -300px, 0); transform: translate3d(0, -300px, 0) rotateX(70deg) translate3d(0, -300px, 0); } .reveal .slides > section > section[data-transition=convex].future, .reveal .slides > section > section[data-transition~=convex-in].future, .reveal.convex .slides > section > section:not([data-transition]).future { -webkit-transform: translate3d(0, 300px, 0) rotateX(-70deg) translate3d(0, 300px, 0); transform: translate3d(0, 300px, 0) rotateX(-70deg) translate3d(0, 300px, 0); } /********************************************* * CONCAVE TRANSITION *********************************************/ .reveal .slides > section[data-transition=concave].past, .reveal .slides > section[data-transition~=concave-out].past, .reveal.concave .slides > section:not([data-transition]).past { -webkit-transform: translate3d(-100%, 0, 0) rotateY(90deg) translate3d(-100%, 0, 0); transform: translate3d(-100%, 0, 0) rotateY(90deg) translate3d(-100%, 0, 0); } .reveal .slides > section[data-transition=concave].future, .reveal .slides > section[data-transition~=concave-in].future, .reveal.concave .slides > section:not([data-transition]).future { -webkit-transform: translate3d(100%, 0, 0) rotateY(-90deg) translate3d(100%, 0, 0); transform: translate3d(100%, 0, 0) rotateY(-90deg) translate3d(100%, 0, 0); } .reveal .slides > section > section[data-transition=concave].past, .reveal .slides > section > section[data-transition~=concave-out].past, .reveal.concave .slides > section > section:not([data-transition]).past { -webkit-transform: translate3d(0, -80%, 0) rotateX(-70deg) translate3d(0, -80%, 0); transform: translate3d(0, -80%, 0) rotateX(-70deg) translate3d(0, -80%, 0); } .reveal .slides > section > section[data-transition=concave].future, .reveal .slides > section > section[data-transition~=concave-in].future, .reveal.concave .slides > section > section:not([data-transition]).future { -webkit-transform: translate3d(0, 80%, 0) rotateX(70deg) translate3d(0, 80%, 0); transform: translate3d(0, 80%, 0) rotateX(70deg) translate3d(0, 80%, 0); } /********************************************* * ZOOM TRANSITION *********************************************/ .reveal .slides section[data-transition=zoom], .reveal.zoom .slides section:not([data-transition]) { -webkit-transition-timing-function: ease; transition-timing-function: ease; } .reveal .slides > section[data-transition=zoom].past, .reveal .slides > section[data-transition~=zoom-out].past, .reveal.zoom .slides > section:not([data-transition]).past { visibility: hidden; -webkit-transform: scale(16); -ms-transform: scale(16); transform: scale(16); } .reveal .slides > section[data-transition=zoom].future, .reveal .slides > section[data-transition~=zoom-in].future, .reveal.zoom .slides > section:not([data-transition]).future { visibility: hidden; -webkit-transform: scale(0.2); -ms-transform: scale(0.2); transform: scale(0.2); } .reveal .slides > section > section[data-transition=zoom].past, .reveal .slides > section > section[data-transition~=zoom-out].past, .reveal.zoom .slides > section > section:not([data-transition]).past { -webkit-transform: translate(0, -150%); -ms-transform: translate(0, -150%); transform: translate(0, -150%); } .reveal .slides > section > section[data-transition=zoom].future, .reveal .slides > section > section[data-transition~=zoom-in].future, .reveal.zoom .slides > section > section:not([data-transition]).future { -webkit-transform: translate(0, 150%); -ms-transform: translate(0, 150%); transform: translate(0, 150%); } /********************************************* * CUBE TRANSITION *********************************************/ .reveal.cube .slides { -webkit-perspective: 1300px; perspective: 1300px; } .reveal.cube .slides section { padding: 30px; min-height: 700px; -webkit-backface-visibility: hidden; backface-visibility: hidden; box-sizing: border-box; } .reveal.center.cube .slides section { min-height: 0; } .reveal.cube .slides section:not(.stack):before { content: ''; position: absolute; display: block; width: 100%; height: 100%; left: 0; top: 0; background: rgba(0, 0, 0, 0.1); border-radius: 4px; -webkit-transform: translateZ(-20px); transform: translateZ(-20px); } .reveal.cube .slides section:not(.stack):after { content: ''; position: absolute; display: block; width: 90%; height: 30px; left: 5%; bottom: 0; background: none; z-index: 1; border-radius: 4px; box-shadow: 0px 95px 25px rgba(0, 0, 0, 0.2); -webkit-transform: translateZ(-90px) rotateX(65deg); transform: translateZ(-90px) rotateX(65deg); } .reveal.cube .slides > section.stack { padding: 0; background: none; } .reveal.cube .slides > section.past { -webkit-transform-origin: 100% 0%; -ms-transform-origin: 100% 0%; transform-origin: 100% 0%; -webkit-transform: translate3d(-100%, 0, 0) rotateY(-90deg); transform: translate3d(-100%, 0, 0) rotateY(-90deg); } .reveal.cube .slides > section.future { -webkit-transform-origin: 0% 0%; -ms-transform-origin: 0% 0%; transform-origin: 0% 0%; -webkit-transform: translate3d(100%, 0, 0) rotateY(90deg); transform: translate3d(100%, 0, 0) rotateY(90deg); } .reveal.cube .slides > section > section.past { -webkit-transform-origin: 0% 100%; -ms-transform-origin: 0% 100%; transform-origin: 0% 100%; -webkit-transform: translate3d(0, -100%, 0) rotateX(90deg); transform: translate3d(0, -100%, 0) rotateX(90deg); } .reveal.cube .slides > section > section.future { -webkit-transform-origin: 0% 0%; -ms-transform-origin: 0% 0%; transform-origin: 0% 0%; -webkit-transform: translate3d(0, 100%, 0) rotateX(-90deg); transform: translate3d(0, 100%, 0) rotateX(-90deg); } /********************************************* * PAGE TRANSITION *********************************************/ .reveal.page .slides { -webkit-perspective-origin: 0% 50%; perspective-origin: 0% 50%; -webkit-perspective: 3000px; perspective: 3000px; } .reveal.page .slides section { padding: 30px; min-height: 700px; box-sizing: border-box; } .reveal.page .slides section.past { z-index: 12; } .reveal.page .slides section:not(.stack):before { content: ''; position: absolute; display: block; width: 100%; height: 100%; left: 0; top: 0; background: rgba(0, 0, 0, 0.1); -webkit-transform: translateZ(-20px); transform: translateZ(-20px); } .reveal.page .slides section:not(.stack):after { content: ''; position: absolute; display: block; width: 90%; height: 30px; left: 5%; bottom: 0; background: none; z-index: 1; border-radius: 4px; box-shadow: 0px 95px 25px rgba(0, 0, 0, 0.2); -webkit-transform: translateZ(-90px) rotateX(65deg); } .reveal.page .slides > section.stack { padding: 0; background: none; } .reveal.page .slides > section.past { -webkit-transform-origin: 0% 0%; -ms-transform-origin: 0% 0%; transform-origin: 0% 0%; -webkit-transform: translate3d(-40%, 0, 0) rotateY(-80deg); transform: translate3d(-40%, 0, 0) rotateY(-80deg); } .reveal.page .slides > section.future { -webkit-transform-origin: 100% 0%; -ms-transform-origin: 100% 0%; transform-origin: 100% 0%; -webkit-transform: translate3d(0, 0, 0); transform: translate3d(0, 0, 0); } .reveal.page .slides > section > section.past { -webkit-transform-origin: 0% 0%; -ms-transform-origin: 0% 0%; transform-origin: 0% 0%; -webkit-transform: translate3d(0, -40%, 0) rotateX(80deg); transform: translate3d(0, -40%, 0) rotateX(80deg); } .reveal.page .slides > section > section.future { -webkit-transform-origin: 0% 100%; -ms-transform-origin: 0% 100%; transform-origin: 0% 100%; -webkit-transform: translate3d(0, 0, 0); transform: translate3d(0, 0, 0); } /********************************************* * FADE TRANSITION *********************************************/ .reveal .slides section[data-transition=fade], .reveal.fade .slides section:not([data-transition]), .reveal.fade .slides > section > section:not([data-transition]) { -webkit-transform: none; -ms-transform: none; transform: none; -webkit-transition: opacity 0.5s; transition: opacity 0.5s; } .reveal.fade.overview .slides section, .reveal.fade.overview .slides > section > section { -webkit-transition: none; transition: none; } /********************************************* * NO TRANSITION *********************************************/ .reveal .slides section[data-transition=none], .reveal.none .slides section:not([data-transition]) { -webkit-transform: none; -ms-transform: none; transform: none; -webkit-transition: none; transition: none; } /********************************************* * PAUSED MODE *********************************************/ .reveal .pause-overlay { position: absolute; top: 0; left: 0; width: 100%; height: 100%; background: black; visibility: hidden; opacity: 0; z-index: 100; -webkit-transition: all 1s ease; transition: all 1s ease; } .reveal.paused .pause-overlay { visibility: visible; opacity: 1; } /********************************************* * FALLBACK *********************************************/ .no-transforms { overflow-y: auto; } .no-transforms .reveal .slides { position: relative; width: 80%; height: auto !important; top: 0; left: 50%; margin: 0; text-align: center; } .no-transforms .reveal .controls, .no-transforms .reveal .progress { display: none !important; } .no-transforms .reveal .slides section { display: block !important; opacity: 1 !important; position: relative !important; height: auto; min-height: 0; top: 0; left: -50%; margin: 70px 0; -webkit-transform: none; -ms-transform: none; transform: none; } .no-transforms .reveal .slides section section { left: 0; } .reveal .no-transition, .reveal .no-transition * { -webkit-transition: none !important; transition: none !important; } /********************************************* * PER-SLIDE BACKGROUNDS *********************************************/ .reveal .backgrounds { position: absolute; width: 100%; height: 100%; top: 0; left: 0; -webkit-perspective: 600px; perspective: 600px; } .reveal .slide-background { display: none; position: absolute; width: 100%; height: 100%; opacity: 0; visibility: hidden; background-color: transparent; background-position: 50% 50%; background-repeat: no-repeat; background-size: cover; -webkit-transition: all 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: all 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } .reveal .slide-background.stack { display: block; } .reveal .slide-background.present { opacity: 1; visibility: visible; } .print-pdf .reveal .slide-background { opacity: 1 !important; visibility: visible !important; } /* Video backgrounds */ .reveal .slide-background video { position: absolute; width: 100%; height: 100%; max-width: none; max-height: none; top: 0; left: 0; } /* Immediate transition style */ .reveal[data-background-transition=none] > .backgrounds .slide-background, .reveal > .backgrounds .slide-background[data-background-transition=none] { -webkit-transition: none; transition: none; } /* Slide */ .reveal[data-background-transition=slide] > .backgrounds .slide-background, .reveal > .backgrounds .slide-background[data-background-transition=slide] { opacity: 1; -webkit-backface-visibility: hidden; backface-visibility: hidden; } .reveal[data-background-transition=slide] > .backgrounds .slide-background.past, .reveal > .backgrounds .slide-background.past[data-background-transition=slide] { -webkit-transform: translate(-100%, 0); -ms-transform: translate(-100%, 0); transform: translate(-100%, 0); } .reveal[data-background-transition=slide] > .backgrounds .slide-background.future, .reveal > .backgrounds .slide-background.future[data-background-transition=slide] { -webkit-transform: translate(100%, 0); -ms-transform: translate(100%, 0); transform: translate(100%, 0); } .reveal[data-background-transition=slide] > .backgrounds .slide-background > .slide-background.past, .reveal > .backgrounds .slide-background > .slide-background.past[data-background-transition=slide] { -webkit-transform: translate(0, -100%); -ms-transform: translate(0, -100%); transform: translate(0, -100%); } .reveal[data-background-transition=slide] > .backgrounds .slide-background > .slide-background.future, .reveal > .backgrounds .slide-background > .slide-background.future[data-background-transition=slide] { -webkit-transform: translate(0, 100%); -ms-transform: translate(0, 100%); transform: translate(0, 100%); } /* Convex */ .reveal[data-background-transition=convex] > .backgrounds .slide-background.past, .reveal > .backgrounds .slide-background.past[data-background-transition=convex] { opacity: 0; -webkit-transform: translate3d(-100%, 0, 0) rotateY(-90deg) translate3d(-100%, 0, 0); transform: translate3d(-100%, 0, 0) rotateY(-90deg) translate3d(-100%, 0, 0); } .reveal[data-background-transition=convex] > .backgrounds .slide-background.future, .reveal > .backgrounds .slide-background.future[data-background-transition=convex] { opacity: 0; -webkit-transform: translate3d(100%, 0, 0) rotateY(90deg) translate3d(100%, 0, 0); transform: translate3d(100%, 0, 0) rotateY(90deg) translate3d(100%, 0, 0); } .reveal[data-background-transition=convex] > .backgrounds .slide-background > .slide-background.past, .reveal > .backgrounds .slide-background > .slide-background.past[data-background-transition=convex] { opacity: 0; -webkit-transform: translate3d(0, -100%, 0) rotateX(90deg) translate3d(0, -100%, 0); transform: translate3d(0, -100%, 0) rotateX(90deg) translate3d(0, -100%, 0); } .reveal[data-background-transition=convex] > .backgrounds .slide-background > .slide-background.future, .reveal > .backgrounds .slide-background > .slide-background.future[data-background-transition=convex] { opacity: 0; -webkit-transform: translate3d(0, 100%, 0) rotateX(-90deg) translate3d(0, 100%, 0); transform: translate3d(0, 100%, 0) rotateX(-90deg) translate3d(0, 100%, 0); } /* Concave */ .reveal[data-background-transition=concave] > .backgrounds .slide-background.past, .reveal > .backgrounds .slide-background.past[data-background-transition=concave] { opacity: 0; -webkit-transform: translate3d(-100%, 0, 0) rotateY(90deg) translate3d(-100%, 0, 0); transform: translate3d(-100%, 0, 0) rotateY(90deg) translate3d(-100%, 0, 0); } .reveal[data-background-transition=concave] > .backgrounds .slide-background.future, .reveal > .backgrounds .slide-background.future[data-background-transition=concave] { opacity: 0; -webkit-transform: translate3d(100%, 0, 0) rotateY(-90deg) translate3d(100%, 0, 0); transform: translate3d(100%, 0, 0) rotateY(-90deg) translate3d(100%, 0, 0); } .reveal[data-background-transition=concave] > .backgrounds .slide-background > .slide-background.past, .reveal > .backgrounds .slide-background > .slide-background.past[data-background-transition=concave] { opacity: 0; -webkit-transform: translate3d(0, -100%, 0) rotateX(-90deg) translate3d(0, -100%, 0); transform: translate3d(0, -100%, 0) rotateX(-90deg) translate3d(0, -100%, 0); } .reveal[data-background-transition=concave] > .backgrounds .slide-background > .slide-background.future, .reveal > .backgrounds .slide-background > .slide-background.future[data-background-transition=concave] { opacity: 0; -webkit-transform: translate3d(0, 100%, 0) rotateX(90deg) translate3d(0, 100%, 0); transform: translate3d(0, 100%, 0) rotateX(90deg) translate3d(0, 100%, 0); } /* Zoom */ .reveal[data-background-transition=zoom] > .backgrounds .slide-background, .reveal > .backgrounds .slide-background[data-background-transition=zoom] { -webkit-transition-timing-function: ease; transition-timing-function: ease; } .reveal[data-background-transition=zoom] > .backgrounds .slide-background.past, .reveal > .backgrounds .slide-background.past[data-background-transition=zoom] { opacity: 0; visibility: hidden; -webkit-transform: scale(16); -ms-transform: scale(16); transform: scale(16); } .reveal[data-background-transition=zoom] > .backgrounds .slide-background.future, .reveal > .backgrounds .slide-background.future[data-background-transition=zoom] { opacity: 0; visibility: hidden; -webkit-transform: scale(0.2); -ms-transform: scale(0.2); transform: scale(0.2); } .reveal[data-background-transition=zoom] > .backgrounds .slide-background > .slide-background.past, .reveal > .backgrounds .slide-background > .slide-background.past[data-background-transition=zoom] { opacity: 0; visibility: hidden; -webkit-transform: scale(16); -ms-transform: scale(16); transform: scale(16); } .reveal[data-background-transition=zoom] > .backgrounds .slide-background > .slide-background.future, .reveal > .backgrounds .slide-background > .slide-background.future[data-background-transition=zoom] { opacity: 0; visibility: hidden; -webkit-transform: scale(0.2); -ms-transform: scale(0.2); transform: scale(0.2); } /* Global transition speed settings */ .reveal[data-transition-speed="fast"] > .backgrounds .slide-background { -webkit-transition-duration: 400ms; transition-duration: 400ms; } .reveal[data-transition-speed="slow"] > .backgrounds .slide-background { -webkit-transition-duration: 1200ms; transition-duration: 1200ms; } /********************************************* * OVERVIEW *********************************************/ .reveal.overview { -webkit-perspective-origin: 50% 50%; perspective-origin: 50% 50%; -webkit-perspective: 700px; perspective: 700px; } .reveal.overview .slides section { height: 700px; opacity: 1 !important; overflow: hidden; visibility: visible !important; cursor: pointer; box-sizing: border-box; } .reveal.overview .slides section:hover, .reveal.overview .slides section.present { outline: 10px solid rgba(150, 150, 150, 0.4); outline-offset: 10px; } .reveal.overview .slides section .fragment { opacity: 1; -webkit-transition: none; transition: none; } .reveal.overview .slides section:after, .reveal.overview .slides section:before { display: none !important; } .reveal.overview .slides > section.stack { padding: 0; top: 0 !important; background: none; outline: none; overflow: visible; } .reveal.overview .backgrounds { -webkit-perspective: inherit; perspective: inherit; } .reveal.overview .backgrounds .slide-background { opacity: 1; visibility: visible; outline: 10px solid rgba(150, 150, 150, 0.1); outline-offset: 10px; } .reveal.overview .slides section, .reveal.overview-deactivating .slides section { -webkit-transition: none; transition: none; } .reveal.overview .backgrounds .slide-background, .reveal.overview-deactivating .backgrounds .slide-background { -webkit-transition: none; transition: none; } .reveal.overview-animated .slides { -webkit-transition: -webkit-transform 0.4s ease; transition: transform 0.4s ease; } /********************************************* * RTL SUPPORT *********************************************/ .reveal.rtl .slides, .reveal.rtl .slides h1, .reveal.rtl .slides h2, .reveal.rtl .slides h3, .reveal.rtl .slides h4, .reveal.rtl .slides h5, .reveal.rtl .slides h6 { direction: rtl; font-family: sans-serif; } .reveal.rtl pre, .reveal.rtl code { direction: ltr; } .reveal.rtl ol, .reveal.rtl ul { text-align: right; } .reveal.rtl .progress span { float: right; } /********************************************* * PARALLAX BACKGROUND *********************************************/ .reveal.has-parallax-background .backgrounds { -webkit-transition: all 0.8s ease; transition: all 0.8s ease; } /* Global transition speed settings */ .reveal.has-parallax-background[data-transition-speed="fast"] .backgrounds { -webkit-transition-duration: 400ms; transition-duration: 400ms; } .reveal.has-parallax-background[data-transition-speed="slow"] .backgrounds { -webkit-transition-duration: 1200ms; transition-duration: 1200ms; } /********************************************* * LINK PREVIEW OVERLAY *********************************************/ .reveal .overlay { position: absolute; top: 0; left: 0; width: 100%; height: 100%; z-index: 1000; background: rgba(0, 0, 0, 0.9); opacity: 0; visibility: hidden; -webkit-transition: all 0.3s ease; transition: all 0.3s ease; } .reveal .overlay.visible { opacity: 1; visibility: visible; } .reveal .overlay .spinner { position: absolute; display: block; top: 50%; left: 50%; width: 32px; height: 32px; margin: -16px 0 0 -16px; z-index: 10; background-image: url(data:image/gif;base64,R0lGODlhIAAgAPMAAJmZmf%2F%2F%2F6%2Bvr8nJybW1tcDAwOjo6Nvb26ioqKOjo7Ozs%2FLy8vz8%2FAAAAAAAAAAAACH%2FC05FVFNDQVBFMi4wAwEAAAAh%2FhpDcmVhdGVkIHdpdGggYWpheGxvYWQuaW5mbwAh%2BQQJCgAAACwAAAAAIAAgAAAE5xDISWlhperN52JLhSSdRgwVo1ICQZRUsiwHpTJT4iowNS8vyW2icCF6k8HMMBkCEDskxTBDAZwuAkkqIfxIQyhBQBFvAQSDITM5VDW6XNE4KagNh6Bgwe60smQUB3d4Rz1ZBApnFASDd0hihh12BkE9kjAJVlycXIg7CQIFA6SlnJ87paqbSKiKoqusnbMdmDC2tXQlkUhziYtyWTxIfy6BE8WJt5YJvpJivxNaGmLHT0VnOgSYf0dZXS7APdpB309RnHOG5gDqXGLDaC457D1zZ%2FV%2FnmOM82XiHRLYKhKP1oZmADdEAAAh%2BQQJCgAAACwAAAAAIAAgAAAE6hDISWlZpOrNp1lGNRSdRpDUolIGw5RUYhhHukqFu8DsrEyqnWThGvAmhVlteBvojpTDDBUEIFwMFBRAmBkSgOrBFZogCASwBDEY%2FCZSg7GSE0gSCjQBMVG023xWBhklAnoEdhQEfyNqMIcKjhRsjEdnezB%2BA4k8gTwJhFuiW4dokXiloUepBAp5qaKpp6%2BHo7aWW54wl7obvEe0kRuoplCGepwSx2jJvqHEmGt6whJpGpfJCHmOoNHKaHx61WiSR92E4lbFoq%2BB6QDtuetcaBPnW6%2BO7wDHpIiK9SaVK5GgV543tzjgGcghAgAh%2BQQJCgAAACwAAAAAIAAgAAAE7hDISSkxpOrN5zFHNWRdhSiVoVLHspRUMoyUakyEe8PTPCATW9A14E0UvuAKMNAZKYUZCiBMuBakSQKG8G2FzUWox2AUtAQFcBKlVQoLgQReZhQlCIJesQXI5B0CBnUMOxMCenoCfTCEWBsJColTMANldx15BGs8B5wlCZ9Po6OJkwmRpnqkqnuSrayqfKmqpLajoiW5HJq7FL1Gr2mMMcKUMIiJgIemy7xZtJsTmsM4xHiKv5KMCXqfyUCJEonXPN2rAOIAmsfB3uPoAK%2B%2BG%2Bw48edZPK%2BM6hLJpQg484enXIdQFSS1u6UhksENEQAAIfkECQoAAAAsAAAAACAAIAAABOcQyEmpGKLqzWcZRVUQnZYg1aBSh2GUVEIQ2aQOE%2BG%2BcD4ntpWkZQj1JIiZIogDFFyHI0UxQwFugMSOFIPJftfVAEoZLBbcLEFhlQiqGp1Vd140AUklUN3eCA51C1EWMzMCezCBBmkxVIVHBWd3HHl9JQOIJSdSnJ0TDKChCwUJjoWMPaGqDKannasMo6WnM562R5YluZRwur0wpgqZE7NKUm%2BFNRPIhjBJxKZteWuIBMN4zRMIVIhffcgojwCF117i4nlLnY5ztRLsnOk%2BaV%2BoJY7V7m76PdkS4trKcdg0Zc0tTcKkRAAAIfkECQoAAAAsAAAAACAAIAAABO4QyEkpKqjqzScpRaVkXZWQEximw1BSCUEIlDohrft6cpKCk5xid5MNJTaAIkekKGQkWyKHkvhKsR7ARmitkAYDYRIbUQRQjWBwJRzChi9CRlBcY1UN4g0%2FVNB0AlcvcAYHRyZPdEQFYV8ccwR5HWxEJ02YmRMLnJ1xCYp0Y5idpQuhopmmC2KgojKasUQDk5BNAwwMOh2RtRq5uQuPZKGIJQIGwAwGf6I0JXMpC8C7kXWDBINFMxS4DKMAWVWAGYsAdNqW5uaRxkSKJOZKaU3tPOBZ4DuK2LATgJhkPJMgTwKCdFjyPHEnKxFCDhEAACH5BAkKAAAALAAAAAAgACAAAATzEMhJaVKp6s2nIkolIJ2WkBShpkVRWqqQrhLSEu9MZJKK9y1ZrqYK9WiClmvoUaF8gIQSNeF1Er4MNFn4SRSDARWroAIETg1iVwuHjYB1kYc1mwruwXKC9gmsJXliGxc%2BXiUCby9ydh1sOSdMkpMTBpaXBzsfhoc5l58Gm5yToAaZhaOUqjkDgCWNHAULCwOLaTmzswadEqggQwgHuQsHIoZCHQMMQgQGubVEcxOPFAcMDAYUA85eWARmfSRQCdcMe0zeP1AAygwLlJtPNAAL19DARdPzBOWSm1brJBi45soRAWQAAkrQIykShQ9wVhHCwCQCACH5BAkKAAAALAAAAAAgACAAAATrEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq%2BE71SRQeyqUToLA7VxF0JDyIQh%2FMVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiRMDjI0Fd30%2FiI2UA5GSS5UDj2l6NoqgOgN4gksEBgYFf0FDqKgHnyZ9OX8HrgYHdHpcHQULXAS2qKpENRg7eAMLC7kTBaixUYFkKAzWAAnLC7FLVxLWDBLKCwaKTULgEwbLA4hJtOkSBNqITT3xEgfLpBtzE%2FjiuL04RGEBgwWhShRgQExHBAAh%2BQQJCgAAACwAAAAAIAAgAAAE7xDISWlSqerNpyJKhWRdlSAVoVLCWk6JKlAqAavhO9UkUHsqlE6CwO1cRdCQ8iEIfzFVTzLdRAmZX3I2SfZiCqGk5dTESJeaOAlClzsJsqwiJwiqnFrb2nS9kmIcgEsjQydLiIlHehhpejaIjzh9eomSjZR%2BipslWIRLAgMDOR2DOqKogTB9pCUJBagDBXR6XB0EBkIIsaRsGGMMAxoDBgYHTKJiUYEGDAzHC9EACcUGkIgFzgwZ0QsSBcXHiQvOwgDdEwfFs0sDzt4S6BK4xYjkDOzn0unFeBzOBijIm1Dgmg5YFQwsCMjp1oJ8LyIAACH5BAkKAAAALAAAAAAgACAAAATwEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq%2BE71SRQeyqUToLA7VxF0JDyIQh%2FMVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiUd6GGl6NoiPOH16iZKNlH6KmyWFOggHhEEvAwwMA0N9GBsEC6amhnVcEwavDAazGwIDaH1ipaYLBUTCGgQDA8NdHz0FpqgTBwsLqAbWAAnIA4FWKdMLGdYGEgraigbT0OITBcg5QwPT4xLrROZL6AuQAPUS7bxLpoWidY0JtxLHKhwwMJBTHgPKdEQAACH5BAkKAAAALAAAAAAgACAAAATrEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq%2BE71SRQeyqUToLA7VxF0JDyIQh%2FMVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiUd6GAULDJCRiXo1CpGXDJOUjY%2BYip9DhToJA4RBLwMLCwVDfRgbBAaqqoZ1XBMHswsHtxtFaH1iqaoGNgAIxRpbFAgfPQSqpbgGBqUD1wBXeCYp1AYZ19JJOYgH1KwA4UBvQwXUBxPqVD9L3sbp2BNk2xvvFPJd%2BMFCN6HAAIKgNggY0KtEBAAh%2BQQJCgAAACwAAAAAIAAgAAAE6BDISWlSqerNpyJKhWRdlSAVoVLCWk6JKlAqAavhO9UkUHsqlE6CwO1cRdCQ8iEIfzFVTzLdRAmZX3I2SfYIDMaAFdTESJeaEDAIMxYFqrOUaNW4E4ObYcCXaiBVEgULe0NJaxxtYksjh2NLkZISgDgJhHthkpU4mW6blRiYmZOlh4JWkDqILwUGBnE6TYEbCgevr0N1gH4At7gHiRpFaLNrrq8HNgAJA70AWxQIH1%2BvsYMDAzZQPC9VCNkDWUhGkuE5PxJNwiUK4UfLzOlD4WvzAHaoG9nxPi5d%2BjYUqfAhhykOFwJWiAAAIfkECQoAAAAsAAAAACAAIAAABPAQyElpUqnqzaciSoVkXVUMFaFSwlpOCcMYlErAavhOMnNLNo8KsZsMZItJEIDIFSkLGQoQTNhIsFehRww2CQLKF0tYGKYSg%2BygsZIuNqJksKgbfgIGepNo2cIUB3V1B3IvNiBYNQaDSTtfhhx0CwVPI0UJe0%2Bbm4g5VgcGoqOcnjmjqDSdnhgEoamcsZuXO1aWQy8KAwOAuTYYGwi7w5h%2BKr0SJ8MFihpNbx%2B4Erq7BYBuzsdiH1jCAzoSfl0rVirNbRXlBBlLX%2BBP0XJLAPGzTkAuAOqb0WT5AH7OcdCm5B8TgRwSRKIHQtaLCwg1RAAAOwAAAAAAAAAAAA%3D%3D); visibility: visible; opacity: 0.6; -webkit-transition: all 0.3s ease; transition: all 0.3s ease; } .reveal .overlay header { position: absolute; left: 0; top: 0; width: 100%; height: 40px; z-index: 2; border-bottom: 1px solid #222; } .reveal .overlay header a { display: inline-block; width: 40px; height: 40px; padding: 0 10px; float: right; opacity: 0.6; box-sizing: border-box; } .reveal .overlay header a:hover { opacity: 1; } .reveal .overlay header a .icon { display: inline-block; width: 20px; height: 20px; background-position: 50% 50%; background-size: 100%; background-repeat: no-repeat; } .reveal .overlay header a.close .icon { background-image: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAABkklEQVRYR8WX4VHDMAxG6wnoJrABZQPYBCaBTWAD2g1gE5gg6OOsXuxIlr40d81dfrSJ9V4c2VLK7spHuTJ/5wpM07QXuXc5X0opX2tEJcadjHuV80li/FgxTIEK/5QBCICBD6xEhSMGHgQPgBgLiYVAB1dpSqKDawxTohFw4JSEA3clzgIBPCURwE2JucBR7rhPJJv5OpJwDX+SfDjgx1wACQeJG1aChP9K/IMmdZ8DtESV1WyP3Bt4MwM6sj4NMxMYiqUWHQu4KYA/SYkIjOsm3BXYWMKFDwU2khjCQ4ELJUJ4SmClRArOCmSXGuKma0fYD5CbzHxFpCSGAhfAVSSUGDUk2BWZaff2g6GE15BsBQ9nwmpIGDiyHQddwNTMKkbZaf9fajXQca1EX44puJZUsnY0ObGmITE3GVLCbEhQUjGVt146j6oasWN+49Vph2w1pZ5EansNZqKBm1txbU57iRRcZ86RWMDdWtBJUHBHwoQPi1GV+JCbntmvok7iTX4/Up9mgyTc/FJYDTcndgH/AA5A/CHsyEkVAAAAAElFTkSuQmCC); } .reveal .overlay header a.external .icon { background-image: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAAAcElEQVRYR+2WSQoAIQwEzf8f7XiOMkUQxUPlGkM3hVmiQfQR9GYnH1SsAQlI4DiBqkCMoNb9y2e90IAEJPAcgdznU9+engMaeJ7Azh5Y1U67gAho4DqBqmB1buAf0MB1AlVBek83ZPkmJMGc1wAR+AAqod/B97TRpQAAAABJRU5ErkJggg==); } .reveal .overlay .viewport { position: absolute; top: 40px; right: 0; bottom: 0; left: 0; } .reveal .overlay.overlay-preview .viewport iframe { width: 100%; height: 100%; max-width: 100%; max-height: 100%; border: 0; opacity: 0; visibility: hidden; -webkit-transition: all 0.3s ease; transition: all 0.3s ease; } .reveal .overlay.overlay-preview.loaded .viewport iframe { opacity: 1; visibility: visible; } .reveal .overlay.overlay-preview.loaded .spinner { opacity: 0; visibility: hidden; -webkit-transform: scale(0.2); -ms-transform: scale(0.2); transform: scale(0.2); } .reveal .overlay.overlay-help .viewport { overflow: auto; color: #fff; } .reveal .overlay.overlay-help .viewport .viewport-inner { width: 600px; margin: 0 auto; padding: 60px; text-align: center; letter-spacing: normal; } .reveal .overlay.overlay-help .viewport .viewport-inner .title { font-size: 20px; } .reveal .overlay.overlay-help .viewport .viewport-inner table { border: 1px solid #fff; border-collapse: collapse; font-size: 14px; } .reveal .overlay.overlay-help .viewport .viewport-inner table th, .reveal .overlay.overlay-help .viewport .viewport-inner table td { width: 200px; padding: 10px; border: 1px solid #fff; vertical-align: middle; } .reveal .overlay.overlay-help .viewport .viewport-inner table th { padding-top: 20px; padding-bottom: 20px; } /********************************************* * PLAYBACK COMPONENT *********************************************/ .reveal .playback { position: fixed; left: 15px; bottom: 20px; z-index: 30; cursor: pointer; -webkit-transition: all 400ms ease; transition: all 400ms ease; } .reveal.overview .playback { opacity: 0; visibility: hidden; } /********************************************* * ROLLING LINKS *********************************************/ .reveal .roll { display: inline-block; line-height: 1.2; overflow: hidden; vertical-align: top; -webkit-perspective: 400px; perspective: 400px; -webkit-perspective-origin: 50% 50%; perspective-origin: 50% 50%; } .reveal .roll:hover { background: none; text-shadow: none; } .reveal .roll span { display: block; position: relative; padding: 0 2px; pointer-events: none; -webkit-transition: all 400ms ease; transition: all 400ms ease; -webkit-transform-origin: 50% 0%; -ms-transform-origin: 50% 0%; transform-origin: 50% 0%; -webkit-transform-style: preserve-3d; transform-style: preserve-3d; -webkit-backface-visibility: hidden; backface-visibility: hidden; } .reveal .roll:hover span { background: rgba(0, 0, 0, 0.5); -webkit-transform: translate3d(0px, 0px, -45px) rotateX(90deg); transform: translate3d(0px, 0px, -45px) rotateX(90deg); } .reveal .roll span:after { content: attr(data-title); display: block; position: absolute; left: 0; top: 0; padding: 0 2px; -webkit-backface-visibility: hidden; backface-visibility: hidden; -webkit-transform-origin: 50% 0%; -ms-transform-origin: 50% 0%; transform-origin: 50% 0%; -webkit-transform: translate3d(0px, 110%, 0px) rotateX(-90deg); transform: translate3d(0px, 110%, 0px) rotateX(-90deg); } /********************************************* * SPEAKER NOTES *********************************************/ .reveal aside.notes { display: none; } .reveal .speaker-notes { display: none; position: absolute; width: 70%; max-height: 15%; left: 15%; bottom: 26px; padding: 10px; z-index: 1; font-size: 18px; line-height: 1.4; color: #fff; background-color: rgba(0, 0, 0, 0.5); overflow: auto; box-sizing: border-box; text-align: left; font-family: Helvetica, sans-serif; -webkit-overflow-scrolling: touch; } .reveal .speaker-notes.visible:not(:empty) { display: block; } @media screen and (max-width: 1024px) { .reveal .speaker-notes { font-size: 14px; } } @media screen and (max-width: 600px) { .reveal .speaker-notes { width: 90%; left: 5%; } } /********************************************* * ZOOM PLUGIN *********************************************/ .zoomed .reveal *, .zoomed .reveal *:before, .zoomed .reveal *:after { -webkit-backface-visibility: visible !important; backface-visibility: visible !important; } .zoomed .reveal .progress, .zoomed .reveal .controls { opacity: 0; } .zoomed .reveal .roll span { background: none; } .zoomed .reveal .roll span:after { visibility: hidden; } PK!pYY7kirlent_sphinx/templates/kirlent/static/css/reveal.scss/*! * reveal.js * http://lab.hakim.se/reveal-js * MIT licensed * * Copyright (C) 2015 Hakim El Hattab, http://hakim.se */ /********************************************* * RESET STYLES *********************************************/ html, body, .reveal div, .reveal span, .reveal applet, .reveal object, .reveal iframe, .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6, .reveal p, .reveal blockquote, .reveal pre, .reveal a, .reveal abbr, .reveal acronym, .reveal address, .reveal big, .reveal cite, .reveal code, .reveal del, .reveal dfn, .reveal em, .reveal img, .reveal ins, .reveal kbd, .reveal q, .reveal s, .reveal samp, .reveal small, .reveal strike, .reveal strong, .reveal sub, .reveal sup, .reveal tt, .reveal var, .reveal b, .reveal u, .reveal center, .reveal dl, .reveal dt, .reveal dd, .reveal ol, .reveal ul, .reveal li, .reveal fieldset, .reveal form, .reveal label, .reveal legend, .reveal table, .reveal caption, .reveal tbody, .reveal tfoot, .reveal thead, .reveal tr, .reveal th, .reveal td, .reveal article, .reveal aside, .reveal canvas, .reveal details, .reveal embed, .reveal figure, .reveal figcaption, .reveal footer, .reveal header, .reveal hgroup, .reveal menu, .reveal nav, .reveal output, .reveal ruby, .reveal section, .reveal summary, .reveal time, .reveal mark, .reveal audio, video { margin: 0; padding: 0; border: 0; font-size: 100%; font: inherit; vertical-align: baseline; } .reveal article, .reveal aside, .reveal details, .reveal figcaption, .reveal figure, .reveal footer, .reveal header, .reveal hgroup, .reveal menu, .reveal nav, .reveal section { display: block; } /********************************************* * GLOBAL STYLES *********************************************/ html, body { width: 100%; height: 100%; overflow: hidden; } body { position: relative; line-height: 1; background-color: #fff; color: #000; } // Ensures that the main background color matches the // theme in fullscreen mode html:-webkit-full-screen-ancestor { background-color: inherit; } html:-moz-full-screen-ancestor { background-color: inherit; } /********************************************* * VIEW FRAGMENTS *********************************************/ .reveal .slides section .fragment { opacity: 0; visibility: hidden; transition: all .2s ease; &.visible { opacity: 1; visibility: visible; } } .reveal .slides section .fragment.grow { opacity: 1; visibility: visible; &.visible { transform: scale( 1.3 ); } } .reveal .slides section .fragment.shrink { opacity: 1; visibility: visible; &.visible { transform: scale( 0.7 ); } } .reveal .slides section .fragment.zoom-in { transform: scale( 0.1 ); &.visible { transform: none; } } .reveal .slides section .fragment.fade-out { opacity: 1; visibility: visible; &.visible { opacity: 0; visibility: hidden; } } .reveal .slides section .fragment.semi-fade-out { opacity: 1; visibility: visible; &.visible { opacity: 0.5; visibility: visible; } } .reveal .slides section .fragment.strike { opacity: 1; visibility: visible; &.visible { text-decoration: line-through; } } .reveal .slides section .fragment.current-visible { opacity: 0; visibility: hidden; &.current-fragment { opacity: 1; visibility: visible; } } .reveal .slides section .fragment.highlight-red, .reveal .slides section .fragment.highlight-current-red, .reveal .slides section .fragment.highlight-green, .reveal .slides section .fragment.highlight-current-green, .reveal .slides section .fragment.highlight-blue, .reveal .slides section .fragment.highlight-current-blue { opacity: 1; visibility: visible; } .reveal .slides section .fragment.highlight-red.visible { color: #ff2c2d } .reveal .slides section .fragment.highlight-green.visible { color: #17ff2e; } .reveal .slides section .fragment.highlight-blue.visible { color: #1b91ff; } .reveal .slides section .fragment.highlight-current-red.current-fragment { color: #ff2c2d } .reveal .slides section .fragment.highlight-current-green.current-fragment { color: #17ff2e; } .reveal .slides section .fragment.highlight-current-blue.current-fragment { color: #1b91ff; } /********************************************* * DEFAULT ELEMENT STYLES *********************************************/ /* Fixes issue in Chrome where italic fonts did not appear when printing to PDF */ .reveal:after { content: ''; font-style: italic; } .reveal iframe { z-index: 1; } /** Prevents layering issues in certain browser/transition combinations */ .reveal a { position: relative; } .reveal .stretch { max-width: none; max-height: none; } .reveal pre.stretch code { height: 100%; max-height: 100%; box-sizing: border-box; } /********************************************* * CONTROLS *********************************************/ .reveal .controls { display: none; position: fixed; width: 110px; height: 110px; z-index: 30; right: 10px; bottom: 10px; -webkit-user-select: none; } .reveal .controls button { padding: 0; position: absolute; opacity: 0.05; width: 0; height: 0; background-color: transparent; border: 12px solid transparent; transform: scale(.9999); transition: all 0.2s ease; -webkit-appearance: none; -webkit-tap-highlight-color: rgba( 0, 0, 0, 0 ); } .reveal .controls .enabled { opacity: 0.7; cursor: pointer; } .reveal .controls .enabled:active { margin-top: 1px; } .reveal .controls .navigate-left { top: 42px; border-right-width: 22px; border-right-color: #000; } .reveal .controls .navigate-left.fragmented { opacity: 0.3; } .reveal .controls .navigate-right { left: 74px; top: 42px; border-left-width: 22px; border-left-color: #000; } .reveal .controls .navigate-right.fragmented { opacity: 0.3; } .reveal .controls .navigate-up { left: 42px; border-bottom-width: 22px; border-bottom-color: #000; } .reveal .controls .navigate-up.fragmented { opacity: 0.3; } .reveal .controls .navigate-down { left: 42px; top: 74px; border-top-width: 22px; border-top-color: #000; } .reveal .controls .navigate-down.fragmented { opacity: 0.3; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { position: fixed; display: none; height: 3px; width: 100%; bottom: 0; left: 0; z-index: 10; background-color: rgba( 0, 0, 0, 0.2 ); } .reveal .progress:after { content: ''; display: block; position: absolute; height: 20px; width: 100%; top: -20px; } .reveal .progress span { display: block; height: 100%; width: 0px; background-color: #000; transition: width 800ms cubic-bezier(0.260, 0.860, 0.440, 0.985); } /********************************************* * SLIDE NUMBER *********************************************/ .reveal .slide-number { position: fixed; display: block; right: 8px; bottom: 8px; z-index: 31; font-family: Helvetica, sans-serif; font-size: 12px; line-height: 1; color: #fff; background-color: rgba( 0, 0, 0, 0.4 ); padding: 5px; } .reveal .slide-number-delimiter { margin: 0 3px; } /********************************************* * SLIDES *********************************************/ .reveal { position: relative; width: 100%; height: 100%; overflow: hidden; touch-action: none; } .reveal .slides { position: absolute; width: 100%; height: 100%; top: 0; right: 0; bottom: 0; left: 0; margin: auto; overflow: visible; z-index: 1; text-align: center; perspective: 600px; perspective-origin: 50% 40%; } .reveal .slides>section { -ms-perspective: 600px; } .reveal .slides>section, .reveal .slides>section>section { display: none; position: absolute; width: 100%; padding: 20px 0px; z-index: 10; transform-style: preserve-3d; transition: transform-origin 800ms cubic-bezier(0.260, 0.860, 0.440, 0.985), transform 800ms cubic-bezier(0.260, 0.860, 0.440, 0.985), visibility 800ms cubic-bezier(0.260, 0.860, 0.440, 0.985), opacity 800ms cubic-bezier(0.260, 0.860, 0.440, 0.985); } /* Global transition speed settings */ .reveal[data-transition-speed="fast"] .slides section { transition-duration: 400ms; } .reveal[data-transition-speed="slow"] .slides section { transition-duration: 1200ms; } /* Slide-specific transition speed overrides */ .reveal .slides section[data-transition-speed="fast"] { transition-duration: 400ms; } .reveal .slides section[data-transition-speed="slow"] { transition-duration: 1200ms; } .reveal .slides>section.stack { padding-top: 0; padding-bottom: 0; } .reveal .slides>section.present, .reveal .slides>section>section.present { display: block; z-index: 11; opacity: 1; } .reveal.center, .reveal.center .slides, .reveal.center .slides section { min-height: 0 !important; } /* Don't allow interaction with invisible slides */ .reveal .slides>section.future, .reveal .slides>section>section.future, .reveal .slides>section.past, .reveal .slides>section>section.past { pointer-events: none; } .reveal.overview .slides>section, .reveal.overview .slides>section>section { pointer-events: auto; } .reveal .slides>section.past, .reveal .slides>section.future, .reveal .slides>section>section.past, .reveal .slides>section>section.future { opacity: 0; } /********************************************* * Mixins for readability of transitions *********************************************/ @mixin transition-global($style) { .reveal .slides section[data-transition=#{$style}], .reveal.#{$style} .slides section:not([data-transition]) { @content; } } @mixin transition-horizontal-past($style) { .reveal .slides>section[data-transition=#{$style}].past, .reveal .slides>section[data-transition~=#{$style}-out].past, .reveal.#{$style} .slides>section:not([data-transition]).past { @content; } } @mixin transition-horizontal-future($style) { .reveal .slides>section[data-transition=#{$style}].future, .reveal .slides>section[data-transition~=#{$style}-in].future, .reveal.#{$style} .slides>section:not([data-transition]).future { @content; } } @mixin transition-vertical-past($style) { .reveal .slides>section>section[data-transition=#{$style}].past, .reveal .slides>section>section[data-transition~=#{$style}-out].past, .reveal.#{$style} .slides>section>section:not([data-transition]).past { @content; } } @mixin transition-vertical-future($style) { .reveal .slides>section>section[data-transition=#{$style}].future, .reveal .slides>section>section[data-transition~=#{$style}-in].future, .reveal.#{$style} .slides>section>section:not([data-transition]).future { @content; } } /********************************************* * SLIDE TRANSITION * Aliased 'linear' for backwards compatibility *********************************************/ @each $stylename in slide, linear { .reveal.#{$stylename} section { backface-visibility: hidden; } @include transition-horizontal-past(#{$stylename}) { transform: translate(-150%, 0); } @include transition-horizontal-future(#{$stylename}) { transform: translate(150%, 0); } @include transition-vertical-past(#{$stylename}) { transform: translate(0, -150%); } @include transition-vertical-future(#{$stylename}) { transform: translate(0, 150%); } } /********************************************* * CONVEX TRANSITION * Aliased 'default' for backwards compatibility *********************************************/ @each $stylename in default, convex { @include transition-horizontal-past(#{$stylename}) { transform: translate3d(-100%, 0, 0) rotateY(-90deg) translate3d(-100%, 0, 0); } @include transition-horizontal-future(#{$stylename}) { transform: translate3d(100%, 0, 0) rotateY(90deg) translate3d(100%, 0, 0); } @include transition-vertical-past(#{$stylename}) { transform: translate3d(0, -300px, 0) rotateX(70deg) translate3d(0, -300px, 0); } @include transition-vertical-future(#{$stylename}) { transform: translate3d(0, 300px, 0) rotateX(-70deg) translate3d(0, 300px, 0); } } /********************************************* * CONCAVE TRANSITION *********************************************/ @include transition-horizontal-past(concave) { transform: translate3d(-100%, 0, 0) rotateY(90deg) translate3d(-100%, 0, 0); } @include transition-horizontal-future(concave) { transform: translate3d(100%, 0, 0) rotateY(-90deg) translate3d(100%, 0, 0); } @include transition-vertical-past(concave) { transform: translate3d(0, -80%, 0) rotateX(-70deg) translate3d(0, -80%, 0); } @include transition-vertical-future(concave) { transform: translate3d(0, 80%, 0) rotateX(70deg) translate3d(0, 80%, 0); } /********************************************* * ZOOM TRANSITION *********************************************/ @include transition-global(zoom) { transition-timing-function: ease; } @include transition-horizontal-past(zoom) { visibility: hidden; transform: scale(16); } @include transition-horizontal-future(zoom) { visibility: hidden; transform: scale(0.2); } @include transition-vertical-past(zoom) { transform: translate(0, -150%); } @include transition-vertical-future(zoom) { transform: translate(0, 150%); } /********************************************* * CUBE TRANSITION *********************************************/ .reveal.cube .slides { perspective: 1300px; } .reveal.cube .slides section { padding: 30px; min-height: 700px; backface-visibility: hidden; box-sizing: border-box; } .reveal.center.cube .slides section { min-height: 0; } .reveal.cube .slides section:not(.stack):before { content: ''; position: absolute; display: block; width: 100%; height: 100%; left: 0; top: 0; background: rgba(0,0,0,0.1); border-radius: 4px; transform: translateZ( -20px ); } .reveal.cube .slides section:not(.stack):after { content: ''; position: absolute; display: block; width: 90%; height: 30px; left: 5%; bottom: 0; background: none; z-index: 1; border-radius: 4px; box-shadow: 0px 95px 25px rgba(0,0,0,0.2); transform: translateZ(-90px) rotateX( 65deg ); } .reveal.cube .slides>section.stack { padding: 0; background: none; } .reveal.cube .slides>section.past { transform-origin: 100% 0%; transform: translate3d(-100%, 0, 0) rotateY(-90deg); } .reveal.cube .slides>section.future { transform-origin: 0% 0%; transform: translate3d(100%, 0, 0) rotateY(90deg); } .reveal.cube .slides>section>section.past { transform-origin: 0% 100%; transform: translate3d(0, -100%, 0) rotateX(90deg); } .reveal.cube .slides>section>section.future { transform-origin: 0% 0%; transform: translate3d(0, 100%, 0) rotateX(-90deg); } /********************************************* * PAGE TRANSITION *********************************************/ .reveal.page .slides { perspective-origin: 0% 50%; perspective: 3000px; } .reveal.page .slides section { padding: 30px; min-height: 700px; box-sizing: border-box; } .reveal.page .slides section.past { z-index: 12; } .reveal.page .slides section:not(.stack):before { content: ''; position: absolute; display: block; width: 100%; height: 100%; left: 0; top: 0; background: rgba(0,0,0,0.1); transform: translateZ( -20px ); } .reveal.page .slides section:not(.stack):after { content: ''; position: absolute; display: block; width: 90%; height: 30px; left: 5%; bottom: 0; background: none; z-index: 1; border-radius: 4px; box-shadow: 0px 95px 25px rgba(0,0,0,0.2); -webkit-transform: translateZ(-90px) rotateX( 65deg ); } .reveal.page .slides>section.stack { padding: 0; background: none; } .reveal.page .slides>section.past { transform-origin: 0% 0%; transform: translate3d(-40%, 0, 0) rotateY(-80deg); } .reveal.page .slides>section.future { transform-origin: 100% 0%; transform: translate3d(0, 0, 0); } .reveal.page .slides>section>section.past { transform-origin: 0% 0%; transform: translate3d(0, -40%, 0) rotateX(80deg); } .reveal.page .slides>section>section.future { transform-origin: 0% 100%; transform: translate3d(0, 0, 0); } /********************************************* * FADE TRANSITION *********************************************/ .reveal .slides section[data-transition=fade], .reveal.fade .slides section:not([data-transition]), .reveal.fade .slides>section>section:not([data-transition]) { transform: none; transition: opacity 0.5s; } .reveal.fade.overview .slides section, .reveal.fade.overview .slides>section>section { transition: none; } /********************************************* * NO TRANSITION *********************************************/ @include transition-global(none) { transform: none; transition: none; } /********************************************* * PAUSED MODE *********************************************/ .reveal .pause-overlay { position: absolute; top: 0; left: 0; width: 100%; height: 100%; background: black; visibility: hidden; opacity: 0; z-index: 100; transition: all 1s ease; } .reveal.paused .pause-overlay { visibility: visible; opacity: 1; } /********************************************* * FALLBACK *********************************************/ .no-transforms { overflow-y: auto; } .no-transforms .reveal .slides { position: relative; width: 80%; height: auto !important; top: 0; left: 50%; margin: 0; text-align: center; } .no-transforms .reveal .controls, .no-transforms .reveal .progress { display: none !important; } .no-transforms .reveal .slides section { display: block !important; opacity: 1 !important; position: relative !important; height: auto; min-height: 0; top: 0; left: -50%; margin: 70px 0; transform: none; } .no-transforms .reveal .slides section section { left: 0; } .reveal .no-transition, .reveal .no-transition * { transition: none !important; } /********************************************* * PER-SLIDE BACKGROUNDS *********************************************/ .reveal .backgrounds { position: absolute; width: 100%; height: 100%; top: 0; left: 0; perspective: 600px; } .reveal .slide-background { display: none; position: absolute; width: 100%; height: 100%; opacity: 0; visibility: hidden; background-color: rgba( 0, 0, 0, 0 ); background-position: 50% 50%; background-repeat: no-repeat; background-size: cover; transition: all 800ms cubic-bezier(0.260, 0.860, 0.440, 0.985); } .reveal .slide-background.stack { display: block; } .reveal .slide-background.present { opacity: 1; visibility: visible; } .print-pdf .reveal .slide-background { opacity: 1 !important; visibility: visible !important; } /* Video backgrounds */ .reveal .slide-background video { position: absolute; width: 100%; height: 100%; max-width: none; max-height: none; top: 0; left: 0; } /* Immediate transition style */ .reveal[data-background-transition=none]>.backgrounds .slide-background, .reveal>.backgrounds .slide-background[data-background-transition=none] { transition: none; } /* Slide */ .reveal[data-background-transition=slide]>.backgrounds .slide-background, .reveal>.backgrounds .slide-background[data-background-transition=slide] { opacity: 1; backface-visibility: hidden; } .reveal[data-background-transition=slide]>.backgrounds .slide-background.past, .reveal>.backgrounds .slide-background.past[data-background-transition=slide] { transform: translate(-100%, 0); } .reveal[data-background-transition=slide]>.backgrounds .slide-background.future, .reveal>.backgrounds .slide-background.future[data-background-transition=slide] { transform: translate(100%, 0); } .reveal[data-background-transition=slide]>.backgrounds .slide-background>.slide-background.past, .reveal>.backgrounds .slide-background>.slide-background.past[data-background-transition=slide] { transform: translate(0, -100%); } .reveal[data-background-transition=slide]>.backgrounds .slide-background>.slide-background.future, .reveal>.backgrounds .slide-background>.slide-background.future[data-background-transition=slide] { transform: translate(0, 100%); } /* Convex */ .reveal[data-background-transition=convex]>.backgrounds .slide-background.past, .reveal>.backgrounds .slide-background.past[data-background-transition=convex] { opacity: 0; transform: translate3d(-100%, 0, 0) rotateY(-90deg) translate3d(-100%, 0, 0); } .reveal[data-background-transition=convex]>.backgrounds .slide-background.future, .reveal>.backgrounds .slide-background.future[data-background-transition=convex] { opacity: 0; transform: translate3d(100%, 0, 0) rotateY(90deg) translate3d(100%, 0, 0); } .reveal[data-background-transition=convex]>.backgrounds .slide-background>.slide-background.past, .reveal>.backgrounds .slide-background>.slide-background.past[data-background-transition=convex] { opacity: 0; transform: translate3d(0, -100%, 0) rotateX(90deg) translate3d(0, -100%, 0); } .reveal[data-background-transition=convex]>.backgrounds .slide-background>.slide-background.future, .reveal>.backgrounds .slide-background>.slide-background.future[data-background-transition=convex] { opacity: 0; transform: translate3d(0, 100%, 0) rotateX(-90deg) translate3d(0, 100%, 0); } /* Concave */ .reveal[data-background-transition=concave]>.backgrounds .slide-background.past, .reveal>.backgrounds .slide-background.past[data-background-transition=concave] { opacity: 0; transform: translate3d(-100%, 0, 0) rotateY(90deg) translate3d(-100%, 0, 0); } .reveal[data-background-transition=concave]>.backgrounds .slide-background.future, .reveal>.backgrounds .slide-background.future[data-background-transition=concave] { opacity: 0; transform: translate3d(100%, 0, 0) rotateY(-90deg) translate3d(100%, 0, 0); } .reveal[data-background-transition=concave]>.backgrounds .slide-background>.slide-background.past, .reveal>.backgrounds .slide-background>.slide-background.past[data-background-transition=concave] { opacity: 0; transform: translate3d(0, -100%, 0) rotateX(-90deg) translate3d(0, -100%, 0); } .reveal[data-background-transition=concave]>.backgrounds .slide-background>.slide-background.future, .reveal>.backgrounds .slide-background>.slide-background.future[data-background-transition=concave] { opacity: 0; transform: translate3d(0, 100%, 0) rotateX(90deg) translate3d(0, 100%, 0); } /* Zoom */ .reveal[data-background-transition=zoom]>.backgrounds .slide-background, .reveal>.backgrounds .slide-background[data-background-transition=zoom] { transition-timing-function: ease; } .reveal[data-background-transition=zoom]>.backgrounds .slide-background.past, .reveal>.backgrounds .slide-background.past[data-background-transition=zoom] { opacity: 0; visibility: hidden; transform: scale(16); } .reveal[data-background-transition=zoom]>.backgrounds .slide-background.future, .reveal>.backgrounds .slide-background.future[data-background-transition=zoom] { opacity: 0; visibility: hidden; transform: scale(0.2); } .reveal[data-background-transition=zoom]>.backgrounds .slide-background>.slide-background.past, .reveal>.backgrounds .slide-background>.slide-background.past[data-background-transition=zoom] { opacity: 0; visibility: hidden; transform: scale(16); } .reveal[data-background-transition=zoom]>.backgrounds .slide-background>.slide-background.future, .reveal>.backgrounds .slide-background>.slide-background.future[data-background-transition=zoom] { opacity: 0; visibility: hidden; transform: scale(0.2); } /* Global transition speed settings */ .reveal[data-transition-speed="fast"]>.backgrounds .slide-background { transition-duration: 400ms; } .reveal[data-transition-speed="slow"]>.backgrounds .slide-background { transition-duration: 1200ms; } /********************************************* * OVERVIEW *********************************************/ .reveal.overview { perspective-origin: 50% 50%; perspective: 700px; .slides section { height: 700px; opacity: 1 !important; overflow: hidden; visibility: visible !important; cursor: pointer; box-sizing: border-box; } .slides section:hover, .slides section.present { outline: 10px solid rgba(150,150,150,0.4); outline-offset: 10px; } .slides section .fragment { opacity: 1; transition: none; } .slides section:after, .slides section:before { display: none !important; } .slides>section.stack { padding: 0; top: 0 !important; background: none; outline: none; overflow: visible; } .backgrounds { perspective: inherit; } .backgrounds .slide-background { opacity: 1; visibility: visible; // This can't be applied to the slide itself in Safari outline: 10px solid rgba(150,150,150,0.1); outline-offset: 10px; } } // Disable transitions transitions while we're activating // or deactivating the overview mode. .reveal.overview .slides section, .reveal.overview-deactivating .slides section { transition: none; } .reveal.overview .backgrounds .slide-background, .reveal.overview-deactivating .backgrounds .slide-background { transition: none; } .reveal.overview-animated .slides { transition: transform 0.4s ease; } /********************************************* * RTL SUPPORT *********************************************/ .reveal.rtl .slides, .reveal.rtl .slides h1, .reveal.rtl .slides h2, .reveal.rtl .slides h3, .reveal.rtl .slides h4, .reveal.rtl .slides h5, .reveal.rtl .slides h6 { direction: rtl; font-family: sans-serif; } .reveal.rtl pre, .reveal.rtl code { direction: ltr; } .reveal.rtl ol, .reveal.rtl ul { text-align: right; } .reveal.rtl .progress span { float: right } /********************************************* * PARALLAX BACKGROUND *********************************************/ .reveal.has-parallax-background .backgrounds { transition: all 0.8s ease; } /* Global transition speed settings */ .reveal.has-parallax-background[data-transition-speed="fast"] .backgrounds { transition-duration: 400ms; } .reveal.has-parallax-background[data-transition-speed="slow"] .backgrounds { transition-duration: 1200ms; } /********************************************* * LINK PREVIEW OVERLAY *********************************************/ .reveal .overlay { position: absolute; top: 0; left: 0; width: 100%; height: 100%; z-index: 1000; background: rgba( 0, 0, 0, 0.9 ); opacity: 0; visibility: hidden; transition: all 0.3s ease; } .reveal .overlay.visible { opacity: 1; visibility: visible; } .reveal .overlay .spinner { position: absolute; display: block; top: 50%; left: 50%; width: 32px; height: 32px; margin: -16px 0 0 -16px; z-index: 10; background-image: url(data:image/gif;base64,R0lGODlhIAAgAPMAAJmZmf%2F%2F%2F6%2Bvr8nJybW1tcDAwOjo6Nvb26ioqKOjo7Ozs%2FLy8vz8%2FAAAAAAAAAAAACH%2FC05FVFNDQVBFMi4wAwEAAAAh%2FhpDcmVhdGVkIHdpdGggYWpheGxvYWQuaW5mbwAh%2BQQJCgAAACwAAAAAIAAgAAAE5xDISWlhperN52JLhSSdRgwVo1ICQZRUsiwHpTJT4iowNS8vyW2icCF6k8HMMBkCEDskxTBDAZwuAkkqIfxIQyhBQBFvAQSDITM5VDW6XNE4KagNh6Bgwe60smQUB3d4Rz1ZBApnFASDd0hihh12BkE9kjAJVlycXIg7CQIFA6SlnJ87paqbSKiKoqusnbMdmDC2tXQlkUhziYtyWTxIfy6BE8WJt5YJvpJivxNaGmLHT0VnOgSYf0dZXS7APdpB309RnHOG5gDqXGLDaC457D1zZ%2FV%2FnmOM82XiHRLYKhKP1oZmADdEAAAh%2BQQJCgAAACwAAAAAIAAgAAAE6hDISWlZpOrNp1lGNRSdRpDUolIGw5RUYhhHukqFu8DsrEyqnWThGvAmhVlteBvojpTDDBUEIFwMFBRAmBkSgOrBFZogCASwBDEY%2FCZSg7GSE0gSCjQBMVG023xWBhklAnoEdhQEfyNqMIcKjhRsjEdnezB%2BA4k8gTwJhFuiW4dokXiloUepBAp5qaKpp6%2BHo7aWW54wl7obvEe0kRuoplCGepwSx2jJvqHEmGt6whJpGpfJCHmOoNHKaHx61WiSR92E4lbFoq%2BB6QDtuetcaBPnW6%2BO7wDHpIiK9SaVK5GgV543tzjgGcghAgAh%2BQQJCgAAACwAAAAAIAAgAAAE7hDISSkxpOrN5zFHNWRdhSiVoVLHspRUMoyUakyEe8PTPCATW9A14E0UvuAKMNAZKYUZCiBMuBakSQKG8G2FzUWox2AUtAQFcBKlVQoLgQReZhQlCIJesQXI5B0CBnUMOxMCenoCfTCEWBsJColTMANldx15BGs8B5wlCZ9Po6OJkwmRpnqkqnuSrayqfKmqpLajoiW5HJq7FL1Gr2mMMcKUMIiJgIemy7xZtJsTmsM4xHiKv5KMCXqfyUCJEonXPN2rAOIAmsfB3uPoAK%2B%2BG%2Bw48edZPK%2BM6hLJpQg484enXIdQFSS1u6UhksENEQAAIfkECQoAAAAsAAAAACAAIAAABOcQyEmpGKLqzWcZRVUQnZYg1aBSh2GUVEIQ2aQOE%2BG%2BcD4ntpWkZQj1JIiZIogDFFyHI0UxQwFugMSOFIPJftfVAEoZLBbcLEFhlQiqGp1Vd140AUklUN3eCA51C1EWMzMCezCBBmkxVIVHBWd3HHl9JQOIJSdSnJ0TDKChCwUJjoWMPaGqDKannasMo6WnM562R5YluZRwur0wpgqZE7NKUm%2BFNRPIhjBJxKZteWuIBMN4zRMIVIhffcgojwCF117i4nlLnY5ztRLsnOk%2BaV%2BoJY7V7m76PdkS4trKcdg0Zc0tTcKkRAAAIfkECQoAAAAsAAAAACAAIAAABO4QyEkpKqjqzScpRaVkXZWQEximw1BSCUEIlDohrft6cpKCk5xid5MNJTaAIkekKGQkWyKHkvhKsR7ARmitkAYDYRIbUQRQjWBwJRzChi9CRlBcY1UN4g0%2FVNB0AlcvcAYHRyZPdEQFYV8ccwR5HWxEJ02YmRMLnJ1xCYp0Y5idpQuhopmmC2KgojKasUQDk5BNAwwMOh2RtRq5uQuPZKGIJQIGwAwGf6I0JXMpC8C7kXWDBINFMxS4DKMAWVWAGYsAdNqW5uaRxkSKJOZKaU3tPOBZ4DuK2LATgJhkPJMgTwKCdFjyPHEnKxFCDhEAACH5BAkKAAAALAAAAAAgACAAAATzEMhJaVKp6s2nIkolIJ2WkBShpkVRWqqQrhLSEu9MZJKK9y1ZrqYK9WiClmvoUaF8gIQSNeF1Er4MNFn4SRSDARWroAIETg1iVwuHjYB1kYc1mwruwXKC9gmsJXliGxc%2BXiUCby9ydh1sOSdMkpMTBpaXBzsfhoc5l58Gm5yToAaZhaOUqjkDgCWNHAULCwOLaTmzswadEqggQwgHuQsHIoZCHQMMQgQGubVEcxOPFAcMDAYUA85eWARmfSRQCdcMe0zeP1AAygwLlJtPNAAL19DARdPzBOWSm1brJBi45soRAWQAAkrQIykShQ9wVhHCwCQCACH5BAkKAAAALAAAAAAgACAAAATrEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq%2BE71SRQeyqUToLA7VxF0JDyIQh%2FMVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiRMDjI0Fd30%2FiI2UA5GSS5UDj2l6NoqgOgN4gksEBgYFf0FDqKgHnyZ9OX8HrgYHdHpcHQULXAS2qKpENRg7eAMLC7kTBaixUYFkKAzWAAnLC7FLVxLWDBLKCwaKTULgEwbLA4hJtOkSBNqITT3xEgfLpBtzE%2FjiuL04RGEBgwWhShRgQExHBAAh%2BQQJCgAAACwAAAAAIAAgAAAE7xDISWlSqerNpyJKhWRdlSAVoVLCWk6JKlAqAavhO9UkUHsqlE6CwO1cRdCQ8iEIfzFVTzLdRAmZX3I2SfZiCqGk5dTESJeaOAlClzsJsqwiJwiqnFrb2nS9kmIcgEsjQydLiIlHehhpejaIjzh9eomSjZR%2BipslWIRLAgMDOR2DOqKogTB9pCUJBagDBXR6XB0EBkIIsaRsGGMMAxoDBgYHTKJiUYEGDAzHC9EACcUGkIgFzgwZ0QsSBcXHiQvOwgDdEwfFs0sDzt4S6BK4xYjkDOzn0unFeBzOBijIm1Dgmg5YFQwsCMjp1oJ8LyIAACH5BAkKAAAALAAAAAAgACAAAATwEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq%2BE71SRQeyqUToLA7VxF0JDyIQh%2FMVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiUd6GGl6NoiPOH16iZKNlH6KmyWFOggHhEEvAwwMA0N9GBsEC6amhnVcEwavDAazGwIDaH1ipaYLBUTCGgQDA8NdHz0FpqgTBwsLqAbWAAnIA4FWKdMLGdYGEgraigbT0OITBcg5QwPT4xLrROZL6AuQAPUS7bxLpoWidY0JtxLHKhwwMJBTHgPKdEQAACH5BAkKAAAALAAAAAAgACAAAATrEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq%2BE71SRQeyqUToLA7VxF0JDyIQh%2FMVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiUd6GAULDJCRiXo1CpGXDJOUjY%2BYip9DhToJA4RBLwMLCwVDfRgbBAaqqoZ1XBMHswsHtxtFaH1iqaoGNgAIxRpbFAgfPQSqpbgGBqUD1wBXeCYp1AYZ19JJOYgH1KwA4UBvQwXUBxPqVD9L3sbp2BNk2xvvFPJd%2BMFCN6HAAIKgNggY0KtEBAAh%2BQQJCgAAACwAAAAAIAAgAAAE6BDISWlSqerNpyJKhWRdlSAVoVLCWk6JKlAqAavhO9UkUHsqlE6CwO1cRdCQ8iEIfzFVTzLdRAmZX3I2SfYIDMaAFdTESJeaEDAIMxYFqrOUaNW4E4ObYcCXaiBVEgULe0NJaxxtYksjh2NLkZISgDgJhHthkpU4mW6blRiYmZOlh4JWkDqILwUGBnE6TYEbCgevr0N1gH4At7gHiRpFaLNrrq8HNgAJA70AWxQIH1%2BvsYMDAzZQPC9VCNkDWUhGkuE5PxJNwiUK4UfLzOlD4WvzAHaoG9nxPi5d%2BjYUqfAhhykOFwJWiAAAIfkECQoAAAAsAAAAACAAIAAABPAQyElpUqnqzaciSoVkXVUMFaFSwlpOCcMYlErAavhOMnNLNo8KsZsMZItJEIDIFSkLGQoQTNhIsFehRww2CQLKF0tYGKYSg%2BygsZIuNqJksKgbfgIGepNo2cIUB3V1B3IvNiBYNQaDSTtfhhx0CwVPI0UJe0%2Bbm4g5VgcGoqOcnjmjqDSdnhgEoamcsZuXO1aWQy8KAwOAuTYYGwi7w5h%2BKr0SJ8MFihpNbx%2B4Erq7BYBuzsdiH1jCAzoSfl0rVirNbRXlBBlLX%2BBP0XJLAPGzTkAuAOqb0WT5AH7OcdCm5B8TgRwSRKIHQtaLCwg1RAAAOwAAAAAAAAAAAA%3D%3D); visibility: visible; opacity: 0.6; transition: all 0.3s ease; } .reveal .overlay header { position: absolute; left: 0; top: 0; width: 100%; height: 40px; z-index: 2; border-bottom: 1px solid #222; } .reveal .overlay header a { display: inline-block; width: 40px; height: 40px; padding: 0 10px; float: right; opacity: 0.6; box-sizing: border-box; } .reveal .overlay header a:hover { opacity: 1; } .reveal .overlay header a .icon { display: inline-block; width: 20px; height: 20px; background-position: 50% 50%; background-size: 100%; background-repeat: no-repeat; } .reveal .overlay header a.close .icon { background-image: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAABkklEQVRYR8WX4VHDMAxG6wnoJrABZQPYBCaBTWAD2g1gE5gg6OOsXuxIlr40d81dfrSJ9V4c2VLK7spHuTJ/5wpM07QXuXc5X0opX2tEJcadjHuV80li/FgxTIEK/5QBCICBD6xEhSMGHgQPgBgLiYVAB1dpSqKDawxTohFw4JSEA3clzgIBPCURwE2JucBR7rhPJJv5OpJwDX+SfDjgx1wACQeJG1aChP9K/IMmdZ8DtESV1WyP3Bt4MwM6sj4NMxMYiqUWHQu4KYA/SYkIjOsm3BXYWMKFDwU2khjCQ4ELJUJ4SmClRArOCmSXGuKma0fYD5CbzHxFpCSGAhfAVSSUGDUk2BWZaff2g6GE15BsBQ9nwmpIGDiyHQddwNTMKkbZaf9fajXQca1EX44puJZUsnY0ObGmITE3GVLCbEhQUjGVt146j6oasWN+49Vph2w1pZ5EansNZqKBm1txbU57iRRcZ86RWMDdWtBJUHBHwoQPi1GV+JCbntmvok7iTX4/Up9mgyTc/FJYDTcndgH/AA5A/CHsyEkVAAAAAElFTkSuQmCC); } .reveal .overlay header a.external .icon { background-image: url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAACAAAAAgCAYAAABzenr0AAAAcElEQVRYR+2WSQoAIQwEzf8f7XiOMkUQxUPlGkM3hVmiQfQR9GYnH1SsAQlI4DiBqkCMoNb9y2e90IAEJPAcgdznU9+engMaeJ7Azh5Y1U67gAho4DqBqmB1buAf0MB1AlVBek83ZPkmJMGc1wAR+AAqod/B97TRpQAAAABJRU5ErkJggg==); } .reveal .overlay .viewport { position: absolute; top: 40px; right: 0; bottom: 0; left: 0; } .reveal .overlay.overlay-preview .viewport iframe { width: 100%; height: 100%; max-width: 100%; max-height: 100%; border: 0; opacity: 0; visibility: hidden; transition: all 0.3s ease; } .reveal .overlay.overlay-preview.loaded .viewport iframe { opacity: 1; visibility: visible; } .reveal .overlay.overlay-preview.loaded .spinner { opacity: 0; visibility: hidden; transform: scale(0.2); } .reveal .overlay.overlay-help .viewport { overflow: auto; color: #fff; } .reveal .overlay.overlay-help .viewport .viewport-inner { width: 600px; margin: 0 auto; padding: 60px; text-align: center; letter-spacing: normal; } .reveal .overlay.overlay-help .viewport .viewport-inner .title { font-size: 20px; } .reveal .overlay.overlay-help .viewport .viewport-inner table { border: 1px solid #fff; border-collapse: collapse; font-size: 14px; } .reveal .overlay.overlay-help .viewport .viewport-inner table th, .reveal .overlay.overlay-help .viewport .viewport-inner table td { width: 200px; padding: 10px; border: 1px solid #fff; vertical-align: middle; } .reveal .overlay.overlay-help .viewport .viewport-inner table th { padding-top: 20px; padding-bottom: 20px; } /********************************************* * PLAYBACK COMPONENT *********************************************/ .reveal .playback { position: fixed; left: 15px; bottom: 20px; z-index: 30; cursor: pointer; transition: all 400ms ease; } .reveal.overview .playback { opacity: 0; visibility: hidden; } /********************************************* * ROLLING LINKS *********************************************/ .reveal .roll { display: inline-block; line-height: 1.2; overflow: hidden; vertical-align: top; perspective: 400px; perspective-origin: 50% 50%; } .reveal .roll:hover { background: none; text-shadow: none; } .reveal .roll span { display: block; position: relative; padding: 0 2px; pointer-events: none; transition: all 400ms ease; transform-origin: 50% 0%; transform-style: preserve-3d; backface-visibility: hidden; } .reveal .roll:hover span { background: rgba(0,0,0,0.5); transform: translate3d( 0px, 0px, -45px ) rotateX( 90deg ); } .reveal .roll span:after { content: attr(data-title); display: block; position: absolute; left: 0; top: 0; padding: 0 2px; backface-visibility: hidden; transform-origin: 50% 0%; transform: translate3d( 0px, 110%, 0px ) rotateX( -90deg ); } /********************************************* * SPEAKER NOTES *********************************************/ // Hide on-page notes .reveal aside.notes { display: none; } // An interface element that can optionally be used to show the // speaker notes to all viewers, on top of the presentation .reveal .speaker-notes { display: none; position: absolute; width: 70%; max-height: 15%; left: 15%; bottom: 26px; padding: 10px; z-index: 1; font-size: 18px; line-height: 1.4; color: #fff; background-color: rgba(0,0,0,0.5); overflow: auto; box-sizing: border-box; text-align: left; font-family: Helvetica, sans-serif; -webkit-overflow-scrolling: touch; } .reveal .speaker-notes.visible:not(:empty) { display: block; } @media screen and (max-width: 1024px) { .reveal .speaker-notes { font-size: 14px; } } @media screen and (max-width: 600px) { .reveal .speaker-notes { width: 90%; left: 5%; } } /********************************************* * ZOOM PLUGIN *********************************************/ .zoomed .reveal *, .zoomed .reveal *:before, .zoomed .reveal *:after { backface-visibility: visible !important; } .zoomed .reveal .progress, .zoomed .reveal .controls { opacity: 0; } .zoomed .reveal .roll span { background: none; } .zoomed .reveal .roll span:after { visibility: hidden; } PK!Z@ ;kirlent_sphinx/templates/kirlent/static/css/theme/README.md## Dependencies Themes are written using Sass to keep things modular and reduce the need for repeated selectors across files. Make sure that you have the reveal.js development environment including the Grunt dependencies installed before proceding: https://github.com/hakimel/reveal.js#full-setup You also need to install Ruby and then Sass (with `gem install sass`). ## Creating a Theme To create your own theme, start by duplicating any ```.scss``` file in [/css/theme/source](https://github.com/hakimel/reveal.js/blob/master/css/theme/source) and adding it to the compilation list in the [Gruntfile](https://github.com/hakimel/reveal.js/blob/master/Gruntfile.js). Each theme file does four things in the following order: 1. **Include [/css/theme/template/mixins.scss](https://github.com/hakimel/reveal.js/blob/master/css/theme/template/mixins.scss)** Shared utility functions. 2. **Include [/css/theme/template/settings.scss](https://github.com/hakimel/reveal.js/blob/master/css/theme/template/settings.scss)** Declares a set of custom variables that the template file (step 4) expects. Can be overridden in step 3. 3. **Override** This is where you override the default theme. Either by specifying variables (see [settings.scss](https://github.com/hakimel/reveal.js/blob/master/css/theme/template/settings.scss) for reference) or by adding full selectors with hardcoded styles. 4. **Include [/css/theme/template/theme.scss](https://github.com/hakimel/reveal.js/blob/master/css/theme/template/theme.scss)** The template theme file which will generate final CSS output based on the currently defined variables. When you are done, run `grunt css-themes` to compile the Sass file to CSS and you are ready to use your new theme. PK! 7;kirlent_sphinx/templates/kirlent/static/css/theme/beige.css/** * Beige theme for reveal.js. * * Copyright (C) 2011-2012 Hakim El Hattab, http://hakim.se */ @import url(../../lib/font/league-gothic/league-gothic.css); @import url(https://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic); /********************************************* * GLOBAL STYLES *********************************************/ body { background: #f7f2d3; background: -moz-radial-gradient(center, circle cover, white 0%, #f7f2d3 100%); background: -webkit-gradient(radial, center center, 0px, center center, 100%, color-stop(0%, white), color-stop(100%, #f7f2d3)); background: -webkit-radial-gradient(center, circle cover, white 0%, #f7f2d3 100%); background: -o-radial-gradient(center, circle cover, white 0%, #f7f2d3 100%); background: -ms-radial-gradient(center, circle cover, white 0%, #f7f2d3 100%); background: radial-gradient(center, circle cover, white 0%, #f7f2d3 100%); background-color: #f7f3de; } .reveal { font-family: "Lato", sans-serif; font-size: 36px; font-weight: normal; color: #333; } ::selection { color: #fff; background: rgba(79, 64, 28, 0.99); text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #333; font-family: "League Gothic", Impact, sans-serif; font-weight: normal; line-height: 1.2; letter-spacing: normal; text-transform: uppercase; text-shadow: none; word-wrap: break-word; } .reveal h1 { font-size: 3.77em; } .reveal h2 { font-size: 2.11em; } .reveal h3 { font-size: 1.55em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: 0 1px 0 #ccc, 0 2px 0 #c9c9c9, 0 3px 0 #bbb, 0 4px 0 #b9b9b9, 0 5px 0 #aaa, 0 6px 1px rgba(0, 0, 0, 0.1), 0 0 5px rgba(0, 0, 0, 0.1), 0 1px 3px rgba(0, 0, 0, 0.3), 0 3px 5px rgba(0, 0, 0, 0.2), 0 5px 10px rgba(0, 0, 0, 0.25), 0 20px 20px rgba(0, 0, 0, 0.15); } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #8b743d; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #c0a86e; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #564826; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #333; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #8b743d; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #8b743d; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #8b743d; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #8b743d; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #8b743d; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #c0a86e; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #c0a86e; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #c0a86e; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #c0a86e; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #8b743d; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } PK!ott;kirlent_sphinx/templates/kirlent/static/css/theme/black.css/** * Black theme for reveal.js. This is the opposite of the 'white' theme. * * Copyright (C) 2015 Hakim El Hattab, http://hakim.se */ @import url(../../lib/font/source-sans-pro/source-sans-pro.css); section.has-light-background, section.has-light-background h1, section.has-light-background h2, section.has-light-background h3, section.has-light-background h4, section.has-light-background h5, section.has-light-background h6 { color: #222; } /********************************************* * GLOBAL STYLES *********************************************/ body { background: #222; background-color: #222; } .reveal { font-family: "Source Sans Pro", Helvetica, sans-serif; font-size: 38px; font-weight: normal; color: #fff; } ::selection { color: #fff; background: #bee4fd; text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #fff; font-family: "Source Sans Pro", Helvetica, sans-serif; font-weight: 600; line-height: 1.2; letter-spacing: normal; text-transform: uppercase; text-shadow: none; word-wrap: break-word; } .reveal h1 { font-size: 2.5em; } .reveal h2 { font-size: 1.6em; } .reveal h3 { font-size: 1.3em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: none; } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #42affa; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #8dcffc; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #068de9; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #fff; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #42affa; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #42affa; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #42affa; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #42affa; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #42affa; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #8dcffc; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #8dcffc; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #8dcffc; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #8dcffc; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #42affa; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } PK!L1$&&;kirlent_sphinx/templates/kirlent/static/css/theme/blood.css/** * Blood theme for reveal.js * Author: Walther http://github.com/Walther * * Designed to be used with highlight.js theme * "monokai_sublime.css" available from * https://github.com/isagalaev/highlight.js/ * * For other themes, change $codeBackground accordingly. * */ @import url(https://fonts.googleapis.com/css?family=Ubuntu:300,700,300italic,700italic); /********************************************* * GLOBAL STYLES *********************************************/ body { background: #222; background-color: #222; } .reveal { font-family: Ubuntu, "sans-serif"; font-size: 36px; font-weight: normal; color: #eee; } ::selection { color: #fff; background: #a23; text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #eee; font-family: Ubuntu, "sans-serif"; font-weight: normal; line-height: 1.2; letter-spacing: normal; text-transform: uppercase; text-shadow: 2px 2px 2px #222; word-wrap: break-word; } .reveal h1 { font-size: 3.77em; } .reveal h2 { font-size: 2.11em; } .reveal h3 { font-size: 1.55em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: 0 1px 0 #ccc, 0 2px 0 #c9c9c9, 0 3px 0 #bbb, 0 4px 0 #b9b9b9, 0 5px 0 #aaa, 0 6px 1px rgba(0, 0, 0, 0.1), 0 0 5px rgba(0, 0, 0, 0.1), 0 1px 3px rgba(0, 0, 0, 0.3), 0 3px 5px rgba(0, 0, 0, 0.2), 0 5px 10px rgba(0, 0, 0, 0.25), 0 20px 20px rgba(0, 0, 0, 0.15); } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #a23; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #dd5566; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #6a1520; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #eee; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #a23; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #a23; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #a23; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #a23; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #a23; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #dd5566; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #dd5566; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #dd5566; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #dd5566; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #a23; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } .reveal p { font-weight: 300; text-shadow: 1px 1px #222; } .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { font-weight: 700; } .reveal p code { background-color: #23241f; display: inline-block; border-radius: 7px; } .reveal small code { vertical-align: baseline; } PK!)<kirlent_sphinx/templates/kirlent/static/css/theme/league.css/** * League theme for reveal.js. * * This was the default theme pre-3.0.0. * * Copyright (C) 2011-2012 Hakim El Hattab, http://hakim.se */ @import url(../../lib/font/league-gothic/league-gothic.css); @import url(https://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic); /********************************************* * GLOBAL STYLES *********************************************/ body { background: #1c1e20; background: -moz-radial-gradient(center, circle cover, #555a5f 0%, #1c1e20 100%); background: -webkit-gradient(radial, center center, 0px, center center, 100%, color-stop(0%, #555a5f), color-stop(100%, #1c1e20)); background: -webkit-radial-gradient(center, circle cover, #555a5f 0%, #1c1e20 100%); background: -o-radial-gradient(center, circle cover, #555a5f 0%, #1c1e20 100%); background: -ms-radial-gradient(center, circle cover, #555a5f 0%, #1c1e20 100%); background: radial-gradient(center, circle cover, #555a5f 0%, #1c1e20 100%); background-color: #2b2b2b; } .reveal { font-family: "Lato", sans-serif; font-size: 36px; font-weight: normal; color: #eee; } ::selection { color: #fff; background: #FF5E99; text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #eee; font-family: "League Gothic", Impact, sans-serif; font-weight: normal; line-height: 1.2; letter-spacing: normal; text-transform: uppercase; text-shadow: 0px 0px 6px rgba(0, 0, 0, 0.2); word-wrap: break-word; } .reveal h1 { font-size: 3.77em; } .reveal h2 { font-size: 2.11em; } .reveal h3 { font-size: 1.55em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: 0 1px 0 #ccc, 0 2px 0 #c9c9c9, 0 3px 0 #bbb, 0 4px 0 #b9b9b9, 0 5px 0 #aaa, 0 6px 1px rgba(0, 0, 0, 0.1), 0 0 5px rgba(0, 0, 0, 0.1), 0 1px 3px rgba(0, 0, 0, 0.3), 0 3px 5px rgba(0, 0, 0, 0.2), 0 5px 10px rgba(0, 0, 0, 0.25), 0 20px 20px rgba(0, 0, 0, 0.15); } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #13DAEC; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #71e9f4; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #0d99a5; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #eee; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #13DAEC; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #13DAEC; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #13DAEC; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #13DAEC; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #13DAEC; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #71e9f4; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #71e9f4; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #71e9f4; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #71e9f4; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #13DAEC; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } PK!8,,:kirlent_sphinx/templates/kirlent/static/css/theme/moon.css/** * Solarized Dark theme for reveal.js. * Author: Achim Staebler */ @import url(../../lib/font/league-gothic/league-gothic.css); @import url(https://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic); /** * Solarized colors by Ethan Schoonover */ html * { color-profile: sRGB; rendering-intent: auto; } /********************************************* * GLOBAL STYLES *********************************************/ body { background: #002b36; background-color: #002b36; } .reveal { font-family: "Lato", sans-serif; font-size: 36px; font-weight: normal; color: #93a1a1; } ::selection { color: #fff; background: #d33682; text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #eee8d5; font-family: "League Gothic", Impact, sans-serif; font-weight: normal; line-height: 1.2; letter-spacing: normal; text-transform: uppercase; text-shadow: none; word-wrap: break-word; } .reveal h1 { font-size: 3.77em; } .reveal h2 { font-size: 2.11em; } .reveal h3 { font-size: 1.55em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: none; } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #268bd2; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #78b9e6; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #1a6091; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #93a1a1; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #268bd2; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #268bd2; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #268bd2; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #268bd2; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #268bd2; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #78b9e6; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #78b9e6; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #78b9e6; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #78b9e6; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #268bd2; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } PK!sD=;kirlent_sphinx/templates/kirlent/static/css/theme/night.css/** * Black theme for reveal.js. * * Copyright (C) 2011-2012 Hakim El Hattab, http://hakim.se */ @import url(https://fonts.googleapis.com/css?family=Montserrat:700); @import url(https://fonts.googleapis.com/css?family=Open+Sans:400,700,400italic,700italic); /********************************************* * GLOBAL STYLES *********************************************/ body { background: #111; background-color: #111; } .reveal { font-family: "Open Sans", sans-serif; font-size: 30px; font-weight: normal; color: #eee; } ::selection { color: #fff; background: #e7ad52; text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #eee; font-family: "Montserrat", Impact, sans-serif; font-weight: normal; line-height: 1.2; letter-spacing: -0.03em; text-transform: none; text-shadow: none; word-wrap: break-word; } .reveal h1 { font-size: 3.77em; } .reveal h2 { font-size: 2.11em; } .reveal h3 { font-size: 1.55em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: none; } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #e7ad52; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #f3d7ac; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #d08a1d; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #eee; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #e7ad52; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #e7ad52; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #e7ad52; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #e7ad52; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #e7ad52; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #f3d7ac; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #f3d7ac; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #f3d7ac; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #f3d7ac; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #e7ad52; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } PK!ɬN;kirlent_sphinx/templates/kirlent/static/css/theme/serif.css/** * A simple theme for reveal.js presentations, similar * to the default theme. The accent color is brown. * * This theme is Copyright (C) 2012-2013 Owen Versteeg, http://owenversteeg.com - it is MIT licensed. */ .reveal a { line-height: 1.3em; } /********************************************* * GLOBAL STYLES *********************************************/ body { background: #F0F1EB; background-color: #F0F1EB; } .reveal { font-family: "Palatino Linotype", "Book Antiqua", Palatino, FreeSerif, serif; font-size: 36px; font-weight: normal; color: #000; } ::selection { color: #fff; background: #26351C; text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #383D3D; font-family: "Palatino Linotype", "Book Antiqua", Palatino, FreeSerif, serif; font-weight: normal; line-height: 1.2; letter-spacing: normal; text-transform: none; text-shadow: none; word-wrap: break-word; } .reveal h1 { font-size: 3.77em; } .reveal h2 { font-size: 2.11em; } .reveal h3 { font-size: 1.55em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: none; } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #51483D; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #8b7c69; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #25211c; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #000; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #51483D; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #51483D; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #51483D; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #51483D; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #51483D; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #8b7c69; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #8b7c69; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #8b7c69; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #8b7c69; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #51483D; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } PK!1oo<kirlent_sphinx/templates/kirlent/static/css/theme/simple.css/** * A simple theme for reveal.js presentations, similar * to the default theme. The accent color is darkblue. * * This theme is Copyright (C) 2012 Owen Versteeg, https://github.com/StereotypicalApps. It is MIT licensed. * reveal.js is Copyright (C) 2011-2012 Hakim El Hattab, http://hakim.se */ @import url(https://fonts.googleapis.com/css?family=News+Cycle:400,700); @import url(https://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic); /********************************************* * GLOBAL STYLES *********************************************/ body { background: #fff; background-color: #fff; } .reveal { font-family: "Lato", sans-serif; font-size: 36px; font-weight: normal; color: #000; } ::selection { color: #fff; background: rgba(0, 0, 0, 0.99); text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #000; font-family: "News Cycle", Impact, sans-serif; font-weight: normal; line-height: 1.2; letter-spacing: normal; text-transform: none; text-shadow: none; word-wrap: break-word; } .reveal h1 { font-size: 3.77em; } .reveal h2 { font-size: 2.11em; } .reveal h3 { font-size: 1.55em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: none; } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #00008B; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #0000f1; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #00003f; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #000; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #00008B; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #00008B; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #00008B; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #00008B; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #00008B; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #0000f1; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #0000f1; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #0000f1; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #0000f1; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #00008B; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } PK!a"9kirlent_sphinx/templates/kirlent/static/css/theme/sky.css/** * Sky theme for reveal.js. * * Copyright (C) 2011-2012 Hakim El Hattab, http://hakim.se */ @import url(https://fonts.googleapis.com/css?family=Quicksand:400,700,400italic,700italic); @import url(https://fonts.googleapis.com/css?family=Open+Sans:400italic,700italic,400,700); .reveal a { line-height: 1.3em; } /********************************************* * GLOBAL STYLES *********************************************/ body { background: #add9e4; background: -moz-radial-gradient(center, circle cover, #f7fbfc 0%, #add9e4 100%); background: -webkit-gradient(radial, center center, 0px, center center, 100%, color-stop(0%, #f7fbfc), color-stop(100%, #add9e4)); background: -webkit-radial-gradient(center, circle cover, #f7fbfc 0%, #add9e4 100%); background: -o-radial-gradient(center, circle cover, #f7fbfc 0%, #add9e4 100%); background: -ms-radial-gradient(center, circle cover, #f7fbfc 0%, #add9e4 100%); background: radial-gradient(center, circle cover, #f7fbfc 0%, #add9e4 100%); background-color: #f7fbfc; } .reveal { font-family: "Open Sans", sans-serif; font-size: 36px; font-weight: normal; color: #333; } ::selection { color: #fff; background: #134674; text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #333; font-family: "Quicksand", sans-serif; font-weight: normal; line-height: 1.2; letter-spacing: -0.08em; text-transform: uppercase; text-shadow: none; word-wrap: break-word; } .reveal h1 { font-size: 3.77em; } .reveal h2 { font-size: 2.11em; } .reveal h3 { font-size: 1.55em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: none; } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #3b759e; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #74a7cb; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #264c66; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #333; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #3b759e; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #3b759e; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #3b759e; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #3b759e; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #3b759e; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #74a7cb; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #74a7cb; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #74a7cb; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #74a7cb; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #3b759e; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } PK!>?kirlent_sphinx/templates/kirlent/static/css/theme/solarized.css/** * Solarized Light theme for reveal.js. * Author: Achim Staebler */ @import url(../../lib/font/league-gothic/league-gothic.css); @import url(https://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic); /** * Solarized colors by Ethan Schoonover */ html * { color-profile: sRGB; rendering-intent: auto; } /********************************************* * GLOBAL STYLES *********************************************/ body { background: #fdf6e3; background-color: #fdf6e3; } .reveal { font-family: "Lato", sans-serif; font-size: 36px; font-weight: normal; color: #657b83; } ::selection { color: #fff; background: #d33682; text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #586e75; font-family: "League Gothic", Impact, sans-serif; font-weight: normal; line-height: 1.2; letter-spacing: normal; text-transform: uppercase; text-shadow: none; word-wrap: break-word; } .reveal h1 { font-size: 3.77em; } .reveal h2 { font-size: 2.11em; } .reveal h3 { font-size: 1.55em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: none; } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #268bd2; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #78b9e6; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #1a6091; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #657b83; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #268bd2; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #268bd2; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #268bd2; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #268bd2; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #268bd2; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #78b9e6; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #78b9e6; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #78b9e6; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #78b9e6; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #268bd2; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } PK!UCkirlent_sphinx/templates/kirlent/static/css/theme/source/beige.scss/** * Beige theme for reveal.js. * * Copyright (C) 2011-2012 Hakim El Hattab, http://hakim.se */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Include theme-specific fonts @import url(../../lib/font/league-gothic/league-gothic.css); @import url(https://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic); // Override theme settings (see ../template/settings.scss) $mainColor: #333; $headingColor: #333; $headingTextShadow: none; $backgroundColor: #f7f3de; $linkColor: #8b743d; $linkColorHover: lighten( $linkColor, 20% ); $selectionBackgroundColor: rgba(79, 64, 28, 0.99); $heading1TextShadow: 0 1px 0 #ccc, 0 2px 0 #c9c9c9, 0 3px 0 #bbb, 0 4px 0 #b9b9b9, 0 5px 0 #aaa, 0 6px 1px rgba(0,0,0,.1), 0 0 5px rgba(0,0,0,.1), 0 1px 3px rgba(0,0,0,.3), 0 3px 5px rgba(0,0,0,.2), 0 5px 10px rgba(0,0,0,.25), 0 20px 20px rgba(0,0,0,.15); // Background generator @mixin bodyBackground() { @include radial-gradient( rgba(247,242,211,1), rgba(255,255,255,1) ); } // Theme template ------------------------------ @import "../template/theme"; // ---------------------------------------------PK!;Ckirlent_sphinx/templates/kirlent/static/css/theme/source/black.scss/** * Black theme for reveal.js. This is the opposite of the 'white' theme. * * Copyright (C) 2015 Hakim El Hattab, http://hakim.se */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Include theme-specific fonts @import url(../../lib/font/source-sans-pro/source-sans-pro.css); // Override theme settings (see ../template/settings.scss) $backgroundColor: #222; $mainColor: #fff; $headingColor: #fff; $mainFontSize: 38px; $mainFont: 'Source Sans Pro', Helvetica, sans-serif; $headingFont: 'Source Sans Pro', Helvetica, sans-serif; $headingTextShadow: none; $headingLetterSpacing: normal; $headingTextTransform: uppercase; $headingFontWeight: 600; $linkColor: #42affa; $linkColorHover: lighten( $linkColor, 15% ); $selectionBackgroundColor: lighten( $linkColor, 25% ); $heading1Size: 2.5em; $heading2Size: 1.6em; $heading3Size: 1.3em; $heading4Size: 1.0em; section.has-light-background { &, h1, h2, h3, h4, h5, h6 { color: #222; } } // Theme template ------------------------------ @import "../template/theme"; // ---------------------------------------------PK!)//Ckirlent_sphinx/templates/kirlent/static/css/theme/source/blood.scss/** * Blood theme for reveal.js * Author: Walther http://github.com/Walther * * Designed to be used with highlight.js theme * "monokai_sublime.css" available from * https://github.com/isagalaev/highlight.js/ * * For other themes, change $codeBackground accordingly. * */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Include theme-specific fonts @import url(https://fonts.googleapis.com/css?family=Ubuntu:300,700,300italic,700italic); // Colors used in the theme $blood: #a23; $coal: #222; $codeBackground: #23241f; $backgroundColor: $coal; // Main text $mainFont: Ubuntu, 'sans-serif'; $mainFontSize: 36px; $mainColor: #eee; // Headings $headingFont: Ubuntu, 'sans-serif'; $headingTextShadow: 2px 2px 2px $coal; // h1 shadow, borrowed humbly from // (c) Default theme by Hakim El Hattab $heading1TextShadow: 0 1px 0 #ccc, 0 2px 0 #c9c9c9, 0 3px 0 #bbb, 0 4px 0 #b9b9b9, 0 5px 0 #aaa, 0 6px 1px rgba(0,0,0,.1), 0 0 5px rgba(0,0,0,.1), 0 1px 3px rgba(0,0,0,.3), 0 3px 5px rgba(0,0,0,.2), 0 5px 10px rgba(0,0,0,.25), 0 20px 20px rgba(0,0,0,.15); // Links $linkColor: $blood; $linkColorHover: lighten( $linkColor, 20% ); // Text selection $selectionBackgroundColor: $blood; $selectionColor: #fff; // Theme template ------------------------------ @import "../template/theme"; // --------------------------------------------- // some overrides after theme template import .reveal p { font-weight: 300; text-shadow: 1px 1px $coal; } .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { font-weight: 700; } .reveal p code { background-color: $codeBackground; display: inline-block; border-radius: 7px; } .reveal small code { vertical-align: baseline; }PK!OODkirlent_sphinx/templates/kirlent/static/css/theme/source/league.scss/** * League theme for reveal.js. * * This was the default theme pre-3.0.0. * * Copyright (C) 2011-2012 Hakim El Hattab, http://hakim.se */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Include theme-specific fonts @import url(../../lib/font/league-gothic/league-gothic.css); @import url(https://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic); // Override theme settings (see ../template/settings.scss) $headingTextShadow: 0px 0px 6px rgba(0,0,0,0.2); $heading1TextShadow: 0 1px 0 #ccc, 0 2px 0 #c9c9c9, 0 3px 0 #bbb, 0 4px 0 #b9b9b9, 0 5px 0 #aaa, 0 6px 1px rgba(0,0,0,.1), 0 0 5px rgba(0,0,0,.1), 0 1px 3px rgba(0,0,0,.3), 0 3px 5px rgba(0,0,0,.2), 0 5px 10px rgba(0,0,0,.25), 0 20px 20px rgba(0,0,0,.15); // Background generator @mixin bodyBackground() { @include radial-gradient( rgba(28,30,32,1), rgba(85,90,95,1) ); } // Theme template ------------------------------ @import "../template/theme"; // ---------------------------------------------PK!|Bkirlent_sphinx/templates/kirlent/static/css/theme/source/moon.scss/** * Solarized Dark theme for reveal.js. * Author: Achim Staebler */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Include theme-specific fonts @import url(../../lib/font/league-gothic/league-gothic.css); @import url(https://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic); /** * Solarized colors by Ethan Schoonover */ html * { color-profile: sRGB; rendering-intent: auto; } // Solarized colors $base03: #002b36; $base02: #073642; $base01: #586e75; $base00: #657b83; $base0: #839496; $base1: #93a1a1; $base2: #eee8d5; $base3: #fdf6e3; $yellow: #b58900; $orange: #cb4b16; $red: #dc322f; $magenta: #d33682; $violet: #6c71c4; $blue: #268bd2; $cyan: #2aa198; $green: #859900; // Override theme settings (see ../template/settings.scss) $mainColor: $base1; $headingColor: $base2; $headingTextShadow: none; $backgroundColor: $base03; $linkColor: $blue; $linkColorHover: lighten( $linkColor, 20% ); $selectionBackgroundColor: $magenta; // Theme template ------------------------------ @import "../template/theme"; // --------------------------------------------- PK!BCkirlent_sphinx/templates/kirlent/static/css/theme/source/night.scss/** * Black theme for reveal.js. * * Copyright (C) 2011-2012 Hakim El Hattab, http://hakim.se */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Include theme-specific fonts @import url(https://fonts.googleapis.com/css?family=Montserrat:700); @import url(https://fonts.googleapis.com/css?family=Open+Sans:400,700,400italic,700italic); // Override theme settings (see ../template/settings.scss) $backgroundColor: #111; $mainFont: 'Open Sans', sans-serif; $linkColor: #e7ad52; $linkColorHover: lighten( $linkColor, 20% ); $headingFont: 'Montserrat', Impact, sans-serif; $headingTextShadow: none; $headingLetterSpacing: -0.03em; $headingTextTransform: none; $selectionBackgroundColor: #e7ad52; $mainFontSize: 30px; // Theme template ------------------------------ @import "../template/theme"; // ---------------------------------------------PK!kCkirlent_sphinx/templates/kirlent/static/css/theme/source/serif.scss/** * A simple theme for reveal.js presentations, similar * to the default theme. The accent color is brown. * * This theme is Copyright (C) 2012-2013 Owen Versteeg, http://owenversteeg.com - it is MIT licensed. */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Override theme settings (see ../template/settings.scss) $mainFont: 'Palatino Linotype', 'Book Antiqua', Palatino, FreeSerif, serif; $mainColor: #000; $headingFont: 'Palatino Linotype', 'Book Antiqua', Palatino, FreeSerif, serif; $headingColor: #383D3D; $headingTextShadow: none; $headingTextTransform: none; $backgroundColor: #F0F1EB; $linkColor: #51483D; $linkColorHover: lighten( $linkColor, 20% ); $selectionBackgroundColor: #26351C; .reveal a { line-height: 1.3em; } // Theme template ------------------------------ @import "../template/theme"; // --------------------------------------------- PK!R]xDkirlent_sphinx/templates/kirlent/static/css/theme/source/simple.scss/** * A simple theme for reveal.js presentations, similar * to the default theme. The accent color is darkblue. * * This theme is Copyright (C) 2012 Owen Versteeg, https://github.com/StereotypicalApps. It is MIT licensed. * reveal.js is Copyright (C) 2011-2012 Hakim El Hattab, http://hakim.se */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Include theme-specific fonts @import url(https://fonts.googleapis.com/css?family=News+Cycle:400,700); @import url(https://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic); // Override theme settings (see ../template/settings.scss) $mainFont: 'Lato', sans-serif; $mainColor: #000; $headingFont: 'News Cycle', Impact, sans-serif; $headingColor: #000; $headingTextShadow: none; $headingTextTransform: none; $backgroundColor: #fff; $linkColor: #00008B; $linkColorHover: lighten( $linkColor, 20% ); $selectionBackgroundColor: rgba(0, 0, 0, 0.99); // Theme template ------------------------------ @import "../template/theme"; // ---------------------------------------------PK!CyyAkirlent_sphinx/templates/kirlent/static/css/theme/source/sky.scss/** * Sky theme for reveal.js. * * Copyright (C) 2011-2012 Hakim El Hattab, http://hakim.se */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Include theme-specific fonts @import url(https://fonts.googleapis.com/css?family=Quicksand:400,700,400italic,700italic); @import url(https://fonts.googleapis.com/css?family=Open+Sans:400italic,700italic,400,700); // Override theme settings (see ../template/settings.scss) $mainFont: 'Open Sans', sans-serif; $mainColor: #333; $headingFont: 'Quicksand', sans-serif; $headingColor: #333; $headingLetterSpacing: -0.08em; $headingTextShadow: none; $backgroundColor: #f7fbfc; $linkColor: #3b759e; $linkColorHover: lighten( $linkColor, 20% ); $selectionBackgroundColor: #134674; // Fix links so they are not cut off .reveal a { line-height: 1.3em; } // Background generator @mixin bodyBackground() { @include radial-gradient( #add9e4, #f7fbfc ); } // Theme template ------------------------------ @import "../template/theme"; // --------------------------------------------- PK!EGkirlent_sphinx/templates/kirlent/static/css/theme/source/solarized.scss/** * Solarized Light theme for reveal.js. * Author: Achim Staebler */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Include theme-specific fonts @import url(../../lib/font/league-gothic/league-gothic.css); @import url(https://fonts.googleapis.com/css?family=Lato:400,700,400italic,700italic); /** * Solarized colors by Ethan Schoonover */ html * { color-profile: sRGB; rendering-intent: auto; } // Solarized colors $base03: #002b36; $base02: #073642; $base01: #586e75; $base00: #657b83; $base0: #839496; $base1: #93a1a1; $base2: #eee8d5; $base3: #fdf6e3; $yellow: #b58900; $orange: #cb4b16; $red: #dc322f; $magenta: #d33682; $violet: #6c71c4; $blue: #268bd2; $cyan: #2aa198; $green: #859900; // Override theme settings (see ../template/settings.scss) $mainColor: $base00; $headingColor: $base01; $headingTextShadow: none; $backgroundColor: $base3; $linkColor: $blue; $linkColorHover: lighten( $linkColor, 20% ); $selectionBackgroundColor: $magenta; // Background generator // @mixin bodyBackground() { // @include radial-gradient( rgba($base3,1), rgba(lighten($base3, 20%),1) ); // } // Theme template ------------------------------ @import "../template/theme"; // --------------------------------------------- PK! /Ckirlent_sphinx/templates/kirlent/static/css/theme/source/white.scss/** * White theme for reveal.js. This is the opposite of the 'black' theme. * * Copyright (C) 2015 Hakim El Hattab, http://hakim.se */ // Default mixins and settings ----------------- @import "../template/mixins"; @import "../template/settings"; // --------------------------------------------- // Include theme-specific fonts @import url(../../lib/font/source-sans-pro/source-sans-pro.css); // Override theme settings (see ../template/settings.scss) $backgroundColor: #fff; $mainColor: #222; $headingColor: #222; $mainFontSize: 38px; $mainFont: 'Source Sans Pro', Helvetica, sans-serif; $headingFont: 'Source Sans Pro', Helvetica, sans-serif; $headingTextShadow: none; $headingLetterSpacing: normal; $headingTextTransform: uppercase; $headingFontWeight: 600; $linkColor: #2a76dd; $linkColorHover: lighten( $linkColor, 15% ); $selectionBackgroundColor: lighten( $linkColor, 25% ); $heading1Size: 2.5em; $heading2Size: 1.6em; $heading3Size: 1.3em; $heading4Size: 1.0em; section.has-dark-background { &, h1, h2, h3, h4, h5, h6 { color: #fff; } } // Theme template ------------------------------ @import "../template/theme"; // ---------------------------------------------PK!dSSFkirlent_sphinx/templates/kirlent/static/css/theme/template/mixins.scss@mixin vertical-gradient( $top, $bottom ) { background: $top; background: -moz-linear-gradient( top, $top 0%, $bottom 100% ); background: -webkit-gradient( linear, left top, left bottom, color-stop(0%,$top), color-stop(100%,$bottom) ); background: -webkit-linear-gradient( top, $top 0%, $bottom 100% ); background: -o-linear-gradient( top, $top 0%, $bottom 100% ); background: -ms-linear-gradient( top, $top 0%, $bottom 100% ); background: linear-gradient( top, $top 0%, $bottom 100% ); } @mixin horizontal-gradient( $top, $bottom ) { background: $top; background: -moz-linear-gradient( left, $top 0%, $bottom 100% ); background: -webkit-gradient( linear, left top, right top, color-stop(0%,$top), color-stop(100%,$bottom) ); background: -webkit-linear-gradient( left, $top 0%, $bottom 100% ); background: -o-linear-gradient( left, $top 0%, $bottom 100% ); background: -ms-linear-gradient( left, $top 0%, $bottom 100% ); background: linear-gradient( left, $top 0%, $bottom 100% ); } @mixin radial-gradient( $outer, $inner, $type: circle ) { background: $outer; background: -moz-radial-gradient( center, $type cover, $inner 0%, $outer 100% ); background: -webkit-gradient( radial, center center, 0px, center center, 100%, color-stop(0%,$inner), color-stop(100%,$outer) ); background: -webkit-radial-gradient( center, $type cover, $inner 0%, $outer 100% ); background: -o-radial-gradient( center, $type cover, $inner 0%, $outer 100% ); background: -ms-radial-gradient( center, $type cover, $inner 0%, $outer 100% ); background: radial-gradient( center, $type cover, $inner 0%, $outer 100% ); }PK!ND  Hkirlent_sphinx/templates/kirlent/static/css/theme/template/settings.scss// Base settings for all themes that can optionally be // overridden by the super-theme // Background of the presentation $backgroundColor: #2b2b2b; // Primary/body text $mainFont: 'Lato', sans-serif; $mainFontSize: 36px; $mainColor: #eee; // Vertical spacing between blocks of text $blockMargin: 20px; // Headings $headingMargin: 0 0 $blockMargin 0; $headingFont: 'League Gothic', Impact, sans-serif; $headingColor: #eee; $headingLineHeight: 1.2; $headingLetterSpacing: normal; $headingTextTransform: uppercase; $headingTextShadow: none; $headingFontWeight: normal; $heading1TextShadow: $headingTextShadow; $heading1Size: 3.77em; $heading2Size: 2.11em; $heading3Size: 1.55em; $heading4Size: 1.00em; // Links and actions $linkColor: #13DAEC; $linkColorHover: lighten( $linkColor, 20% ); // Text selection $selectionBackgroundColor: #FF5E99; $selectionColor: #fff; // Generates the presentation background, can be overridden // to return a background image or gradient @mixin bodyBackground() { background: $backgroundColor; }PK!3 Ekirlent_sphinx/templates/kirlent/static/css/theme/template/theme.scss// Base theme template for reveal.js /********************************************* * GLOBAL STYLES *********************************************/ body { @include bodyBackground(); background-color: $backgroundColor; } .reveal { font-family: $mainFont; font-size: $mainFontSize; font-weight: normal; color: $mainColor; } ::selection { color: $selectionColor; background: $selectionBackgroundColor; text-shadow: none; } .reveal .slides>section, .reveal .slides>section>section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: $headingMargin; color: $headingColor; font-family: $headingFont; font-weight: $headingFontWeight; line-height: $headingLineHeight; letter-spacing: $headingLetterSpacing; text-transform: $headingTextTransform; text-shadow: $headingTextShadow; word-wrap: break-word; } .reveal h1 {font-size: $heading1Size; } .reveal h2 {font-size: $heading2Size; } .reveal h3 {font-size: $heading3Size; } .reveal h4 {font-size: $heading4Size; } .reveal h1 { text-shadow: $heading1TextShadow; } /********************************************* * OTHER *********************************************/ .reveal p { margin: $blockMargin 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: $blockMargin auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0,0,0,0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: $blockMargin auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0,0,0,0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: $linkColor; text-decoration: none; -webkit-transition: color .15s ease; -moz-transition: color .15s ease; transition: color .15s ease; } .reveal a:hover { color: $linkColorHover; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: darken( $linkColor, 15% ); } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255,255,255,0.12); border: 4px solid $mainColor; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all .15s linear; -moz-transition: all .15s linear; transition: all .15s linear; } .reveal a:hover img { background: rgba(255,255,255,0.2); border-color: $linkColor; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: $linkColor; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: $linkColor; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: $linkColor; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: $linkColor; } .reveal .controls .navigate-left.enabled:hover { border-right-color: $linkColorHover; } .reveal .controls .navigate-right.enabled:hover { border-left-color: $linkColorHover; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: $linkColorHover; } .reveal .controls .navigate-down.enabled:hover { border-top-color: $linkColorHover; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0,0,0,0.2); } .reveal .progress span { background: $linkColor; -webkit-transition: width 800ms cubic-bezier(0.260, 0.860, 0.440, 0.985); -moz-transition: width 800ms cubic-bezier(0.260, 0.860, 0.440, 0.985); transition: width 800ms cubic-bezier(0.260, 0.860, 0.440, 0.985); } PK!Frmm;kirlent_sphinx/templates/kirlent/static/css/theme/white.css/** * White theme for reveal.js. This is the opposite of the 'black' theme. * * Copyright (C) 2015 Hakim El Hattab, http://hakim.se */ @import url(../../lib/font/source-sans-pro/source-sans-pro.css); section.has-dark-background, section.has-dark-background h1, section.has-dark-background h2, section.has-dark-background h3, section.has-dark-background h4, section.has-dark-background h5, section.has-dark-background h6 { color: #fff; } /********************************************* * GLOBAL STYLES *********************************************/ body { background: #fff; background-color: #fff; } .reveal { font-family: "Source Sans Pro", Helvetica, sans-serif; font-size: 38px; font-weight: normal; color: #222; } ::selection { color: #fff; background: #98bdef; text-shadow: none; } .reveal .slides > section, .reveal .slides > section > section { line-height: 1.3; font-weight: inherit; } /********************************************* * HEADERS *********************************************/ .reveal h1, .reveal h2, .reveal h3, .reveal h4, .reveal h5, .reveal h6 { margin: 0 0 20px 0; color: #222; font-family: "Source Sans Pro", Helvetica, sans-serif; font-weight: 600; line-height: 1.2; letter-spacing: normal; text-transform: uppercase; text-shadow: none; word-wrap: break-word; } .reveal h1 { font-size: 2.5em; } .reveal h2 { font-size: 1.6em; } .reveal h3 { font-size: 1.3em; } .reveal h4 { font-size: 1em; } .reveal h1 { text-shadow: none; } /********************************************* * OTHER *********************************************/ .reveal p { margin: 20px 0; line-height: 1.3; } /* Ensure certain elements are never larger than the slide itself */ .reveal img, .reveal video, .reveal iframe { max-width: 95%; max-height: 95%; } .reveal strong, .reveal b { font-weight: bold; } .reveal em { font-style: italic; } .reveal ol, .reveal dl, .reveal ul { display: inline-block; text-align: left; margin: 0 0 0 1em; } .reveal ol { list-style-type: decimal; } .reveal ul { list-style-type: disc; } .reveal ul ul { list-style-type: square; } .reveal ul ul ul { list-style-type: circle; } .reveal ul ul, .reveal ul ol, .reveal ol ol, .reveal ol ul { display: block; margin-left: 40px; } .reveal dt { font-weight: bold; } .reveal dd { margin-left: 40px; } .reveal q, .reveal blockquote { quotes: none; } .reveal blockquote { display: block; position: relative; width: 70%; margin: 20px auto; padding: 5px; font-style: italic; background: rgba(255, 255, 255, 0.05); box-shadow: 0px 0px 2px rgba(0, 0, 0, 0.2); } .reveal blockquote p:first-child, .reveal blockquote p:last-child { display: inline-block; } .reveal q { font-style: italic; } .reveal pre { display: block; position: relative; width: 90%; margin: 20px auto; text-align: left; font-size: 0.55em; font-family: monospace; line-height: 1.2em; word-wrap: break-word; box-shadow: 0px 0px 6px rgba(0, 0, 0, 0.3); } .reveal code { font-family: monospace; } .reveal pre code { display: block; padding: 5px; overflow: auto; max-height: 400px; word-wrap: normal; } .reveal table { margin: auto; border-collapse: collapse; border-spacing: 0; } .reveal table th { font-weight: bold; } .reveal table th, .reveal table td { text-align: left; padding: 0.2em 0.5em 0.2em 0.5em; border-bottom: 1px solid; } .reveal table th[align="center"], .reveal table td[align="center"] { text-align: center; } .reveal table th[align="right"], .reveal table td[align="right"] { text-align: right; } .reveal table tr:last-child td { border-bottom: none; } .reveal sup { vertical-align: super; } .reveal sub { vertical-align: sub; } .reveal small { display: inline-block; font-size: 0.6em; line-height: 1.2em; vertical-align: top; } .reveal small * { vertical-align: top; } /********************************************* * LINKS *********************************************/ .reveal a { color: #2a76dd; text-decoration: none; -webkit-transition: color 0.15s ease; -moz-transition: color 0.15s ease; transition: color 0.15s ease; } .reveal a:hover { color: #6ca0e8; text-shadow: none; border: none; } .reveal .roll span:after { color: #fff; background: #1a53a1; } /********************************************* * IMAGES *********************************************/ .reveal section img { margin: 15px 0px; background: rgba(255, 255, 255, 0.12); border: 4px solid #222; box-shadow: 0 0 10px rgba(0, 0, 0, 0.15); } .reveal section img.plain { border: 0; box-shadow: none; } .reveal a img { -webkit-transition: all 0.15s linear; -moz-transition: all 0.15s linear; transition: all 0.15s linear; } .reveal a:hover img { background: rgba(255, 255, 255, 0.2); border-color: #2a76dd; box-shadow: 0 0 20px rgba(0, 0, 0, 0.55); } /********************************************* * NAVIGATION CONTROLS *********************************************/ .reveal .controls .navigate-left, .reveal .controls .navigate-left.enabled { border-right-color: #2a76dd; } .reveal .controls .navigate-right, .reveal .controls .navigate-right.enabled { border-left-color: #2a76dd; } .reveal .controls .navigate-up, .reveal .controls .navigate-up.enabled { border-bottom-color: #2a76dd; } .reveal .controls .navigate-down, .reveal .controls .navigate-down.enabled { border-top-color: #2a76dd; } .reveal .controls .navigate-left.enabled:hover { border-right-color: #6ca0e8; } .reveal .controls .navigate-right.enabled:hover { border-left-color: #6ca0e8; } .reveal .controls .navigate-up.enabled:hover { border-bottom-color: #6ca0e8; } .reveal .controls .navigate-down.enabled:hover { border-top-color: #6ca0e8; } /********************************************* * PROGRESS BAR *********************************************/ .reveal .progress { background: rgba(0, 0, 0, 0.2); } .reveal .progress span { background: #2a76dd; -webkit-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); -moz-transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); transition: width 800ms cubic-bezier(0.26, 0.86, 0.44, 0.985); } PK!O*v*v8kirlent_sphinx/templates/kirlent/static/js/jquery.min.js/*! jQuery v1.11.1 | (c) 2005, 2014 jQuery Foundation, Inc. | jquery.org/license */ !function(a,b){"object"==typeof module&&"object"==typeof module.exports?module.exports=a.document?b(a,!0):function(a){if(!a.document)throw new Error("jQuery requires a window with a document");return b(a)}:b(a)}("undefined"!=typeof window?window:this,function(a,b){var c=[],d=c.slice,e=c.concat,f=c.push,g=c.indexOf,h={},i=h.toString,j=h.hasOwnProperty,k={},l="1.11.1",m=function(a,b){return new m.fn.init(a,b)},n=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,o=/^-ms-/,p=/-([\da-z])/gi,q=function(a,b){return b.toUpperCase()};m.fn=m.prototype={jquery:l,constructor:m,selector:"",length:0,toArray:function(){return d.call(this)},get:function(a){return null!=a?0>a?this[a+this.length]:this[a]:d.call(this)},pushStack:function(a){var b=m.merge(this.constructor(),a);return b.prevObject=this,b.context=this.context,b},each:function(a,b){return m.each(this,a,b)},map:function(a){return this.pushStack(m.map(this,function(b,c){return a.call(b,c,b)}))},slice:function(){return this.pushStack(d.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(a){var b=this.length,c=+a+(0>a?b:0);return this.pushStack(c>=0&&b>c?[this[c]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:f,sort:c.sort,splice:c.splice},m.extend=m.fn.extend=function(){var a,b,c,d,e,f,g=arguments[0]||{},h=1,i=arguments.length,j=!1;for("boolean"==typeof g&&(j=g,g=arguments[h]||{},h++),"object"==typeof g||m.isFunction(g)||(g={}),h===i&&(g=this,h--);i>h;h++)if(null!=(e=arguments[h]))for(d in e)a=g[d],c=e[d],g!==c&&(j&&c&&(m.isPlainObject(c)||(b=m.isArray(c)))?(b?(b=!1,f=a&&m.isArray(a)?a:[]):f=a&&m.isPlainObject(a)?a:{},g[d]=m.extend(j,f,c)):void 0!==c&&(g[d]=c));return g},m.extend({expando:"jQuery"+(l+Math.random()).replace(/\D/g,""),isReady:!0,error:function(a){throw new Error(a)},noop:function(){},isFunction:function(a){return"function"===m.type(a)},isArray:Array.isArray||function(a){return"array"===m.type(a)},isWindow:function(a){return null!=a&&a==a.window},isNumeric:function(a){return!m.isArray(a)&&a-parseFloat(a)>=0},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},isPlainObject:function(a){var b;if(!a||"object"!==m.type(a)||a.nodeType||m.isWindow(a))return!1;try{if(a.constructor&&!j.call(a,"constructor")&&!j.call(a.constructor.prototype,"isPrototypeOf"))return!1}catch(c){return!1}if(k.ownLast)for(b in a)return j.call(a,b);for(b in a);return void 0===b||j.call(a,b)},type:function(a){return null==a?a+"":"object"==typeof a||"function"==typeof a?h[i.call(a)]||"object":typeof a},globalEval:function(b){b&&m.trim(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(o,"ms-").replace(p,q)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toLowerCase()===b.toLowerCase()},each:function(a,b,c){var d,e=0,f=a.length,g=r(a);if(c){if(g){for(;f>e;e++)if(d=b.apply(a[e],c),d===!1)break}else for(e in a)if(d=b.apply(a[e],c),d===!1)break}else if(g){for(;f>e;e++)if(d=b.call(a[e],e,a[e]),d===!1)break}else for(e in a)if(d=b.call(a[e],e,a[e]),d===!1)break;return a},trim:function(a){return null==a?"":(a+"").replace(n,"")},makeArray:function(a,b){var c=b||[];return null!=a&&(r(Object(a))?m.merge(c,"string"==typeof a?[a]:a):f.call(c,a)),c},inArray:function(a,b,c){var d;if(b){if(g)return g.call(b,a,c);for(d=b.length,c=c?0>c?Math.max(0,d+c):c:0;d>c;c++)if(c in b&&b[c]===a)return c}return-1},merge:function(a,b){var c=+b.length,d=0,e=a.length;while(c>d)a[e++]=b[d++];if(c!==c)while(void 0!==b[d])a[e++]=b[d++];return a.length=e,a},grep:function(a,b,c){for(var d,e=[],f=0,g=a.length,h=!c;g>f;f++)d=!b(a[f],f),d!==h&&e.push(a[f]);return e},map:function(a,b,c){var d,f=0,g=a.length,h=r(a),i=[];if(h)for(;g>f;f++)d=b(a[f],f,c),null!=d&&i.push(d);else for(f in a)d=b(a[f],f,c),null!=d&&i.push(d);return e.apply([],i)},guid:1,proxy:function(a,b){var c,e,f;return"string"==typeof b&&(f=a[b],b=a,a=f),m.isFunction(a)?(c=d.call(arguments,2),e=function(){return a.apply(b||this,c.concat(d.call(arguments)))},e.guid=a.guid=a.guid||m.guid++,e):void 0},now:function(){return+new Date},support:k}),m.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(a,b){h["[object "+b+"]"]=b.toLowerCase()});function r(a){var b=a.length,c=m.type(a);return"function"===c||m.isWindow(a)?!1:1===a.nodeType&&b?!0:"array"===c||0===b||"number"==typeof b&&b>0&&b-1 in a}var s=function(a){var b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u="sizzle"+-new Date,v=a.document,w=0,x=0,y=gb(),z=gb(),A=gb(),B=function(a,b){return a===b&&(l=!0),0},C="undefined",D=1<<31,E={}.hasOwnProperty,F=[],G=F.pop,H=F.push,I=F.push,J=F.slice,K=F.indexOf||function(a){for(var b=0,c=this.length;c>b;b++)if(this[b]===a)return b;return-1},L="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",M="[\\x20\\t\\r\\n\\f]",N="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",O=N.replace("w","w#"),P="\\["+M+"*("+N+")(?:"+M+"*([*^$|!~]?=)"+M+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+O+"))|)"+M+"*\\]",Q=":("+N+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+P+")*)|.*)\\)|)",R=new RegExp("^"+M+"+|((?:^|[^\\\\])(?:\\\\.)*)"+M+"+$","g"),S=new RegExp("^"+M+"*,"+M+"*"),T=new RegExp("^"+M+"*([>+~]|"+M+")"+M+"*"),U=new RegExp("="+M+"*([^\\]'\"]*?)"+M+"*\\]","g"),V=new RegExp(Q),W=new RegExp("^"+O+"$"),X={ID:new RegExp("^#("+N+")"),CLASS:new RegExp("^\\.("+N+")"),TAG:new RegExp("^("+N.replace("w","w*")+")"),ATTR:new RegExp("^"+P),PSEUDO:new RegExp("^"+Q),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+M+"*(even|odd|(([+-]|)(\\d*)n|)"+M+"*(?:([+-]|)"+M+"*(\\d+)|))"+M+"*\\)|)","i"),bool:new RegExp("^(?:"+L+")$","i"),needsContext:new RegExp("^"+M+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+M+"*((?:-\\d)?\\d*)"+M+"*\\)|)(?=[^-]|$)","i")},Y=/^(?:input|select|textarea|button)$/i,Z=/^h\d$/i,$=/^[^{]+\{\s*\[native \w/,_=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,ab=/[+~]/,bb=/'|\\/g,cb=new RegExp("\\\\([\\da-f]{1,6}"+M+"?|("+M+")|.)","ig"),db=function(a,b,c){var d="0x"+b-65536;return d!==d||c?b:0>d?String.fromCharCode(d+65536):String.fromCharCode(d>>10|55296,1023&d|56320)};try{I.apply(F=J.call(v.childNodes),v.childNodes),F[v.childNodes.length].nodeType}catch(eb){I={apply:F.length?function(a,b){H.apply(a,J.call(b))}:function(a,b){var c=a.length,d=0;while(a[c++]=b[d++]);a.length=c-1}}}function fb(a,b,d,e){var f,h,j,k,l,o,r,s,w,x;if((b?b.ownerDocument||b:v)!==n&&m(b),b=b||n,d=d||[],!a||"string"!=typeof a)return d;if(1!==(k=b.nodeType)&&9!==k)return[];if(p&&!e){if(f=_.exec(a))if(j=f[1]){if(9===k){if(h=b.getElementById(j),!h||!h.parentNode)return d;if(h.id===j)return d.push(h),d}else if(b.ownerDocument&&(h=b.ownerDocument.getElementById(j))&&t(b,h)&&h.id===j)return d.push(h),d}else{if(f[2])return I.apply(d,b.getElementsByTagName(a)),d;if((j=f[3])&&c.getElementsByClassName&&b.getElementsByClassName)return I.apply(d,b.getElementsByClassName(j)),d}if(c.qsa&&(!q||!q.test(a))){if(s=r=u,w=b,x=9===k&&a,1===k&&"object"!==b.nodeName.toLowerCase()){o=g(a),(r=b.getAttribute("id"))?s=r.replace(bb,"\\$&"):b.setAttribute("id",s),s="[id='"+s+"'] ",l=o.length;while(l--)o[l]=s+qb(o[l]);w=ab.test(a)&&ob(b.parentNode)||b,x=o.join(",")}if(x)try{return I.apply(d,w.querySelectorAll(x)),d}catch(y){}finally{r||b.removeAttribute("id")}}}return i(a.replace(R,"$1"),b,d,e)}function gb(){var a=[];function b(c,e){return a.push(c+" ")>d.cacheLength&&delete b[a.shift()],b[c+" "]=e}return b}function hb(a){return a[u]=!0,a}function ib(a){var b=n.createElement("div");try{return!!a(b)}catch(c){return!1}finally{b.parentNode&&b.parentNode.removeChild(b),b=null}}function jb(a,b){var c=a.split("|"),e=a.length;while(e--)d.attrHandle[c[e]]=b}function kb(a,b){var c=b&&a,d=c&&1===a.nodeType&&1===b.nodeType&&(~b.sourceIndex||D)-(~a.sourceIndex||D);if(d)return d;if(c)while(c=c.nextSibling)if(c===b)return-1;return a?1:-1}function lb(a){return function(b){var c=b.nodeName.toLowerCase();return"input"===c&&b.type===a}}function mb(a){return function(b){var c=b.nodeName.toLowerCase();return("input"===c||"button"===c)&&b.type===a}}function nb(a){return hb(function(b){return b=+b,hb(function(c,d){var e,f=a([],c.length,b),g=f.length;while(g--)c[e=f[g]]&&(c[e]=!(d[e]=c[e]))})})}function ob(a){return a&&typeof a.getElementsByTagName!==C&&a}c=fb.support={},f=fb.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?"HTML"!==b.nodeName:!1},m=fb.setDocument=function(a){var b,e=a?a.ownerDocument||a:v,g=e.defaultView;return e!==n&&9===e.nodeType&&e.documentElement?(n=e,o=e.documentElement,p=!f(e),g&&g!==g.top&&(g.addEventListener?g.addEventListener("unload",function(){m()},!1):g.attachEvent&&g.attachEvent("onunload",function(){m()})),c.attributes=ib(function(a){return a.className="i",!a.getAttribute("className")}),c.getElementsByTagName=ib(function(a){return a.appendChild(e.createComment("")),!a.getElementsByTagName("*").length}),c.getElementsByClassName=$.test(e.getElementsByClassName)&&ib(function(a){return a.innerHTML="
",a.firstChild.className="i",2===a.getElementsByClassName("i").length}),c.getById=ib(function(a){return o.appendChild(a).id=u,!e.getElementsByName||!e.getElementsByName(u).length}),c.getById?(d.find.ID=function(a,b){if(typeof b.getElementById!==C&&p){var c=b.getElementById(a);return c&&c.parentNode?[c]:[]}},d.filter.ID=function(a){var b=a.replace(cb,db);return function(a){return a.getAttribute("id")===b}}):(delete d.find.ID,d.filter.ID=function(a){var b=a.replace(cb,db);return function(a){var c=typeof a.getAttributeNode!==C&&a.getAttributeNode("id");return c&&c.value===b}}),d.find.TAG=c.getElementsByTagName?function(a,b){return typeof b.getElementsByTagName!==C?b.getElementsByTagName(a):void 0}:function(a,b){var c,d=[],e=0,f=b.getElementsByTagName(a);if("*"===a){while(c=f[e++])1===c.nodeType&&d.push(c);return d}return f},d.find.CLASS=c.getElementsByClassName&&function(a,b){return typeof b.getElementsByClassName!==C&&p?b.getElementsByClassName(a):void 0},r=[],q=[],(c.qsa=$.test(e.querySelectorAll))&&(ib(function(a){a.innerHTML="",a.querySelectorAll("[msallowclip^='']").length&&q.push("[*^$]="+M+"*(?:''|\"\")"),a.querySelectorAll("[selected]").length||q.push("\\["+M+"*(?:value|"+L+")"),a.querySelectorAll(":checked").length||q.push(":checked")}),ib(function(a){var b=e.createElement("input");b.setAttribute("type","hidden"),a.appendChild(b).setAttribute("name","D"),a.querySelectorAll("[name=d]").length&&q.push("name"+M+"*[*^$|!~]?="),a.querySelectorAll(":enabled").length||q.push(":enabled",":disabled"),a.querySelectorAll("*,:x"),q.push(",.*:")})),(c.matchesSelector=$.test(s=o.matches||o.webkitMatchesSelector||o.mozMatchesSelector||o.oMatchesSelector||o.msMatchesSelector))&&ib(function(a){c.disconnectedMatch=s.call(a,"div"),s.call(a,"[s!='']:x"),r.push("!=",Q)}),q=q.length&&new RegExp(q.join("|")),r=r.length&&new RegExp(r.join("|")),b=$.test(o.compareDocumentPosition),t=b||$.test(o.contains)?function(a,b){var c=9===a.nodeType?a.documentElement:a,d=b&&b.parentNode;return a===d||!(!d||1!==d.nodeType||!(c.contains?c.contains(d):a.compareDocumentPosition&&16&a.compareDocumentPosition(d)))}:function(a,b){if(b)while(b=b.parentNode)if(b===a)return!0;return!1},B=b?function(a,b){if(a===b)return l=!0,0;var d=!a.compareDocumentPosition-!b.compareDocumentPosition;return d?d:(d=(a.ownerDocument||a)===(b.ownerDocument||b)?a.compareDocumentPosition(b):1,1&d||!c.sortDetached&&b.compareDocumentPosition(a)===d?a===e||a.ownerDocument===v&&t(v,a)?-1:b===e||b.ownerDocument===v&&t(v,b)?1:k?K.call(k,a)-K.call(k,b):0:4&d?-1:1)}:function(a,b){if(a===b)return l=!0,0;var c,d=0,f=a.parentNode,g=b.parentNode,h=[a],i=[b];if(!f||!g)return a===e?-1:b===e?1:f?-1:g?1:k?K.call(k,a)-K.call(k,b):0;if(f===g)return kb(a,b);c=a;while(c=c.parentNode)h.unshift(c);c=b;while(c=c.parentNode)i.unshift(c);while(h[d]===i[d])d++;return d?kb(h[d],i[d]):h[d]===v?-1:i[d]===v?1:0},e):n},fb.matches=function(a,b){return fb(a,null,null,b)},fb.matchesSelector=function(a,b){if((a.ownerDocument||a)!==n&&m(a),b=b.replace(U,"='$1']"),!(!c.matchesSelector||!p||r&&r.test(b)||q&&q.test(b)))try{var d=s.call(a,b);if(d||c.disconnectedMatch||a.document&&11!==a.document.nodeType)return d}catch(e){}return fb(b,n,null,[a]).length>0},fb.contains=function(a,b){return(a.ownerDocument||a)!==n&&m(a),t(a,b)},fb.attr=function(a,b){(a.ownerDocument||a)!==n&&m(a);var e=d.attrHandle[b.toLowerCase()],f=e&&E.call(d.attrHandle,b.toLowerCase())?e(a,b,!p):void 0;return void 0!==f?f:c.attributes||!p?a.getAttribute(b):(f=a.getAttributeNode(b))&&f.specified?f.value:null},fb.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},fb.uniqueSort=function(a){var b,d=[],e=0,f=0;if(l=!c.detectDuplicates,k=!c.sortStable&&a.slice(0),a.sort(B),l){while(b=a[f++])b===a[f]&&(e=d.push(f));while(e--)a.splice(d[e],1)}return k=null,a},e=fb.getText=function(a){var b,c="",d=0,f=a.nodeType;if(f){if(1===f||9===f||11===f){if("string"==typeof a.textContent)return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=e(a)}else if(3===f||4===f)return a.nodeValue}else while(b=a[d++])c+=e(b);return c},d=fb.selectors={cacheLength:50,createPseudo:hb,match:X,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(cb,db),a[3]=(a[3]||a[4]||a[5]||"").replace(cb,db),"~="===a[2]&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),"nth"===a[1].slice(0,3)?(a[3]||fb.error(a[0]),a[4]=+(a[4]?a[5]+(a[6]||1):2*("even"===a[3]||"odd"===a[3])),a[5]=+(a[7]+a[8]||"odd"===a[3])):a[3]&&fb.error(a[0]),a},PSEUDO:function(a){var b,c=!a[6]&&a[2];return X.CHILD.test(a[0])?null:(a[3]?a[2]=a[4]||a[5]||"":c&&V.test(c)&&(b=g(c,!0))&&(b=c.indexOf(")",c.length-b)-c.length)&&(a[0]=a[0].slice(0,b),a[2]=c.slice(0,b)),a.slice(0,3))}},filter:{TAG:function(a){var b=a.replace(cb,db).toLowerCase();return"*"===a?function(){return!0}:function(a){return a.nodeName&&a.nodeName.toLowerCase()===b}},CLASS:function(a){var b=y[a+" "];return b||(b=new RegExp("(^|"+M+")"+a+"("+M+"|$)"))&&y(a,function(a){return b.test("string"==typeof a.className&&a.className||typeof a.getAttribute!==C&&a.getAttribute("class")||"")})},ATTR:function(a,b,c){return function(d){var e=fb.attr(d,a);return null==e?"!="===b:b?(e+="","="===b?e===c:"!="===b?e!==c:"^="===b?c&&0===e.indexOf(c):"*="===b?c&&e.indexOf(c)>-1:"$="===b?c&&e.slice(-c.length)===c:"~="===b?(" "+e+" ").indexOf(c)>-1:"|="===b?e===c||e.slice(0,c.length+1)===c+"-":!1):!0}},CHILD:function(a,b,c,d,e){var f="nth"!==a.slice(0,3),g="last"!==a.slice(-4),h="of-type"===b;return 1===d&&0===e?function(a){return!!a.parentNode}:function(b,c,i){var j,k,l,m,n,o,p=f!==g?"nextSibling":"previousSibling",q=b.parentNode,r=h&&b.nodeName.toLowerCase(),s=!i&&!h;if(q){if(f){while(p){l=b;while(l=l[p])if(h?l.nodeName.toLowerCase()===r:1===l.nodeType)return!1;o=p="only"===a&&!o&&"nextSibling"}return!0}if(o=[g?q.firstChild:q.lastChild],g&&s){k=q[u]||(q[u]={}),j=k[a]||[],n=j[0]===w&&j[1],m=j[0]===w&&j[2],l=n&&q.childNodes[n];while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if(1===l.nodeType&&++m&&l===b){k[a]=[w,n,m];break}}else if(s&&(j=(b[u]||(b[u]={}))[a])&&j[0]===w)m=j[1];else while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if((h?l.nodeName.toLowerCase()===r:1===l.nodeType)&&++m&&(s&&((l[u]||(l[u]={}))[a]=[w,m]),l===b))break;return m-=e,m===d||m%d===0&&m/d>=0}}},PSEUDO:function(a,b){var c,e=d.pseudos[a]||d.setFilters[a.toLowerCase()]||fb.error("unsupported pseudo: "+a);return e[u]?e(b):e.length>1?(c=[a,a,"",b],d.setFilters.hasOwnProperty(a.toLowerCase())?hb(function(a,c){var d,f=e(a,b),g=f.length;while(g--)d=K.call(a,f[g]),a[d]=!(c[d]=f[g])}):function(a){return e(a,0,c)}):e}},pseudos:{not:hb(function(a){var b=[],c=[],d=h(a.replace(R,"$1"));return d[u]?hb(function(a,b,c,e){var f,g=d(a,null,e,[]),h=a.length;while(h--)(f=g[h])&&(a[h]=!(b[h]=f))}):function(a,e,f){return b[0]=a,d(b,null,f,c),!c.pop()}}),has:hb(function(a){return function(b){return fb(a,b).length>0}}),contains:hb(function(a){return function(b){return(b.textContent||b.innerText||e(b)).indexOf(a)>-1}}),lang:hb(function(a){return W.test(a||"")||fb.error("unsupported lang: "+a),a=a.replace(cb,db).toLowerCase(),function(b){var c;do if(c=p?b.lang:b.getAttribute("xml:lang")||b.getAttribute("lang"))return c=c.toLowerCase(),c===a||0===c.indexOf(a+"-");while((b=b.parentNode)&&1===b.nodeType);return!1}}),target:function(b){var c=a.location&&a.location.hash;return c&&c.slice(1)===b.id},root:function(a){return a===o},focus:function(a){return a===n.activeElement&&(!n.hasFocus||n.hasFocus())&&!!(a.type||a.href||~a.tabIndex)},enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&!!a.checked||"option"===b&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},empty:function(a){for(a=a.firstChild;a;a=a.nextSibling)if(a.nodeType<6)return!1;return!0},parent:function(a){return!d.pseudos.empty(a)},header:function(a){return Z.test(a.nodeName)},input:function(a){return Y.test(a.nodeName)},button:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&"button"===a.type||"button"===b},text:function(a){var b;return"input"===a.nodeName.toLowerCase()&&"text"===a.type&&(null==(b=a.getAttribute("type"))||"text"===b.toLowerCase())},first:nb(function(){return[0]}),last:nb(function(a,b){return[b-1]}),eq:nb(function(a,b,c){return[0>c?c+b:c]}),even:nb(function(a,b){for(var c=0;b>c;c+=2)a.push(c);return a}),odd:nb(function(a,b){for(var c=1;b>c;c+=2)a.push(c);return a}),lt:nb(function(a,b,c){for(var d=0>c?c+b:c;--d>=0;)a.push(d);return a}),gt:nb(function(a,b,c){for(var d=0>c?c+b:c;++db;b++)d+=a[b].value;return d}function rb(a,b,c){var d=b.dir,e=c&&"parentNode"===d,f=x++;return b.first?function(b,c,f){while(b=b[d])if(1===b.nodeType||e)return a(b,c,f)}:function(b,c,g){var h,i,j=[w,f];if(g){while(b=b[d])if((1===b.nodeType||e)&&a(b,c,g))return!0}else while(b=b[d])if(1===b.nodeType||e){if(i=b[u]||(b[u]={}),(h=i[d])&&h[0]===w&&h[1]===f)return j[2]=h[2];if(i[d]=j,j[2]=a(b,c,g))return!0}}}function sb(a){return a.length>1?function(b,c,d){var e=a.length;while(e--)if(!a[e](b,c,d))return!1;return!0}:a[0]}function tb(a,b,c){for(var d=0,e=b.length;e>d;d++)fb(a,b[d],c);return c}function ub(a,b,c,d,e){for(var f,g=[],h=0,i=a.length,j=null!=b;i>h;h++)(f=a[h])&&(!c||c(f,d,e))&&(g.push(f),j&&b.push(h));return g}function vb(a,b,c,d,e,f){return d&&!d[u]&&(d=vb(d)),e&&!e[u]&&(e=vb(e,f)),hb(function(f,g,h,i){var j,k,l,m=[],n=[],o=g.length,p=f||tb(b||"*",h.nodeType?[h]:h,[]),q=!a||!f&&b?p:ub(p,m,a,h,i),r=c?e||(f?a:o||d)?[]:g:q;if(c&&c(q,r,h,i),d){j=ub(r,n),d(j,[],h,i),k=j.length;while(k--)(l=j[k])&&(r[n[k]]=!(q[n[k]]=l))}if(f){if(e||a){if(e){j=[],k=r.length;while(k--)(l=r[k])&&j.push(q[k]=l);e(null,r=[],j,i)}k=r.length;while(k--)(l=r[k])&&(j=e?K.call(f,l):m[k])>-1&&(f[j]=!(g[j]=l))}}else r=ub(r===g?r.splice(o,r.length):r),e?e(null,g,r,i):I.apply(g,r)})}function wb(a){for(var b,c,e,f=a.length,g=d.relative[a[0].type],h=g||d.relative[" "],i=g?1:0,k=rb(function(a){return a===b},h,!0),l=rb(function(a){return K.call(b,a)>-1},h,!0),m=[function(a,c,d){return!g&&(d||c!==j)||((b=c).nodeType?k(a,c,d):l(a,c,d))}];f>i;i++)if(c=d.relative[a[i].type])m=[rb(sb(m),c)];else{if(c=d.filter[a[i].type].apply(null,a[i].matches),c[u]){for(e=++i;f>e;e++)if(d.relative[a[e].type])break;return vb(i>1&&sb(m),i>1&&qb(a.slice(0,i-1).concat({value:" "===a[i-2].type?"*":""})).replace(R,"$1"),c,e>i&&wb(a.slice(i,e)),f>e&&wb(a=a.slice(e)),f>e&&qb(a))}m.push(c)}return sb(m)}function xb(a,b){var c=b.length>0,e=a.length>0,f=function(f,g,h,i,k){var l,m,o,p=0,q="0",r=f&&[],s=[],t=j,u=f||e&&d.find.TAG("*",k),v=w+=null==t?1:Math.random()||.1,x=u.length;for(k&&(j=g!==n&&g);q!==x&&null!=(l=u[q]);q++){if(e&&l){m=0;while(o=a[m++])if(o(l,g,h)){i.push(l);break}k&&(w=v)}c&&((l=!o&&l)&&p--,f&&r.push(l))}if(p+=q,c&&q!==p){m=0;while(o=b[m++])o(r,s,g,h);if(f){if(p>0)while(q--)r[q]||s[q]||(s[q]=G.call(i));s=ub(s)}I.apply(i,s),k&&!f&&s.length>0&&p+b.length>1&&fb.uniqueSort(i)}return k&&(w=v,j=t),r};return c?hb(f):f}return h=fb.compile=function(a,b){var c,d=[],e=[],f=A[a+" "];if(!f){b||(b=g(a)),c=b.length;while(c--)f=wb(b[c]),f[u]?d.push(f):e.push(f);f=A(a,xb(e,d)),f.selector=a}return f},i=fb.select=function(a,b,e,f){var i,j,k,l,m,n="function"==typeof a&&a,o=!f&&g(a=n.selector||a);if(e=e||[],1===o.length){if(j=o[0]=o[0].slice(0),j.length>2&&"ID"===(k=j[0]).type&&c.getById&&9===b.nodeType&&p&&d.relative[j[1].type]){if(b=(d.find.ID(k.matches[0].replace(cb,db),b)||[])[0],!b)return e;n&&(b=b.parentNode),a=a.slice(j.shift().value.length)}i=X.needsContext.test(a)?0:j.length;while(i--){if(k=j[i],d.relative[l=k.type])break;if((m=d.find[l])&&(f=m(k.matches[0].replace(cb,db),ab.test(j[0].type)&&ob(b.parentNode)||b))){if(j.splice(i,1),a=f.length&&qb(j),!a)return I.apply(e,f),e;break}}}return(n||h(a,o))(f,b,!p,e,ab.test(a)&&ob(b.parentNode)||b),e},c.sortStable=u.split("").sort(B).join("")===u,c.detectDuplicates=!!l,m(),c.sortDetached=ib(function(a){return 1&a.compareDocumentPosition(n.createElement("div"))}),ib(function(a){return a.innerHTML="","#"===a.firstChild.getAttribute("href")})||jb("type|href|height|width",function(a,b,c){return c?void 0:a.getAttribute(b,"type"===b.toLowerCase()?1:2)}),c.attributes&&ib(function(a){return a.innerHTML="",a.firstChild.setAttribute("value",""),""===a.firstChild.getAttribute("value")})||jb("value",function(a,b,c){return c||"input"!==a.nodeName.toLowerCase()?void 0:a.defaultValue}),ib(function(a){return null==a.getAttribute("disabled")})||jb(L,function(a,b,c){var d;return c?void 0:a[b]===!0?b.toLowerCase():(d=a.getAttributeNode(b))&&d.specified?d.value:null}),fb}(a);m.find=s,m.expr=s.selectors,m.expr[":"]=m.expr.pseudos,m.unique=s.uniqueSort,m.text=s.getText,m.isXMLDoc=s.isXML,m.contains=s.contains;var t=m.expr.match.needsContext,u=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,v=/^.[^:#\[\.,]*$/;function w(a,b,c){if(m.isFunction(b))return m.grep(a,function(a,d){return!!b.call(a,d,a)!==c});if(b.nodeType)return m.grep(a,function(a){return a===b!==c});if("string"==typeof b){if(v.test(b))return m.filter(b,a,c);b=m.filter(b,a)}return m.grep(a,function(a){return m.inArray(a,b)>=0!==c})}m.filter=function(a,b,c){var d=b[0];return c&&(a=":not("+a+")"),1===b.length&&1===d.nodeType?m.find.matchesSelector(d,a)?[d]:[]:m.find.matches(a,m.grep(b,function(a){return 1===a.nodeType}))},m.fn.extend({find:function(a){var b,c=[],d=this,e=d.length;if("string"!=typeof a)return this.pushStack(m(a).filter(function(){for(b=0;e>b;b++)if(m.contains(d[b],this))return!0}));for(b=0;e>b;b++)m.find(a,d[b],c);return c=this.pushStack(e>1?m.unique(c):c),c.selector=this.selector?this.selector+" "+a:a,c},filter:function(a){return this.pushStack(w(this,a||[],!1))},not:function(a){return this.pushStack(w(this,a||[],!0))},is:function(a){return!!w(this,"string"==typeof a&&t.test(a)?m(a):a||[],!1).length}});var x,y=a.document,z=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,A=m.fn.init=function(a,b){var c,d;if(!a)return this;if("string"==typeof a){if(c="<"===a.charAt(0)&&">"===a.charAt(a.length-1)&&a.length>=3?[null,a,null]:z.exec(a),!c||!c[1]&&b)return!b||b.jquery?(b||x).find(a):this.constructor(b).find(a);if(c[1]){if(b=b instanceof m?b[0]:b,m.merge(this,m.parseHTML(c[1],b&&b.nodeType?b.ownerDocument||b:y,!0)),u.test(c[1])&&m.isPlainObject(b))for(c in b)m.isFunction(this[c])?this[c](b[c]):this.attr(c,b[c]);return this}if(d=y.getElementById(c[2]),d&&d.parentNode){if(d.id!==c[2])return x.find(a);this.length=1,this[0]=d}return this.context=y,this.selector=a,this}return a.nodeType?(this.context=this[0]=a,this.length=1,this):m.isFunction(a)?"undefined"!=typeof x.ready?x.ready(a):a(m):(void 0!==a.selector&&(this.selector=a.selector,this.context=a.context),m.makeArray(a,this))};A.prototype=m.fn,x=m(y);var B=/^(?:parents|prev(?:Until|All))/,C={children:!0,contents:!0,next:!0,prev:!0};m.extend({dir:function(a,b,c){var d=[],e=a[b];while(e&&9!==e.nodeType&&(void 0===c||1!==e.nodeType||!m(e).is(c)))1===e.nodeType&&d.push(e),e=e[b];return d},sibling:function(a,b){for(var c=[];a;a=a.nextSibling)1===a.nodeType&&a!==b&&c.push(a);return c}}),m.fn.extend({has:function(a){var b,c=m(a,this),d=c.length;return this.filter(function(){for(b=0;d>b;b++)if(m.contains(this,c[b]))return!0})},closest:function(a,b){for(var c,d=0,e=this.length,f=[],g=t.test(a)||"string"!=typeof a?m(a,b||this.context):0;e>d;d++)for(c=this[d];c&&c!==b;c=c.parentNode)if(c.nodeType<11&&(g?g.index(c)>-1:1===c.nodeType&&m.find.matchesSelector(c,a))){f.push(c);break}return this.pushStack(f.length>1?m.unique(f):f)},index:function(a){return a?"string"==typeof a?m.inArray(this[0],m(a)):m.inArray(a.jquery?a[0]:a,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(a,b){return this.pushStack(m.unique(m.merge(this.get(),m(a,b))))},addBack:function(a){return this.add(null==a?this.prevObject:this.prevObject.filter(a))}});function D(a,b){do a=a[b];while(a&&1!==a.nodeType);return a}m.each({parent:function(a){var b=a.parentNode;return b&&11!==b.nodeType?b:null},parents:function(a){return m.dir(a,"parentNode")},parentsUntil:function(a,b,c){return m.dir(a,"parentNode",c)},next:function(a){return D(a,"nextSibling")},prev:function(a){return D(a,"previousSibling")},nextAll:function(a){return m.dir(a,"nextSibling")},prevAll:function(a){return m.dir(a,"previousSibling")},nextUntil:function(a,b,c){return m.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return m.dir(a,"previousSibling",c)},siblings:function(a){return m.sibling((a.parentNode||{}).firstChild,a)},children:function(a){return m.sibling(a.firstChild)},contents:function(a){return m.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:m.merge([],a.childNodes)}},function(a,b){m.fn[a]=function(c,d){var e=m.map(this,b,c);return"Until"!==a.slice(-5)&&(d=c),d&&"string"==typeof d&&(e=m.filter(d,e)),this.length>1&&(C[a]||(e=m.unique(e)),B.test(a)&&(e=e.reverse())),this.pushStack(e)}});var E=/\S+/g,F={};function G(a){var b=F[a]={};return m.each(a.match(E)||[],function(a,c){b[c]=!0}),b}m.Callbacks=function(a){a="string"==typeof a?F[a]||G(a):m.extend({},a);var b,c,d,e,f,g,h=[],i=!a.once&&[],j=function(l){for(c=a.memory&&l,d=!0,f=g||0,g=0,e=h.length,b=!0;h&&e>f;f++)if(h[f].apply(l[0],l[1])===!1&&a.stopOnFalse){c=!1;break}b=!1,h&&(i?i.length&&j(i.shift()):c?h=[]:k.disable())},k={add:function(){if(h){var d=h.length;!function f(b){m.each(b,function(b,c){var d=m.type(c);"function"===d?a.unique&&k.has(c)||h.push(c):c&&c.length&&"string"!==d&&f(c)})}(arguments),b?e=h.length:c&&(g=d,j(c))}return this},remove:function(){return h&&m.each(arguments,function(a,c){var d;while((d=m.inArray(c,h,d))>-1)h.splice(d,1),b&&(e>=d&&e--,f>=d&&f--)}),this},has:function(a){return a?m.inArray(a,h)>-1:!(!h||!h.length)},empty:function(){return h=[],e=0,this},disable:function(){return h=i=c=void 0,this},disabled:function(){return!h},lock:function(){return i=void 0,c||k.disable(),this},locked:function(){return!i},fireWith:function(a,c){return!h||d&&!i||(c=c||[],c=[a,c.slice?c.slice():c],b?i.push(c):j(c)),this},fire:function(){return k.fireWith(this,arguments),this},fired:function(){return!!d}};return k},m.extend({Deferred:function(a){var b=[["resolve","done",m.Callbacks("once memory"),"resolved"],["reject","fail",m.Callbacks("once memory"),"rejected"],["notify","progress",m.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return m.Deferred(function(c){m.each(b,function(b,f){var g=m.isFunction(a[b])&&a[b];e[f[1]](function(){var a=g&&g.apply(this,arguments);a&&m.isFunction(a.promise)?a.promise().done(c.resolve).fail(c.reject).progress(c.notify):c[f[0]+"With"](this===d?c.promise():this,g?[a]:arguments)})}),a=null}).promise()},promise:function(a){return null!=a?m.extend(a,d):d}},e={};return d.pipe=d.then,m.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[1^a][2].disable,b[2][2].lock),e[f[0]]=function(){return e[f[0]+"With"](this===e?d:this,arguments),this},e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=d.call(arguments),e=c.length,f=1!==e||a&&m.isFunction(a.promise)?e:0,g=1===f?a:m.Deferred(),h=function(a,b,c){return function(e){b[a]=this,c[a]=arguments.length>1?d.call(arguments):e,c===i?g.notifyWith(b,c):--f||g.resolveWith(b,c)}},i,j,k;if(e>1)for(i=new Array(e),j=new Array(e),k=new Array(e);e>b;b++)c[b]&&m.isFunction(c[b].promise)?c[b].promise().done(h(b,k,c)).fail(g.reject).progress(h(b,j,i)):--f;return f||g.resolveWith(k,c),g.promise()}});var H;m.fn.ready=function(a){return m.ready.promise().done(a),this},m.extend({isReady:!1,readyWait:1,holdReady:function(a){a?m.readyWait++:m.ready(!0)},ready:function(a){if(a===!0?!--m.readyWait:!m.isReady){if(!y.body)return setTimeout(m.ready);m.isReady=!0,a!==!0&&--m.readyWait>0||(H.resolveWith(y,[m]),m.fn.triggerHandler&&(m(y).triggerHandler("ready"),m(y).off("ready")))}}});function I(){y.addEventListener?(y.removeEventListener("DOMContentLoaded",J,!1),a.removeEventListener("load",J,!1)):(y.detachEvent("onreadystatechange",J),a.detachEvent("onload",J))}function J(){(y.addEventListener||"load"===event.type||"complete"===y.readyState)&&(I(),m.ready())}m.ready.promise=function(b){if(!H)if(H=m.Deferred(),"complete"===y.readyState)setTimeout(m.ready);else if(y.addEventListener)y.addEventListener("DOMContentLoaded",J,!1),a.addEventListener("load",J,!1);else{y.attachEvent("onreadystatechange",J),a.attachEvent("onload",J);var c=!1;try{c=null==a.frameElement&&y.documentElement}catch(d){}c&&c.doScroll&&!function e(){if(!m.isReady){try{c.doScroll("left")}catch(a){return setTimeout(e,50)}I(),m.ready()}}()}return H.promise(b)};var K="undefined",L;for(L in m(k))break;k.ownLast="0"!==L,k.inlineBlockNeedsLayout=!1,m(function(){var a,b,c,d;c=y.getElementsByTagName("body")[0],c&&c.style&&(b=y.createElement("div"),d=y.createElement("div"),d.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(d).appendChild(b),typeof b.style.zoom!==K&&(b.style.cssText="display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1",k.inlineBlockNeedsLayout=a=3===b.offsetWidth,a&&(c.style.zoom=1)),c.removeChild(d))}),function(){var a=y.createElement("div");if(null==k.deleteExpando){k.deleteExpando=!0;try{delete a.test}catch(b){k.deleteExpando=!1}}a=null}(),m.acceptData=function(a){var b=m.noData[(a.nodeName+" ").toLowerCase()],c=+a.nodeType||1;return 1!==c&&9!==c?!1:!b||b!==!0&&a.getAttribute("classid")===b};var M=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,N=/([A-Z])/g;function O(a,b,c){if(void 0===c&&1===a.nodeType){var d="data-"+b.replace(N,"-$1").toLowerCase();if(c=a.getAttribute(d),"string"==typeof c){try{c="true"===c?!0:"false"===c?!1:"null"===c?null:+c+""===c?+c:M.test(c)?m.parseJSON(c):c}catch(e){}m.data(a,b,c)}else c=void 0}return c}function P(a){var b;for(b in a)if(("data"!==b||!m.isEmptyObject(a[b]))&&"toJSON"!==b)return!1;return!0}function Q(a,b,d,e){if(m.acceptData(a)){var f,g,h=m.expando,i=a.nodeType,j=i?m.cache:a,k=i?a[h]:a[h]&&h; if(k&&j[k]&&(e||j[k].data)||void 0!==d||"string"!=typeof b)return k||(k=i?a[h]=c.pop()||m.guid++:h),j[k]||(j[k]=i?{}:{toJSON:m.noop}),("object"==typeof b||"function"==typeof b)&&(e?j[k]=m.extend(j[k],b):j[k].data=m.extend(j[k].data,b)),g=j[k],e||(g.data||(g.data={}),g=g.data),void 0!==d&&(g[m.camelCase(b)]=d),"string"==typeof b?(f=g[b],null==f&&(f=g[m.camelCase(b)])):f=g,f}}function R(a,b,c){if(m.acceptData(a)){var d,e,f=a.nodeType,g=f?m.cache:a,h=f?a[m.expando]:m.expando;if(g[h]){if(b&&(d=c?g[h]:g[h].data)){m.isArray(b)?b=b.concat(m.map(b,m.camelCase)):b in d?b=[b]:(b=m.camelCase(b),b=b in d?[b]:b.split(" ")),e=b.length;while(e--)delete d[b[e]];if(c?!P(d):!m.isEmptyObject(d))return}(c||(delete g[h].data,P(g[h])))&&(f?m.cleanData([a],!0):k.deleteExpando||g!=g.window?delete g[h]:g[h]=null)}}}m.extend({cache:{},noData:{"applet ":!0,"embed ":!0,"object ":"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(a){return a=a.nodeType?m.cache[a[m.expando]]:a[m.expando],!!a&&!P(a)},data:function(a,b,c){return Q(a,b,c)},removeData:function(a,b){return R(a,b)},_data:function(a,b,c){return Q(a,b,c,!0)},_removeData:function(a,b){return R(a,b,!0)}}),m.fn.extend({data:function(a,b){var c,d,e,f=this[0],g=f&&f.attributes;if(void 0===a){if(this.length&&(e=m.data(f),1===f.nodeType&&!m._data(f,"parsedAttrs"))){c=g.length;while(c--)g[c]&&(d=g[c].name,0===d.indexOf("data-")&&(d=m.camelCase(d.slice(5)),O(f,d,e[d])));m._data(f,"parsedAttrs",!0)}return e}return"object"==typeof a?this.each(function(){m.data(this,a)}):arguments.length>1?this.each(function(){m.data(this,a,b)}):f?O(f,a,m.data(f,a)):void 0},removeData:function(a){return this.each(function(){m.removeData(this,a)})}}),m.extend({queue:function(a,b,c){var d;return a?(b=(b||"fx")+"queue",d=m._data(a,b),c&&(!d||m.isArray(c)?d=m._data(a,b,m.makeArray(c)):d.push(c)),d||[]):void 0},dequeue:function(a,b){b=b||"fx";var c=m.queue(a,b),d=c.length,e=c.shift(),f=m._queueHooks(a,b),g=function(){m.dequeue(a,b)};"inprogress"===e&&(e=c.shift(),d--),e&&("fx"===b&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return m._data(a,c)||m._data(a,c,{empty:m.Callbacks("once memory").add(function(){m._removeData(a,b+"queue"),m._removeData(a,c)})})}}),m.fn.extend({queue:function(a,b){var c=2;return"string"!=typeof a&&(b=a,a="fx",c--),arguments.lengthh;h++)b(a[h],c,g?d:d.call(a[h],h,b(a[h],c)));return e?a:j?b.call(a):i?b(a[0],c):f},W=/^(?:checkbox|radio)$/i;!function(){var a=y.createElement("input"),b=y.createElement("div"),c=y.createDocumentFragment();if(b.innerHTML="
a",k.leadingWhitespace=3===b.firstChild.nodeType,k.tbody=!b.getElementsByTagName("tbody").length,k.htmlSerialize=!!b.getElementsByTagName("link").length,k.html5Clone="<:nav>"!==y.createElement("nav").cloneNode(!0).outerHTML,a.type="checkbox",a.checked=!0,c.appendChild(a),k.appendChecked=a.checked,b.innerHTML="",k.noCloneChecked=!!b.cloneNode(!0).lastChild.defaultValue,c.appendChild(b),b.innerHTML="",k.checkClone=b.cloneNode(!0).cloneNode(!0).lastChild.checked,k.noCloneEvent=!0,b.attachEvent&&(b.attachEvent("onclick",function(){k.noCloneEvent=!1}),b.cloneNode(!0).click()),null==k.deleteExpando){k.deleteExpando=!0;try{delete b.test}catch(d){k.deleteExpando=!1}}}(),function(){var b,c,d=y.createElement("div");for(b in{submit:!0,change:!0,focusin:!0})c="on"+b,(k[b+"Bubbles"]=c in a)||(d.setAttribute(c,"t"),k[b+"Bubbles"]=d.attributes[c].expando===!1);d=null}();var X=/^(?:input|select|textarea)$/i,Y=/^key/,Z=/^(?:mouse|pointer|contextmenu)|click/,$=/^(?:focusinfocus|focusoutblur)$/,_=/^([^.]*)(?:\.(.+)|)$/;function ab(){return!0}function bb(){return!1}function cb(){try{return y.activeElement}catch(a){}}m.event={global:{},add:function(a,b,c,d,e){var f,g,h,i,j,k,l,n,o,p,q,r=m._data(a);if(r){c.handler&&(i=c,c=i.handler,e=i.selector),c.guid||(c.guid=m.guid++),(g=r.events)||(g=r.events={}),(k=r.handle)||(k=r.handle=function(a){return typeof m===K||a&&m.event.triggered===a.type?void 0:m.event.dispatch.apply(k.elem,arguments)},k.elem=a),b=(b||"").match(E)||[""],h=b.length;while(h--)f=_.exec(b[h])||[],o=q=f[1],p=(f[2]||"").split(".").sort(),o&&(j=m.event.special[o]||{},o=(e?j.delegateType:j.bindType)||o,j=m.event.special[o]||{},l=m.extend({type:o,origType:q,data:d,handler:c,guid:c.guid,selector:e,needsContext:e&&m.expr.match.needsContext.test(e),namespace:p.join(".")},i),(n=g[o])||(n=g[o]=[],n.delegateCount=0,j.setup&&j.setup.call(a,d,p,k)!==!1||(a.addEventListener?a.addEventListener(o,k,!1):a.attachEvent&&a.attachEvent("on"+o,k))),j.add&&(j.add.call(a,l),l.handler.guid||(l.handler.guid=c.guid)),e?n.splice(n.delegateCount++,0,l):n.push(l),m.event.global[o]=!0);a=null}},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,n,o,p,q,r=m.hasData(a)&&m._data(a);if(r&&(k=r.events)){b=(b||"").match(E)||[""],j=b.length;while(j--)if(h=_.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o){l=m.event.special[o]||{},o=(d?l.delegateType:l.bindType)||o,n=k[o]||[],h=h[2]&&new RegExp("(^|\\.)"+p.join("\\.(?:.*\\.|)")+"(\\.|$)"),i=f=n.length;while(f--)g=n[f],!e&&q!==g.origType||c&&c.guid!==g.guid||h&&!h.test(g.namespace)||d&&d!==g.selector&&("**"!==d||!g.selector)||(n.splice(f,1),g.selector&&n.delegateCount--,l.remove&&l.remove.call(a,g));i&&!n.length&&(l.teardown&&l.teardown.call(a,p,r.handle)!==!1||m.removeEvent(a,o,r.handle),delete k[o])}else for(o in k)m.event.remove(a,o+b[j],c,d,!0);m.isEmptyObject(k)&&(delete r.handle,m._removeData(a,"events"))}},trigger:function(b,c,d,e){var f,g,h,i,k,l,n,o=[d||y],p=j.call(b,"type")?b.type:b,q=j.call(b,"namespace")?b.namespace.split("."):[];if(h=l=d=d||y,3!==d.nodeType&&8!==d.nodeType&&!$.test(p+m.event.triggered)&&(p.indexOf(".")>=0&&(q=p.split("."),p=q.shift(),q.sort()),g=p.indexOf(":")<0&&"on"+p,b=b[m.expando]?b:new m.Event(p,"object"==typeof b&&b),b.isTrigger=e?2:3,b.namespace=q.join("."),b.namespace_re=b.namespace?new RegExp("(^|\\.)"+q.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,b.result=void 0,b.target||(b.target=d),c=null==c?[b]:m.makeArray(c,[b]),k=m.event.special[p]||{},e||!k.trigger||k.trigger.apply(d,c)!==!1)){if(!e&&!k.noBubble&&!m.isWindow(d)){for(i=k.delegateType||p,$.test(i+p)||(h=h.parentNode);h;h=h.parentNode)o.push(h),l=h;l===(d.ownerDocument||y)&&o.push(l.defaultView||l.parentWindow||a)}n=0;while((h=o[n++])&&!b.isPropagationStopped())b.type=n>1?i:k.bindType||p,f=(m._data(h,"events")||{})[b.type]&&m._data(h,"handle"),f&&f.apply(h,c),f=g&&h[g],f&&f.apply&&m.acceptData(h)&&(b.result=f.apply(h,c),b.result===!1&&b.preventDefault());if(b.type=p,!e&&!b.isDefaultPrevented()&&(!k._default||k._default.apply(o.pop(),c)===!1)&&m.acceptData(d)&&g&&d[p]&&!m.isWindow(d)){l=d[g],l&&(d[g]=null),m.event.triggered=p;try{d[p]()}catch(r){}m.event.triggered=void 0,l&&(d[g]=l)}return b.result}},dispatch:function(a){a=m.event.fix(a);var b,c,e,f,g,h=[],i=d.call(arguments),j=(m._data(this,"events")||{})[a.type]||[],k=m.event.special[a.type]||{};if(i[0]=a,a.delegateTarget=this,!k.preDispatch||k.preDispatch.call(this,a)!==!1){h=m.event.handlers.call(this,a,j),b=0;while((f=h[b++])&&!a.isPropagationStopped()){a.currentTarget=f.elem,g=0;while((e=f.handlers[g++])&&!a.isImmediatePropagationStopped())(!a.namespace_re||a.namespace_re.test(e.namespace))&&(a.handleObj=e,a.data=e.data,c=((m.event.special[e.origType]||{}).handle||e.handler).apply(f.elem,i),void 0!==c&&(a.result=c)===!1&&(a.preventDefault(),a.stopPropagation()))}return k.postDispatch&&k.postDispatch.call(this,a),a.result}},handlers:function(a,b){var c,d,e,f,g=[],h=b.delegateCount,i=a.target;if(h&&i.nodeType&&(!a.button||"click"!==a.type))for(;i!=this;i=i.parentNode||this)if(1===i.nodeType&&(i.disabled!==!0||"click"!==a.type)){for(e=[],f=0;h>f;f++)d=b[f],c=d.selector+" ",void 0===e[c]&&(e[c]=d.needsContext?m(c,this).index(i)>=0:m.find(c,this,null,[i]).length),e[c]&&e.push(d);e.length&&g.push({elem:i,handlers:e})}return h]","i"),hb=/^\s+/,ib=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,jb=/<([\w:]+)/,kb=/\s*$/g,rb={option:[1,""],legend:[1,"
","
"],area:[1,"",""],param:[1,"",""],thead:[1,"","
"],tr:[2,"","
"],col:[2,"","
"],td:[3,"","
"],_default:k.htmlSerialize?[0,"",""]:[1,"X
","
"]},sb=db(y),tb=sb.appendChild(y.createElement("div"));rb.optgroup=rb.option,rb.tbody=rb.tfoot=rb.colgroup=rb.caption=rb.thead,rb.th=rb.td;function ub(a,b){var c,d,e=0,f=typeof a.getElementsByTagName!==K?a.getElementsByTagName(b||"*"):typeof a.querySelectorAll!==K?a.querySelectorAll(b||"*"):void 0;if(!f)for(f=[],c=a.childNodes||a;null!=(d=c[e]);e++)!b||m.nodeName(d,b)?f.push(d):m.merge(f,ub(d,b));return void 0===b||b&&m.nodeName(a,b)?m.merge([a],f):f}function vb(a){W.test(a.type)&&(a.defaultChecked=a.checked)}function wb(a,b){return m.nodeName(a,"table")&&m.nodeName(11!==b.nodeType?b:b.firstChild,"tr")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function xb(a){return a.type=(null!==m.find.attr(a,"type"))+"/"+a.type,a}function yb(a){var b=pb.exec(a.type);return b?a.type=b[1]:a.removeAttribute("type"),a}function zb(a,b){for(var c,d=0;null!=(c=a[d]);d++)m._data(c,"globalEval",!b||m._data(b[d],"globalEval"))}function Ab(a,b){if(1===b.nodeType&&m.hasData(a)){var c,d,e,f=m._data(a),g=m._data(b,f),h=f.events;if(h){delete g.handle,g.events={};for(c in h)for(d=0,e=h[c].length;e>d;d++)m.event.add(b,c,h[c][d])}g.data&&(g.data=m.extend({},g.data))}}function Bb(a,b){var c,d,e;if(1===b.nodeType){if(c=b.nodeName.toLowerCase(),!k.noCloneEvent&&b[m.expando]){e=m._data(b);for(d in e.events)m.removeEvent(b,d,e.handle);b.removeAttribute(m.expando)}"script"===c&&b.text!==a.text?(xb(b).text=a.text,yb(b)):"object"===c?(b.parentNode&&(b.outerHTML=a.outerHTML),k.html5Clone&&a.innerHTML&&!m.trim(b.innerHTML)&&(b.innerHTML=a.innerHTML)):"input"===c&&W.test(a.type)?(b.defaultChecked=b.checked=a.checked,b.value!==a.value&&(b.value=a.value)):"option"===c?b.defaultSelected=b.selected=a.defaultSelected:("input"===c||"textarea"===c)&&(b.defaultValue=a.defaultValue)}}m.extend({clone:function(a,b,c){var d,e,f,g,h,i=m.contains(a.ownerDocument,a);if(k.html5Clone||m.isXMLDoc(a)||!gb.test("<"+a.nodeName+">")?f=a.cloneNode(!0):(tb.innerHTML=a.outerHTML,tb.removeChild(f=tb.firstChild)),!(k.noCloneEvent&&k.noCloneChecked||1!==a.nodeType&&11!==a.nodeType||m.isXMLDoc(a)))for(d=ub(f),h=ub(a),g=0;null!=(e=h[g]);++g)d[g]&&Bb(e,d[g]);if(b)if(c)for(h=h||ub(a),d=d||ub(f),g=0;null!=(e=h[g]);g++)Ab(e,d[g]);else Ab(a,f);return d=ub(f,"script"),d.length>0&&zb(d,!i&&ub(a,"script")),d=h=e=null,f},buildFragment:function(a,b,c,d){for(var e,f,g,h,i,j,l,n=a.length,o=db(b),p=[],q=0;n>q;q++)if(f=a[q],f||0===f)if("object"===m.type(f))m.merge(p,f.nodeType?[f]:f);else if(lb.test(f)){h=h||o.appendChild(b.createElement("div")),i=(jb.exec(f)||["",""])[1].toLowerCase(),l=rb[i]||rb._default,h.innerHTML=l[1]+f.replace(ib,"<$1>")+l[2],e=l[0];while(e--)h=h.lastChild;if(!k.leadingWhitespace&&hb.test(f)&&p.push(b.createTextNode(hb.exec(f)[0])),!k.tbody){f="table"!==i||kb.test(f)?""!==l[1]||kb.test(f)?0:h:h.firstChild,e=f&&f.childNodes.length;while(e--)m.nodeName(j=f.childNodes[e],"tbody")&&!j.childNodes.length&&f.removeChild(j)}m.merge(p,h.childNodes),h.textContent="";while(h.firstChild)h.removeChild(h.firstChild);h=o.lastChild}else p.push(b.createTextNode(f));h&&o.removeChild(h),k.appendChecked||m.grep(ub(p,"input"),vb),q=0;while(f=p[q++])if((!d||-1===m.inArray(f,d))&&(g=m.contains(f.ownerDocument,f),h=ub(o.appendChild(f),"script"),g&&zb(h),c)){e=0;while(f=h[e++])ob.test(f.type||"")&&c.push(f)}return h=null,o},cleanData:function(a,b){for(var d,e,f,g,h=0,i=m.expando,j=m.cache,l=k.deleteExpando,n=m.event.special;null!=(d=a[h]);h++)if((b||m.acceptData(d))&&(f=d[i],g=f&&j[f])){if(g.events)for(e in g.events)n[e]?m.event.remove(d,e):m.removeEvent(d,e,g.handle);j[f]&&(delete j[f],l?delete d[i]:typeof d.removeAttribute!==K?d.removeAttribute(i):d[i]=null,c.push(f))}}}),m.fn.extend({text:function(a){return V(this,function(a){return void 0===a?m.text(this):this.empty().append((this[0]&&this[0].ownerDocument||y).createTextNode(a))},null,a,arguments.length)},append:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=wb(this,a);b.appendChild(a)}})},prepend:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=wb(this,a);b.insertBefore(a,b.firstChild)}})},before:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this)})},after:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this.nextSibling)})},remove:function(a,b){for(var c,d=a?m.filter(a,this):this,e=0;null!=(c=d[e]);e++)b||1!==c.nodeType||m.cleanData(ub(c)),c.parentNode&&(b&&m.contains(c.ownerDocument,c)&&zb(ub(c,"script")),c.parentNode.removeChild(c));return this},empty:function(){for(var a,b=0;null!=(a=this[b]);b++){1===a.nodeType&&m.cleanData(ub(a,!1));while(a.firstChild)a.removeChild(a.firstChild);a.options&&m.nodeName(a,"select")&&(a.options.length=0)}return this},clone:function(a,b){return a=null==a?!1:a,b=null==b?a:b,this.map(function(){return m.clone(this,a,b)})},html:function(a){return V(this,function(a){var b=this[0]||{},c=0,d=this.length;if(void 0===a)return 1===b.nodeType?b.innerHTML.replace(fb,""):void 0;if(!("string"!=typeof a||mb.test(a)||!k.htmlSerialize&&gb.test(a)||!k.leadingWhitespace&&hb.test(a)||rb[(jb.exec(a)||["",""])[1].toLowerCase()])){a=a.replace(ib,"<$1>");try{for(;d>c;c++)b=this[c]||{},1===b.nodeType&&(m.cleanData(ub(b,!1)),b.innerHTML=a);b=0}catch(e){}}b&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(){var a=arguments[0];return this.domManip(arguments,function(b){a=this.parentNode,m.cleanData(ub(this)),a&&a.replaceChild(b,this)}),a&&(a.length||a.nodeType)?this:this.remove()},detach:function(a){return this.remove(a,!0)},domManip:function(a,b){a=e.apply([],a);var c,d,f,g,h,i,j=0,l=this.length,n=this,o=l-1,p=a[0],q=m.isFunction(p);if(q||l>1&&"string"==typeof p&&!k.checkClone&&nb.test(p))return this.each(function(c){var d=n.eq(c);q&&(a[0]=p.call(this,c,d.html())),d.domManip(a,b)});if(l&&(i=m.buildFragment(a,this[0].ownerDocument,!1,this),c=i.firstChild,1===i.childNodes.length&&(i=c),c)){for(g=m.map(ub(i,"script"),xb),f=g.length;l>j;j++)d=i,j!==o&&(d=m.clone(d,!0,!0),f&&m.merge(g,ub(d,"script"))),b.call(this[j],d,j);if(f)for(h=g[g.length-1].ownerDocument,m.map(g,yb),j=0;f>j;j++)d=g[j],ob.test(d.type||"")&&!m._data(d,"globalEval")&&m.contains(h,d)&&(d.src?m._evalUrl&&m._evalUrl(d.src):m.globalEval((d.text||d.textContent||d.innerHTML||"").replace(qb,"")));i=c=null}return this}}),m.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){m.fn[a]=function(a){for(var c,d=0,e=[],g=m(a),h=g.length-1;h>=d;d++)c=d===h?this:this.clone(!0),m(g[d])[b](c),f.apply(e,c.get());return this.pushStack(e)}});var Cb,Db={};function Eb(b,c){var d,e=m(c.createElement(b)).appendTo(c.body),f=a.getDefaultComputedStyle&&(d=a.getDefaultComputedStyle(e[0]))?d.display:m.css(e[0],"display");return e.detach(),f}function Fb(a){var b=y,c=Db[a];return c||(c=Eb(a,b),"none"!==c&&c||(Cb=(Cb||m("', '' ].join(''); dom.overlay.querySelector( 'iframe' ).addEventListener( 'load', function( event ) { dom.overlay.classList.add( 'loaded' ); }, false ); dom.overlay.querySelector( '.close' ).addEventListener( 'click', function( event ) { closeOverlay(); event.preventDefault(); }, false ); dom.overlay.querySelector( '.external' ).addEventListener( 'click', function( event ) { closeOverlay(); }, false ); setTimeout( function() { dom.overlay.classList.add( 'visible' ); }, 1 ); } /** * Opens a overlay window with help material. */ function showHelp() { if( config.help ) { closeOverlay(); dom.overlay = document.createElement( 'div' ); dom.overlay.classList.add( 'overlay' ); dom.overlay.classList.add( 'overlay-help' ); dom.wrapper.appendChild( dom.overlay ); var html = '

Keyboard Shortcuts


'; html += '
'; for( var key in keyboardShortcuts ) { html += ''; } html += '
KEYACTION
' + key + '' + keyboardShortcuts[ key ] + '
'; dom.overlay.innerHTML = [ '
', '', '
', '
', '
'+ html +'
', '
' ].join(''); dom.overlay.querySelector( '.close' ).addEventListener( 'click', function( event ) { closeOverlay(); event.preventDefault(); }, false ); setTimeout( function() { dom.overlay.classList.add( 'visible' ); }, 1 ); } } /** * Closes any currently open overlay. */ function closeOverlay() { if( dom.overlay ) { dom.overlay.parentNode.removeChild( dom.overlay ); dom.overlay = null; } } /** * Applies JavaScript-controlled layout rules to the * presentation. */ function layout() { if( dom.wrapper && !isPrintingPDF() ) { var size = getComputedSlideSize(); var slidePadding = 20; // TODO Dig this out of DOM // Layout the contents of the slides layoutSlideContents( config.width, config.height, slidePadding ); dom.slides.style.width = size.width + 'px'; dom.slides.style.height = size.height + 'px'; // Determine scale of content to fit within available space scale = Math.min( size.presentationWidth / size.width, size.presentationHeight / size.height ); // Respect max/min scale settings scale = Math.max( scale, config.minScale ); scale = Math.min( scale, config.maxScale ); // Don't apply any scaling styles if scale is 1 if( scale === 1 ) { dom.slides.style.zoom = ''; dom.slides.style.left = ''; dom.slides.style.top = ''; dom.slides.style.bottom = ''; dom.slides.style.right = ''; transformElement( dom.slides, '' ); } else { // Prefer zooming in desktop Chrome so that content remains crisp if( !isMobileDevice && /chrome/i.test( navigator.userAgent ) && typeof dom.slides.style.zoom !== 'undefined' ) { dom.slides.style.zoom = scale; } // Apply scale transform as a fallback else { dom.slides.style.left = '50%'; dom.slides.style.top = '50%'; dom.slides.style.bottom = 'auto'; dom.slides.style.right = 'auto'; transformElement( dom.slides, 'translate(-50%, -50%) scale('+ scale +')' ); } } // Select all slides, vertical and horizontal var slides = toArray( dom.wrapper.querySelectorAll( SLIDES_SELECTOR ) ); for( var i = 0, len = slides.length; i < len; i++ ) { var slide = slides[ i ]; // Don't bother updating invisible slides if( slide.style.display === 'none' ) { continue; } if( config.center || slide.classList.contains( 'center' ) ) { // Vertical stacks are not centred since their section // children will be if( slide.classList.contains( 'stack' ) ) { slide.style.top = 0; } else { slide.style.top = Math.max( ( ( size.height - getAbsoluteHeight( slide ) ) / 2 ) - slidePadding, 0 ) + 'px'; } } else { slide.style.top = ''; } } updateProgress(); updateParallax(); } } /** * Applies layout logic to the contents of all slides in * the presentation. */ function layoutSlideContents( width, height, padding ) { // Handle sizing of elements with the 'stretch' class toArray( dom.slides.querySelectorAll( 'section > .stretch' ) ).forEach( function( element ) { // Determine how much vertical space we can use var remainingHeight = getRemainingHeight( element, height ); // Consider the aspect ratio of media elements if( /(img|video)/gi.test( element.nodeName ) ) { var nw = element.naturalWidth || element.videoWidth, nh = element.naturalHeight || element.videoHeight; var es = Math.min( width / nw, remainingHeight / nh ); element.style.width = ( nw * es ) + 'px'; element.style.height = ( nh * es ) + 'px'; } else { element.style.width = width + 'px'; element.style.height = remainingHeight + 'px'; } } ); } /** * Calculates the computed pixel size of our slides. These * values are based on the width and height configuration * options. */ function getComputedSlideSize( presentationWidth, presentationHeight ) { var size = { // Slide size width: config.width, height: config.height, // Presentation size presentationWidth: presentationWidth || dom.wrapper.offsetWidth, presentationHeight: presentationHeight || dom.wrapper.offsetHeight }; // Reduce available space by margin size.presentationWidth -= ( size.presentationHeight * config.margin ); size.presentationHeight -= ( size.presentationHeight * config.margin ); // Slide width may be a percentage of available width if( typeof size.width === 'string' && /%$/.test( size.width ) ) { size.width = parseInt( size.width, 10 ) / 100 * size.presentationWidth; } // Slide height may be a percentage of available height if( typeof size.height === 'string' && /%$/.test( size.height ) ) { size.height = parseInt( size.height, 10 ) / 100 * size.presentationHeight; } return size; } /** * Stores the vertical index of a stack so that the same * vertical slide can be selected when navigating to and * from the stack. * * @param {HTMLElement} stack The vertical stack element * @param {int} v Index to memorize */ function setPreviousVerticalIndex( stack, v ) { if( typeof stack === 'object' && typeof stack.setAttribute === 'function' ) { stack.setAttribute( 'data-previous-indexv', v || 0 ); } } /** * Retrieves the vertical index which was stored using * #setPreviousVerticalIndex() or 0 if no previous index * exists. * * @param {HTMLElement} stack The vertical stack element */ function getPreviousVerticalIndex( stack ) { if( typeof stack === 'object' && typeof stack.setAttribute === 'function' && stack.classList.contains( 'stack' ) ) { // Prefer manually defined start-indexv var attributeName = stack.hasAttribute( 'data-start-indexv' ) ? 'data-start-indexv' : 'data-previous-indexv'; return parseInt( stack.getAttribute( attributeName ) || 0, 10 ); } return 0; } /** * Displays the overview of slides (quick nav) by * scaling down and arranging all slide elements. * * Experimental feature, might be dropped if perf * can't be improved. */ function activateOverview() { // Only proceed if enabled in config if( config.overview ) { // Don't auto-slide while in overview mode cancelAutoSlide(); var wasActive = dom.wrapper.classList.contains( 'overview' ); // Vary the depth of the overview based on screen size var depth = window.innerWidth < 400 ? 1000 : 2500; dom.wrapper.classList.add( 'overview' ); dom.wrapper.classList.remove( 'overview-deactivating' ); var horizontalSlides = dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR ); for( var i = 0, len1 = horizontalSlides.length; i < len1; i++ ) { var hslide = horizontalSlides[i], hoffset = config.rtl ? -105 : 105; hslide.setAttribute( 'data-index-h', i ); // Apply CSS transform transformElement( hslide, 'translateZ(-'+ depth +'px) translate(' + ( ( i - indexh ) * hoffset ) + '%, 0%)' ); if( hslide.classList.contains( 'stack' ) ) { var verticalSlides = hslide.querySelectorAll( 'section' ); for( var j = 0, len2 = verticalSlides.length; j < len2; j++ ) { var verticalIndex = i === indexh ? indexv : getPreviousVerticalIndex( hslide ); var vslide = verticalSlides[j]; vslide.setAttribute( 'data-index-h', i ); vslide.setAttribute( 'data-index-v', j ); // Apply CSS transform transformElement( vslide, 'translate(0%, ' + ( ( j - verticalIndex ) * 105 ) + '%)' ); // Navigate to this slide on click vslide.addEventListener( 'click', onOverviewSlideClicked, true ); } } else { // Navigate to this slide on click hslide.addEventListener( 'click', onOverviewSlideClicked, true ); } } updateSlidesVisibility(); layout(); if( !wasActive ) { // Notify observers of the overview showing dispatchEvent( 'overviewshown', { 'indexh': indexh, 'indexv': indexv, 'currentSlide': currentSlide } ); } } } /** * Exits the slide overview and enters the currently * active slide. */ function deactivateOverview() { // Only proceed if enabled in config if( config.overview ) { dom.wrapper.classList.remove( 'overview' ); // Temporarily add a class so that transitions can do different things // depending on whether they are exiting/entering overview, or just // moving from slide to slide dom.wrapper.classList.add( 'overview-deactivating' ); setTimeout( function () { dom.wrapper.classList.remove( 'overview-deactivating' ); }, 1 ); // Select all slides toArray( dom.wrapper.querySelectorAll( SLIDES_SELECTOR ) ).forEach( function( slide ) { // Resets all transforms to use the external styles transformElement( slide, '' ); slide.removeEventListener( 'click', onOverviewSlideClicked, true ); } ); slide( indexh, indexv ); cueAutoSlide(); // Notify observers of the overview hiding dispatchEvent( 'overviewhidden', { 'indexh': indexh, 'indexv': indexv, 'currentSlide': currentSlide } ); } } /** * Toggles the slide overview mode on and off. * * @param {Boolean} override Optional flag which overrides the * toggle logic and forcibly sets the desired state. True means * overview is open, false means it's closed. */ function toggleOverview( override ) { if( typeof override === 'boolean' ) { override ? activateOverview() : deactivateOverview(); } else { isOverview() ? deactivateOverview() : activateOverview(); } } /** * Checks if the overview is currently active. * * @return {Boolean} true if the overview is active, * false otherwise */ function isOverview() { return dom.wrapper.classList.contains( 'overview' ); } /** * Checks if the current or specified slide is vertical * (nested within another slide). * * @param {HTMLElement} slide [optional] The slide to check * orientation of */ function isVerticalSlide( slide ) { // Prefer slide argument, otherwise use current slide slide = slide ? slide : currentSlide; return slide && slide.parentNode && !!slide.parentNode.nodeName.match( /section/i ); } /** * Handling the fullscreen functionality via the fullscreen API * * @see http://fullscreen.spec.whatwg.org/ * @see https://developer.mozilla.org/en-US/docs/DOM/Using_fullscreen_mode */ function enterFullscreen() { var element = document.body; // Check which implementation is available var requestMethod = element.requestFullScreen || element.webkitRequestFullscreen || element.webkitRequestFullScreen || element.mozRequestFullScreen || element.msRequestFullscreen; if( requestMethod ) { requestMethod.apply( element ); } } /** * Enters the paused mode which fades everything on screen to * black. */ function pause() { if( config.pause ) { var wasPaused = dom.wrapper.classList.contains( 'paused' ); cancelAutoSlide(); dom.wrapper.classList.add( 'paused' ); if( wasPaused === false ) { dispatchEvent( 'paused' ); } } } /** * Exits from the paused mode. */ function resume() { var wasPaused = dom.wrapper.classList.contains( 'paused' ); dom.wrapper.classList.remove( 'paused' ); cueAutoSlide(); if( wasPaused ) { dispatchEvent( 'resumed' ); } } /** * Toggles the paused mode on and off. */ function togglePause( override ) { if( typeof override === 'boolean' ) { override ? pause() : resume(); } else { isPaused() ? resume() : pause(); } } /** * Checks if we are currently in the paused mode. */ function isPaused() { return dom.wrapper.classList.contains( 'paused' ); } /** * Toggles the auto slide mode on and off. * * @param {Boolean} override Optional flag which sets the desired state. * True means autoplay starts, false means it stops. */ function toggleAutoSlide( override ) { if( typeof override === 'boolean' ) { override ? resumeAutoSlide() : pauseAutoSlide(); } else { autoSlidePaused ? resumeAutoSlide() : pauseAutoSlide(); } } /** * Checks if the auto slide mode is currently on. */ function isAutoSliding() { return !!( autoSlide && !autoSlidePaused ); } /** * Steps from the current point in the presentation to the * slide which matches the specified horizontal and vertical * indices. * * @param {int} h Horizontal index of the target slide * @param {int} v Vertical index of the target slide * @param {int} f Optional index of a fragment within the * target slide to activate * @param {int} o Optional origin for use in multimaster environments */ function slide( h, v, f, o ) { // Remember where we were at before previousSlide = currentSlide; // Query all horizontal slides in the deck var horizontalSlides = dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR ); // If no vertical index is specified and the upcoming slide is a // stack, resume at its previous vertical index if( v === undefined ) { v = getPreviousVerticalIndex( horizontalSlides[ h ] ); } // If we were on a vertical stack, remember what vertical index // it was on so we can resume at the same position when returning if( previousSlide && previousSlide.parentNode && previousSlide.parentNode.classList.contains( 'stack' ) ) { setPreviousVerticalIndex( previousSlide.parentNode, indexv ); } // Remember the state before this slide var stateBefore = state.concat(); // Reset the state array state.length = 0; var indexhBefore = indexh || 0, indexvBefore = indexv || 0; // Activate and transition to the new slide indexh = updateSlides( HORIZONTAL_SLIDES_SELECTOR, h === undefined ? indexh : h ); indexv = updateSlides( VERTICAL_SLIDES_SELECTOR, v === undefined ? indexv : v ); // Update the visibility of slides now that the indices have changed updateSlidesVisibility(); layout(); // Apply the new state stateLoop: for( var i = 0, len = state.length; i < len; i++ ) { // Check if this state existed on the previous slide. If it // did, we will avoid adding it repeatedly for( var j = 0; j < stateBefore.length; j++ ) { if( stateBefore[j] === state[i] ) { stateBefore.splice( j, 1 ); continue stateLoop; } } document.documentElement.classList.add( state[i] ); // Dispatch custom event matching the state's name dispatchEvent( state[i] ); } // Clean up the remains of the previous state while( stateBefore.length ) { document.documentElement.classList.remove( stateBefore.pop() ); } // If the overview is active, re-activate it to update positions if( isOverview() ) { activateOverview(); } // Find the current horizontal slide and any possible vertical slides // within it var currentHorizontalSlide = horizontalSlides[ indexh ], currentVerticalSlides = currentHorizontalSlide.querySelectorAll( 'section' ); // Store references to the previous and current slides currentSlide = currentVerticalSlides[ indexv ] || currentHorizontalSlide; // Show fragment, if specified if( typeof f !== 'undefined' ) { navigateFragment( f ); } // Dispatch an event if the slide changed var slideChanged = ( indexh !== indexhBefore || indexv !== indexvBefore ); if( slideChanged ) { dispatchEvent( 'slidechanged', { 'indexh': indexh, 'indexv': indexv, 'previousSlide': previousSlide, 'currentSlide': currentSlide, 'origin': o } ); } else { // Ensure that the previous slide is never the same as the current previousSlide = null; } // Solves an edge case where the previous slide maintains the // 'present' class when navigating between adjacent vertical // stacks if( previousSlide ) { previousSlide.classList.remove( 'present' ); previousSlide.setAttribute( 'aria-hidden', 'true' ); // Reset all slides upon navigate to home // Issue: #285 if ( dom.wrapper.querySelector( HOME_SLIDE_SELECTOR ).classList.contains( 'present' ) ) { // Launch async task setTimeout( function () { var slides = toArray( dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR + '.stack') ), i; for( i in slides ) { if( slides[i] ) { // Reset stack setPreviousVerticalIndex( slides[i], 0 ); } } }, 0 ); } } // Handle embedded content if( slideChanged || !previousSlide ) { stopEmbeddedContent( previousSlide ); startEmbeddedContent( currentSlide ); } // Announce the current slide contents, for screen readers dom.statusDiv.textContent = currentSlide.textContent; updateControls(); updateProgress(); updateBackground(); updateParallax(); updateSlideNumber(); // Update the URL hash writeURL(); cueAutoSlide(); } /** * Syncs the presentation with the current DOM. Useful * when new slides or control elements are added or when * the configuration has changed. */ function sync() { // Subscribe to input removeEventListeners(); addEventListeners(); // Force a layout to make sure the current config is accounted for layout(); // Reflect the current autoSlide value autoSlide = config.autoSlide; // Start auto-sliding if it's enabled cueAutoSlide(); // Re-create the slide backgrounds createBackgrounds(); // Write the current hash to the URL writeURL(); sortAllFragments(); updateControls(); updateProgress(); updateBackground( true ); updateSlideNumber(); updateSlidesVisibility(); formatEmbeddedContent(); } /** * Resets all vertical slides so that only the first * is visible. */ function resetVerticalSlides() { var horizontalSlides = toArray( dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR ) ); horizontalSlides.forEach( function( horizontalSlide ) { var verticalSlides = toArray( horizontalSlide.querySelectorAll( 'section' ) ); verticalSlides.forEach( function( verticalSlide, y ) { if( y > 0 ) { verticalSlide.classList.remove( 'present' ); verticalSlide.classList.remove( 'past' ); verticalSlide.classList.add( 'future' ); verticalSlide.setAttribute( 'aria-hidden', 'true' ); } } ); } ); } /** * Sorts and formats all of fragments in the * presentation. */ function sortAllFragments() { var horizontalSlides = toArray( dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR ) ); horizontalSlides.forEach( function( horizontalSlide ) { var verticalSlides = toArray( horizontalSlide.querySelectorAll( 'section' ) ); verticalSlides.forEach( function( verticalSlide, y ) { sortFragments( verticalSlide.querySelectorAll( '.fragment' ) ); } ); if( verticalSlides.length === 0 ) sortFragments( horizontalSlide.querySelectorAll( '.fragment' ) ); } ); } /** * Updates one dimension of slides by showing the slide * with the specified index. * * @param {String} selector A CSS selector that will fetch * the group of slides we are working with * @param {Number} index The index of the slide that should be * shown * * @return {Number} The index of the slide that is now shown, * might differ from the passed in index if it was out of * bounds. */ function updateSlides( selector, index ) { // Select all slides and convert the NodeList result to // an array var slides = toArray( dom.wrapper.querySelectorAll( selector ) ), slidesLength = slides.length; var printMode = isPrintingPDF(); if( slidesLength ) { // Should the index loop? if( config.loop ) { index %= slidesLength; if( index < 0 ) { index = slidesLength + index; } } // Enforce max and minimum index bounds index = Math.max( Math.min( index, slidesLength - 1 ), 0 ); for( var i = 0; i < slidesLength; i++ ) { var element = slides[i]; var reverse = config.rtl && !isVerticalSlide( element ); element.classList.remove( 'past' ); element.classList.remove( 'present' ); element.classList.remove( 'future' ); // http://www.w3.org/html/wg/drafts/html/master/editing.html#the-hidden-attribute element.setAttribute( 'hidden', '' ); element.setAttribute( 'aria-hidden', 'true' ); // If this element contains vertical slides if( element.querySelector( 'section' ) ) { element.classList.add( 'stack' ); } // If we're printing static slides, all slides are "present" if( printMode ) { element.classList.add( 'present' ); continue; } if( i < index ) { // Any element previous to index is given the 'past' class element.classList.add( reverse ? 'future' : 'past' ); if( config.fragments ) { var pastFragments = toArray( element.querySelectorAll( '.fragment' ) ); // Show all fragments on prior slides while( pastFragments.length ) { var pastFragment = pastFragments.pop(); pastFragment.classList.add( 'visible' ); pastFragment.classList.remove( 'current-fragment' ); } } } else if( i > index ) { // Any element subsequent to index is given the 'future' class element.classList.add( reverse ? 'past' : 'future' ); if( config.fragments ) { var futureFragments = toArray( element.querySelectorAll( '.fragment.visible' ) ); // No fragments in future slides should be visible ahead of time while( futureFragments.length ) { var futureFragment = futureFragments.pop(); futureFragment.classList.remove( 'visible' ); futureFragment.classList.remove( 'current-fragment' ); } } } } // Mark the current slide as present slides[index].classList.add( 'present' ); slides[index].removeAttribute( 'hidden' ); slides[index].removeAttribute( 'aria-hidden' ); // If this slide has a state associated with it, add it // onto the current state of the deck var slideState = slides[index].getAttribute( 'data-state' ); if( slideState ) { state = state.concat( slideState.split( ' ' ) ); } } else { // Since there are no slides we can't be anywhere beyond the // zeroth index index = 0; } return index; } /** * Optimization method; hide all slides that are far away * from the present slide. */ function updateSlidesVisibility() { // Select all slides and convert the NodeList result to // an array var horizontalSlides = toArray( dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR ) ), horizontalSlidesLength = horizontalSlides.length, distanceX, distanceY; if( horizontalSlidesLength && typeof indexh !== 'undefined' ) { // The number of steps away from the present slide that will // be visible var viewDistance = isOverview() ? 10 : config.viewDistance; // Limit view distance on weaker devices if( isMobileDevice ) { viewDistance = isOverview() ? 6 : 2; } // Limit view distance on weaker devices if( isPrintingPDF() ) { viewDistance = Number.MAX_VALUE; } for( var x = 0; x < horizontalSlidesLength; x++ ) { var horizontalSlide = horizontalSlides[x]; var verticalSlides = toArray( horizontalSlide.querySelectorAll( 'section' ) ), verticalSlidesLength = verticalSlides.length; // Loops so that it measures 1 between the first and last slides distanceX = Math.abs( ( ( indexh || 0 ) - x ) % ( horizontalSlidesLength - viewDistance ) ) || 0; // Show the horizontal slide if it's within the view distance if( distanceX < viewDistance ) { showSlide( horizontalSlide ); } else { hideSlide( horizontalSlide ); } if( verticalSlidesLength ) { var oy = getPreviousVerticalIndex( horizontalSlide ); for( var y = 0; y < verticalSlidesLength; y++ ) { var verticalSlide = verticalSlides[y]; distanceY = x === ( indexh || 0 ) ? Math.abs( ( indexv || 0 ) - y ) : Math.abs( y - oy ); if( distanceX + distanceY < viewDistance ) { showSlide( verticalSlide ); } else { hideSlide( verticalSlide ); } } } } } } /** * Updates the progress bar to reflect the current slide. */ function updateProgress() { // Update progress if enabled if( config.progress && dom.progressbar ) { dom.progressbar.style.width = getProgress() * dom.wrapper.offsetWidth + 'px'; } } /** * Updates the slide number div to reflect the current slide. */ function updateSlideNumber() { // Update slide number if enabled if( config.slideNumber && dom.slideNumber) { // Display the number of the page using 'indexh - indexv' format var indexString = indexh; if( indexv > 0 ) { indexString += ' - ' + indexv; } dom.slideNumber.innerHTML = indexString; } } /** * Updates the state of all control/navigation arrows. */ function updateControls() { var routes = availableRoutes(); var fragments = availableFragments(); // Remove the 'enabled' class from all directions dom.controlsLeft.concat( dom.controlsRight ) .concat( dom.controlsUp ) .concat( dom.controlsDown ) .concat( dom.controlsPrev ) .concat( dom.controlsNext ).forEach( function( node ) { node.classList.remove( 'enabled' ); node.classList.remove( 'fragmented' ); } ); // Add the 'enabled' class to the available routes if( routes.left ) dom.controlsLeft.forEach( function( el ) { el.classList.add( 'enabled' ); } ); if( routes.right ) dom.controlsRight.forEach( function( el ) { el.classList.add( 'enabled' ); } ); if( routes.up ) dom.controlsUp.forEach( function( el ) { el.classList.add( 'enabled' ); } ); if( routes.down ) dom.controlsDown.forEach( function( el ) { el.classList.add( 'enabled' ); } ); // Prev/next buttons if( routes.left || routes.up ) dom.controlsPrev.forEach( function( el ) { el.classList.add( 'enabled' ); } ); if( routes.right || routes.down ) dom.controlsNext.forEach( function( el ) { el.classList.add( 'enabled' ); } ); // Highlight fragment directions if( currentSlide ) { // Always apply fragment decorator to prev/next buttons if( fragments.prev ) dom.controlsPrev.forEach( function( el ) { el.classList.add( 'fragmented', 'enabled' ); } ); if( fragments.next ) dom.controlsNext.forEach( function( el ) { el.classList.add( 'fragmented', 'enabled' ); } ); // Apply fragment decorators to directional buttons based on // what slide axis they are in if( isVerticalSlide( currentSlide ) ) { if( fragments.prev ) dom.controlsUp.forEach( function( el ) { el.classList.add( 'fragmented', 'enabled' ); } ); if( fragments.next ) dom.controlsDown.forEach( function( el ) { el.classList.add( 'fragmented', 'enabled' ); } ); } else { if( fragments.prev ) dom.controlsLeft.forEach( function( el ) { el.classList.add( 'fragmented', 'enabled' ); } ); if( fragments.next ) dom.controlsRight.forEach( function( el ) { el.classList.add( 'fragmented', 'enabled' ); } ); } } } /** * Updates the background elements to reflect the current * slide. * * @param {Boolean} includeAll If true, the backgrounds of * all vertical slides (not just the present) will be updated. */ function updateBackground( includeAll ) { var currentBackground = null; // Reverse past/future classes when in RTL mode var horizontalPast = config.rtl ? 'future' : 'past', horizontalFuture = config.rtl ? 'past' : 'future'; // Update the classes of all backgrounds to match the // states of their slides (past/present/future) toArray( dom.background.childNodes ).forEach( function( backgroundh, h ) { backgroundh.classList.remove( 'past' ); backgroundh.classList.remove( 'present' ); backgroundh.classList.remove( 'future' ); if( h < indexh ) { backgroundh.classList.add( horizontalPast ); } else if ( h > indexh ) { backgroundh.classList.add( horizontalFuture ); } else { backgroundh.classList.add( 'present' ); // Store a reference to the current background element currentBackground = backgroundh; } if( includeAll || h === indexh ) { toArray( backgroundh.querySelectorAll( '.slide-background' ) ).forEach( function( backgroundv, v ) { backgroundv.classList.remove( 'past' ); backgroundv.classList.remove( 'present' ); backgroundv.classList.remove( 'future' ); if( v < indexv ) { backgroundv.classList.add( 'past' ); } else if ( v > indexv ) { backgroundv.classList.add( 'future' ); } else { backgroundv.classList.add( 'present' ); // Only if this is the present horizontal and vertical slide if( h === indexh ) currentBackground = backgroundv; } } ); } } ); // Stop any currently playing video background if( previousBackground ) { var previousVideo = previousBackground.querySelector( 'video' ); if( previousVideo ) previousVideo.pause(); } if( currentBackground ) { // Start video playback var currentVideo = currentBackground.querySelector( 'video' ); if( currentVideo ) { currentVideo.currentTime = 0; currentVideo.play(); } // Don't transition between identical backgrounds. This // prevents unwanted flicker. var previousBackgroundHash = previousBackground ? previousBackground.getAttribute( 'data-background-hash' ) : null; var currentBackgroundHash = currentBackground.getAttribute( 'data-background-hash' ); if( currentBackgroundHash && currentBackgroundHash === previousBackgroundHash && currentBackground !== previousBackground ) { dom.background.classList.add( 'no-transition' ); } previousBackground = currentBackground; } // If there's a background brightness flag for this slide, // bubble it to the .reveal container if( currentSlide ) { [ 'has-light-background', 'has-dark-background' ].forEach( function( classToBubble ) { if( currentSlide.classList.contains( classToBubble ) ) { dom.wrapper.classList.add( classToBubble ); } else { dom.wrapper.classList.remove( classToBubble ); } } ); } // Allow the first background to apply without transition setTimeout( function() { dom.background.classList.remove( 'no-transition' ); }, 1 ); } /** * Updates the position of the parallax background based * on the current slide index. */ function updateParallax() { if( config.parallaxBackgroundImage ) { var horizontalSlides = dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR ), verticalSlides = dom.wrapper.querySelectorAll( VERTICAL_SLIDES_SELECTOR ); var backgroundSize = dom.background.style.backgroundSize.split( ' ' ), backgroundWidth, backgroundHeight; if( backgroundSize.length === 1 ) { backgroundWidth = backgroundHeight = parseInt( backgroundSize[0], 10 ); } else { backgroundWidth = parseInt( backgroundSize[0], 10 ); backgroundHeight = parseInt( backgroundSize[1], 10 ); } var slideWidth = dom.background.offsetWidth; var horizontalSlideCount = horizontalSlides.length; var horizontalOffset = -( backgroundWidth - slideWidth ) / ( horizontalSlideCount-1 ) * indexh; var slideHeight = dom.background.offsetHeight; var verticalSlideCount = verticalSlides.length; var verticalOffset = verticalSlideCount > 1 ? -( backgroundHeight - slideHeight ) / ( verticalSlideCount-1 ) * indexv : 0; dom.background.style.backgroundPosition = horizontalOffset + 'px ' + verticalOffset + 'px'; } } /** * Called when the given slide is within the configured view * distance. Shows the slide element and loads any content * that is set to load lazily (data-src). */ function showSlide( slide ) { // Show the slide element slide.style.display = 'block'; // Media elements with data-src attributes toArray( slide.querySelectorAll( 'img[data-src], video[data-src], audio[data-src], iframe[data-src]' ) ).forEach( function( element ) { element.setAttribute( 'src', element.getAttribute( 'data-src' ) ); element.removeAttribute( 'data-src' ); } ); // Media elements with children toArray( slide.querySelectorAll( 'video, audio' ) ).forEach( function( media ) { var sources = 0; toArray( media.querySelectorAll( 'source[data-src]' ) ).forEach( function( source ) { source.setAttribute( 'src', source.getAttribute( 'data-src' ) ); source.removeAttribute( 'data-src' ); sources += 1; } ); // If we rewrote sources for this video/audio element, we need // to manually tell it to load from its new origin if( sources > 0 ) { media.load(); } } ); // Show the corresponding background element var indices = getIndices( slide ); var background = getSlideBackground( indices.h, indices.v ); if( background ) { background.style.display = 'block'; // If the background contains media, load it if( background.hasAttribute( 'data-loaded' ) === false ) { background.setAttribute( 'data-loaded', 'true' ); var backgroundImage = slide.getAttribute( 'data-background-image' ), backgroundVideo = slide.getAttribute( 'data-background-video' ), backgroundIframe = slide.getAttribute( 'data-background-iframe' ); // Images if( backgroundImage ) { background.style.backgroundImage = 'url('+ backgroundImage +')'; } // Videos else if ( backgroundVideo && !isSpeakerNotes() ) { var video = document.createElement( 'video' ); // Support comma separated lists of video sources backgroundVideo.split( ',' ).forEach( function( source ) { video.innerHTML += ''; } ); background.appendChild( video ); } // Iframes else if ( backgroundIframe ) { var iframe = document.createElement( 'iframe' ); iframe.setAttribute( 'src', backgroundIframe ); iframe.style.width = '100%'; iframe.style.height = '100%'; iframe.style.maxHeight = '100%'; iframe.style.maxWidth = '100%'; background.appendChild( iframe ); } } } } /** * Called when the given slide is moved outside of the * configured view distance. */ function hideSlide( slide ) { // Hide the slide element slide.style.display = 'none'; // Hide the corresponding background element var indices = getIndices( slide ); var background = getSlideBackground( indices.h, indices.v ); if( background ) { background.style.display = 'none'; } } /** * Determine what available routes there are for navigation. * * @return {Object} containing four booleans: left/right/up/down */ function availableRoutes() { var horizontalSlides = dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR ), verticalSlides = dom.wrapper.querySelectorAll( VERTICAL_SLIDES_SELECTOR ); var routes = { left: indexh > 0 || config.loop, right: indexh < horizontalSlides.length - 1 || config.loop, up: indexv > 0, down: indexv < verticalSlides.length - 1 }; // reverse horizontal controls for rtl if( config.rtl ) { var left = routes.left; routes.left = routes.right; routes.right = left; } return routes; } /** * Returns an object describing the available fragment * directions. * * @return {Object} two boolean properties: prev/next */ function availableFragments() { if( currentSlide && config.fragments ) { var fragments = currentSlide.querySelectorAll( '.fragment' ); var hiddenFragments = currentSlide.querySelectorAll( '.fragment:not(.visible)' ); return { prev: fragments.length - hiddenFragments.length > 0, next: !!hiddenFragments.length }; } else { return { prev: false, next: false }; } } /** * Enforces origin-specific format rules for embedded media. */ function formatEmbeddedContent() { // YouTube frames must include "?enablejsapi=1" toArray( dom.slides.querySelectorAll( 'iframe[src*="youtube.com/embed/"]' ) ).forEach( function( el ) { var src = el.getAttribute( 'src' ); if( !/enablejsapi\=1/gi.test( src ) ) { el.setAttribute( 'src', src + ( !/\?/.test( src ) ? '?' : '&' ) + 'enablejsapi=1' ); } }); // Vimeo frames must include "?api=1" toArray( dom.slides.querySelectorAll( 'iframe[src*="player.vimeo.com/"]' ) ).forEach( function( el ) { var src = el.getAttribute( 'src' ); if( !/api\=1/gi.test( src ) ) { el.setAttribute( 'src', src + ( !/\?/.test( src ) ? '?' : '&' ) + 'api=1' ); } }); } /** * Start playback of any embedded content inside of * the targeted slide. */ function startEmbeddedContent( slide ) { if( slide && !isSpeakerNotes() ) { // HTML5 media elements toArray( slide.querySelectorAll( 'video, audio' ) ).forEach( function( el ) { if( el.hasAttribute( 'data-autoplay' ) ) { el.play(); } } ); // iframe embeds toArray( slide.querySelectorAll( 'iframe' ) ).forEach( function( el ) { el.contentWindow.postMessage( 'slide:start', '*' ); }); // YouTube embeds toArray( slide.querySelectorAll( 'iframe[src*="youtube.com/embed/"]' ) ).forEach( function( el ) { if( el.hasAttribute( 'data-autoplay' ) ) { el.contentWindow.postMessage( '{"event":"command","func":"playVideo","args":""}', '*' ); } }); // Vimeo embeds toArray( slide.querySelectorAll( 'iframe[src*="player.vimeo.com/"]' ) ).forEach( function( el ) { if( el.hasAttribute( 'data-autoplay' ) ) { el.contentWindow.postMessage( '{"method":"play"}', '*' ); } }); } } /** * Stop playback of any embedded content inside of * the targeted slide. */ function stopEmbeddedContent( slide ) { if( slide && slide.parentNode ) { // HTML5 media elements toArray( slide.querySelectorAll( 'video, audio' ) ).forEach( function( el ) { if( !el.hasAttribute( 'data-ignore' ) ) { el.pause(); } } ); // iframe embeds toArray( slide.querySelectorAll( 'iframe' ) ).forEach( function( el ) { el.contentWindow.postMessage( 'slide:stop', '*' ); }); // YouTube embeds toArray( slide.querySelectorAll( 'iframe[src*="youtube.com/embed/"]' ) ).forEach( function( el ) { if( !el.hasAttribute( 'data-ignore' ) && typeof el.contentWindow.postMessage === 'function' ) { el.contentWindow.postMessage( '{"event":"command","func":"pauseVideo","args":""}', '*' ); } }); // Vimeo embeds toArray( slide.querySelectorAll( 'iframe[src*="player.vimeo.com/"]' ) ).forEach( function( el ) { if( !el.hasAttribute( 'data-ignore' ) && typeof el.contentWindow.postMessage === 'function' ) { el.contentWindow.postMessage( '{"method":"pause"}', '*' ); } }); } } /** * Returns a value ranging from 0-1 that represents * how far into the presentation we have navigated. */ function getProgress() { var horizontalSlides = toArray( dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR ) ); // The number of past and total slides var totalCount = getTotalSlides(); var pastCount = 0; // Step through all slides and count the past ones mainLoop: for( var i = 0; i < horizontalSlides.length; i++ ) { var horizontalSlide = horizontalSlides[i]; var verticalSlides = toArray( horizontalSlide.querySelectorAll( 'section' ) ); for( var j = 0; j < verticalSlides.length; j++ ) { // Stop as soon as we arrive at the present if( verticalSlides[j].classList.contains( 'present' ) ) { break mainLoop; } pastCount++; } // Stop as soon as we arrive at the present if( horizontalSlide.classList.contains( 'present' ) ) { break; } // Don't count the wrapping section for vertical slides if( horizontalSlide.classList.contains( 'stack' ) === false ) { pastCount++; } } if( currentSlide ) { var allFragments = currentSlide.querySelectorAll( '.fragment' ); // If there are fragments in the current slide those should be // accounted for in the progress. if( allFragments.length > 0 ) { var visibleFragments = currentSlide.querySelectorAll( '.fragment.visible' ); // This value represents how big a portion of the slide progress // that is made up by its fragments (0-1) var fragmentWeight = 0.9; // Add fragment progress to the past slide count pastCount += ( visibleFragments.length / allFragments.length ) * fragmentWeight; } } return pastCount / ( totalCount - 1 ); } /** * Checks if this presentation is running inside of the * speaker notes window. */ function isSpeakerNotes() { return !!window.location.search.match( /receiver/gi ); } /** * Reads the current URL (hash) and navigates accordingly. */ function readURL() { var hash = window.location.hash; // Attempt to parse the hash as either an index or name var bits = hash.slice( 2 ).split( '/' ), name = hash.replace( /#|\//gi, '' ); // If the first bit is invalid and there is a name we can // assume that this is a named link if( isNaN( parseInt( bits[0], 10 ) ) && name.length ) { var element; // Ensure the named link is a valid HTML ID attribute if( /^[a-zA-Z][\w:.-]*$/.test( name ) ) { // Find the slide with the specified ID element = document.querySelector( '#' + name ); } if( element ) { // Find the position of the named slide and navigate to it var indices = Reveal.getIndices( element ); slide( indices.h, indices.v ); } // If the slide doesn't exist, navigate to the current slide else { slide( indexh || 0, indexv || 0 ); } } else { // Read the index components of the hash var h = parseInt( bits[0], 10 ) || 0, v = parseInt( bits[1], 10 ) || 0; if( h !== indexh || v !== indexv ) { slide( h, v ); } } } /** * Updates the page URL (hash) to reflect the current * state. * * @param {Number} delay The time in ms to wait before * writing the hash */ function writeURL( delay ) { if( config.history ) { // Make sure there's never more than one timeout running clearTimeout( writeURLTimeout ); // If a delay is specified, timeout this call if( typeof delay === 'number' ) { writeURLTimeout = setTimeout( writeURL, delay ); } else if( currentSlide ) { var url = '/'; // Attempt to create a named link based on the slide's ID var id = currentSlide.getAttribute( 'id' ); if( id ) { id = id.toLowerCase(); id = id.replace( /[^a-zA-Z0-9\-\_\:\.]/g, '' ); } // If the current slide has an ID, use that as a named link if( typeof id === 'string' && id.length ) { url = '/' + id; } // Otherwise use the /h/v index else { if( indexh > 0 || indexv > 0 ) url += indexh; if( indexv > 0 ) url += '/' + indexv; } window.location.hash = url; } } } /** * Retrieves the h/v location of the current, or specified, * slide. * * @param {HTMLElement} slide If specified, the returned * index will be for this slide rather than the currently * active one * * @return {Object} { h: , v: , f: } */ function getIndices( slide ) { // By default, return the current indices var h = indexh, v = indexv, f; // If a slide is specified, return the indices of that slide if( slide ) { var isVertical = isVerticalSlide( slide ); var slideh = isVertical ? slide.parentNode : slide; // Select all horizontal slides var horizontalSlides = toArray( dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR ) ); // Now that we know which the horizontal slide is, get its index h = Math.max( horizontalSlides.indexOf( slideh ), 0 ); // Assume we're not vertical v = undefined; // If this is a vertical slide, grab the vertical index if( isVertical ) { v = Math.max( toArray( slide.parentNode.querySelectorAll( 'section' ) ).indexOf( slide ), 0 ); } } if( !slide && currentSlide ) { var hasFragments = currentSlide.querySelectorAll( '.fragment' ).length > 0; if( hasFragments ) { var currentFragment = currentSlide.querySelector( '.current-fragment' ); if( currentFragment && currentFragment.hasAttribute( 'data-fragment-index' ) ) { f = parseInt( currentFragment.getAttribute( 'data-fragment-index' ), 10 ); } else { f = currentSlide.querySelectorAll( '.fragment.visible' ).length - 1; } } } return { h: h, v: v, f: f }; } /** * Retrieves the total number of slides in this presentation. */ function getTotalSlides() { return dom.wrapper.querySelectorAll( SLIDES_SELECTOR + ':not(.stack)' ).length; } /** * Returns the slide element matching the specified index. */ function getSlide( x, y ) { var horizontalSlide = dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR )[ x ]; var verticalSlides = horizontalSlide && horizontalSlide.querySelectorAll( 'section' ); if( verticalSlides && verticalSlides.length && typeof y === 'number' ) { return verticalSlides ? verticalSlides[ y ] : undefined; } return horizontalSlide; } /** * Returns the background element for the given slide. * All slides, even the ones with no background properties * defined, have a background element so as long as the * index is valid an element will be returned. */ function getSlideBackground( x, y ) { // When printing to PDF the slide backgrounds are nested // inside of the slides if( isPrintingPDF() ) { var slide = getSlide( x, y ); if( slide ) { var background = slide.querySelector( '.slide-background' ); if( background && background.parentNode === slide ) { return background; } } return undefined; } var horizontalBackground = dom.wrapper.querySelectorAll( '.backgrounds>.slide-background' )[ x ]; var verticalBackgrounds = horizontalBackground && horizontalBackground.querySelectorAll( '.slide-background' ); if( verticalBackgrounds && verticalBackgrounds.length && typeof y === 'number' ) { return verticalBackgrounds ? verticalBackgrounds[ y ] : undefined; } return horizontalBackground; } /** * Retrieves the current state of the presentation as * an object. This state can then be restored at any * time. */ function getState() { var indices = getIndices(); return { indexh: indices.h, indexv: indices.v, indexf: indices.f, paused: isPaused(), overview: isOverview() }; } /** * Restores the presentation to the given state. * * @param {Object} state As generated by getState() */ function setState( state ) { if( typeof state === 'object' ) { slide( deserialize( state.indexh ), deserialize( state.indexv ), deserialize( state.indexf ) ); var pausedFlag = deserialize( state.paused ), overviewFlag = deserialize( state.overview ); if( typeof pausedFlag === 'boolean' && pausedFlag !== isPaused() ) { togglePause( pausedFlag ); } if( typeof overviewFlag === 'boolean' && overviewFlag !== isOverview() ) { toggleOverview( overviewFlag ); } } } /** * Return a sorted fragments list, ordered by an increasing * "data-fragment-index" attribute. * * Fragments will be revealed in the order that they are returned by * this function, so you can use the index attributes to control the * order of fragment appearance. * * To maintain a sensible default fragment order, fragments are presumed * to be passed in document order. This function adds a "fragment-index" * attribute to each node if such an attribute is not already present, * and sets that attribute to an integer value which is the position of * the fragment within the fragments list. */ function sortFragments( fragments ) { fragments = toArray( fragments ); var ordered = [], unordered = [], sorted = []; // Group ordered and unordered elements fragments.forEach( function( fragment, i ) { if( fragment.hasAttribute( 'data-fragment-index' ) ) { var index = parseInt( fragment.getAttribute( 'data-fragment-index' ), 10 ); if( !ordered[index] ) { ordered[index] = []; } ordered[index].push( fragment ); } else { unordered.push( [ fragment ] ); } } ); // Append fragments without explicit indices in their // DOM order ordered = ordered.concat( unordered ); // Manually count the index up per group to ensure there // are no gaps var index = 0; // Push all fragments in their sorted order to an array, // this flattens the groups ordered.forEach( function( group ) { group.forEach( function( fragment ) { sorted.push( fragment ); fragment.setAttribute( 'data-fragment-index', index ); } ); index ++; } ); return sorted; } /** * Navigate to the specified slide fragment. * * @param {Number} index The index of the fragment that * should be shown, -1 means all are invisible * @param {Number} offset Integer offset to apply to the * fragment index * * @return {Boolean} true if a change was made in any * fragments visibility as part of this call */ function navigateFragment( index, offset ) { if( currentSlide && config.fragments ) { var fragments = sortFragments( currentSlide.querySelectorAll( '.fragment' ) ); if( fragments.length ) { // If no index is specified, find the current if( typeof index !== 'number' ) { var lastVisibleFragment = sortFragments( currentSlide.querySelectorAll( '.fragment.visible' ) ).pop(); if( lastVisibleFragment ) { index = parseInt( lastVisibleFragment.getAttribute( 'data-fragment-index' ) || 0, 10 ); } else { index = -1; } } // If an offset is specified, apply it to the index if( typeof offset === 'number' ) { index += offset; } var fragmentsShown = [], fragmentsHidden = []; toArray( fragments ).forEach( function( element, i ) { if( element.hasAttribute( 'data-fragment-index' ) ) { i = parseInt( element.getAttribute( 'data-fragment-index' ), 10 ); } // Visible fragments if( i <= index ) { if( !element.classList.contains( 'visible' ) ) fragmentsShown.push( element ); element.classList.add( 'visible' ); element.classList.remove( 'current-fragment' ); // Announce the fragments one by one to the Screen Reader dom.statusDiv.textContent = element.textContent; if( i === index ) { element.classList.add( 'current-fragment' ); } } // Hidden fragments else { if( element.classList.contains( 'visible' ) ) fragmentsHidden.push( element ); element.classList.remove( 'visible' ); element.classList.remove( 'current-fragment' ); } } ); if( fragmentsHidden.length ) { dispatchEvent( 'fragmenthidden', { fragment: fragmentsHidden[0], fragments: fragmentsHidden } ); } if( fragmentsShown.length ) { dispatchEvent( 'fragmentshown', { fragment: fragmentsShown[0], fragments: fragmentsShown } ); } updateControls(); updateProgress(); return !!( fragmentsShown.length || fragmentsHidden.length ); } } return false; } /** * Navigate to the next slide fragment. * * @return {Boolean} true if there was a next fragment, * false otherwise */ function nextFragment() { return navigateFragment( null, 1 ); } /** * Navigate to the previous slide fragment. * * @return {Boolean} true if there was a previous fragment, * false otherwise */ function previousFragment() { return navigateFragment( null, -1 ); } /** * Cues a new automated slide if enabled in the config. */ function cueAutoSlide() { cancelAutoSlide(); if( currentSlide ) { var currentFragment = currentSlide.querySelector( '.current-fragment' ); var fragmentAutoSlide = currentFragment ? currentFragment.getAttribute( 'data-autoslide' ) : null; var parentAutoSlide = currentSlide.parentNode ? currentSlide.parentNode.getAttribute( 'data-autoslide' ) : null; var slideAutoSlide = currentSlide.getAttribute( 'data-autoslide' ); // Pick value in the following priority order: // 1. Current fragment's data-autoslide // 2. Current slide's data-autoslide // 3. Parent slide's data-autoslide // 4. Global autoSlide setting if( fragmentAutoSlide ) { autoSlide = parseInt( fragmentAutoSlide, 10 ); } else if( slideAutoSlide ) { autoSlide = parseInt( slideAutoSlide, 10 ); } else if( parentAutoSlide ) { autoSlide = parseInt( parentAutoSlide, 10 ); } else { autoSlide = config.autoSlide; } // If there are media elements with data-autoplay, // automatically set the autoSlide duration to the // length of that media toArray( currentSlide.querySelectorAll( 'video, audio' ) ).forEach( function( el ) { if( el.hasAttribute( 'data-autoplay' ) ) { if( autoSlide && el.duration * 1000 > autoSlide ) { autoSlide = ( el.duration * 1000 ) + 1000; } } } ); // Cue the next auto-slide if: // - There is an autoSlide value // - Auto-sliding isn't paused by the user // - The presentation isn't paused // - The overview isn't active // - The presentation isn't over if( autoSlide && !autoSlidePaused && !isPaused() && !isOverview() && ( !Reveal.isLastSlide() || availableFragments().next || config.loop === true ) ) { autoSlideTimeout = setTimeout( navigateNext, autoSlide ); autoSlideStartTime = Date.now(); } if( autoSlidePlayer ) { autoSlidePlayer.setPlaying( autoSlideTimeout !== -1 ); } } } /** * Cancels any ongoing request to auto-slide. */ function cancelAutoSlide() { clearTimeout( autoSlideTimeout ); autoSlideTimeout = -1; } function pauseAutoSlide() { if( autoSlide && !autoSlidePaused ) { autoSlidePaused = true; dispatchEvent( 'autoslidepaused' ); clearTimeout( autoSlideTimeout ); if( autoSlidePlayer ) { autoSlidePlayer.setPlaying( false ); } } } function resumeAutoSlide() { if( autoSlide && autoSlidePaused ) { autoSlidePaused = false; dispatchEvent( 'autoslideresumed' ); cueAutoSlide(); } } function navigateLeft() { // Reverse for RTL if( config.rtl ) { if( ( isOverview() || nextFragment() === false ) && availableRoutes().left ) { slide( indexh + 1 ); } } // Normal navigation else if( ( isOverview() || previousFragment() === false ) && availableRoutes().left ) { slide( indexh - 1 ); } } function navigateRight() { // Reverse for RTL if( config.rtl ) { if( ( isOverview() || previousFragment() === false ) && availableRoutes().right ) { slide( indexh - 1 ); } } // Normal navigation else if( ( isOverview() || nextFragment() === false ) && availableRoutes().right ) { slide( indexh + 1 ); } } function navigateUp() { // Prioritize hiding fragments if( ( isOverview() || previousFragment() === false ) && availableRoutes().up ) { slide( indexh, indexv - 1 ); } } function navigateDown() { // Prioritize revealing fragments if( ( isOverview() || nextFragment() === false ) && availableRoutes().down ) { slide( indexh, indexv + 1 ); } } /** * Navigates backwards, prioritized in the following order: * 1) Previous fragment * 2) Previous vertical slide * 3) Previous horizontal slide */ function navigatePrev() { // Prioritize revealing fragments if( previousFragment() === false ) { if( availableRoutes().up ) { navigateUp(); } else { // Fetch the previous horizontal slide, if there is one var previousSlide; if( config.rtl ) { previousSlide = toArray( dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR + '.future' ) ).pop(); } else { previousSlide = toArray( dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR + '.past' ) ).pop(); } if( previousSlide ) { var v = ( previousSlide.querySelectorAll( 'section' ).length - 1 ) || undefined; var h = indexh - 1; slide( h, v ); } } } } /** * The reverse of #navigatePrev(). */ function navigateNext() { // Prioritize revealing fragments if( nextFragment() === false ) { if( availableRoutes().down ) { navigateDown(); } else if( config.rtl ) { navigateLeft(); } else { navigateRight(); } } // If auto-sliding is enabled we need to cue up // another timeout cueAutoSlide(); } // --------------------------------------------------------------------// // ----------------------------- EVENTS -------------------------------// // --------------------------------------------------------------------// /** * Called by all event handlers that are based on user * input. */ function onUserInput( event ) { if( config.autoSlideStoppable ) { pauseAutoSlide(); } } /** * Handler for the document level 'keypress' event. */ function onDocumentKeyPress( event ) { // Check if the pressed key is question mark if( event.shiftKey && event.charCode === 63 ) { if( dom.overlay ) { closeOverlay(); } else { showHelp( true ); } } } /** * Handler for the document level 'keydown' event. */ function onDocumentKeyDown( event ) { // If there's a condition specified and it returns false, // ignore this event if( typeof config.keyboardCondition === 'function' && config.keyboardCondition() === false ) { return true; } // Remember if auto-sliding was paused so we can toggle it var autoSlideWasPaused = autoSlidePaused; onUserInput( event ); // Check if there's a focused element that could be using // the keyboard var activeElementIsCE = document.activeElement && document.activeElement.contentEditable !== 'inherit'; var activeElementIsInput = document.activeElement && document.activeElement.tagName && /input|textarea/i.test( document.activeElement.tagName ); // Disregard the event if there's a focused element or a // keyboard modifier key is present if( activeElementIsCE || activeElementIsInput || (event.shiftKey && event.keyCode !== 32) || event.altKey || event.ctrlKey || event.metaKey ) return; // While paused only allow "unpausing" keyboard events (b and .) if( isPaused() && [66,190,191].indexOf( event.keyCode ) === -1 ) { return false; } var triggered = false; // 1. User defined key bindings if( typeof config.keyboard === 'object' ) { for( var key in config.keyboard ) { // Check if this binding matches the pressed key if( parseInt( key, 10 ) === event.keyCode ) { var value = config.keyboard[ key ]; // Callback function if( typeof value === 'function' ) { value.apply( null, [ event ] ); } // String shortcuts to reveal.js API else if( typeof value === 'string' && typeof Reveal[ value ] === 'function' ) { Reveal[ value ].call(); } triggered = true; } } } // 2. System defined key bindings if( triggered === false ) { // Assume true and try to prove false triggered = true; switch( event.keyCode ) { // p, page up case 80: case 33: navigatePrev(); break; // n, page down case 78: case 34: navigateNext(); break; // h, left case 72: case 37: navigateLeft(); break; // l, right case 76: case 39: navigateRight(); break; // k, up case 75: case 38: navigateUp(); break; // j, down case 74: case 40: navigateDown(); break; // home case 36: slide( 0 ); break; // end case 35: slide( Number.MAX_VALUE ); break; // space case 32: isOverview() ? deactivateOverview() : event.shiftKey ? navigatePrev() : navigateNext(); break; // return case 13: isOverview() ? deactivateOverview() : triggered = false; break; // two-spot, semicolon, b, period, Logitech presenter tools "black screen" button case 58: case 59: case 66: case 190: case 191: togglePause(); break; // f case 70: enterFullscreen(); break; // a case 65: if ( config.autoSlideStoppable ) toggleAutoSlide( autoSlideWasPaused ); break; default: triggered = false; } } // If the input resulted in a triggered action we should prevent // the browsers default behavior if( triggered ) { event.preventDefault && event.preventDefault(); } // ESC or O key else if ( ( event.keyCode === 27 || event.keyCode === 79 ) && features.transforms3d ) { if( dom.overlay ) { closeOverlay(); } else { toggleOverview(); } event.preventDefault && event.preventDefault(); } // If auto-sliding is enabled we need to cue up // another timeout cueAutoSlide(); } /** * Handler for the 'touchstart' event, enables support for * swipe and pinch gestures. */ function onTouchStart( event ) { touch.startX = event.touches[0].clientX; touch.startY = event.touches[0].clientY; touch.startCount = event.touches.length; // If there's two touches we need to memorize the distance // between those two points to detect pinching if( event.touches.length === 2 && config.overview ) { touch.startSpan = distanceBetween( { x: event.touches[1].clientX, y: event.touches[1].clientY }, { x: touch.startX, y: touch.startY } ); } } /** * Handler for the 'touchmove' event. */ function onTouchMove( event ) { // Each touch should only trigger one action if( !touch.captured ) { onUserInput( event ); var currentX = event.touches[0].clientX; var currentY = event.touches[0].clientY; // If the touch started with two points and still has // two active touches; test for the pinch gesture if( event.touches.length === 2 && touch.startCount === 2 && config.overview ) { // The current distance in pixels between the two touch points var currentSpan = distanceBetween( { x: event.touches[1].clientX, y: event.touches[1].clientY }, { x: touch.startX, y: touch.startY } ); // If the span is larger than the desire amount we've got // ourselves a pinch if( Math.abs( touch.startSpan - currentSpan ) > touch.threshold ) { touch.captured = true; if( currentSpan < touch.startSpan ) { activateOverview(); } else { deactivateOverview(); } } event.preventDefault(); } // There was only one touch point, look for a swipe else if( event.touches.length === 1 && touch.startCount !== 2 ) { var deltaX = currentX - touch.startX, deltaY = currentY - touch.startY; if( deltaX > touch.threshold && Math.abs( deltaX ) > Math.abs( deltaY ) ) { touch.captured = true; navigateLeft(); } else if( deltaX < -touch.threshold && Math.abs( deltaX ) > Math.abs( deltaY ) ) { touch.captured = true; navigateRight(); } else if( deltaY > touch.threshold ) { touch.captured = true; navigateUp(); } else if( deltaY < -touch.threshold ) { touch.captured = true; navigateDown(); } // If we're embedded, only block touch events if they have // triggered an action if( config.embedded ) { if( touch.captured || isVerticalSlide( currentSlide ) ) { event.preventDefault(); } } // Not embedded? Block them all to avoid needless tossing // around of the viewport in iOS else { event.preventDefault(); } } } // There's a bug with swiping on some Android devices unless // the default action is always prevented else if( navigator.userAgent.match( /android/gi ) ) { event.preventDefault(); } } /** * Handler for the 'touchend' event. */ function onTouchEnd( event ) { touch.captured = false; } /** * Convert pointer down to touch start. */ function onPointerDown( event ) { if( event.pointerType === event.MSPOINTER_TYPE_TOUCH || event.pointerType === "touch" ) { event.touches = [{ clientX: event.clientX, clientY: event.clientY }]; onTouchStart( event ); } } /** * Convert pointer move to touch move. */ function onPointerMove( event ) { if( event.pointerType === event.MSPOINTER_TYPE_TOUCH || event.pointerType === "touch" ) { event.touches = [{ clientX: event.clientX, clientY: event.clientY }]; onTouchMove( event ); } } /** * Convert pointer up to touch end. */ function onPointerUp( event ) { if( event.pointerType === event.MSPOINTER_TYPE_TOUCH || event.pointerType === "touch" ) { event.touches = [{ clientX: event.clientX, clientY: event.clientY }]; onTouchEnd( event ); } } /** * Handles mouse wheel scrolling, throttled to avoid skipping * multiple slides. */ function onDocumentMouseScroll( event ) { if( Date.now() - lastMouseWheelStep > 600 ) { lastMouseWheelStep = Date.now(); var delta = event.detail || -event.wheelDelta; if( delta > 0 ) { navigateNext(); } else { navigatePrev(); } } } /** * Clicking on the progress bar results in a navigation to the * closest approximate horizontal slide using this equation: * * ( clickX / presentationWidth ) * numberOfSlides */ function onProgressClicked( event ) { onUserInput( event ); event.preventDefault(); var slidesTotal = toArray( dom.wrapper.querySelectorAll( HORIZONTAL_SLIDES_SELECTOR ) ).length; var slideIndex = Math.floor( ( event.clientX / dom.wrapper.offsetWidth ) * slidesTotal ); slide( slideIndex ); } /** * Event handler for navigation control buttons. */ function onNavigateLeftClicked( event ) { event.preventDefault(); onUserInput(); navigateLeft(); } function onNavigateRightClicked( event ) { event.preventDefault(); onUserInput(); navigateRight(); } function onNavigateUpClicked( event ) { event.preventDefault(); onUserInput(); navigateUp(); } function onNavigateDownClicked( event ) { event.preventDefault(); onUserInput(); navigateDown(); } function onNavigatePrevClicked( event ) { event.preventDefault(); onUserInput(); navigatePrev(); } function onNavigateNextClicked( event ) { event.preventDefault(); onUserInput(); navigateNext(); } /** * Handler for the window level 'hashchange' event. */ function onWindowHashChange( event ) { readURL(); } /** * Handler for the window level 'resize' event. */ function onWindowResize( event ) { layout(); } /** * Handle for the window level 'visibilitychange' event. */ function onPageVisibilityChange( event ) { var isHidden = document.webkitHidden || document.msHidden || document.hidden; // If, after clicking a link or similar and we're coming back, // focus the document.body to ensure we can use keyboard shortcuts if( isHidden === false && document.activeElement !== document.body ) { document.activeElement.blur(); document.body.focus(); } } /** * Invoked when a slide is and we're in the overview. */ function onOverviewSlideClicked( event ) { // TODO There's a bug here where the event listeners are not // removed after deactivating the overview. if( eventsAreBound && isOverview() ) { event.preventDefault(); var element = event.target; while( element && !element.nodeName.match( /section/gi ) ) { element = element.parentNode; } if( element && !element.classList.contains( 'disabled' ) ) { deactivateOverview(); if( element.nodeName.match( /section/gi ) ) { var h = parseInt( element.getAttribute( 'data-index-h' ), 10 ), v = parseInt( element.getAttribute( 'data-index-v' ), 10 ); slide( h, v ); } } } } /** * Handles clicks on links that are set to preview in the * iframe overlay. */ function onPreviewLinkClicked( event ) { if( event.currentTarget && event.currentTarget.hasAttribute( 'href' ) ) { var url = event.currentTarget.getAttribute( 'href' ); if( url ) { showPreview( url ); event.preventDefault(); } } } /** * Handles click on the auto-sliding controls element. */ function onAutoSlidePlayerClick( event ) { // Replay if( Reveal.isLastSlide() && config.loop === false ) { slide( 0, 0 ); resumeAutoSlide(); } // Resume else if( autoSlidePaused ) { resumeAutoSlide(); } // Pause else { pauseAutoSlide(); } } // --------------------------------------------------------------------// // ------------------------ PLAYBACK COMPONENT ------------------------// // --------------------------------------------------------------------// /** * Constructor for the playback component, which displays * play/pause/progress controls. * * @param {HTMLElement} container The component will append * itself to this * @param {Function} progressCheck A method which will be * called frequently to get the current progress on a range * of 0-1 */ function Playback( container, progressCheck ) { // Cosmetics this.diameter = 50; this.thickness = 3; // Flags if we are currently playing this.playing = false; // Current progress on a 0-1 range this.progress = 0; // Used to loop the animation smoothly this.progressOffset = 1; this.container = container; this.progressCheck = progressCheck; this.canvas = document.createElement( 'canvas' ); this.canvas.className = 'playback'; this.canvas.width = this.diameter; this.canvas.height = this.diameter; this.context = this.canvas.getContext( '2d' ); this.container.appendChild( this.canvas ); this.render(); } Playback.prototype.setPlaying = function( value ) { var wasPlaying = this.playing; this.playing = value; // Start repainting if we weren't already if( !wasPlaying && this.playing ) { this.animate(); } else { this.render(); } }; Playback.prototype.animate = function() { var progressBefore = this.progress; this.progress = this.progressCheck(); // When we loop, offset the progress so that it eases // smoothly rather than immediately resetting if( progressBefore > 0.8 && this.progress < 0.2 ) { this.progressOffset = this.progress; } this.render(); if( this.playing ) { features.requestAnimationFrameMethod.call( window, this.animate.bind( this ) ); } }; /** * Renders the current progress and playback state. */ Playback.prototype.render = function() { var progress = this.playing ? this.progress : 0, radius = ( this.diameter / 2 ) - this.thickness, x = this.diameter / 2, y = this.diameter / 2, iconSize = 14; // Ease towards 1 this.progressOffset += ( 1 - this.progressOffset ) * 0.1; var endAngle = ( - Math.PI / 2 ) + ( progress * ( Math.PI * 2 ) ); var startAngle = ( - Math.PI / 2 ) + ( this.progressOffset * ( Math.PI * 2 ) ); this.context.save(); this.context.clearRect( 0, 0, this.diameter, this.diameter ); // Solid background color this.context.beginPath(); this.context.arc( x, y, radius + 2, 0, Math.PI * 2, false ); this.context.fillStyle = 'rgba( 0, 0, 0, 0.4 )'; this.context.fill(); // Draw progress track this.context.beginPath(); this.context.arc( x, y, radius, 0, Math.PI * 2, false ); this.context.lineWidth = this.thickness; this.context.strokeStyle = '#666'; this.context.stroke(); if( this.playing ) { // Draw progress on top of track this.context.beginPath(); this.context.arc( x, y, radius, startAngle, endAngle, false ); this.context.lineWidth = this.thickness; this.context.strokeStyle = '#fff'; this.context.stroke(); } this.context.translate( x - ( iconSize / 2 ), y - ( iconSize / 2 ) ); // Draw play/pause icons if( this.playing ) { this.context.fillStyle = '#fff'; this.context.fillRect( 0, 0, iconSize / 2 - 2, iconSize ); this.context.fillRect( iconSize / 2 + 2, 0, iconSize / 2 - 2, iconSize ); } else { this.context.beginPath(); this.context.translate( 2, 0 ); this.context.moveTo( 0, 0 ); this.context.lineTo( iconSize - 2, iconSize / 2 ); this.context.lineTo( 0, iconSize ); this.context.fillStyle = '#fff'; this.context.fill(); } this.context.restore(); }; Playback.prototype.on = function( type, listener ) { this.canvas.addEventListener( type, listener, false ); }; Playback.prototype.off = function( type, listener ) { this.canvas.removeEventListener( type, listener, false ); }; Playback.prototype.destroy = function() { this.playing = false; if( this.canvas.parentNode ) { this.container.removeChild( this.canvas ); } }; // --------------------------------------------------------------------// // ------------------------------- API --------------------------------// // --------------------------------------------------------------------// Reveal = { initialize: initialize, configure: configure, sync: sync, // Navigation methods slide: slide, left: navigateLeft, right: navigateRight, up: navigateUp, down: navigateDown, prev: navigatePrev, next: navigateNext, // Fragment methods navigateFragment: navigateFragment, prevFragment: previousFragment, nextFragment: nextFragment, // Deprecated aliases navigateTo: slide, navigateLeft: navigateLeft, navigateRight: navigateRight, navigateUp: navigateUp, navigateDown: navigateDown, navigatePrev: navigatePrev, navigateNext: navigateNext, // Forces an update in slide layout layout: layout, // Returns an object with the available routes as booleans (left/right/top/bottom) availableRoutes: availableRoutes, // Returns an object with the available fragments as booleans (prev/next) availableFragments: availableFragments, // Toggles the overview mode on/off toggleOverview: toggleOverview, // Toggles the "black screen" mode on/off togglePause: togglePause, // Toggles the auto slide mode on/off toggleAutoSlide: toggleAutoSlide, // State checks isOverview: isOverview, isPaused: isPaused, isAutoSliding: isAutoSliding, // Adds or removes all internal event listeners (such as keyboard) addEventListeners: addEventListeners, removeEventListeners: removeEventListeners, // Facility for persisting and restoring the presentation state getState: getState, setState: setState, // Presentation progress on range of 0-1 getProgress: getProgress, // Returns the indices of the current, or specified, slide getIndices: getIndices, getTotalSlides: getTotalSlides, // Returns the slide element at the specified index getSlide: getSlide, // Returns the slide background element at the specified index getSlideBackground: getSlideBackground, // Returns the previous slide element, may be null getPreviousSlide: function() { return previousSlide; }, // Returns the current slide element getCurrentSlide: function() { return currentSlide; }, // Returns the current scale of the presentation content getScale: function() { return scale; }, // Returns the current configuration object getConfig: function() { return config; }, // Helper method, retrieves query string as a key/value hash getQueryHash: function() { var query = {}; location.search.replace( /[A-Z0-9]+?=([\w\.%-]*)/gi, function(a) { query[ a.split( '=' ).shift() ] = a.split( '=' ).pop(); } ); // Basic deserialization for( var i in query ) { var value = query[ i ]; query[ i ] = deserialize( unescape( value ) ); } return query; }, // Returns true if we're currently on the first slide isFirstSlide: function() { return ( indexh === 0 && indexv === 0 ); }, // Returns true if we're currently on the last slide isLastSlide: function() { if( currentSlide ) { // Does this slide has next a sibling? if( currentSlide.nextElementSibling ) return false; // If it's vertical, does its parent have a next sibling? if( isVerticalSlide( currentSlide ) && currentSlide.parentNode.nextElementSibling ) return false; return true; } return false; }, // Checks if reveal.js has been loaded and is ready for use isReady: function() { return loaded; }, // Forward event binding to the reveal DOM element addEventListener: function( type, listener, useCapture ) { if( 'addEventListener' in window ) { ( dom.wrapper || document.querySelector( '.reveal' ) ).addEventListener( type, listener, useCapture ); } }, removeEventListener: function( type, listener, useCapture ) { if( 'addEventListener' in window ) { ( dom.wrapper || document.querySelector( '.reveal' ) ).removeEventListener( type, listener, useCapture ); } }, // Programatically triggers a keyboard event triggerKey: function( keyCode ) { onDocumentKeyDown( { keyCode: keyCode } ); } }; return Reveal; })); PK!'P));kirlent_sphinx/templates/kirlent/static/lib/css/zenburn.css/* Zenburn style from voldmar.ru (c) Vladimir Epifanov based on dark.css by Ivan Sagalaev */ .hljs { display: block; overflow-x: auto; padding: 0.5em; background: #3f3f3f; color: #dcdcdc; -webkit-text-size-adjust: none; } .hljs-keyword, .hljs-tag, .css .hljs-class, .css .hljs-id, .lisp .hljs-title, .nginx .hljs-title, .hljs-request, .hljs-status, .clojure .hljs-attribute { color: #e3ceab; } .django .hljs-template_tag, .django .hljs-variable, .django .hljs-filter .hljs-argument { color: #dcdcdc; } .hljs-number, .hljs-date { color: #8cd0d3; } .dos .hljs-envvar, .dos .hljs-stream, .hljs-variable, .apache .hljs-sqbracket, .hljs-name { color: #efdcbc; } .dos .hljs-flow, .diff .hljs-change, .python .exception, .python .hljs-built_in, .hljs-literal, .tex .hljs-special { color: #efefaf; } .diff .hljs-chunk, .hljs-subst { color: #8f8f8f; } .dos .hljs-keyword, .hljs-decorator, .hljs-title, .hljs-type, .diff .hljs-header, .ruby .hljs-class .hljs-parent, .apache .hljs-tag, .nginx .hljs-built_in, .tex .hljs-command, .hljs-prompt { color: #efef8f; } .dos .hljs-winutils, .ruby .hljs-symbol, .ruby .hljs-symbol .hljs-string, .ruby .hljs-string { color: #dca3a3; } .diff .hljs-deletion, .hljs-string, .hljs-tag .hljs-value, .hljs-preprocessor, .hljs-pragma, .hljs-built_in, .smalltalk .hljs-class, .smalltalk .hljs-localvars, .smalltalk .hljs-array, .css .hljs-rule .hljs-value, .hljs-attr_selector, .hljs-pseudo, .apache .hljs-cbracket, .tex .hljs-formula, .coffeescript .hljs-attribute { color: #cc9393; } .hljs-shebang, .diff .hljs-addition, .hljs-comment, .hljs-annotation, .hljs-pi, .hljs-doctype { color: #7f9f7f; } .coffeescript .javascript, .javascript .xml, .tex .hljs-formula, .xml .javascript, .xml .vbscript, .xml .css, .xml .hljs-cdata { opacity: 0.5; }PK!V~\\Fkirlent_sphinx/templates/kirlent/static/lib/font/league-gothic/LICENSESIL Open Font License (OFL) http://scripts.sil.org/cms/scripts/page.php?site_id=nrsi&id=OFL PK!I44Pkirlent_sphinx/templates/kirlent/static/lib/font/league-gothic/league-gothic.css@font-face { font-family: 'League Gothic'; src: url('league-gothic.eot'); src: url('league-gothic.eot?#iefix') format('embedded-opentype'), url('league-gothic.woff') format('woff'), url('league-gothic.ttf') format('truetype'); font-weight: normal; font-style: normal; }PK!·`d`dPkirlent_sphinx/templates/kirlent/static/lib/font/league-gothic/league-gothic.eot`dcLP fLeague GothicRegularxVersion 1.560;PS 001.560;hotconv 1.0.56;makeotf.lib2.0.21325*League Gothic RegularBSGPd==AxZgicyR&c4o4Fw[gMRUE0;UcZÃ9j J8E̊u4KidgӳȩeMi^ʸ7v"LMJ U09-] NA^Ofo5  kZ5lq֖~^9V8f(nK*2=VpCIr,2/눼6$ᚄ(7etه%`pg82LTT"\PA} &@@1(EsD"'#DvB*@.2vnCvg 7pPʇE:vP(A,ţb+cFL+@ zT)Qm(GCϱ@ \5 o|7hd8||dhMUu$GRPwQz(Wv6Ȁ" 2 N ZlnvUQJ8"J&Q y Mt[v{b&o}XUQ`$9 iTe,T|c%[D`D6`Ȅ`E3Aف ) dU5g &7S@;nDHcK4K3U65$lu_ lS$}׃ w) DrpT)-ʸ8% B$@.r[/5PMZH$!&)19|@V?KrTQ"`cBByyDj*n %%bP%D\D2RʽAJԋ* ROZ.\Z ԧ:РhmuAuM QSqt6qAٰ4 3[6)Cv[vX3J_XN#A LfE@m# 6 nڽ%/gw%ftLl3jƋJ- ,ՁmSm%S֏A?!C!0| R&`TdϐM lS Xbiʼvo$]PVSnsk{c7lÆ>jQe6ؼ6rRCl^RR4Qa@7Kl(3C⭪2F@3 r΋H}rr Ov}m&qW\a&teSDoM 9 #i* e21Hp AOE./B:oAUMRrܪ\nլN$ (Fˌ\(QU}ԗ ''}\aӉ)|IHX2哹dɭ.C+1maź~6pyYmDf%T 3W#;+Q鳷>Ew&-xX P`:|Ӵ;+YSRH-uRIڒV[^W=`-AMH8nHB㘃xuQSgK@Q` A :-/5SR*u9l<eqgC81 W  h$h*$N]W! Y=\Q.jQ_*;3NF+Yo@hc#$t""ս]B_m.Z \WsAU hO] 4+-}OTe [ɧ[Kn-.^ֱ@#&/ǥh `L3%~z8-8QGw3z>;bKgv$Td]g~9kXHL! `7<10[qQKYNs(o5`Nbp=:Vhk]J,(t^iE1&oVl.>Z×Hcfl8bi|UN[Cb 8|? ]1 XtSgBGd\lXA mk9Ĉ&Wo| vUHjc (hnU*ӠmA/BX Q\Dt!x:% }VTOIT_f56OI]t&Day]I[UeomT $Q?R· ,S$ ,l_\$eHOL{ZOQa"E8]@QJ(&Z7oqETTCA< VT QeOso`mzqcS4r '$L!ǞKLRݎވ|%2 r=EУj2EQix:ط]Bn/!=7+;~4%, @АK9]~!qVZd2U]$k2i[VcvdBί(`2$OXAG'8,m b^R=hP.>q˙#’( .I={8VC}`.SDE8nHR)"Z>]#o3㸤ĆN> &?e2-ɟOڝ:8=+_D}݀6I[pRi-~z6O0MjZJĕ$!0k)4B/g;eOA _F4~Fޒ 68P^dj'NdX<'GN"h$a_i\G0o>D{W Jd<8QX%cToG t>5dqPOD>]kv !~k\LL써v`ДBaịt|6KԨ&Va$bmqTru2Ɗl>a2]l @[1#&5=3aA2d+t#4u`X0)®LUo~N2+iE7E=ƣD SnfH"bM+dX i)( aKGڊ&xFPGniij?$2*826D&4 N#.'q6% Ϯ8zmD`\܇H gz=*_}~4t`K LLNTf/8;?z3;&BFF4TkwR tTBeH RQ".Bfa [2P"N ( J?4D =V$'`R'Qϋ*97֒J}ڴE1uJHdK4p؏Ҽ6mRl}pF@im"hɪw3 Z ЌHj)$-N!cݑ9UvŢ+bքQ j$b39.T:d߱| mIK.$Ӗ.e׋I-\.g Nq:؆ōm8a0cmr]@CB:l`l6mQ2@>*cq nʡ`hL׈Hs/&q l5gXT| NCQ7Y'٧Gbjw LsmVf묥vMB!" =2~VHC1OC2c Ud@3!"L 1$B̎fK$trX/$ZJGlI v&*QKTlR9{nM[RK~~dG]Wlf$g#&hT侐[ k6PCʰ Hކ׿FMD i)-:)%mTա!’GuP^S †-᭢ƍVZZ#>M4FH渴@T.@)fޚRD>'B Q m}*!w1rEMGs}ws]EtDb6X'=A@Z_C#SH66@ΆaZ /9+=+("GD,1-꫰H-Wi6Z/Ś?&v@zJ[hDN{D=p0*qM~A ^Y&rf2lqY;w C3Jb9;~US^&d| m9|!)pH+%I0v0tLP+Å .{q=r?9bڋGӣi柄["v!5죐 (Ԡ,BT&U,2<8xmہ2A2I+?I$Fy@Z6$w0bUYW, ʟFԾ>"RC# zF&Uެu`*'RϴNeēLk@d 0cC>`S%)^J#OSv,7d5mY~ pH9G` ,){b$ 'O&#M/{Iy(攒dAЩMH9P0 ,GWtru^hȿߠ.+kz1B&<}d|QFaU nEF,D|,I$8IQ|6f9)&vLA+nZȕd&LphCB֓nR?ÚmB b?x,܆"x D$ 'ͰS){{kYA9dZ"0,oV<2.tUIH&s)Kk`!uE =ƶ,}-?FBA* *C0hb+#4PH1< ¼O/>Z^&HNa& KrU~S<֫ct?OGӣP($cq j)F|)(4\Qo@ ʾp^MM5Y%8y`ܘ[Z L$udRD#k9 P3bQS A$6 {L zkRc!x lu4 ?KHfprMYF埋>Y5)"H [T J'Ҳzen>}Ďߐ4r>l7C GHD/[ 4Iᅦ,Ͳeo$܅Jigys"LIER7u"*R:똜 4˦Yr/HOb_dh:݀l8J(ƯAj{Tr~8zaJaQO@W pE9 hBKgZV {?l 4d[۹Em WF@b*OK]Z *ݾ&#Jku~{]JZ#0Q.> LH1n}| 퓕Qw%7&&@ Lǽ[\ІnX8kr`H,=C2g}C_9WsIo2d&YF~n!MӲ* @aႣ$e<`a2ՍZG#IwI  )!Ɯ>arS*44NIWJY2w*R f%EZ^,dJ&&0+>aDz6K)Ԭ_-84W<dI6_ `Chy&ؠ iOXX[M}5\Ԧ,'hؔ⍩"v ?v1WM.%jD3(\az I=Q[x ^N>t YDz$ $@Ehj}3ZwO!db 2ImxI6UM$X^?َ[ }?YEB@gB Й3;I%–z  Ik 6QIWH i{emU;M8;8ryx}7ґ 2GhR/,U~2mhe Єˈs%G &pf+WDݠ%.B7sð2+SV{|Ӷh CIs8Am=.RkRR&ΞcrwƊeD(DM ax E1D1' 2drq+k /M: Ǻ`$e^- 1S]p# tPH=SZ(s^P:"ƦfC&ӵ< b)[W JYPW釢XWC @ ':.ěx(2.' 8֙Ҏ5o$ݍhx49hM0BRhd0@!~tKm4&f=9dBztmNrb,1'-bӔH~o%DF74W%a L2FX0O64 ErϏFɔҍr/_},W68~a rLY)z8؃%{1&Y#`}G:ˋFDow,KIIm4[:K]).YJ$BecDj0htم*8T RNܙtiL:ؒ1u-@x^9,S i(c3P0**IcmbG@HN uR&%)/м~x3*A((S#dPi& [NZUp)z27Ċ$@SOaLVhl :XASC΍:fa4l ,>99>ϋwLFxDDO>W 6c ZLSܹ$t**TDwV\##A|{i~q^F ӈ Kh?# ZD@#2Ϡ]) Yȴ`53k6Lk-hfk+o` "ؚF^\t &_:MqQ p#ܠp.f=P[44D8rAv d}1P|@"qW F݃gCjEYpaD3zo"C%PåٝXe\m_ ]Ξ,mn'K3q{+ϫ_ydxT}]aP8 gdBbD9D#BK:DxJd"ç"rٚ av)^:6@al@yT2XNG̊li"Ÿ@ 4c} KYi=0GqAh L=d#A1ɯ 51DVZZQd'F EE"2RlV-Լ)PQ,pA||0g Ǫa1\1DCx5h٩W= ﹦PE$%N1 DmF2 k͓ȀHo*vScsrqa.6SsGO(#݅89k. c/ل" V?RA$]qHhgc+J~1W[^W4!K9g $_0>w!E8;?rI"xbP47 W;ұ3}Fl 2s uDN g"d/^G ú] U'ȱq6Bj0( %{wFMta]EiYdlCAp 7(+6%ھZb jgHnP5Ɔ1~j;y.JTIq[.1|?+0;iiB1=gّ#x91g  &= 矿qY(ALt[܊qtBzKtdJr"{$ԯG%.N*dTfh%ͬ(~[yQXVj4: - Ѭ-X(*t lQ$eEF,)" <ys";aMfcuaS #͝[;MQ#w|t;6ڏx\LD? T?FZ*BU9,J9(aqGR0B"B%P+ɪV%}Զ%b*MLa5 Cc{u ěl/1P;Ϲe>k}bzYPEJVCuXc :B_jVlGS&ZF&&^NZjbo28U<`0'eCR^r/{ӂ>y0zbgP>xH2!Ћ#@m#OJa* 4N iKќHP|s )npX ܿ;f zЋe 0'rIg>r&-^E5$JPDѿLZ $ '0/$>b0-YW㼁sUACnh~A6 <طb4%6f#jfF1X{-AŖAW!oX%@Sh.P[t%0!V{Cp;T! yVIt#B"EQ-o"6G1vF".0LE c"/z MNHNZ8g^{1Pϼba(.5f$l zWg`]dh,~ɾ`FmKϳq ꄃAN`Oͽg"z\{sze*He{îKery0k &"Dz+qg :3@ (~@Y]h+8 cy6.V2- ̙RePd}Hek6Z&,I7*)P`/ ClC NYc#(rSsR=a΂"WX$"Cx{@&l|reQcqBUyj `EJ.nlMʟ Ee"S[3PL paz [jk}D9W49hm&,n0 qCF9EQE-̨KCf4p)|" f!t5/oBш̎/fd?l'wF} uEQ0BH`FMݔz] ` eJ-> VH4GLgENuKPnd>j ȼ; RBi'RY9qe hRpfMVJȐ "9{o_Mly#b_08lˤrtKLIߋ,A1MC!o-cupl@dZ-1G>0%גtQtX?Hϵ:_lVş1<\41eKn?lû#ԁ3j:sBjĀz 2ц^F2?t˓B /dzx}3F(A5wIe.5"DMVfSqsN^|XRgx ĎWtR,鱄z&w0!&Jpa+&Uz4*@ 4 ga V$fg!OGU[7jdX~#%2- ̓PV7}au FCuC #C=Q-<%`qJX#4"ZJ /K6LЀ3:c!E"QXq5z)҃_zh€nޢ k>o,ϵ s=́ 쮖KWjxdY - Xr'oMbPH0O)=ydYN Y<2ڲ ƌz"/U}q@[GAp/؀C1LtF@Dk)@dJkIL8PmSL&U-sfDB #6 Y+|8n&:y#p0ZSjF|FV_85 Z$:3 ggn7-q; I=w׬lt `{N}VHYbFOfbȿ iJoDȋXG&m {>tgkI^aaX9!meQ #bv+4xslP `vW*䃍`3̨M>aH4zu"RO@:Aޚ݆DJ۫OD%GrV!iX2+m`@gwۃȫ:[5**N! jTP&5$~c h 2Fy B(@mX|V$fڌVء~o>Cq G3jF_N7kQ,q*YdOf%Z遴h,>WÚ.OذKcO)Tx;%[%Z 3*Dt= vM H>V7@U}f)Et (H"pw1 Jo9HKL"2I| 'ۃ fѢ ؋$`xNUM9I+ ,V\rܽ .ĆUGc.oDv9v[.VSkԲbL'`~aَ`r>#וVcHl'FF%%gsp~:v5Kx}@ H2mB, #2F &FTFHSQ΍@|**fK DV`қBL6H ۓd"?Y%BX_oF8oW|`k2pQN:,LIT*6E@KwV Lr_͹ЦS `r yYS,{#z$M;5SROf%& P$0tu[BhДAm'rM4'h^&T! EX]X(Np!f0]NKZwł ZTl4vqF&v08k9L&np$ͧun9NLyķzM{6tp[AǍ^ttHU!2Qqmp[8=IHU h ;29|v"ߨ '\EW3l05vDth;>*wAhoUO+ =4};u5O0M"pV ^p(Ґ pJ-RFbψQ(jq!Vx a`DLˎj˚*S`@@*l4)P_aS"TvU[<Ēv9cNg 2f+dBJAQԜC (QyjN\_xX0 q&TG>L59Q.*ג\!pNUb$Hqqj.lRUID U /^*%*T<Jwap63߸dGh&y*SAB}ƕ|ɏMiRUWBĒ?BK-H@-;6OBF M1 #}Bdlm*Bd5eI8t䤴(YCN:uHb -e9D*u'N vGȝ[ 02ɘF雨mHɸf0VE4,B`Pdy1i׹;7L{ъ*c7Јʚ ()';S5/^m vD>m֓Q :2smAS꧁捁#Dx3^-Ny]y]ocTV(kw5En Ǘa] ry]Fт ؂[m@ K6M( >{ SAob`6,Յ^  K]L"xfZf[1HfFYU6DUFthK< d"؂B?dsC= :-Z8MB!bxsU~&v?PlVd-YL !E!?wlY 890 1~Zt䆧{r%}VwAbڵFJa9V'&BV .f0% '|գΩx4K31#|bfKt+?`P!sqIyΈq5EBADIh)% ]ACKӄ<)5a8V:*XD$UѼ*#zwQ o/aAdtkZv(]gp E8D","`W7 AR%@%y$y8XHAs\Mb@ǰ5boa]>@M6 *Wn^BrE'JpKT q~`<@(P"I Pb@ dbp4\ F>!F !,5VH[fF܃RWPr̰W~) ],M8NAVsRa,;^4k#ŋ|1B(VU!R&_C$VikP$ъnK%J{RTYn叙)+K4I"XwSLUR"x_7Nf3_u׮j2~3Nz%i 7SF3N\si@w9 7m'c~-XL<)fgMs/@6 Lx傌:pa{@{U6 i uYP/W|XڬKpp9{U S !4$ڏTi 9!)ݼ@d'9DEl$@׿a]0=ʡҽ Z(vr:󰷴O05GL ?S$ps &0 >樆(eZ!hRrH?y3RH7Qx, 4*.7;C̺T 0'ABxcFH;Gh}E%~tLGVd#DEtt8*f)FGd.hW EiY:eNyY*Dl P2?quLHZ2I<"GYM.cL03d(ciuQQACB7HS%G_-&ːRTt`F[X,;96172Ima,XdHi1!OYзGYn@ UiGVc=j׉9FW4x;4- NyƭfZ'ǩ;_ Th)4{nxٴ`XЀktRs]sU63$6T3K,1޳gX#6ӫ# c UKz:D_/ 7"+R. $S&^Єz ߫£+Ca/|L O/m D9& _ea2[Gܥ|l{jA@IUlo =D0!@ӫB`ua Ҹ+oo6Y6wr9{%̔pVN#UO΂i#Cy?ۘlAM_ 1ƙ"$QϷȑ vq(z)*Y@x`Dk&!XD"xo& Aa+]4#b(|K'/9)ז)_^?-+:D >-^CMywEiIfLiLF]06\NYX@Ys@ѣ}F F6+X:#]Zq"^o*S֊ ׎B}Jn??D.Y(B< [ !Qa>Π?\~hd QRY@C.C x1」xHIL52F$^:WL&u*/hɆz:$mU $&dBrnS}? A@ d¼̪ŗJ.)@o#䣃݁ñ9{SuuIx*2p%pPHa~QCA/ A̪KPRMb[GrŸQ`g ~bQˠqܐ@@ȳ_DzCLldp@1+@!vm (~ ]?V`S(i  ^4Fֶ tqX;JiE67H!6UFkxi_GE8ط~Uk$n1*Fl8;r^T>Q:˼ATk[شO iV($&AәIJ {ŸVr?G~_$V`kZ2KWnHyK\r+c@^k3d!6wzN~D9#Z`3FӃ~>@THE@%f*HpT:q3`Q{bpwUpP=M0\1p!a8k!^aT̻+ 9nπe'zi-O'J>k&E׍"`;Z^~?ufZyֈx5R6rdP-Sa05 -D!`hy`I9cH0mrQi)pYXf'Ruӻ(c}?[ĨZ01.=kN|\8KvBuJP58H˃KV'@Y|̺:ht(5SH lKP\]Y-@Ha*d#›)2T7z fOtHvՈ9Fy𔚥RiټD\wꚐH MY,@Ho!s6 HL},` Ct"W3'df`3NEߝl%" g^\,l$Le X/`X8QZTܑdtB?} iiAL*.HK@Y*g%AvuQSQ=bW>\۴ +Jy%:Ԇ2L\mr ḧ́n5ЩetM܄uN 9i6J !JHcypOKr^cN00q#=ŷ^AşG+ep%S>,1CR^%  jBЯGh^RĜc* (oSk448[bj&Sg:*0}*8PHid M"$ Pm[{q`(8'+v6{"˟wI{Ѐ—l\'ŵZ{CuYQ(痠J&%W~[P $kǂѽy :eRwCx4TfkXVr3 0j̹î",E6DzIRc*h%z 3:T𰭳~v*Z03_ M }7FD'g4@DL<4л4+%qx!3DR#ʃd8 Gʛ~LCO%"/M 5|}B-'&sa vX(h! Iy~ޢM%0m!')qkـ/$F% :HkijĶ-Y-tё.jD4Ȝ`%;舞xϟpuL<~\E (7 #6? 22)ޓ?w m(&nl ?wGߖf}Hr?Orh#hlT߿NJ P= DY?8 Pͅ1*v *)f()V.>!e J+!9MRȬTȘS?jq".m o3|d0{5l{HWFqݙfՒ }v~.ZiN龣:?{v.$]49-RtaF\D8npy:h#=fr*$a2IHjy a(zĤA~$Ct%K((װǸa53`Z k+8dIqVM?/"Bj+C%~+ύ< BBx0 ,J p.5“s^4g3nzF|z3-1I^ nɫveBRg3)Ez.,4,bqpUR1diUQ!2DcN.RJ-+$ɊS{l{TjKQ^M"lE\-p  )>l\BuĈ6@& y.H.d &Óaj*lxb5.0fLe&E&w0\NhK|azKМ9&D lU>LDJ8A "/]2жx̵<)ζI\x1xR 7/|2[T$ !W&ni}Wr 0z>F§r7tTEZjQ??Tlܒ1AQKm7l0Б4I1KpUw $9.u5Ǥ /W处)hAk\) R4I+IpmO$Iu?F4N^/DZ~?Wd5!*l.|Y81GF[FGb !0 F<Nja\@-ۘ>kx߻!%uH0ՙѷjGz_o0y'c-5"apAu=Rd+L`h0SݬLlzb;&h4c[&1}E~!O:m+ km$sIحO6X1;8hl6B3)LD(y.Li:65Ո8 ywjhe!'u ls%@Z| ' 3BlGmSG}Ao( NEp/`:F \1!JE0PC`;DF24:S_8jɻ7^8X_J r Rp] BźCT n װhF}Ղ^ȧcq <^{ܢ+RN _!=\D2+ SD :Zܮ" JB|Y\JbTp1~p=zHrPq /)4RH ]wv>b!3~47kwmi (d >_즰@ QBxTx% LQk﬜P _lKC*iI !"`u iy5<:I 0m4w F΁j dv$EѪ-`͎ j THH9P9ԅ[$$si d[F@\*^c)cIIBJ 1! ܜhdV<8_ .,BÊa9UUNZcf@ h?VV"GGd;)@94qqBcRwm!pC5CզA]iHv[u)k F") 1 0J9kÿ2hHhl;}G;.'d3-0{2@ s;?.)]!]ٹ;03WKwQ(H+ZJ RfXG8X 3~ |,|O=kZN&>9f|U>ܗMLD1-1ҍ3 T0& zbr^߆K+ɬbV+ rцS9BRH1pFg|B DHS&:ORpe6s S38Orʋljz $W\A``la $>Cӯ,dVf0{xd'4?T ~+,r 2># @ƨy U N X0"wH#bDM.hRQ\ UhB0|J,UI ^h pB&Zp_PNV24L ]N98$2H;`9~nT`,]0ɠ{ΦNS}Ym% V>ҙI D3̞Vp}u¦ΝJҔ"\j8H* FbOF5tBldcBD87=P%nT en˩ylGl k>(l5 ZtWW~1JEYpD xRIr8#>y;/忄p!"LB'@1ok*s+Y{c#E#\c4Ղ\¯ 8#͌8$)Wߵ8 Y+TԄT_MwwMrG8_c3δ>EF *1^Ăr.Rj[?9~D#v-@: NVշ86,rS=:6#J!pLY S(+rL :G]MIeAkohD3ö锞o26d/7E ]bvbٕ9k|Χ f߁kD59aۑzPI P/ XQX+T1'Τ.)FOě6qB"?L蔒Isz D +*).Ю pJ-A欑O8U;\-va̰ 0نAW 6a4uBP|OkDR7"g-z5鳢^EfՋj>g tJ$*ou%jt+(,dg{U$N琨tvR?pTs0M¤*dkh>>I TxXlT24`\Ϭc/ `(52I-Ҡ)@JrCTp7 fGB aՏ7TH@-$^9Q)!"}T`+!#r GWB 2A?\G\eq)0%rZ79:30e-[:rѤ4EH?qpkB'/+GDKuhc;Z*ڷrce!TjgBN^F;ab &k @[pMӲ 8@JgV}&G\Ik䮡/H*!>ёQ9QWvUD }0@QPmZUSWX8t_hmRѮRdʵ]nTG!&tr!--N2O6'9}# E!wXӗ~T ttx2+tm=;Y㓤\!+L/AnBxN{U9lPkc8`\S) Wl %H6S#Wr4_%c3VjBO;-Jv Ah9*8.1)"`FT ]@a߉aPJm2[3IjL7cgPbAivn Q-),J4Z )kEh$ 3 BlYQ c,(ŲRI\4i<%;&fjJsLf $H땖K4ҍ+fzj@m>iKj2Kmy^<&_jW. # X$;>6m>c+u$6i5Jc{x a3^C Y/;?׶\<F> PK!5Þ+Pkirlent_sphinx/templates/kirlent/static/lib/font/league-gothic/league-gothic.ttf0FFTMmҼ<GDEF'_XGPOSMҴxGSUB L0OS/2wL |`cmap$ cvt n @fpgmS/ <egaspglyfheadĵ6hhea $hmtx0NblocaM|maxpv0 name)#uPHpostD@prep/CwebfTМKdtu_ X 0>DFLTlatnkern *G,2\b>HNNXzH,,HHNH\b,,,\\\\\>>>>>>NNNNN,,HNNNNNHN\  7<&DFHRW $<rstuvw&7FHR($7DFHPQRSUYZ[\rstuvwIWWIWDIFHRVJFHRDFHRVW DW] WG$%),/237DEFHIJKLNOPQRSUVWX_rstuvw~( !((,,<<DDEEFFHHKKLLOOPQRRSSXXYZ \\ __z}~  &&) $$,, 669:<<DD FF GG HH LL OO PQRR SSTT UUVVYZ\\__ bc rw~    &&HI KL NN $$((,,<<DFHHKLOS XZ\\__rwz"#)28?&&@ ,.DFLTlatn33fUKWN@ ( ` : ~a    " & / _ !""% d    " & / _ !""%jZ830/-*"2CZV   !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`avwy{fgOljTnixhqePdruFGKLHI&SWXoJMt|s}z~06m234p751`{M,KLPXJvY#?+X=YKLPX}Y ԰.-, ڰ +-,KRXE#Y!-,i @PX!@Y-,+X!#!zXYKRXXY#!+XFvYXYYY-, \Z-,"PX \\Y-,$PX@\\Y-, 9/- , }+XY %I# &JPXea PX8!!Ya RX8!!YY- ,+X!!Y- , Ұ +- , /+\X G#Faj X db8!!Y!Y- , 9/ GFa# #JPX#RX@8!Y#PX@e8!YY-,+X=!! ֊KRX #I UX8!!Y!!YY-,# /+\X# XKS!YX&I## I#a8!!!!Y!!!!!Y-, ڰ+-, Ұ+-, /+\X G#Faj G#F#aj` X db8!!Y!!Y-, %Jd# PX<Y-,@@BBKcKc UX RX#b #Bb #BY @RX CcB CcB ce!Y!!Y-,Cc#Cc#-J9/ִ+ +01335#J77KN#@+3+2/ִ+++ +9901333N'''1 /ֱ+++!+6?hP+ ..?hP+ ..?gH+ ++++ + +++++++++++ #9999999999999 9 99@ ........................@ ................@0133!337#37##!##3#!!1<;<;%:999%%%JJ\\%)\;Z/$+n{s7-W4M* :1?!f]gqZA>jw Df@aK963D:vDU }jV}B;dMc>dJM2::1P7$7K)+H ++ +?3) +? +#) +# +L/ִ+!++%+8+8D+-+M+!#$998%9D3)?H$90132767&'.#"3#&7632#"32767&'.#"&7>32#"'&7+b<A>6>Dg# #*.`=@>6?C{  0(X8]0&(0;X K7F2&V7]2&(0:[L  L  1-)6Bk+4+9 C/ֱ**+D+*"%9990B<$9 9994 999 %.?$901 735&'&'6767'&'676'&#"&767#"'632&'&1VWz&J& &-?U^6aE>i7kj(/8 Am.*8! e ;cd)7 )[tNI!;]|g4b=Quux(X-x+L+P_O.o9"++/ִ++0139'B5/ֱ +017&'477'B-TH9)OQBƤTg-?7T)5/ֱ+01674')OB-TH9)ST}X?Ƨ9 TnξJ\77'7'7#'JsLNs+"PP"FFJ/ !3!5!#!JrsZZ-/ +/++01;35#-HHfq Js//+++01!5!J)5 +/++01;5#5mS/ִ$++$++6<7+ ......@013#tD+:+( + ,/ֱ$+ -+$99013276767&'&'&#"47632#"'&D!8?mk?=!!*Px-y:$+7+$7 +;/ ְ22 +33, /,<+ 99 $7$93/9 ,999/9399013476323#"&'&5#3276767654&'7>54'&#"- *0  HEA+>0 +DG0W*!6I64'HB'/93A'Zy4 )r'%@>c0p`L:6`Pa !/+++ 9901!335##373Vgg HH)-J(Z+#/ )/ְ2'2'+*+'9999#99 901327654'&#&!5!347632#"'&=J+BE+%?"/X "$%&aXP]Q "9')=1p.+-)u;B"0j+.+ ' + 1/ֱ#2#++222+#9+ 999 '99901327654'&#"47632354'& >32#"&B+HH+%>/? ) )II(! %%!"5mOOm3sL% W&'1^PNg(1>105/ֱ2+01!35!L5"0?j+.+5=' += @/ְ2$$*+92 2A+$99*&1999 99='9901 7676=4&'>=4'&#"762#"'67632#"'5 ;KK< ;825%HH&428; t :. %+ +, B)@\>OO?[;.W52PdLNbP25WABBHcA<4,-3@\l@779{!/l+ +&- + 0/ְ2 "2 +)21+  999 99 !99-901 7654'& 327#"&'&5#4632#"&9)GbG)+JJ+%>0? ) $""" $TNNXlRRlrL%Q,'10/E'0J!`/+22 +01;5#35#JJ!`  /+22 +01;35#35#JGGfq J5 5JFq%dd%J !5!5!5!Jqqݬ׬J75 JqF۠\$(7!+)/ְ%2 &22 + *+9016763234767>7>54'&'&35#)/(  ,@- 2-D~[KT6$7%*GiM{39XT -2/S'bJogTB/3>+ .+ "=. +" +7. + +?/ֱ +4$+4;+2(@+4  ".$9;&99(9" 9=&'(9997901327'#"'&547632&'&#"3276734&'&#"432#"B$'ej3uc4''6ad6%&0MD+$&gd'$/1//*i/}V?;*4y1/>>-3- "^L %8+p00o,595 +/ֱ++ $901;33!73();@ @3<''%R$Y+ +  +%/ְ!2 &+  999 9 9013!67654'&'67654'&+22RSG0QMf_B BB BA!BB! ~mrF.GB>p_X00--D/L+ )+ 0/ֱ+ 2 "21+)99 !"9990132767675##"'&'6763235&'&'&#"D!8?mk?=! 9 /"!!>GUPPUF'2D\HH`@4RL " /+ + 2 +9013!5!35#!5!RR`  / ++ +01;35#!5!R1D0e+*+ 1/ֱ+!2 #22+9 *999  9 999 "#$901273!3#"'&54763235&'&'&#"D49GX40!54&+2R;sݍ=>F#;;${)vg44 %1b+-+2/!ֱ 1++223++ '-$9 9-!1$901327654'&'&'&547274'&#"##"'&5%7JM@B)d^7K08GPA"KJA:[?dr_kP,_BF4_kp^=;uus\.,h>R5y/ ++ +013335!P/+ /ֱ+ +9013276767##"'&5#P"8?mk?;" 35_EC+33-AE_T"7$: ( /ֱ  + + 99013##'n o@@;N/ֱ +$+ + +9999 9 9013733##'##'ʬg  fX^^XXX71111/ְ22+ 2 2+6=+ . + .<+  .  k+ . =+ + #9@ ............... .......@01;733##'#yx?}6 * /ֱ  + + 999013##'oo`^ " /++2 +9013!5!5!!J`)+R+"/+ +2 +901!5#35!Rq-LS/ִ$++$++6!;+ ......@013`P9+"/+2 + +901!!39p5)3 3#5++)Jqf/ /+01!5J'%f//+013'%jѸ1hq.9q+6+:/ֱ/  / +"222;+/9 *6$9 96 9992$9013276733&54'&#"3547632467#"'&1@)=<1#LKexNP ,%  h:VGH2$! G3''BVmmIHXZy/5 ;"0{  7HkT'+Rd"Q+ +#/ֱ22+ $+ 99 99901;5327654'&#"#462#"&R"=2K/%%1I28&.!!%J-K=SQ@J5t+'''BTq%L+!+&/ֱ +22'+ !99 999013276=##".54>32354'&#"BKA|>D##D>{BK;QGCJm4&!\!&4XJDHQJ\"S+ +#/ֱ + 22 $+99  999 9017327673#&'&#"462#"&J',L .:"=2K-' .&% U;K7J6-J>S`t'+''BXq*V++%+/ֱ 2 +)2 2,+9 99%  $901327>75##"'&'5!&'&#"567632BBe675 3VCg3i 0NF-,tSz"7':FGH-W'9$>%+ 2/ְ22+013335#=476325'&#"#ihh- 34iZ1 EQ oq:H\(+"3N!2/F /W ]/5ְ,2 I[22 ; S+ BS+!2^+5+17999S (=F$9 &$9F5=$9W199N9(&90127654'&'&'&547;27674&5&'635"&#"47#"&&7632#"'&54 \O`p^GyD'3`7j +M+7!'Ic3e J0&+}G(3LjF5.;DC1 , )u3.=IC0 "+Q= )'g-S#9g1/5+t!!%07, $*33$21/Rd+/+901;6763234'&#"#R 2%-I%5s 1Q@J5R!/+22 +01;#535#R`(/332/ ְ2 2+0132765##"'.35#- 14.  v϶J}/ ?R}g/ֱ +6z+ . + #9 ..... ...@ 901;?33###R fǼe B;l$R!/++01;#RRq(( +32)/*+ &'($901;6763236763234'&#"&#"5#R78%-J=' ,_0/s 1s1Q@J$* }/^Rdq!+/+99901;6763234'&#"5#R 2%-I%5s 1Q@J5^?Rq(C+#+)/ֱ''+ *+'9#$901327>7&'&#"&7632#"'&54?Be664Cg3f  1 3LH-,uR@GH-V3!9!6"7#3Rdq"S+!+#/ֱ22+ $+ 99!9999013327654'&#"5#4632"&R"=2K/%%1I28%!!.&-K=SQ@J5It'''+J\q"Q+!+#/ֱ + 22 $+99!9 99017327673#&'&#"4632"&J',L .:"=2K-' %&. U;K75I-J>S`t''+'Rq+ +/ֱ2+ 99901;476325"5#R-$D"^@ A&"<.}%Nq1a+- + 2/#ֱ 1++223++ '-$9 9-#$901327654'&'&'&54763234'&#"##"'&5%1JJ:>!`<- &))=E3?#b*,+G7FTfQ|]e4`8(728--;EgdM{i^4^*1K ?(Cu*+ /ְ22+ 9013327>75#"'&535###i42+išSC%P-N``!+/+ 99901732767673##"&5#N%,J#7 S=K7^`wJ` . /ֱ + / + +013##'̷DD``wHHu`/ֱ++ + +6+ .+ #9........@999 9 9013733##'##'P  PA V{V A`??`@@I@@IZ`/ֱ 2/+ 2 +6=[+ .i+ .¥+ . @ ................@01;733##'#TTJJ°Bob`9 //ֱ + + 999  901'"';2767##'2E 2rSJR R`"A&dYP99 ` " /+ +2 +9013!5!5!3 5=9w*T+ / /* +/ְ%22,+9 999*9%9990175"&'&54&'>547>35&#=I"042}HX7@??@7XH}240!J;. st)',tLj('hNt,')ts%+<R/++013#R99s*P+ / / +/&ְ22,+&"9 %99 "9990167>547675"'&54&'.29~24/"IJ!/42~HX7@??@7X')t",;<)'t)',tsNh'(jLst,q"-/+ #/$+ 99016763232767'#"'.#"q!@ZFl6:j6R?w>;TJd.+*",YAH:(2[J"!"0^92*ZG  /d5; + 3 +2/+0135##35##5GGfq/GGfq  5; + 3 +2/+0135#335#35gpHgpH  J9`/ִ+ +013#'35#J7+LBL$4%/ֱ +2222&+ !"999013>=##"&54632354'&'5#B{a^$%&""&%$/0`{/l1*6%\$6)1XJGE4++F/8ֱ'@'8+'/+0G+6T+ 9;%#$%#+9:9;+$%# #9:9;9#:;$%.....#:;$%.....@@8>B999'9  "+$9/90 !$9017676323267'&'&'654'35#'.54763234'&#3 %1 `0f '& 9.BBSO@N%1+I?O3 3Ʒe,*ufHfNR3F+7<5Tf~xbTlBbe%Cu/ֱ++6+ .......@$9 $9  $901#3#3335#535###'ēݰnnT+32/ +0135#35#!57&N+$ ++ ++6 ++ +J? +J +O/ִ+'+:+:2+C2/+E2/+ +P+:'$92+6?J$9/.#99?6 0DE$90132$654&$#">32 .%327675##"'&54763235&'&#"5xww杛jkwwfꃄdda2xF'G  !   2rG)Pwwxxjkdd턃ffe4.b+$ ++ +25 +2 +?/ִ+:++20+,+0+ +@+6+ +.*,-*+,-....*-..@:$'34$9,#95$ ')04$90132$654&$#">32 .333>5+32#5xww杛jkwwfꃄdd_7_j8 đ-?@wwxxjkdd턃ffIm/`N}+;9)9#/ /+ ++01!5!9r#//+0137#m// ++0135#V!/+/+.++013375?(h-o)tm`$(6/ )/ֱ 2 +%2&2*+ 901767'#"'&7676765#35#)/E}^:% (0) ,@- .j]MriAWT.*:')GiM56aK/2/S 4/ֱ++9 $901;33!3'73()kk1@ @3>''% 4/ֱ++ $9 901;33!737#73()-\@ @3ᅹ''%;/ֱ++9 $9 901;33!'373'#73()s=?!@ @3HH''%!'e /   (/ֱ+)+!99"'$999 99!9901;33!'6763327675#&'&#"73()@.3)+-*.,.1)+{@ @3 %''%/ ?/ֱ++ 99 $99901;33!'35#7335#()i@ @3''%Iq / +/ +/ֱ +++ ++/ ++ 999  $9 99 $901;33!264&"73462"()ZXX@ @.<..<3>|QQ|R''%:++:*#i/ֱ+6=+ .++ #99..........@01;3!5!35#!5!3Z+ 3<D/6[+ )+ 7/ֱ32+ 2 "28+0199)256$9 !"9990132767675##"'&'6763235&'&'&#"3375D!8?mk?=! 9 /"!!RL &/+ + 2+ 999013!5!35#!5!737#RㅹRL &/+ + 2+ 999013!5!35#!5!7373'#R>?HHRL/ */+ 2 + 2+ $9013!5!35#!5!735#35#R !?3'3#joR;#737#Rᅹ 373'#3#B=@fHH/ 35#3#735#5ݠf%2+ + &/ֱ '+ $90133267654'.+#35#2>,((,>TT?>>qGUPPUFj2D\HH`@4R 'd/#   (/)+6+    .... ....@99'9#901;33##'#76763327675#&'&#"R  }.4)+-).,.1**VFF  D/G+, +# 0/ֱ(+2 1+99(999013276767&'&'&#"3'47632#"'&D!8?mk?=!!+ G+4/99> -$9 "&'999+"&3999013276767&'&'&#"6763327675#&'&#"47632#"'&D!8?mk?=!!l+ ++++!+*+ #9999!*..............@" 99013732767674'&'7#&#"7#"'&47632;>ak?=! -zA]gE7!40, /+3.@CawJ1/+4*FC_$S"$7#"8)&P?+ /ֱ+ +9999 9013276767##"'&5#3'P"8?mk?;" 3Ak5_EC+33-AE_T"7$:>P<+ /ֱ2+ +99 99013276767##"'&5#737#P"8?mk?;" 3㠢5_EC+33-AE_T"7$:P C+ !/ֱ+ "+ 99999 99013276767##"'&5#7373'#P"8?mk?;" 3->?5_EC+33-AE_T"7$:HHP/!E+ "/ֱ+ #+99!$9  99013276767##"'&5#735#35#P"8?mk?;" 37!5_EC+33-AE_T"7$: 3/ֱ  ++  $99013##'737#oo`ᅹR )// /ֱ+901;27654'&+5#2Rݡi{{dc$"hctt_i5.)/B'[+3$+ + +(/ֱ  )+ #99 9 9 901;4632#2#26764'&'654'& B&$*,2$GHXx(V)%JXAGOC,:8,5@HXUC+9|_vl*Bl|MTVI1h.2=z+:+>/ֱ3  3 +"622?+3/9909 *2:$9 199: 9996$9013276733&54'&#"35476323'467#"'&1@)=<1#LKexNP ,%  h:V5kAGH2$! G3''BVmmIHXZy/5 ;"0{  7Hk#RT'+1h.9=z+6+>/ֱ/  / +"222?+/9:9 *6=$9 ;<9996 9992$9013276733&54'&#"3547632467#"'&37#1@)=<1#LKexNP ,%  h:VGH2$! G3''BVmmIHXZy/5 ;"0{  7HkT'+1h.5@+=+A/ֱ6  6 +"922B+6/599909 *1=$9 234$9= 9999$9013276733&54'&#"3547632373'#467#"'&1@)=<1#LKexNP ,%  h:V)=?GH2$! G3''BVmmIHXZy/5 ;"0{  7HkkGGRT'+1h.JU+R+4/F 8 B V/ֱK  K +"N22W+K/2F$9 *6DR$9 8<@$9RN$9B8/763327675#&'&#"467#"'&1@)=<1#LKexNP ,%  h:V^.3)+-,1)1.,+mGH2$! G3''BVmmIHXZy/5 ;"0{  7Hkk   sT'+1h.2=A}+:+B/ֱ3  3 +"6>222C+3/2999 *01:$9 ?@999: 9996$9013276733&54'&#"354763235#467#"'&35#1@)=<1#LKexNP ,%  h:V5GH2$! G3''BVmmIHXZy/5 ;"0{  7HkkBT'+1h.6AI+>+2/I +E/6 +J/ֱ7 B270+0/7/7 +":22G +4+K+ 0*16EH$9G 25999>:$9EI034/$9013276733&54'&#"3547632264&"467#"'&462"1@)=<1#LKexNP ,%  h:VZXXGH2$! .<..<G3''BVmmIHXZy/5 ;"0{  7Hk|QQ|RT'+n:++:*1q>IT+3F+#+3.O2U/ֱ? ( )?C+22J2+S2 2V+)(9C#:F999!99999.F(BJ$9#!901327327>75##"'&'5!&'&#"&#"3547632467#"'&5676321@)=xeCe6753VCaACUxNP ,%  h:VGH2$! P0G3-,tSz%7':FGH44XZy/5 ;"0{  7HkT'+'9#?BTq%,a+!+-/ֱ +22.+&')999 !(*$9+,99 999013276=##".54>32354'&#"3375BKA|>D##D>{BK?)i-;QGCJm4&!\!&4XJDHQlBX#.a++)//ֱ$2 +-2 20+ 99 !#$9 "9) $$901327>75##"'&'5!&'&#"3'567632BBe675 3VCg3i $k;0NF-,tSz"7':FGH-W۞'9$>BX*.b++%//ֱ +22 +)2 20+9 .999 ,-99%  $901327>75##"'&'5!&'&#"56763237#BBe675 3VCg3i 0NF-,tSz"7':FGH-W'9$>mBX&1e++,2/ֱ'2 +02 23+ &999 !#$9 $%99, '$901327>75##"'&'5!&'&#"373'#567632BBe675 3VCg3i >?%0NF-,tSz"7':FGH-WGG۞'9$>BX#.2g++)3/ֱ$2 +-2 24+ #999 !"/2$9 0199) $$901327>75##"'&'5!&'&#"35#56763235#BBe675 3VCg3i 0NF-,tSz"7':FGH-W˞'9$>m!3'3#!kdѸ/`R;#537#RϠ` 373'#3#B=@GG/` 35#3#735#5Ϛ`L^$6Z+3 +*7/ֱ%2%/+ 8+% 999/*3$9 9 *901327>74'7'/.'7&#"&7632#"'&LBf654}e8^ m d7R$[@q' 1 4LH-,tSXBR d *X?HQzN{BZ3!9%="7&Rd3G+// ! + 4/5+999!%99+39/&901;6763234'&#"5#7>763327675#&'&#"R 2%-I%5A.3)+-,1)1.,+s 1Q@J5^   ?R(M+%+)/ֱ!+ *+99!%$9 901327>7&'&#"3'&7632#"'&?Be664Cg3f #k7 1 3LH-,uR@GH-VF3!9$>"7&?R$(O+!+)/ֱ%2+ *+9!($9 &'9901327>7&'&#"&7632#"'&37#?Be664Cg3f  1 3LH-,uR@GH-V3!9$>"7&=?R+Q+(+,/ֱ$+ -+999$($9 9901327>7&'&#"373'#&7632#"'&?Be664Cg3f >?' 1 3LH-,uR@GH-VGGF3!9$>"7&?R,>p+;+2/(  $ ?/ֱ--7+ @+-($97&2;$9  !999$ ,99901327>7&'&#">763327675#&'&#"&7632#"'&?Be664Cg3f D.3)+-* 1)1.,+ 1 3LH-,uR@GH-V  g3!9$>"7&?R(,S+%+-/ֱ!+ .+999!%),$9 *+9901327>7&'&#"35#&7632#"'&35#?Be664Cg3f  1 3|LH-,uR@GH-V63!9$>"7&=?R$,,+ +++"-/ֱ++/+'+&2'++.+6=+ ..=+ ++>4+ +++=+ $+%+&+ #9$99%99@ $%&...........$%......@' +9990137327>7&'&'7#&#"&7632#"? ?P25e664 5K;/g3f  1(m} 3&%1\:yN-,uR@,(`1yP-Vj!9"+m"7N`!+/+ 99901732767673##"&5#3'N%,J#7 #jS=K7^`wqN`!+/+ 99901732767673##"&5#737#N%,J#7 ĠS=K7^`wN`!+ /!+ 99901732767673##"&5#7373'#N%,J#7 =@S=K7^`wGGN` !+!/"+ 99901732767673##"&5#735#35#N%,J#7 !S=K7^`wobJ //ֱ 2+ + 999999  901'"';2767##'737#2E 2rSJR R`"A&dYP99Rd"O+!+#/ֱ22+ $+ 99!99013327654'&#"#4632"&R"=2K/%%1I28%!!.&-K=SQ@J5t'''+ob!N /"/ֱ + #+ $9!$9 99  901'"';2767##''35#35#2E 2rSJR R!`"A&dYP99F ;/ֱ++ 99 $9 9901;33!'!5!73()>ry@ @3â''%1h.2=y+:+>/ֱ3  3 +"622?+3/2999 *:$9 01999: 9996$9013276733&54'&#"3547632!5!467#"'&1@)=<1#LKexNP ,%  h:V`rkGH2$! G3''BVmmIHXZy/5 ;"0{  7Hku^T'+VN / + /ֱ+!+9 $99 9901;33!32767'#"'&'73()X"I]8&I:j $4+%@ @3/:^  ''%1h.@K+H+3/< +L/ֱA  A +"D22M+A/@999 *3754'&#"#547632#327#"&54767#&5##"'&732651V:h  %, PNxeKL^6=)&071`qC' #1<=)@ !$2HGkH7  {0"; 5/yZXHImPmV06()%fHIK%B''3G!+'DR/3[+ )+ 4/ֱ+ 2 "25+09)13$9 29 !"9990132767675##"'&'6763235&'&'&#"37#D!8?mk?=! 9 /"!!32354'&#"37#BKA|>D##D>{BKb;QGCJm4&!\!&4XJDHQDR/6_+ )+ 7/ֱ+ 2 "28+0699)13$9 4599 !"9990132767675##"'&'6763235&'&'&#"373'#D!8?mk?=! 9 /"!!32354'&#"373'#BKA|>D##D>{BK>?;QGCJm4&!\!&4XJDHQGGDb/3\+ )+ 4/ֱ+ 2 "25+0399)99 1299 !"9990132767675##"'&'6763235&'&'&#"35#D!8?mk?=! 9 /"!!32354'&#"35#BKA|>D##D>{BK;QGCJm4&!\!&4XJDHQDR/6_+ )+ 7/ֱ+ 2 "28+0199)46$9 2399 !"9990132767675##"'&'6763235&'&'&#"37#'D!8?mk?=! 9 /"!!32354'&#"37#'BKA|>D##D>{BKۍ?>;QGCJm4&!\!&4XJDHQHHRR$7+ + %/ֱ&+99901;267654'.+37#'2R,((,3܍?=?>>GUPPUFqHH'2D\HH`@4J")W+ +*/ֱ + 22 ++99  999 #$999017327673#&'&#"462#"&35#3J',L .:"=2K-' .&% gpHU;K7J6-J>S`t'+'' %g+ +!  +$3 "2&/ְ2!2 +@$ + +@ ++ '+ 99015332+26767654'&'.#3#'y,((,?>>?77FUPPUG74@`HH\D2DJ*++!++( ( +3 2+/ֱ+ $2222 ++,+99 !(99'9(9 9017476325#53533##5#"'&732654&"J'-K2="++//:. L,' %&. S>J-XX9J7K;''t+'RLF &/+ + 2+ 999013!5!35#!5!7!5!R%sâBX#.b++)//ֱ$2 +-2 20+ #999 99 !"99) $$901327>75##"'&'5!&'&#"!5!567632BBe675 3VCg3i Cs}0NF-,tSz"7':FGH-W٢'9$>RLV :/ +/+ + 2+ 999 99013!5!35#!5!32767'#"'&'R $I\9&I:k $5*/:^ BX1<y++7$/- +=/ֱ22 +;2 2>+ 1999 $-$9 ()997 2$9-$ (9901327>75##"'&'5!&'&#"32767'#"'&'567632BBe675 3VCg3i ($I]8&I:j $4+)0NF-,tSz"7':FGH-W-/:^  מ'9$>RLb &/+ + 2+ 999013!5!35#!5!735#RBX#.b++)//ֱ$2 +-2 20+ #999 99 !"99) $$901327>75##"'&'5!&'&#"35#567632BBe675 3VCg3i 0NF-,tSz"7':FGH-W˞'9$>RN+ 3 +/ + +/ִ  +2 2 +  +2 ++ + 9 999 999013!!3#!#327#"&4767R^6>)&071`qD%ub06&(&fL&B\q4?1+1 +@ +++;)/$ +' & +5 1 +5 @/ֱ 52 +62 &22!+,+,/!+A+ 9,/1;$9!$')999&'+91!,990167632!3276=33327#"&4767#"'&354'&#"B i3gC3 57F6=)&072`qD$B03W-HG:'7"zSt,06()%fLF>$9'BLR37#'!5!35#!5!Bۍ@=RHHBX&1e++,2/ֱ'2 +02 23+ !999 $&$9 "#99, '$901327>75##"'&'5!&'&#"37#'567632BBe675 3VCg3i ێ?> 0NF-,tSz"7':FGH-WHH۞'9$>AR.5n+(+ 6/ֱ+2 !27+/5999 (02$9 34999 999 !99901273!3#"'&54763235&'&'&#"373'#D49GX40!?5]GB,3XH$8#;"8#;_CC-44*FC_GG o:AOa(+"3U!2/M /^ b/5ְ,2 P2 B Z+ IZ+!2c+5+17;A$9Z (<=DM$9 &>@$9M5D$9^199U9(&90127654'&'&'&547;27674&5&'635"&#"373'#47#"&&7632#"'& \O`p^GyD'3`7j +M+7!'Ic3e J0&+}G(3Z=@LjF5.;DC1 , )u3.=IC0 "+Q= )'g-S#9g1/5+t!!%0GG7, $*33$21AV.@+(+ 3/< +A/ֱ+2 !2B+/@999 (3<$9 78999 999 !999<3/79901273!3#"'&54763235&'&'&#"32767'#"'&'D49GX40!763327675#&'&#"3#.4)+-*1)1.-*V    G/   /+  +!+ 99  999901>763327675#&'&#"3# .3)+.,1*1.,*\    P`F!/ + + +9901!5!3#sV!/+ + +9901!5!3# s\#;`V / +/+ 990132767'#"'&'3#$I]8&I:k $4*/:^  / +/+ 990132767'#"'&'3#%$I\9&I:k $4*w/:^  +`1l+/ +  +/ֱ2 ++/ ++ 99999 99014767#3#327#"D'^6=)'/72`L%06()%`_+ +/ +/ְ22  ++ 9999999014767#3#327#"53C'L!6=)&072`5K%`06()%R/b/+22 +01;#735#R R!`/++01;#R`R!+ /+99901;#765#'R;UG#B [MX4. R!( / 332"/ְ22#+01;#535#32765##"'.35#R 14-  u`iG}/ ?R+ /+901373'#765#'%=?\UG#BGG [MX4. D+ +/ /ְ22+9 990173##53276=3#"'&'Bۍy  .41 )!? /{JR/ֱ+ 901;?33###3375R3 ׸ ݺ@)h-{q R}j/ְ2 +6z+ . + #9 ..... ...@ 901;?33###3375R fǼe Ϻ@)h-B;l$R}g/ֱ +6z+ . + #9 ..... ...@ 901;?33###R fǼe B;l$RTR ! /++ +99013!5!#737#R=\37#3#3LRT ! /+++ 99013!5!#3375Rݺ@)h-R!  /+ 2 +901;#3375R@)h-RT " /++2+9013!5!#35#3R'fqH Rw ;#35#3RNfqG RT " /++2 +9013!5!#35#R+RJ;#35#R!)m 7!5!75#)AyyA13C_^a4  /ִ + +9017375#dddd1N!NN{NRR ;33##'#737#R  ŤVFFRd!+/+99901;6763234'&#"5#737#R 2%-I%5hs 1Q@J5^R ;33##'#3375R  ź@)h-VFFRdq!+/ +99901;6763234'&#"5#3375R 2%-I%5Ϻ@)h-s 1Q@J5^1RR ;33##'#37#'R  Jۍ?>VFFqHHRd!+/ +99901;6763234'&#"5#37#'R 2%-I%5ۍ@=s 1Q@J5^qHHd!+ / + 999013375#36763234'&#"5#@)h-N 2%-I%5^s 1Q@J5^R+33+3 / /ֱ 2+ +6G+ ........@ 99999 9013333'57>7#'#R 4J9 FVl@W -FRdqf++ +/  /ֱ2+ +@ +!+9 999901336767632'57654#"R5%I-"CS7%2 `^5J7&'&#"!5!&7632#"'&?Be664Cg3f Fs} 1 3LH-,uR@GH-V٢R3!9$>"7&DV+=a+: +1 /' +>/ֱ,,6+ ?+,+996'$9 "#99'"99013276767&'&'&#"32767'#"'&'47632#"'&D!8?mk?=!!7&'&#"32767'#"'&'&7632#"'&?Be664Cg3f +$I]8&I:j $4+) 1 3LH-,uR@GH-V-/:^  B3!9$>"7&5R/3M +, +# 4/ֱ(+5+99( 0$913990137#3276767&'&'&#"47632#"'&37#5\!8?mk?=!!7&'&#"&7632#"'&37#>Be664Cg3f  1 3CFLH-,uR@GH-V3!9$>"7&=D)?+&+*/ֱ"+  2++&999013!5!35#!5!"47632#"'&D!8EgDjB6 !0*45[@B'1/&F@Zw"8% {$7#?q'9D+362#+3-?2E/ֱ((2+:2+C2 2F+(&92#-6$9!999969-:$9#!901327327>75##"'&=!&'&#"&#"&7632#"'&547632?BgC@je6753- VCgCCig3f  1 3S -LH99-,tSz%7/FGH<<-V3!9$>"7&Ф/#?RR \ + /ְ2 +6+ . ......@ 901;33>54&+737#2R;sݍ=>݁F#;;${)vٹ44 R7 +/ֱ2+999 99901;476325"5#737#R-$D"^@  A&"<.}R T + /ְ2 +6+ . ......@01;33>54&+33752R;sݍ=>ݺ@)h-F#;;${)v44 Rq5 +/ֱ2+99 99901;476325"5#3375R-$D"^@@)h- A&"<.}>RR ^ + /ְ2 +6+ . ......@ 9901;33>54&+37#'2R;sݍ=>'ێ?>F#;;${)vqHH44 7+ /ֱ2+999 9990137#'3476325"5#܍?=o-$D"^@ѸHH/ A&"<.}%R/3m+++4/ֱ /)+225+/09) %+13$9 299+/$901327654'&'&'&547274'&#"'&537#%7JM@B)d^7K08IPA"KJA:[?=dr_kP,_BF4_kp^=;uus\.,h>R5y%N/3o++ + 4/!ֱ /)+225+/!0939) %+1$9 299+!$901327654'&'&'&54763234'&#"'&537#%1JJ:>!`<- &))?E3?#b*,+G7GFTfQ|]e4`8(728--;EjdM{i^4^*1K ?(CӸ%R/6q+++7/ֱ /)+228+/0699) %+13$9 45999+/$901327654'&'&'&547274'&#"'&5373'#%7JM@B)d^7K08IPA"KJA:[?=@dr_kP,_BF4_kp^=;uus\.,h>R5yGG%N/6x++ + 7/!ֱ /)+228+!09/6919) %+23$9 45999+!$901327654'&'&'&54763234'&#"'&5373'#%1JJ:>!`<- &))?E3?#b*,+G7=@FTfQ|]e4`8(728--;EjdM{i^4^*1K ?(CGG%/6o+++7/ֱ32 /)+228+/0199) %+256$9 9+/$901327654'&'&'&547274'&#"'&53375%7JM@B)d^7K08IPA"KJA:[?@)h-dr_kP,_BF4_kp^=;uus\.,h>R5y׍%Nt/6o++ + 7/!ֱ /02)+228+/39) %+24$9 56999+!$901327654'&'&'&54763234'&#"'&53375%1JJ:>!`<- &))?E3?#b*,+G7@)h-FTfQ|]e4`8(728--;EjdM{i^4^*1K ?(CK%/6q+++7/ֱ /)+228+/0199) %+46$9 23999+/$901327654'&'&'&547274'&#"'&537#'%7JM@B)d^7K08IPA"KJA:[?ۍ@=dr_kP,_BF4_kp^=;uus\.,h>R5yeHH%N/6x++ + 7/!ֱ /)+228+!09/1969) %+45$9 23999+!$901327654'&'&'&54763234'&#"'&537#'%1JJ:>!`<- &))?E3?#b*,+G7ۍ@=FTfQ|]e4`8(728--;EjdM{i^4^*1K ?(CHHR!/ +++ 99013335!37#'Hێ?>qHH$*+ %/ְ22&+ 9013327>75#"'&535###35#3i42+ifqGšSC%P-l [ ++2 +3 2/ ְ2 2 +@  +@  + +@ +@ ++015!#3###535``PP㘡;š!c+3 + 3 2/3 "/ ְ2 2 +@ +2@  + +@ +@  +#+01535#5!#3#327>7#"'&5iFy+24âúP%CS>PX6w+ /2 # . 7/ֱ+ 8+2999!0999 #',999# 999'99.692(9013276767##"'&5#7>763327675#&'&#"P"8?mk?;" 3b.3)+-* 1)1.,+5_EC+33-AE_T"7$:  N`2O+ /*  . 3/4+ 999  999$99*29.%901732767673##"&5#?63327675#&'&#"N%,J#7 H .3)+-,1)1.,*S=K7^`w   PF?+ /ֱ+ +999 99013276767##"'&5#7!5!P"8?mk?;" 3bs5_EC+33-AE_T"7$:âN`!+/+ 99901732767673##"&5#7!5!N%,J#7 HsS=K7^`wâPV+a+ /' +,/ֱ+ -++99'999 "#99 999'"99013276767##"'&5#32767'#"'&'P"8?mk?;" 3H"I]8&I:j $4+5_EC+33-AE_T"7$:/:^  N`*=+/& ++/,+ 999 999&!9901732767673##"&5#32767'#"'&'N%,J#7 -"I]8&I:j $4+S=K7^`w/:^  P!)~+ /) +%/! +*/ִ#+2#/#'+2+ ++'# !%($9 999%)$9013276767##"'&5#264&"462"P"8?mk?;" 3ݑZWW .<..<5_EC+33-AE_T"7$:k|QQ|R:++:*N` (~+/( +$/ +)/ִ"+"&++*+"9&@   $9 999 999$($901732767673##"&5#264&"462"N%,J#7 uYXX .<..)&071`qD$33m?8"5T:$7"T_EA- 06&(&fL%3+CENb`+(++ ++ 3/ +  +,/ֱ!+ 2 2 !++/+-+(9!%9 9 999(99"90173327673#327#"&4767#5#"'&N ^6=)&072`pC'7#J,%r06()%eK%^7K=RY/ֱ +$+ + +9999$9 999 9013733##'##'7373'#ʬg  fX^^X%=@XX71111GGu/ֱ2++ + +6+ .+ #9........@99$9 999 99013733##'##''373'#P  PA V{V A>?`??`@@I@@IGGR :/ֱ  ++  9 $99013##''373'#oo=@`GGob K /!/ֱ + "+  $99999  901'"';2767##''373'#2E 2rSJR R=@`"A&dYP99GG/ >/ֱ  ++  99 $999013##''35#35#oox `^R &/++2+ 999013!5!5!!37#J`)+  &/+ +2+ 999013!5!5!337# 5a׼q^b &/++2+ 999013!5!5!!35#J`)+  &/+ +2+ 999013!5!5!335# 5ϼj^ &/++2+ 999013!5!5!!37#'J`)D܍?>+1HH  3!5!5!337#' 5 ۍ@=)HH% %/ /ִ++ 901;46327&#"%75#"'&535###3375i42+i@)h-šSC%P-1/3/+901373'#=?GG/2/+90137#'܍?=ѸHH / +/+ 990132767'#"'&'"I]8&I:j $4+w/:^  f+ /++0135#fR/ + / +/ִ +  +++ $9 $901264&"462"fZXX .<..<|QQ|R:++:*\2/ +/ִ ++ 9990132?#"&54767#\q`270&)>6c%f&(&60&9=/  /+  ++  999901>763327675#&'&#"9.3)+-,1)1.,+   H/32/ +0137#37#נĠJs!5!J)Js!5!J)Js!5!J)JL//+++01!5!JmJL//+01!5!J91 + +/++0135##1GGfq -*+ +/++990135#3-fqH -/ +/++01;35#-HHfq 5; + 3 +2/+0135##35##5GGfq/GGfq  5; + 3 +2/+0135#335#35gpHgpH  5; / 3 + 2/+01;35#335#5HHgp/HHgp  5; + 3 +2/+01335#335#5qfGG/qfGG  R5F) !/  +/+ ++01327654&#"RhfJHhjHJ1hJHjhHJ5 +33 22 / +01;5#35#35#5BA5?d+ 3+& @/ֱ9=22!22+*2,2A+399 $9&+,:$901332767675##"'&'535#535#56763235&'&'&#"#3#5k"8?mk?;": /"!":EegE7"kkk#_EC+33-AE_TT$7%9'8$:TT]ED,44*FE]J5XN/ִ+ + + +++ 99 99 9013335!333###JhqhngP3NhDCyDhT???J5/ /+++01!5!Jt\\5++++/ִ+++011!\\+++ /ְ2 2!+013333!=476325.'&#"#iϗ:6(>8iZZ`3#G I*+ /ְ22 + 9013335#=476323#.'&#"#ihh:$Ϥ(>8iZ3#G I\L F_<u_u_77X;;JN1%7V1591B1)J$J5-JA5D7-JBM59jJjJ"J"J"JhBRDRtRhRD RR R\RR(RDRDR%P rR9M5J%1RBJB RrRlRrRRR?RJRv%NZjz =dR9qp5p5;J|B1l5Jl59)KDtRtRtRtRRrt(RDDDDD;PPPPRB1111111BBBBBrrRrtLR??????NNNNzRz111DBDBDBDBRJJtRBtRBtRBtRBtBBA A A A  RR rrrrRrR(RRlRRR\Rr\RrR\RR\RIRt)(RR(RR(RR(RRD?D?5D?RRRRR%v%%v%%v%%v%+PNPNPNPNB#PN zr r r %f\9EElJJJ&JJ515-5-p5p5p5p5R5-5JJ\ VZ@`.H X" (:X|  Z  8 X $ R l F L&R<l(>V>fz `v^N Bp\:R4^^|z > !v!"N"~""##.#@#X#p#$6$%%&.&'l'((d(()2)*0*+b,$,-.H./2/0,00001112d23@34L5,5l5560667F788~929:f:;L;<@<=&=>>r>?N?@@z@AbAB BC8CZCDbEBEFG\H6HIIJJ|JK@KKKLLPLMM&Mx * x (X 6 D * $ 0: j j t2009 - 2011, The League of Moveable TypeLeague GothicRegular1.560;UKWN;LeagueGothic-RegularLeague Gothic RegularVersion 1.560;PS 001.560;hotconv 1.0.56;makeotf.lib2.0.21325LeagueGothic-RegularThe League of Moveable Typehttp://theleagueofmoveabletype.comLeague Gothic RegularWebfont 1.0Tue Jan 6 06:19:59 2015orionFont SquirrelgfY  !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghjikmlnoqprsutvwxzy{}|~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~uni0093uni0094uni00A0uni00ADAmacronamacronAbreveabreveAogonekaogonek Ccircumflex ccircumflex Cdotaccent cdotaccentDcarondcaronDcroatEmacronemacronEbreveebreve Edotaccent edotaccentEogonekeogonekEcaronecaron Gcircumflex gcircumflex Gdotaccent gdotaccent Gcommaaccent gcommaaccent Hcircumflex hcircumflexHbarhbarItildeitildeImacronimacronIbreveibreveIogonekiogonekIJij Jcircumflex jcircumflex Kcommaaccent kcommaaccent kgreenlandicLacutelacute Lcommaaccent lcommaaccentLcaronlcaronLdotldotNacutenacute Ncommaaccent ncommaaccentNcaronncaron napostropheEngengOmacronomacronObreveobreve Ohungarumlaut ohungarumlautRacuteracute Rcommaaccent rcommaaccentRcaronrcaronSacutesacute Scircumflex scircumflexTcarontcaronTbartbarUtildeutildeUmacronumacronUbreveubreveUringuring Uhungarumlaut uhungarumlautUogonekuogonek Wcircumflex wcircumflex Ycircumflex ycircumflexZacutezacute Zdotaccent zdotaccentlongsuni021Auni021Buni2000uni2001uni2002uni2003uni2004uni2005uni2006uni2007uni2008uni2009uni200Auni2010uni2011 figuredashuni201Funi202Funi205FEurouni25FCKPXYF+X!YKRX!Y+\X E+D E.++D E2++D E++D Ev++D E>++D E2++D E ++D E z++D E .++D E+D E }+Fv+D E+Fv+D E+Fv+D E`+Fv+D EU+Fv+D EA+Fv+D E-+Fv+DY+TPK!42,x,xQkirlent_sphinx/templates/kirlent/static/lib/font/league-gothic/league-gothic.woffwOFFx,FFTMmҼGDEF'_GPOS9MҴGSUB ,0OS/2LM`wLcmap$cvt @@nfpgmeS/gasp glyf adheadl26ĵhhealH$ hmtxlhb0NlocaoMmaxpq vnameqkH)#upostsT@Dprepwt/Cwebfx$TМKdtu_ Xxڕk\UI&3ӦIm 1DP"XR}N'MHۤF>@KKZr&gAҧK!P,/)wDNRZ/딼\*?|){E{^UE|g$1zJ'^mMk-ꮾ׏Ykpݮyׂuy׽z?AnrYVk1e-,w~7Y6-_O~((z"ϜѦMWxT9y(@+(8L$L4,,, ^}FNUK'ɮa Gdam<# ^@x / ^@xUE?e/: }c;\J ou}p a?000iYy.0., ZT"ujSge{`D\#FGa a&Wy:)iYX%X^rQo^Րe!CVP""ɸHE2.q!CN=Kj+ANWA:&5Et^Ԫ6C>g\_K iDӸ&4i֌f58Z/iY+ViZ>zEWr?=(amVomchuN.5N>|h˾?E?yY_#8 2*gV^o1ױJ +]J.AX^au}D> z+Ě7yuM*V5,E}yǣA^z]o;晶еgX[TLUT%MUT%u;@s߁B0G^tLgLgtfLgtVΤ̘Bߴ-\.7+FtMkk!b%֬=L%ʹJu &؄bb7}e_>#zj*t&nz[Է$}XXN/G%י@Еnѝ !C?3P*p>D*( a(0 "ē@"IH&THgvjD&1)L%iL',!<)`1YSlJ)9T0yg,J߿Mlau('8}<:89.p\ ݽM>=U} DqwH +Yf/ϪZְET G$S$O%[rǍw7ˤ\*ɕ:vZv[ռ}$H*+$I|jII ~`{Mx]QN[A  9{ Սbd;i7rq@D گH!H|B>!3k4;;sΙ3KʑwkS$6NH덌Zlfu є;j=o)M;Z ;4: !qKͺb00.?R4j˰Ѽ34@Skm!qK˦6$tUS]`*́Vy &ҷ$, b 9@HƼIJ;ㆵƑ6O'ӿZxܽ |T8|ns䜹f2L&I2I&d\HB""RAZuRE*uX{$"Wڬ_dY6^6uݮysf&!OL2sa8faج$3ð1!dž9bbLKM9T:2?sjtTw̋ӡS p20Q,Y1 qY,b3$ ٬z',d(ҝ8ܫa}p/?bZc /˼Z.x=<4CHPƕ0+w,\j'7I]Y,Ͳ^T W7i  !^qh! m%7~A>roudekV.2, :h[N㫨 C3Ï;3|T`r'!GFsdu뵊#ѣu͟;}'џGY!ҟuz>r<2s#uL'+5c<7!SR oDwK;jVe+`8jo;3M5mKlnokO8ȳ-;>1{=gS/ڲco}v.\gdGGrFd}>d5LYer "ÕpOn?YD "+/I̱a/|+" 3Dl,gMTF,c.TFFIve9Q)/R=*̴g$gLV&+RN!@7~8oww{wp\dĿq+G@/K 2]:D?R?:Ŗںӯy},dup?qm~ ;lMf&,.K< 8h3Ls3Ja<+Y8+G* q J#9r<\VvK/7r,b%(mХJ/Z_>AZ!ėJ#IfbzyE\^;I@mpj[W_ _ :F' wofn%Oey+qNXo2U_ܦxڻ- ?y/myȳmsw]W}_[t_/;W6c,QMO`eCC=Az.G9>HN @$_8W9-@p}M {1>?_A94ys'?$׮Ϗ^~Lb3-t￲M%_U;k؞eͫ>ώ< n0Nfb!ܹkɲ]w?|V8U'XP7B]6a,ݰƒw۝]{]>ߔg'cB (#R' ;i|(||} 83 82=aօWŏV2"|/[<"OB թMGң^srozXJL k#GWD; =љf<Qaݟ 7IWr:yA|bǀw}L`rz\ey3 6_E]V@bJ!Te;F hכ/Uh4fӷ^{;쌲kjc֧?9}Sw;[[>4SO,B\эs"lduӧuх%pAlyri\WLup%O*55"ReґT桔Eԅf Rۊgq(2.$P9TúX`nhpdAMUDmŬx9'p`-9o5e5eoFVo4}뺯f邏__sӒo|cƝ˿L皟ܼ/n6oRn͠xe0`nQeE(\MBj!P*K*U@QIJT$_TP/߲oT& qMe$Q N,Rvоk`A$W7?քP e[V|+nɟZWW5Bcd_t$\+<3 >GD@%U(GSSAPKzf] !jlL*RM|Qϐż pɦMlX>{(O7M7Q# cqJˠgv聩&|;<>ěOQe:ofS6L0pF(*Sm2GW6*,%e^ɑ L%bt|9>Q ʦ#6wX *<'.~rtTL4oߺt`3U&c22q6߲)v|h7t3`r:]u<׌pZLJt`YVd2CUIv8RPUD0M*u^i/f:%X \ @f1+wXՁXP*3J9qȑ 3QːaxQE +Qc۞HXMQe*qٚ-?}sSE[њ` [;YךnJ5YeΖ'ɾi#([8Yc퓕2,j+" zIj,zFNd|fR^~Q?z*agުeSt'eOb~yfɱ1e<'!J+;ˏᤢs+6XB-,V5؝# P$۲iouJ+X-W- 6_?X_U?/6ɭ5O#ޖ}ϴxc?}Ƀ| fz8AcǽT5qxAVzE\bADIdeDcT:[:[hjZ:RHP['?39~;Q-Vח##9RMHQGpeIT`ʆ-`BS P@+-*PйX3K _pJ}x6|u/|煱ns^l>+Ă޶ ׳c HٔTlhȡnkj?Q t{ﱁԖm v! a M~:d N|=Kܷ0729#C\csA+ܗ:-YrF[%Y@ &_ HC:zX/"NizfPBmw+v]\Vd0V5 pjhaߔ[ 8hc;t''}^, )΢gE\1n&!,mB0$aM{9)^;gִkYuk cXYJȆc18P7TrI=,ȬM~!qsm&?d8;SUpm}f d"+8.b=kw='s|Ǖu0K7̋pTܟ=K}LGxy F{(\罢EC4b`1>=kmpY{v=k-_ {u(BY1ů^x?XȋaP7L;əq6a\G,StJ>JO$yŃk{w7=sw} ۮwvu}o~nE>3llgUd)xiLE]*{~!\]zrU0_UycH,)w1=Ccl+]qp*Tgj:JW&il'xLT偨,͚[8دF?ooӝ<Fo/ߩ6nf\C붍nrQL`&qgGm̡߄=C5]{Ѷ$}n {{͚ VNP듘,&"_D]^dic^I뛿湶0L=Ya$#yL7G=gf1vvA=w OɈov}wO5+q,w1c jqw5ZÎ ?}z޿Ñ;]c`G; DDZ>ׁꀺj_@d' ͠mb5SPY[tf]`~a_O' =ٓ7  d9Lazw7tM?!%jRlˋ {^lvNm4Np)mx~ber*GKO0GNͱ(DͲoW|C'N 2Δ nI VFI w {t22 `҈U?A!,ͺggem n`,sz*édAP_ tPH6YL&8>%ƬUL>Άv<l]3Zha{StHdR.oVsЖ68bm H]DwmxwKx#1jszenXn@&l7T2WVNu%jWvlBfW=ʟ <&lfR%XDe, rz`NO Q4$͙Z*p٬RZ$U3!7HAXp@vv%'E!rHms8-˚w޽w̓f9c? b$v k_Oi׏¸r/B-YcљngI%K8`B̖лXa,, 6}} F#~_)Y}ΡT[m(\j\3<`!uSaR]9\sHP@~=$sBm&3$:*ܨZ{cK*;F(b#U͵roջWw.3v@`ʉ ]@,>jlc =w~Q7Gq~LJbvzMQT1}]0+[%ENh ݞ*,lRG hM*}|3iQbyv5ܖVQh ֻlMw17]󽧟9bMTƙJXz#rcH><ĐTT di##7ݤ7U6Nm m;p*xrlNo}գ!Yq `1O3:\RpB85(KcrcRA]Yt-%MY5v%g#(ʖrfP8m(|rk݃k!hQLw;H>$EuvdIM[-'4"IwLd[T,Q6+߷ m&KplKh*[j;Ro/ٶ\J7w.>O/{CwEO-efWůz*zolKG"-D:~W8mqdq;MSbM2^*U$tEL/%AG<Ю,CMJBı^դȊI,ڴ=Y-ve`ka5?rJC"i #!7=NO4jY7J)FOcȏ&;~r%Sۨbjt~-0"؛-GF&pvy ֽ=hl)slğC,HUkA 5u^g~DdN7z}C#WyFy'N#.UIB ֓|rN*)<$ *OS7r5FDi75 4Ps_olkw=)rE'1ޟI]vnKضaN]&9'u~[׷oh]\`O|b=N% p$G--kD*ZSyCx$bBm{A['Beynܳg|XwAGsMYw߈L]p l`Q;Q(NYB*2U[ΞeA q##6ywebљqp g]23eGF1ı0ϝ@ΐ@^mj=_^` g &vSf+RߑX;DassrpӍaAh*x .`0+ OB~⟉O퍰ged[B1 NМeNv0ɚ%=u,ƪcnUU;bt$Wf.)rP;+?V !a}YXͪ+A tA+_nӕr>igA0!, j%,`NAƙ#,0V7<ɒ)xI:rQ_! 4$G"ySƨ&†*]}-mXfkv|/ oU;z>yb,ViFO.\A`:lZqh1>w8,gh8% IT8 ( jOJCfV8Bn&̐h.AA3kp'5P[/#粛buۖ;tvm.&هCěEO~<Eg0Y%"Ŝ GnLO|w]b`^ermHq<&9C9@,'`-qWW4ΣJDFqxi# G<-a9xdΚ*i;hwJI 8Z*lPu5i-2oUI נJR`ĚIcs9xnvD[tZ6ﶾWxڪl ?ח{nos_}+_ze_ E[z S^o՗񩟾乱^ݛ6-[30^lwy[6hN$GpqÅO-peGl G<8^o U>AC.>s:lAaJᇺҔeYrAyɉv`WPñ} LGӧ,_hAnf^cï[4W}ҺY%eeXSA+2y=٠w%wxL Z!b]NHa3LI`YE\3HΡ4GXi/ݞӲ UwxT$EDsXIjjf 뙒cpb7[{=wͶgܴ {'yX!` ;n56xO ˹5^|{nKzrʮ;yۚ7nݱCCfGseUfwՎzwfR 9̌d(LQ`%n!Xni^U䈿?I9 hh76QhhR9#9*jb6hD(HL Y#Q DL7(dui?Ϸͩ<]"죉 X.leE7uokj,),tDabbL:!1@y?Vee)B2:%;8g&L @Nba4_NR4n{o>w+܎WQlHB-$/WX⨟zᨪMW"FD{LZ#CG`PϨO\;CP]Kh2 Uv/y׬jnUVo]C,sI߰,K&VGO !ڊ6[ L`JSpyo*;'޼ͭ%l/q/{=βNҜ )o躒?Pr{q'Cοg_[l2Y'%RBdJ2v¥ (DZLA]>*Hb0uӭ^]bIJ:Tށ/'\ $QUQ}Q-^H|rFzuT}hǍͭ^Gܷdk;yKN>rJzLsAkBŹ)x#[؝E۝ f[)*~Z=h(zk=K燣Bӿ ];`M`€q9 gK BP[琉eqF!NubF{M7'A1ӽ SC&ͨz8'V[MاK_]ؠk|Ns5nUW}i^#hJMGHJBq_q-%WO'2ı؅A9x\҅A2/2,WpuC㢏Y<<a)-?z̸x5M\ȓD4ϽvLL!+ޒ㑬^Az}WGZr WvB B}-B Iњ,[oSlݨ_r;+Gh{m"7sA}z(rb9nmlz1QJ}>}#qbcc>P^N"sG3bxc\߫]97>%ܻ^y"Iz/էllߑ#o>J<Ɔ־D$>Z *Jf)&8Z$R1Ě$jYN*"6BQ NM (JNC!zGmI'd-TiRo+,XV8dfgf<Krwh#a=8h&\1Y`U֨eG;AhAQV&I*QUL9֑4g N&}4:K_ERbauA >}a^ 3]x~A@mloKh°0 ő͵a,@9=V ]|(.";"+jiKb.d}~f ҄F[onuXHwkc$*WԦ?'CcF&mMDmȆa]SA(Kb#ڦp %ԽRՍ}4­0 J>JƐd$H?9ӺI1 r0qF7JXGZ% Y 7huNTuJ뜔jlmۼL D 1f|˺oX*X6:FՕ[-Κɗc/!zUVD2T+rz`\y ZPEUwLD&LV"Jvc WzZ2ilHvЂҊ8$K*|ie ia.4A:tfE>VXO Vm6Rڻ(rιDa_J %qCS*2;UXuM<RXʪ'HgPV !KD^|e/T 諞zݗHb(myDۊE PO_MุU8.Sx 8V(8GͿ%iV%AƮ]D+.h]c@j"=OcmZ~ZX\4sU`3@؁[']!!\@JS +omp[HTwpƇ SQJ& w5껦B]Z}8$ä:֫x5*#j@!hACgOI{n=oⰰg*eRaN7#M3UͦQ.^zZ{Ms/xvRqJq.XUi&nTU=mvS;zQ#MB9it'U:O2[)DRA ./E/U :n"q"iO6`Q鄰A=}Vfj xaˤ3q2g1N+ ZL;?N#GtNo>fj@ѺWX&4 (N$(922GK*RBz) )U&asIebm:61Y ތ[[hN𴲱%|qz7roSfEMٵw\" ϛVݵ{kV;y+Ig16˶x֕EhUYIaG“.8HOSa%19vZ?J?M*T6?%PqVWYÜ-: PGf^qf^h@MEu43TW"0fHeJW i=gOh+3DArՕݺXz:[&R5mhop~ X=gPHBa )ȭr*R8H"ųcJ3M[Mޡ Lǰ4 iZC]@F{"U_HZdUWN`niQID_`kX`\nX,TjV$K5C51>Fe' Φt16c&mNT՞jo+/_OMi~ҧ'@* *O1eEhWOWQA= R!-TxLM#GfB5GbyZޠ&;TNOݍnxb~ __>t0حq\xjEUUԢ"ZlI8ibZHl B]7vQ6FK/W^ޱ^4y7K(eF^Tbx#2MWy*XYh({K#3sMKK{$0YVڣ2um 3wkTJD11l k)+D/"(:R݊m1y}h{Vf$V+-)gI[x ц>"/Y XB̴nc~ E]HM>|ȱy`h@r" aۄ;>_`r=~$QJ) tWꕼ& ԨŒlx> {'xu+,Յ;@wM*<: + s*u@?/Lg?H^o=R s ~F%i / gӚ"bwZզ#Z!S8lꎛ ~bG-e޸x}=lmX}l$Y7d;٤r]3։差>T@<`C>؆$pz'L׷نr3KJ2bY`wH t(SϬ6f0s$Lz1 aLH Eu2\.b%=3zP ѡIlgH _ڳST]=VQ k,X?%rq3Jw"(&;,7l$<Ғ"x&S= ŸcȬ"nO^%]P8S5=3N 0>}|<۪l[ʳgG!6{ډ=vs lC\ٺO\yv쵧8 `%a:ƣMZ RS hc"Xgy5t֤ÞW{3LA'Oac^>5vmco{sHd]{Yf"-|y?mÝ;^R۶ɉZm6Q–a[\I),$ItL撊+t9IN2:pOVGm3Pȧ"p8@PIu%RH>@4n'=??\~u?\>l0p-H 3Ze+J3sCZt:~|jN)ʏbRkaIYL0sm:Q6UPyi9sI:I6!/Ȓ-R$]І2V[wƚ'H"1\Yb{we`SYP~}͚d3n/?fJjHΪF6M ILQvONy oq!'1Θ]|͎'7 Aԧa "ZLk˂y}MIWZ!VdD_>ZS !1ܤbLg3E̴2Hj@=N2*r0Biau٠|VkxNQ ']8;ZksUϻFFT`"NNG&'\ \C)f};e  2 bƉF ;Fg F~ ds&S8 T_C~D&erVg:̓ )n?8)%+Q@ QS?o<E'£Kj}o=xۘE&תaVlPt`>}`r4\KAi6VIJr;Cy.cRcb8LnO! \cX%Z1xx@95$Qj V<+)H8USyܘNbH%-jE L[S[??e7ե3待M - g\{4}}??;bbm,:j]/dO=]#fOGxuiAWŒ}{}ȏ}6E2օVՑO[nev\)9W{ʦ\1T; D>YP5hgSmIYPpK:4Ե9u9CCmə KXg11]?Ɉfs%X].L_XJ/GX2}A^^裳֪g/|N0otCPus,^ ݴĵT.}y:4A)A 8a-QfP1( dy5i4 3of+RvoSs5VC/R%y}VHR>dX_,a20<k(l?=rõ*7,p |7ܰ{#ᆞ+הp֨p%U ΃ef;illDșIOyan)FeZKڊ\\.9\?=KOg)I2og WS'\2R*_:y5y;|C /ZBgN!4>x;ת4fNiާ꒩;ёg';wGΙNΫPo"z سtP[r:奥([Ts#]٬74 |4z˳- /tyIR%TEWREBJx4t|5i8_NR luyYLѴXcIӹmtHwά0̢ 0hfy4XH g&:2{ʍ V,7$teX,oʬYj=)o$f<"QLy ,IGEMџ%=~{]eWg9dƶsm)_ڐ1'EϊΔLDz \k$;+( d2 hz%z7 xߘbqH`?/q{aO ؂*RL9oÝ.IdɈ p qQ) aW_!ي!0*j pG!$" Fn} BF__v" cgas k?쬟LM((VSm1Ά:0RYً4-ҁy'0VԷ6cT1ޒvrqݥz˼^3Yo>T+i*H~oQMS:cs^.l(w! 4q$X"舛=BFX<%~cu؋^nj5F$fς=eH'g{KQlH7;mᢡIH4\$ܹp Fm3{:Nsd[dq'EsΡދsP>ٌ:#Xҏ]lH>:ZmrM]Ilq(Kgq$ e$oA [_HKn%ъIa\º7uW`,L-szt '[4K,I]n*"k#:p˃pĖK\y/8Z K?>2RWdy) |ľr#,>2BԚsNIJBvzb %12vmnXl硫>dvWwάis7h) ]GM8|<'$M&Hz0"&1:gHf4~D)V&x7V2Q[S'*9}-LtW)BQ}<%[v)])&z&ъlx "ՈKɀ ډ=O[JK] }mzOqXO;!l?̖'Nt~Vb,e_;zb;7 M>oqObz~۴Zh-\K-e'ՃWm9ϊӯ ɴWX v?1ֵo{:u`uaZMhwh DC,g+P+m={ZJܖ[ u4mR V-]P!U/;k_{az@H9"tlli_׼G]>?2.N$AD?ԉdF2s8l*R("쏴k T/lx;=Kz̭̐4걆y?q}8kMM<7NFt:߳0AXDT+ԑ6e^3idϵ./[ƞؾ)Q^됨MVI}ό6.Vkm>N&V&fxXɭΫ (}rC*=[# 햮]#\T/sC rʞzp,J1HJwBr3Ey{4ivSXڊ&klk` :5];켕\ 6NnZ/Ob&0: }L3Q,m`b)zo[]G,tz%[xDŔ Ԗ%h6D,El,`l4"Ҋ7Fw mOdp B~-XFM³?r kLcY,%yqlڂH6ɨ 8πa7D$lDŽ-FqV/ qqLn/QD*B4Dloazjv]zsX:~)Py<8SӎNJSOs/7ވ6Y5zx'8?C?Gχtnd/_H.Vh|ptZ] wpLh`#`QTU,b_#b. 919M+a*lEE|o8YuU䟦Nq g{pߠ'T{L0Fr֨ c*AkC ^BԤa]>]Գ3}cHLW/erf뽥}΅I\/j}a^ :Tgig"i2Dc0>{SDS9.ҳ5)(A!L6ZlB-^&jZ6'iNS͂7}yjz;Ю]rXo8ӚcI0 } +Մ\Ĉ=^Ԇ_C?J¬f> y.qU4Jv[u%L7;ń(eϧbeyPLH0I~&D4()VRc Mn[,q^ KqJKk8=M~#})k5;xW튆VGuLV .:frDʬDY7֨)0:މX 7ulj7dZ[Nw5Yd=̶Z>1JY9->fZ|?X|rm6hex9`f7@_I6^h MrҙRh3M6K)j)@,؛- 0j>R;h,LR:uI==,tĻn*G_yWܢM+56]k lW[ t`ȿh4(CC^WRzDa wG 'qmhA+![jK`[|sq^/g-IJI'-aϣrKV!W+V%4QO^0NOZ@[ h ,^:) [xK(j%V$(5ʼnFqr>F}41o&:ÊCHݹ,U(JQ`dcZ2W&"݋GYم)\[0!P\)am 7Ɠd^C.O,bn67EFĩRےHr/N<}P/~znшӊFvP p2)zQ.jFi]USB-GIœpv!I|bB*0ADr/.21x-},5 d1Jz {$̢!ۗC84vUO%;cJ`<Z)l[]'Œ EL>*ƃ[ >kaO5d3^+BuB TWEOG"Zੋ^˜ m f S~^_Ѐ&ٵ߸r'^mk ƍQcލ+n85f!MUPv[}yz^𦀎o_h|7c0e.(w-x$]^.Wj}$]?_.W?Y?h|j= M jmBf/BJG B1^ĕ8KbcxVW9ѧR(Aa0ݩ*E9<~-~c{)}ncwF W`x.^EUī#FʚQ6ū6WD"VzHfx{ؕna[,W+WԈ$3{3m8aRC8lb ⊨N]͚]u sSk~y\ Kw s&WUc0.ϩircj$uh(p~=|ZHOÜyir.Wd7_FJmbma·…PӁׂٴ1Or+nPm&ѺF+oQרgNaK`i%#$~wҬtG,|׃lZ1FwJ?^yQO~ ge21>w=)`%@Ow@-3}ZO4(Ì7c`ֵ$%uj3AbQ_V><iF1eatrFK˼|_Bx`\ nG<3V<6\jVg%07%jZHBz`7jm9amU%jiMI QA=+m: Lm>):}V"ByPV֨`u0Exc`d```q .1r9@D xc`d``6s2`,xuT1hSQ=ᆵ)M j 2HCH(RJ-iEPDqH)A,J)!t(Db򓦵 {?{y<3yplbX|z$#bv.&$!% [, dCfQD, !8^~ˌni3»pBԎq>|EVV1${1F1dO#k,--W8fn֐ 6<'qGu:"F&qXS/Rg<XAg-K=AoRl>p1&?FdF"9?:|k>-"}x$ Ѻ'$ ʺ"'Z+s&ޠ Ykv [̩ZB-CRǔ A/o?X\E1[dq0tl~- jPVsjgܝe^Yu:s:]/t`Q= YȞ)y_m\'owY#վAw1Dέ9l7}:K^muz=JmsN=̞{#k*'ѻ\#&pkxU8hv y'[^&th *}9&s[܃-xc`0(L0b"Ģ򄕋5[;+I8pJqu[ۂ; <*#'IVH+5r%CNa?2sJ~JuJ)K));(G((S1SY*ڧB=G}F>F i'mۡo@`!+o Y ; ]0v0eccc􍙁Y3s7 9:K#%ViV}8U]a'eWdwC $IN3m$&j&9s<J 11sq+8,O1.xֱ4ֽYlXYC%l_ `Gs_17[9>:*p7)]'8Íp92oC-uzhX9#ʜW!v>Q;ٛy;V ?ѭ7oMF-*jGTHC:κGY[GtS%v6c:c%7Y}xmWPWʖދD l@ຬՂWZ'dR'ysc&$/$6';h=}9=9Z{<;PbPALDF)0 1S1 131 1s1 K ˱+ k A@%[ ؎؉]؍=؋h@hB38hC;:!t0Ѝ#8c88 E,f277#܂g}x /~@mHx/ :~xo4~/}0я,2p'l"A G cqpw".g'0 eɸBp rٜù\\s rsWrWs rs7r,g+Y-mvNW{>ְqֱ LMlƃxVAL߲nQqIu`&a9S_c|O>tc.9a,+`6lKt47ۛчZ!դ켪iiRc-S|0./qq!/4`\{D>Q^xXZ٬*×|}҅8У:$f&+`B:1pb%fS(Xd}w&u+Z)SSUJCi/Qŀ2ͣCio[Qo[ꀝ;@Z/[FnViޖ[yCYkڵ q͗LiͯkhvQn1Wr^[\~lqI8W,.)R{Rhw=$2Jܱ,yןr6:}|q/>-xu#aIƶGcXD$U[$Jn Feh4k\ZT'X.YU%Uu5)<x=; @`7˼ ^`ҤAȂH!6zoG,A670̋}/ĮM3v}E;D6TlrB\eEXUVsn?lZ(p(8\Y*x;l|{*Tamx2Do]3f & Lw94 0 T_RTPK!NHkirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/LICENSESIL Open Font License Copyright 2010, 2012 Adobe Systems Incorporated (http://www.adobe.com/), with Reserved Font Name ‘Source’. All Rights Reserved. Source is a trademark of Adobe Systems Incorporated in the United States and/or other countries. This Font Software is licensed under the SIL Open Font License, Version 1.1. This license is copied below, and is also available with a FAQ at: http://scripts.sil.org/OFL —————————————————————————————- SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 —————————————————————————————- PREAMBLE The goals of the Open Font License (OFL) are to stimulate worldwide development of collaborative font projects, to support the font creation efforts of academic and linguistic communities, and to provide a free and open framework in which fonts may be shared and improved in partnership with others. The OFL allows the licensed fonts to be used, studied, modified and redistributed freely as long as they are not sold by themselves. The fonts, including any derivative works, can be bundled, embedded, redistributed and/or sold with any software provided that any reserved names are not used by derivative works. The fonts and derivatives, however, cannot be released under any other type of license. The requirement for fonts to remain under this license does not apply to any document created using the fonts or their derivatives. DEFINITIONS “Font Software” refers to the set of files released by the Copyright Holder(s) under this license and clearly marked as such. This may include source files, build scripts and documentation. “Reserved Font Name” refers to any names specified as such after the copyright statement(s). “Original Version” refers to the collection of Font Software components as distributed by the Copyright Holder(s). “Modified Version” refers to any derivative made by adding to, deleting, or substituting—in part or in whole—any of the components of the Original Version, by changing formats or by porting the Font Software to a new environment. “Author” refers to any designer, engineer, programmer, technical writer or other person who contributed to the Font Software. PERMISSION & CONDITIONS Permission is hereby granted, free of charge, to any person obtaining a copy of the Font Software, to use, study, copy, merge, embed, modify, redistribute, and sell modified and unmodified copies of the Font Software, subject to the following conditions: 1) Neither the Font Software nor any of its individual components, in Original or Modified Versions, may be sold by itself. 2) Original or Modified Versions of the Font Software may be bundled, redistributed and/or sold with any software, provided that each copy contains the above copyright notice and this license. These can be included either as stand-alone text files, human-readable headers or in the appropriate machine-readable metadata fields within text or binary files as long as those fields can be easily viewed by the user. 3) No Modified Version of the Font Software may use the Reserved Font Name(s) unless explicit written permission is granted by the corresponding Copyright Holder. This restriction only applies to the primary font name as presented to the users. 4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font Software shall not be used to promote, endorse or advertise any Modified Version, except to acknowledge the contribution(s) of the Copyright Holder(s) and the Author(s) or with their explicit written permission. 5) The Font Software, modified or unmodified, in part or in whole, must be distributed entirely under this license, and must not be distributed under any other license. The requirement for fonts to remain under this license does not apply to any document created using the Font Software. TERMINATION This license becomes null and void if any of the above conditions are not met. DISCLAIMER THE FONT SOFTWARE IS PROVIDED “AS IS”, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM OTHER DEALINGS IN THE FONT SOFTWARE.PK!8''[kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-italic.eot'x&  LP  2kSource Sans Pro ItalicVersion 1.050;PS Version 1.000;hotconv 1.0.70;makeotf.lib2.5.5900,Source Sans Pro ItalicBSGP({lgisutx&s44Po+{zwGdRɰHLx1D?W#X9PNQyR$o;%35r]8:ʄr ŕr⎹!zihVDO'>^̾gz0{/:D[/2^U!O ȬahiL (>|ys#OYd& <-\7&3YuIW 6b r{a&%5Q@伝;}B%U!"cTALJ 9c*h>FZx (p4tX y8!N"xIM@4GmvY39C5kʓ}B+9qGՏPXfI]+bL$+횡+ʊҤ%R XPf&HLZLzժDT,TQMQNAQ8 ؟+.9k[Ck-E{WT㺉h{0?eWkRRDA *~AZ6u"y 4566bPQz]d*R7fH\pgL48naK5V2ELi{DRF4gS':tF -㶓90T?ĬyV#ƒ]#v #XF)FC17]#[4WDɳ!tNt%#F~;E2_8vNL6Ȍ>k!c_i 4fuWFHԱb!kJ&,q{urP J{*6RF@@e~e_Q{ǤO#2./5.l߶T=\dDh=c`M"p@@?' +^nH& +V<~}&=Ѡ"!+jW\Ϙ.!IjE.XCG]B%ҳ@!Nfe H\<kq?Ѥ8rFiRSka) Kc&yH(q<0̹1ǝ8^!T ct#NE6 3j tⱒbՕ^$z5]>߫VzF4en*HScF- ]jHERPn1 C9(| v?F $t%(8+.&tȥCREjDBObֆV'A V% /6e!fVBSz+Q`TQcdQuzHVxg=$pfAX`HfEm Fn`@,&*I~212x{c8ҋU!e؜!#6 H!(>_Na.ܼ"_; 8V"KLvBw sӃ!u$̎ jd~<ZcZ-ӛG_mbQ|}p: IVTb884N%;!'10iD,~"M !:h\Z}) j RTR2׀_=*eVz s!6˨u#ebuuLQ5Fw|fyǩh {l1!QWIhB4Eԑ FSVgCގE "}͸9+FUPܕz8]Dye8ׁn>%,R(Ob[UZC]Y2o`4{ϛ> 1"+U\6WpUtϡ48^:-+},/SDDQ#V UkqRBoCf8.?p{ "xďb=K~~!DRs!8np˟?δ3 whW:`;:6XS 196F_U8e~p8/hه 7ЖƞƦRI +cW` gvm 4C|LI>d`b.N >v^0 01qͶ:cO |]sJ`TX&Ur{r3+d ӬaQȐu$ qa9%Anff&K CP0,ũ CzUk|) SjڭD0Ʒ',I,M+y1r⧵dBE2cc'W>yA 0h?kf >y3a}Ե uS%;."$FUX^ cyaHOj\nDDqaø漟 ګӁCWLPA֔J}v})?QmP& )PdImg %j, g_I["cCQWU٦7gslfu ]igSxZG8~:֩CӀ/vc$aC</-NX5hZGO>-;` \2О:r* ,h#%G,j+k4~$(+^N\DR7ZC vSMCW ]P}PCNQPF kO<& @O ՟uAWv4."Ý 48?Bp\EDT/eֿfc ])ZMy/-20.Pᎎ/X>\I=E>&,M< *-eԠ$%35i$=zE_c16 ՄJE.dA{frV渲~KѮXs )`q~"sfWs)HD\gXD;*@p3y 'd5JR݆V@̉ #oTp] 8lPz`6ux - 4VJf 5R3_dJi mQ ?I(C,QWFP NHFY`(M*0Qbut¢MPV20 : utjllȿ k#}5 Qz)̈ Kd6Xmf ;+He^ (ԫธW򆂦.!hBµ9 Bh'"W*!\2i2X4fpoWl]4uIPx=k7 * @U  Šxj CPSw5hktd-S*nRTOMEp-7bmd0օk٘&ECǖ '- g|r ׉؜;t$<k)6բg)=M@ ¿I@wjVb`VBFڋ* ՜ޫ?L&-#!!^4٢qv*b.J[[CܢÜ*yژi72ki i=)xiߥEhQg)'H;,P{[ N#<3f )SD4rY _5Y=BiӮ\"O4=n;?C JD~a?՟a"ް>~Gl,=i/әvjn]Y\ͰZQ˵X`/OgACҔeYnJ.π菱ze1l3Ѿrǥ@mGĒ$ۚyLe܍-fjFՠ0\`HV5W`ϼ-;wI$Vl ɶ*tIS E]1@*΁|A"`D'H$~j;/b@ho1^S1vwAG$(?Jc>F* ԏ2t:W3YL}Ι^$W)M|mWa=FDJCwvڞe}Ry T)e&sJeM*T[0jR 4I9Q$ĕ3sMR:44|$9sXR@Pf$-|WƜLx0SyQ889uU;hv`zXJ!@f^@%74#V4 @j %yz xV ]쒪^@ t!rpn%*;!(]H$=D;aI856wsMO{ ܥ4xkGYQJj%+|5ӡ -x fh>"/]Jrj2Fؽ% "ˌwݤ&/KQ\s6ޘvcۀ֋T:^$2**{ƱjWIrlb*k /YƧgPa^ZLA >C6D P@ԑP.5p\j\iC14|ЄВ]G*J OIHhZGG. c4Z% J^H@ј夿Ȇ/-C)u-DIZʸ CD\iJCEǸ8Wh<ݎ Pf09s;T1"$<982rlXnFY 3}cmEc7K!n"ѮQ3wz4Js壉$x[%ˌ gn=ThdS>Dm8#M rӘ >?I8xjRx1.4$ n 輧M›<,!h<,A gt>n xhxX!i<_<_E= 8ATJqB 5 q]`c'2161Fo$_%2kCQ8b (RxKǍ:/,xYrK:2l784Ha@Mǁt Y lJ'A^6 Ldg鷞dr (H4% Xa9UUx}^$J(l+9& OCE+5H*zc0ZtTF0(HZt}#f D "7yc]8F:r'$*K CI&ۘ G Pk ؒ@%dQ z̫‚HI"+֐䭨ðrUx)%A\z.{d V w)+\3=0TaXz ")h si]!b =du)BX@JZg$] Ձ$ &@ $р[hH |ak<ߒS1{`&I&,Lɖb uWw] GB ]ɤ K$8*VڹN,3M]e]G| x >UMd[j wD2:5& ڨ{QM6xyAh&5)]qT$GӜuG6萝_ 78](L*% EA( gi&aؒݹWWT)( QZde xtlѲ@$F]JLI2˅Nl'YIYR`5](_Te̠@$Dwj=\MG9%ZzQxUbe*r퇞/JZ5]U99)qA"dl:A<4umN$z4kMk1lB#X‘6K?rPn\3'g4]\3a`4$ U +2چO)]UfD`EU@̉ZOƤ\$=T9Np"b́iLo^<7%&G+(t .7; SrR@O_R^Az#e.lNjB6.&ɾr+M|lr-Kd>E]\#@:}PKBfPKo=4`ws09i'Qۏ8RH$+T MώkdJk)JO]2B!P.ИKd5:`Fp(L HV ]RI&ۋF(/,[FH%Rȫ"(ȨJSΒp uS3!:;89BQTF"3y]@ A P\@`L (Ƭ|4@V H-AkZ0w`)Z0`H BU6 :K H( B>\*F/'<ީGvY>ֽqbr?>L'N߫ 韒qzLTRopgCoٔ!2C`%(%_2)4+b}D۩R 0M`D_2DlJfϡDrxHVSj*`=L(X&ILMAE ߩ:b[X^>+'*;5iØE4ڐXgY^q& :3Pp+Al)B5$V$ T2!>\V*|edIX]IQqe[>_@ 2َc6H ֊F!y*09h`ߨ0D5\#־&°(_BUyX*D|ML ##L XS3#i]4~Q!<9<+ ҤE򬕞P0p2k^NA8A:7X&nUQLv8 e1M`,x'+ s`xxOƩ*lQS}Hm0@zgUwS!WkTйo-GK|kf4o?^%|=O[(px| sO@4Ɖ]>K2ܻ[RdSLO !)2绵w_.C^-yޤA̕eҙ{_k Rd8|?F+Aۡ5l`ǫ2DpU.͆(qWd|83P> ,'{ DjAH X=rP R!W7t!@'=Z^'q|4* c-hE*z (E>:Qn[OQt[]84eCX\X(A Â71!i?&wCaZSXR~LSƊ250zW =0 a%&Dl2(--U\wNT^fPHC꽟y3mt/du'-a^%_#?9$wQCДWs4& v$TH@m(h&\  x!|N#g{rV1](kui חi{V WI*CeW-A+xkъִpCGI5UfsKۆ u 2t,q_ 5cQd;Io, WY=7俒_=PBΌ!8ߚu!qb"FA#aIח`aJ&ܬſm%J FSh P['ɚb͍mW9j[EYBHr[SMeVOOkbE (X'4/pl Zuᯆv&qmF dT,Q/4zpC O=y7#6BCM %]VF*~-- XxiŽ@Azc#%IcfwGk?fب(R-Dž"dBu91uUf`+X(© r(]AXtйSm|? oa]S. IfD͢G8.&W#b)zq0B3FR Ԫ7@X1 yC-ʲ$;>9(R&GUr[4@zE tL`r;9iX1M +R-+QXCPv6[S/a NffHq :NFctoXyi1:I. ƨ _.]3He>rbù@@ѢrS <f+>(k0@>eѭ(YMws JftG4x>$ 3H.SJb&8o2Q&5n$Oo_G2C3L"?ZV- 03_Q5[Gh "O83]:\Gjbsc$`@W}e'd 7s3 8Jm??Ʌ!N$hYPF`I%s?Af`MNR3ѹ#D'\w<8Ѝ s\W2hҪn׵?α8]:`C%5v1S$DP5|`MSNy . t=CK"U HWW=%|]ILȪTx):UHum*K¾zI #o^AJvo$lXʯ=s\ ]qU:.N%gH k~ ;^W y YЌn9 1f$`A/#>\:22ag溭k)){(CwP_`k<4?SCܫB0'k@߲ F'D# 0H=ƢbeB=g:,tq T r ˸.AsM5ngx| 3vL~xtD\u2>DؔpCR;Uy|XG|1W6ʾ̛ciV#stRp?R!tLdlm]'NZJFt*h1,z,pH@<.MkV*FUAX׫P LsC=0ܷ;HĺuHz:iA9&$L\tZ񏞵WG2Hvڂ3 `z%'3ͱF'|WrUV::a-}OsUg좤.:xW]Bn7x3Dk+߶9Q\RIT '3WE\Tԡt>bGɄS%".1K pP :E̥\57܎">?ԝ5qzXtHfxX}ȒAa\h Dno~go"h MӱީXgycRbL8Bt2 2rp^;+ĶJ^h{0D׆]{ Pm`h-pYп }@ /!ω5N"LLSmO;f1ρW@Ej*Pʃ& ^FqE Q =/deql2o>R2`Ϳ&3 ^kEc1ĴJNy ` x5,#ʢ@hpJg`hD )瀏f^8ɭ)Qt@F?w=a \_&ZĀJWM}TL4C#O)Q !ffiaVȠ{c..5L !6[k͑R_2< +leO& O!. ?Ej* 4:I}M5J1kMoj㊲9$e0K>F<)ZI*E:G0{Ǚ4jgb:uBmp1^wpGxyfF4p*&=$.Yï'GwSQoYJ @4$HWiav^+"u'DN2Rs}3"H3w3i"^SBe<|jW&! Mbb, |{Tض>&Ʀ*"(`ˡ—uUur_,`` ҋIv @P{ 4 Jd{)C}42. ܂2,VA5H8e}wG~D _6.RM84+2Mcڡ$l{9R 7%F)6o ^h0o {idFke 1Ǣw@W`d0'ČJHcfbQK򒖸<̐#K *K[b%i*"]<:͵OȂV#&~# "F23$r"a/pJ  Aș&kUuζC1_ޥhuUDw 7@1+|jcXX?gy$ݭ[,x1qרvb`pլo/K"PVni+yX`w&W/ /^_yAǜI"Y a;+]B/r g[;歗` M<{68&{ͦ2dou E6U&u5zS0@:6 R͒5pt0@A brWr7XЙ+f娂}0xuMmIJTc* !0@8qTp r6*3]I ӼF,kGOHġ[z65~f^Olc#:ߣ-abnzb "G\ )OwT" A 4gR_DVHM(~1W6.L|` I_|Ѓ.5H+Z, BoČ"Vxvb?'o3xb `.X:}1jt"Bs9#; E4sgi0 $,2 (73`+?g(e#ޏ>Ӄ3^:6Cpg4 %E ^!I?]o ;HN{xtÏοÎ[ GVA ̦ E@A}*I0ES0G!!pٞ!hY|N"f!}P_x!ȳ{Җ1HU ?O\>iEGw~^WqeW\ t1. = +k|R㧔[W${g 0,[sđ.C7gTs 3F5]t'vJfYк3ǂ)գ3G\DH-8*rV0P`2pÂdM8[Qj3O!2W'C2ov:깇Sd }8D t + @j!!4 'nbP!C믲 |[ЩU ?qqɭmFɮ"Yv}'Ccyˆ?ff yǘ P @)f$6PDp_9P4'\چU:޺u?CLUN~ ̶3|tDuè1Y`1\&ZY ",Xl_@i ]zS;pY4F|ݢzש1%'wsAKvt ku^a^-𯱵4(k%@6o#[욓@#U!1 ti~yEJMGTQ)0;Scj -WҘ!pgz  `M$"t; 2ֆAX )-<`$F4!r:ѰkL{EqCyM)Z` /+r +bJ&dRA* k0#ɐh[%x*}nɥ3F"ڗu2pk֝1@Gae_; ی/ hTz 6 +( %`1ICXWɯw9 %MTE!l9i@XED {*܉vcG|O!+e,ke|xS g:)A_g^rRPqGzy 0Agm$92M2ƒK=n%A.dői`a#̌Eg7u 53[,I_+g+*lx 5)+^z$0A :N 8RI#:k´PzHl!CRT!*}gnJTd;_zR!ktnPQ9Y5ȀK,'#P8 gh丼q9iPQvV%#)Vw❇[kc4^, ՝E3b~(*" @Ae ~CO6J g~LFo3VM"Sd#HaLi:QSGsKgax* mPi6\n!!lR $)oKl~E2ʷ#XL~2'pC8x&ᤩ @nn!l+9ԍVɌiL= (۩Ӡ R6T}DN#ALgX0 .q xiC#V Y}B@UnyEn.m]'x/L(WHϔ#{֐2Kt6F;y`$xDOc>r/PƐ 6F=K n%LtWT {te }:_,d| r-x㪷2EOEݣ|=A}!ku $ZbGA2K4ptUᰐ% N>HB.1!&Dq,#Ahgg/5ob pox-x$ w-rp P@I"ԁ#,r$.' Ȱ'/)g} R>[R~jڊbR9eK5mO髃)F|0ZBfM=OȪ)*//()%~TC8a $R ւ0ENOWn xQ- TfƐ9><^"+t_pdQ(M*]D<5N#Ϗ$EX \M);)1/Ì kK+U DcL\ `FW lY}xo :HQnSD Iz L^G q?jK\(u {Q.> qW-zR /Q=b'p9 _'"2^pE΃5 mT_1)P PRj2CˁD7cncmp)ϏKI_ NhpG>\̌UɆSLS/nq4O6@fNL#h20Or "{qٰa$됁b.[_OL5d@L, K7wlQხ#t7!MAdj(2ﻦY9(1@Z "@R A)1HI, P+6LIDaTvZ[ 1h{mAI M2𮄅46x!4Wt# UlLR߳="#̈́2 '+(8㕰9L /l[7`EVG PJA ;ypV zs ePeLdt|ie;XMb I" YAi]r' ߓtU(  bx*TAzkg^kXE+sdM(72A#!1t H8Ĉ1[ٞ=즐fDA"CD8靸̀#ӟ GB$$DmD#$%x`; &B Ml'3YA^8ыpIm[R ⹡dVWD{> t 㚑t5sڇH$321-7x+p$bC -˨\)sq J#H$TW{I͘]42Wp3j w@y%IHk["b `쳈QdY '8A>SR\r݋T< vR+!ҦW"^N5xLJBdQ6P"G)-th(Qr9KKC-\rUJp=1%[5f~*<hP\_~LB@A0< Q[jM@Ww'ɺCB8#È HO9ٲw?r5s4&J Czl+H5@CP6U^hϬq-$AFnVv8/.7"N2I$Kr$7,ī>mdOb4ǐ0ށ+ߛgvE߅7,>inƽL"|-&tb%m#W|8J65\D74 {Q0TbM1M2(i$ a$ ID%BQva,[= bbG)XA#CEAӭ#΀~m &9YdXzd }@(l-=.CwBnSm= բ/Yí}-{HEǟ EV )cڡV1]'pLjRALEu/Lu,@~;)πRqkOUɍG@:\C>h'oQZ1dIZ"ͫ -v"<B8CPPw" GSƐ4EF,u"{PX@2D.èM`u'2"սFS7aJ:[Ny=χ"õ;C'gˤ "`;1Dα/w[_4cDK!hoeZ?} .V4vIHX0/[j8dߧЁ9GU=9r-s0I &ޠ)x  *Yj FOlː@hl|E$ NE2`` BC"ϣLVq|*| =@K.Ȯ1OEA` 4K;f YGwFyŧ4o@WVdhYsP|m\B0ߟZ/qŘ3 Ůð3WwFX(fOTG*1!ٓ2vʍiN#Cv GZA!L x^jC11ui3 #|];]`!+3xU`! W+r1 T GF~<-dzL^JFd=j?E!:ְZJ`8Ȗ5f13ؔDbxS4%HDs[K@YB4yՀXxDz ]'OU[}ǛFphD~v%[‘L?ߍ]HLQ {ט!jCFWpOlKz9Z @-MHh) 1voTYU&;9q}- 21Q> kQl$kv<οkKF$tnq4rAs3lVvvK&N5M{[%aQ(2W"vLȂvX(^'\>RVX2tԉкS#"yۉ)ѯ? -r舩 א (Z;8 I33kAHSq"ؠm'OahfKg:qnrW\V bqIc֗8R3#f71ׇ\ 1..8N~n‘ IC zL6 #=i_nj祋픳53ܤl6Mh=e܎gZ7I0Ar DU_H7( gN'wƣW͵-|ħQ=lT^ǿev=embh 80z8ngS @HдH_hi1xS1wrb,LͨzqPvK $-Q1 y\UeRM7e< {Ndy5ޜɋc&Ԍ(u;fa0+)AWW~YoHK^E8C<)'9d@ck^)z-f ˹"$hx #X_"؉ژ$ԣŖ T"t^Њ1 ΰkx Қl7[ B! Cf#: JuNxW+ daTf_ U6` ,`DK<`2j=eJӶD& hsdaڃԳX +7r DuR!b_P 7O=eQ8*@R<6Qk8;#C"Gֲٍ;DFN}'\-М_=`l [tIgOB7dž#Gc3Hau(E67Ha9Ks?n`$0? X9✩u9B{0(E&8n UȂs6D-afO bXlvm0U[0#}%S"Gy":h锃?tJ>#'"BA(= v/I@d%# {F|Ÿ́9zxao_2УBbr?ӯ՟e/E(W/BOE` $++LUm.s #Vv")Dx@R.'⨂BĢY!!k(ФZ".EVz ulDzTjX>YI`ce*BCZ"(8bQYHJ"$ 1iF+h阹~ӫ!sFX8ϯݼh#^xS,b2H$`vD<`[{ ɫ;(Zu(-2:^deUfHό `L969eMp7*ͫcAe+2X%4DybQpGS:Op~;LZ k{r1yM,Nx\QzO6,Ac%N.V%Hv6"Kv 8-jDDUB}&TαmXPKE$$u@xO֑yzP^ʓTQZw."'/?[UE:{XDZnROߨru1C1tY De?YW F~PKa':vMBdi.r\J̞ENZ QVzxƔงT2o c]vevdW\̤HTPNUer)C(ЬS*ECXRsS{=nԮC"h\") V4a+!wIl78],:GqdJ" ;Y^an`nJ%O޾|">k1e`'BlЕ#~3U V|:1@tʹH4T$NuR_b,?0U ~3{ƀŲ hPDy!?>KQS'R2b( *irzA@2#uA]PFW1sUuvc !5JoɭPpߣ&FtTF$ MbczG>$BݳtiN@T2 Zi%J39( ,PF .yHy&PDvhx% @*hY#F H;-f+2,.Ia:Tk @N&z.49ru Fq,'Ip4iEE -U G$;m91BӕTdfK! <`)zpNR7X3[Kc22VmUjX v2tY#&XlKX,go3)8C?5F{+9|.Fܓvlt2]Ze">pc%j2޻:Φׄo~*f`'dQ&g4LʙSgܽvMΐhfir_U_b)@ 8U]F&&wt 1 PWnf>N9% xP3m08  SVZ#Q8/ZXT]Og.Od^zPeTjKt  EKA*]HgOX7a Dsդ?HpLfJrˉ-M.*&`EAl>#4K<7+ȄռRH5A\qOLp@7O̿;uH?wIG@RSQ39.% &D5mQw>>i .o Cgx˖1uM+Owv0鳀${M@O*[2@QUs}Įfa6 C^TZaǙ_&:mV %5jl1i/̠_]1K$5,S?[wd .LW$Gto* $s?j\B ]0s1aCi=YM ?WOTZ`Ǥ=J%e Ehm7mVb|tTe ?iZw)n , 2aT<$mw>Poo:c& A0Q[ ״Ll>&$؀XCSՐqB3űMY^̈́Wd U 0mWj7$ܻ$)}C]a}]9!"H `@ n> NƯ}aلФ^ZeXѫl+= nѿhb;)Ƀ!=ѷH0 sw`GDKi$r|kf|7m҉ ,YF7NS%lV@a+|=HiiEe@!7tB{>_ 4_杫G$n )xFqjgi&ܰP9xC5 KS0:;}? `quVE#fq'!4qonzނfb+9:G/@e(҈hRsˮ"w`Oo/ޥ qEw@غ34 ŢWii>h9bAXXrncF3aЦS9 o[v~Iʝ9Ó'/!ZhRO u.CLUcn\R j?$z/T ^dt|8|,n% st0 :+M5`1k`KFqݠcc檞S;(v"v-Fv1@Z8jT jۺ 9:x LT*;!Qt,z9[Y,HCѸAG XŀZ4i[ֵIeͰIt8U="HpJ8C{^6mH j%LFqt ~É几(3fޛ "Ɠ ѐP1kL0#@fzmXPFFOPA r @ny+N|dBHXj56 @F)q3bAr 7}{c8(AK1 ;$ ]p% `^AD0I ladՔ -oM%:ZSյ6.-v{zD;pR Xo42Ht;q/Zc*E&vXHFMNc}BԼpT'2 > QRpdѷޡ5kyj>|n6pę5c>ס)YYM8I7N&&7T nA6`@ַ0#+m#Ch+H:h*, .n~>O]?wLEq!gzI&Q U2Zk!Fxl"w+ڟq96H?]ZǕS4B}Em!Gr)ݝGE{WLpBVPQ *SvXLzCc%xN78AµEOMG}UK:rd{L'[D{fHoaR}P=#Qryi\v{]}ys(lV0 _%*"3?l_` rMAJB9G.%a Ea/N4/0m(B_L'p͉dPat7wH o}Uuc$G &oj z<˃+a>e0qJ\Eׁ2cWlRS8u# %*Z[':b3aȈ,+T' NنoZI `X]}) BDq_dB.tbCu-V%}p.H , Wdhf~9vG >b<m#er%Eeb}kqJs_x[؎cc.oG\e#$p| Hx+Q( y)B Νm.8Ô  "%ឆO^&x7[ŢGviū\CKIB*56 h軣g opψ} M~ -8}'>o .Ը*60FVkm]H!OѝƵ=8HQ\<%xc^,0kr;WcU#>g7#)_i G,\3*B^= Q>0i6 hIW oޝkzM15ac(LRe4ZB⃇AՐZfE踽 !9iSCzk_.OtMh «m4M].k_A; $6&7vtyf/GP'*z|f̞H]̤+ɀyqA@`Ɋ_a6""׉br' 92<@@jA9EF.RecnΠQ PXgUKc*8~@)r~`b>y\MMC˗}[+>⋷w̨M J?ܩQM_zlػ KlS8'B B%mL3nF*DhUIc1w4vHJ>( } 3*wt"[+FZK(LfaMf)s$M9)n!8\܊y332jXϧ`b8?V!A>@)LI؊I,H&')ðgPY< Dy4H|##:uٲt7mF&0{a#qm`i±5-x\dgL0'qr -QEqq~K` dT{ *t`u OT_ir\Rw /&"\؍`YFf xwh'뤏snGN {)ؤ m, 5*0UW7Ї@5 V ,Y+Ý Hx@@1lML8.9%'X xp[]=2@)c' .IY  . P&^E =<t"Ű@j7`6!0@X e<JKeñs2A}RuO Qo =&?T!И:Te`*) N`fB~i]r g:80 ڨ<9 rUF\<_o<ܬڜ΋9ZqNj|E^cc*LRk`N)^&X*X)ev2W"/FvL'Tm3f(4Ս3 n> nE S4( 4*3,̈́Hj`;" $%@N $;i`-N<`nt 8pY.%@O>5z JkdO8m'ܯ@.%xR< t%/. [V5(K%Æm|3V$)Ik7BXt\.BfD,o @ *& qkיzޒ0_lZJN@$5({&94xm87!"eeWjJYh[ R X/96%Ԙf #Pc8Nk30"A,j揨7 1,L}|NU!lYrV:en~._tw䷫Y_a^_wƇ2#qUtkH-.9[ Mq m|b*͒ށh@\v2$ _ƗNb:CA`@ҝs/ϲҌd D@M/#.dcJ8,j5gw+\A.Ho뀆(]*K ausdmKUHel.v+;pxwͅ^Kp Qj`܍X/#Gq2P[݅#Wj/@@U 7.N>E e ^53=!ʈ2NIV 0F݄mmU(#;dfO+5~:Z[ʁr! ڻG4K MbXY4?j +ܩ0;vi&Ԡò .u?(vp#v<P*KmQOֆ#.+xE\HPwl)9크#o4 `2>ƙ:i!%S퐄xБ~V<Bpˮ@pPDs@Ɣil;J9JͰUu Ԩ,q]mB5I\yV۾'ws$=ږ5?w&9E ȪǙ`ґg3R(.CXFX"nV}xA՝Ob53fXQX}쿲{KF \^.emeb4lq2F#!q*[t24>Q`g, @ BA!"hsJXVÜϋ%7:Z3OZ@S(Ay| Q@In_ةsMK\wDpBAul<Z\_AWIpg %1lt ޲yAӅF`H&E``r~/]H)Wxˀwʔ;'"Ӎ |} F D{Be暂(&|?Ti2*_g1WZQbBjT#.;6(vLz*bY[e<]aŋ|txn Pdm.2f/ .CtMe$'ҖY YET0Rc-ҼMugek&aW*jd,z|M2gC s @hߗTiP%Cg)~Oc8&m4nP!b_* ry1Ye/Mt(k0<=YTl6gVF@M 9=&yl9+%5>0btA ^ۚ=$E [=)5ǻwća-@S7+rw8鶯>順^M)%ta٣9cl(az+|3SFGxA+zz@\,"6oֵl1&BAt&WQJ'T]ѡ\bwS(*H̉tb-x}lQpu1<&0C.SX)l %G49:lG0/qͰ0P PtXn"M?eSזa~C,rpm?|w cTp6B$l NLp M9L={?HR iP@"؈$XSU*E1.Ԛ)wג(jIH{㈛ J 7ԓ;ڕE)HXvh 7?)w$QEF"XYCr9nu[@7(48?HO)f|MfLRJQ,TTH`n%#)H'P圪3bwf$q<:".F^l0qd+kjݪG5zMd.*D.\a[ 3ˠ=ԌX=d87A5F_2"vVE ocHX0&) bkF Q|S+5 ex9V@\ۥJDa(r/Fd\IRR)8`ܵr߸t?߼g8Xn`w-5|-7 & T=@cٟkE]QA]޳/49;Acǭ6n `!&@E p| `z1J 0gLX iwH@#vd!I&_7mfRs )JA}E 5xȠON /<=(c7Aomb5 bN0à+dlDW) ȝ=OĘ:- ݉S~~Lz S #Q0"`jz-eNղHͧT .2OF` z(V`1z_ F< C⫾սu0^zrm~UG\Nt djhe_AiުOh1u8s(*~EHscu~$Lp$gݼwn,H~ODTB,#BlM6޻bhP=};: 4bl9Mqr+fgAvEYiIlDž e@[$hP@ͪf"(Xcqvzk #`(F tCP \4 &%QE0|&#:@h5y7\b@QV)`$ou']ǣc$4t-ebG2 Q1kYDjP@68Z@h᭵dTCrPhP:Eh0{N &3mĢ$H $ * $TSDĴP('T LP!ag#+{}d^?&(ǒϕ">!(d~5V u?B6U̞ EaxH?/4ekfƺ, G=3H=s03lۦ^Pl:k\G8æf6Y7LOilz NI8s OH|곐 I,&~)MS2 ~4 d5P\p$Kd?!)b!'Ȧ+EMoq@$'Hit 8LۙWי/t+6)Zy,ż)r-&yʀ ܙgP */T1D͎EM TyLJ%Sru9x51D9PL\DBM 3GZy`5VॶE I1ĈR<>$4L!I1Z*;`tdD 6VZ+YbG-ݹlnD.Y1`aٖLR8ChHhF$^c:S5XQ0

uc&*YMX'  0Ix|Ijek(V1`/B T@Nѷԡ<̤ Zy]kα 'lmAN¯<X`lҧᖪ4OGiErisdZo,~AbRo61vVe/ݹ)o?F/s. Ӌ$bbܱ=|U#!)@L LDHXLS06=T4a+=,RR7&f$،~z Fwz J:D52l狏=>F C gS&~Vo 'fIةI&:(Al"-'4}h ó6{9)*G8Mo49'2\d̵~M&&R HTYOlCv!C"(wgN$Bʤed"Qf v<:A<*IX2#dUT(DYУq33(tDDTc<$$ǏUx};!C(oe\V y[±TEr1ﴴ'4@;Wa= p 'XT٩r {Tyl=w'%sCxZIK0X)b.?#S|Ç-P472@')iH5rrewM1YwOd v)YWUN֮*6>Xc-wflzICD~l|itz4e@-<2+D6*wfO:F:F"-%OgV2y*߮n:~2+,fb (u da;\Ֆ`Yj[%TzY   REe&5KR57jx|,(YZXIeuHjb3Z$|8|E ,xDD5kGhzOdoOMTBb$C yV8TY]!M2ċE#77p8T9*'*a(1ґT!f6:MaHm r0UT,j*9w+D w Iix5MNscFyފ55 2u>}]X)xd-2r c3ƧnC!2wB4 77-Ԡ y}\gS"u$ZwXihEEilB&Hֻ 9ykaʔ کw\\,{ w8tb-*l@X9?WD:[QL#!zP;BaF=O(TR9 5e!OSu@mH88)Z71{عV:Ebjl]E u"fda"VdBUkcPL.u(}+;h£7ҏJ2ʳ"(A8ĺihľeKȨ}-l~{L4b2HtZ$sj^#x3Gh\Vjr+n*@m茅'3%mu7. > ZD++JgT髟hO1ӉJ ZB=I⌰,zۙZQ?o׫رujYyThI)NⒹY tQtV\Z; I_RQ4_N)h F].#PEbVQY(*Xrg2V( */>AQ︭B(ӧIYҎz QQ8ᆰCHbT{,5PgQtڅ My!Sk e`̭3&rhK&("TzIr('neBO˟G=ߍcS{:w;Z)%g!3R[SQоXjI!pgy PT:7VքmhN֋)͕N4NJJ&YS; | t X X`fV31w:Uʻ޾Y 9?L^nK'<͇ZHKJKVi4st%Z*EMq\Fqz꧄~ڜmk"DKǪzqkjIQFƎFƋiv6гc܂<}BERQܧX:.e0QLB!8 #6#4кs趥kɂIIIIB˜x4赩kR֤ĭIZ%jJ+ObV9Zri:Ѩu@F!֌BZ0 `h*XUE!V­Z$> hxP5kH֑ Z=zh Ѡ@+FV@Z/\h H+DVZ?C 1B +ЏU߭U1hV-jLPlC0IiSmZm9`6( `09|br )sSSbD2n]E|2g#R`Xi-aYE*~vWc/֟ES ~3~N#_v/]~J*Zo0w\(ݑT]KtDw ٘:Ⱥ0ÕbrbLit'd2::~)lݒ99Mɵ*gE!jh VV+nEF"͖?bىmeq@f$vūf$Vز-\UfI;+Uщ&1tz1?#ʵua0y3kf2ass;X*uv=)lPz[nr;bD+L5DLĢM|,O}HI1ok;)2bZGȵ 9Gcgpx,AWG ʮa9x%6dzjziXM ؃9̓(mS ~> FI$U}-RZRJuKēA JJ4 ZΣ[c]SU+i?{(t]pL,@Z>xtIͿ؉6`\fW͈YrF=U܁ը@r5jg1Z,#V`Jk`8?Ê.PsMG/sfS0ӌĚdU+*O42:p5=-}6S_7 \E:ӢiL 3&[JݙڥU$":RE"#0c;n?ȧ)U(6bTYLX<Ƅ]wN.(Z @}tX3VpshO%{"doEg.fdc!?k1$IV)¦6ZZ7vv9k?yDdA m[^qE6I ,DLMr y|hRֳ)dFSg@i0> E[  lFͰ'O<~`p([HhzT#֣߀I{Fا.-z8D 6UĀT>y<UޟE}$"%jYv.Jk{]hٚ72d\4gtY'.,6keUI,v"8urU e5,5$FUY>s ^c&O^t]Dc\5: 6Ϣm@xqɛF{O-C/0-R9 gx5h5 Q)]^) `yu4cDP ,[[$4{s1t =A^nX ďhmr:Һ^L4|ùkg=} Ù0(A{~ 0ZLW̩Y$)gZlv Yb xpH^ =cOq C\@@ļ#]Uq1\eh.1tDE&T*S1Jx-3WU )SF[@Ԯ5ݾtH"RAayQ`t>QvXΘA' ˒0S.YI&%KM虢_jTt,WbHÈ bf)ڸsC9Yiuymѿ0WmܲQ l{EjV<>` CYnΙxK Ysz2 hЭ@f a-ЬMbPfO (Ve lZ-ss1홧t(8d>5%g%~A:eQҥJEivc-('ז@'';im)}Vw4g 9M -p0i(a\Q(d4ѷ,\]V:z8dO_RÌŸmJXI^gU64ՆN0˜[ 7a-NKxThHg!,.UlZ3bjء\dsiKh"3^1Aj L zIj1)ry-[d2SH [XBcw)G$Ժl( fIuxm%JjWfN@1[RkP\'0-t3aHs )MdgiD DFRÿf)pxRGMpD:@lITs1)D<;- `Ԁ;m>ZL%i;ϭ9{ +?%NRm = xIaOan 99UX&d7Hi}sa V hov5p=@pÞN5v FpJw+*jYalQ6WDjE`Jh;K;5P"QN< 9[Ĺ OaIf$X;[7M3RnHX{g1p[ bl^~udpdޟN[17 kKUЏiUfJBKq@xኖJ1 v7EТ4[IG?Sz§:<9KZ"rGHlgj>{J%t<m/2Npdi5JR1b)v-IMs5VӬbh}$r= *TpWA 7ɦq#FS3*T׾q1‚5AQHBWjt6`}?zhC}7B$;D7DtAXF;G=;31l~}e_ӱl!y^9걫-9s|ItH\mV߹t.tDa XFv5 !+q|Q߭SeuK=4H3bX]+ Y%T3Ցk0iX7=5@Lq +ke`jVUy2I!QWxd:eQv@^܍<)OG[@IHvU7X+ :"=%Uc0(.۞ +ThU߁֘.ܺd6$ sɁÂ.#BfB,FоCE\֌MQb`HJ.xw܃AFa ڎ81"Y/ jF4bX;HT!L:;C!dP"SP-)sT69"`VOhRaY\`Y`i2RV"<"u :f{D)gm tB7"[B=d`"87>ڠYL$lQ!#\2%ѣu1O4bUs+jUHB!!=K~yUkNNX_.eԂ/.-ٍQ^,CܭeIF<3coFO>½Xc[σ?@O{$"pF؊Gy-Q1Pp;AB0~a`&,;!yĔ"2[!ẍQ2<\861d̙aL拾-v$HrFЏ BS qj%rీ-{ulMr-ѨQ, 85P)z {S ɼc#0q~[' T j|néa`;4ۤ jS 3',gH!臇7ZGKpb | |4@%a|_Q2 yYATA>aJҰT X5ٿaF=; b[+^"Ϋ]4=JP,љ[aE^^m@Vݛ8me/LjAWP]VN63`!gA]^te"ĹuEAB|@2Sz=%[Yǖ@4|YiФ)~Vٰ#pqD#=A ?,B9"2N*_T :œܤN:hۻBHi6x,)v,L#k}Y% \ +@>픻\ڃ͌ުxEۂh| "VaKҸTP+Fʲ&8>!(O2NoLGqpi~%hPi lϛ4盍fdfMf/\BK{l%θ]EhQȝ`i@ܽU(ߎڃY;I6DpPs0gidX81? ?SԤzDo±ʂLr."xZA׫ 2bR eCBRg2+$EW,r?aPG U&JTMG6g~ kVSk~s]ЬqSqillYiSBv2\w'?tpZ(@2z;VąDB\uAaX"a"9"`SρPxT e!,QSl '2W٪dm N5)i\*U9T@:VM:p=4;p RNBd$kUHi9g$ox4QXCV-:O 4VG*Pn.-BDG0?/䞊䰣WDyyIҀr v`f3@2'+@JW,TI : MPM a5xF( GOY je.hRw0ZⷅkVYLM,B#֧C/ۍgU0nL;8w%gdqPJً=2=T[鲞$m{TjC0B^\OTTw}~N"̣K8B\nRܥu8$Pj?7PF7*՝ JseH? T󐓎T. c1j[ o |dH\!rm'в i%go̬ڪe>\ (9,VڄIPI"3[ 6G& Xū5VQ9n<в;Q'4j~?CCeWmF/ۍ2>BM>'3dw?Lcaw vB fP5:pPJėd`$OB[(!5 zZr)"b}>IJ2R&8X+RV_OpdF9r zP_`5P2FZoT\xǂd0V$r9RG o`ZWh*>Xӱ꼓Rݖ#uܢ Y,o-\8eV| ݶcDH5J ~9BfFgDv119dxJ}p$@>@B|$ pJֲyz{h~+C tZ8,e !haUL0ϋJ&]r)؉Haٴ7MS ;D ?| ^.hge'KP@w;:AXm4 aQ~!yt'dTEJ60X  Nh9]R$'r$`0E,F-O&8 0mh](v3Ɛebu3^GӝZjV&EKareUOzoc UA{RUhx Zk- h,-'b"FA|t(uvL.fl=ќ ' ;~a "%J.6Qf=HXT?X .)j{F0xMN霗ۑA> !`L~#EKzDCoEVPfǠ4Bf>$nܔPឱ6G؀]Vie)eSk5?㨣EH"$@!ژނT([i90\iב{Äe0]*va>|DFb>"-!3! ϊh򂔍lmf@NweTg^M9'V2I)7GȀFNn1أ'C.T8 Pq]A렸80 N yɖ> !(tp*>icGCatkqfAH:2ZKJ>]qA`iLav0Ϻ:'8QʎR02ZLt:tgHBLGXjs'(s;_NQ70G/40,;G?ÌAEMZfVk*POCfMt!I[#PwqŪtLfٳ@6Z| n R nYpXPnkM:)TxO]H?(x_W"ٳ&M_}Zp1†Fʨ?h=~2u%w{ y1%Y(@3WdmoHՎa",|)Ǫ(ܥnGzn x@def5ڸ*U6DqJOуp(\H!X@cLu*:[<)X84 dkC 3"+E,h ef2 mԦx%nZ?0 ){&GN_0# % ;ѵd 3{4^CBCadrq2 希!{x8GY *ҥ04(x5cQSs&>{u<|>ƛFTD&(DΘY"M~$9RBoJ6hs͚W89MgAf swԵ0]tl2i*?$ǃ,Ϯ U?ꥃ_(L"$3? l*O" yb)2qLLpM' Bo D[$PFMl $g@KiV E$|;(wG(qέ`NPDt,< N:{+PHhÕa31@9Q}Zp eQpd$>|{ɳ^60~sBObt F"K`sX;pӺi7 gcL}$-&; =ّ-Q] *:rdrL+oq4 OdfFLBϔ~!bW^@pz͵iY9\P\ɼ3X/༚vB_*R ]^*|5r=s X2))ajj˃ lV@p\/Esl&":nKX74ED;յR 9U%g/&̓Zzi?Zua2XȾ+͛x,/A˨t@F^g-[TahmPQxqo$η8lRN̔\~dtT 54=cʂVhe vffPV'J=2'9Xcv0B_>`E] ukf=̆Ry-~Ҭc͖"lh\,ieSD%: (xD Hi2Jל9uVEV:?# V$*W1*Vj`:;aN=|A'+c&v`۳. WvQ._A=N}FM'yyU2Jeap4}k6G( l_zP3q/wq[SցeJ¦F) @7|yԭ758"`||DlO#q taL$\_W Q%CfN8&p{^L<pGǭguD|:T=L%쎷m4sZ/6$=WT4k)*. #B &/4x/.Z}dnotG3@>l)K VV F 0ռO#[Fb(}0Ot%j ըP*A Х r1`dڅ#pP;R#6bO&$B!_#kXd <@E_MiÖזmPp0Ұ K(Oʩa Z"m*Yp%]vm סX J s.`1̶yiTFb&OMS =xeHt|' O=$x73BX-_ǚႃ?Z׏|cGl@f5x.NrV~Af!5S16atتDj?ic;T[% 7'[܃D qh?CH2  \z=LK@z*҆'e(PgǖxB?**4ЋX x3#/'RdJǺE<5Xb*C6"I-眧&r,N#^ l:%\ iA4J* k1L, [U`/&RubuoSA{cvR[``%!`)Yp: ( ̓Ӻo3]mL@(=E0ڤ1İ̳^̲D%FI0(y8`X-7Wz3_"L,4FG68 # @AE @@ԡt!ՠ[1L Epfl YOw3@9N>N*^% ,V#G™Z5ڵ)lȉ#%.aA΁Dut_$MKh He5 e:]}$Qd6\htGH^RC.,K֌"X Fe-Hy'h ]mEDf_H6K%#9P!(2!vV?x1l%0Wyb6؛,gPpgnHKb“c2Px8 -`" @1sMB@juw:?ȱCl,7=h'cㄌM*xƚFW ➢-"UłL ;`"F[A)-mFVhf] 1B$4(πOBwLuE:4[V+[C,֞yɉ$a_֔83CH.=ƨ4JU)a<0ZTXpx sV`qys{͊J危m&/z%p6*&E\o2Q* [bm5AEa$@GozwGCe,EQš,HRa%(9f NR` J1f xhmaO 3* :c o9ϗ#v@r(,KJ~5*4l5]!U4%~O=q?V&iH?L0`_~HqVF` VgmP5q" ӟn z'JuY@ ˎ7&*# *VfL1Muv CXl]xc c>T1-o aDaU\E%yDU)/tBv%cFn̙5MؔFV k# *2m=g:>T3>d*Q}!gA,GЪ3uKY?TfҚS#W!j)-|-p 3e f"6$d6)1>p^|7,zP IBOF\5eBECBNeiŜ@eGP=Hy"!6F?J&e0Fa/qG5Xo"|dpHeKX*LG&gy8Ƣ&yt^r;I}<ؐ2O9FKۑ2Lsw9CYBA.|~觷|oA{`$;&&Gϭ<&[R rRJ>R_N]' ݯBPDNb[ZxO*$Q)be՗ʥj4j~!3'9rO"1vJ`fEa&4TjrV.[L/oE1x^CDpF% *)tPS*> X>jhc z@L`H+"(&N3%!qC>CiRw]. wIg?u Kaچ,U r;y&d`%Pg8VRT_GQX54( c4{WHhRbHč?JPjp8 ʂSg[!:EcJ%BBs`qy7hDT%%RK‰)B IGp W!ޕ(Y\PwCSILVJ:! JR9OM'ǯa r+e|Ww2A MPe af|{Ih<8Mnsvq7(QyS ǐ*)m'E%F$VxҶIS`t:&݈6*1FU+-.Δ(Dž6}@w `8ʼ"%Ap:Y4-D(E* @W3oJ%zA3TCvFJV#9$b5|0AT4b}x<1z~.h]w 8+BDe^&|u@ `&&̀gD1H׽<[ys4b ? ၰ gUܵHsip:&*AxleM,+(>?/IGNɽ-ΞͽSTO޼aYpLQCMp,:8>ЅYIR;=-y3˳gSUne0YkN̝Eq|z2aWk,fh;'-.Qd>͓e+m» tSBCOS~ @3r9e `8r= BBCMN zCӒ!Ǵ;:hZtֹV u)S, >YA&v U1$&)WQp>?)8V1GʵzlkyE8A2E$ $iJISzjEH`<)t),$ l pńJ gitE9PL0ntlʮԘ^KU%ȱ` w++WWW& O S2o׏^Wj&`1'.1VUҨ# 1Wpo:I./ \3xpOSDM*2֝gdQ^ JR%guɣ]AW}' 2hcrqA@ih+r3VzДSbn ޷!j +*%ix_Z1%/ƭ{,ILA# ` )RD_!@w}yL P\{#Ŗ,prk SPP:Pu `H0Yh('QhXrEp?鑧΃*Tg8Yݿ$kAu,QciG!\nn,/Ro_?8Jj pȥ+(܅~}_7{ٲCW f|@Ѡ0A f;T3as mUhšw1&l5~|2ZR;fčh EyוXJN24rGq mxb$D._k\X0yMjPt S\;vsm-6;@1/&\:B+,3ȂIЫǞB+RʮBV=q|8=xԆJM>(d0 |ز@&d-4`L@HdkP0Mo `M Uj$#Z4GaF!T$Q5{3Fhү40,C,G&[p ˹A:8c|Z-d @aX1Uf'0 4I"@D?MG' ќg 2ln!vPʈ:ʴ4%SI `(0Nϖij5N" WSD$[+N04#ZE`D߀VMaT=$)à#&cp#:]!u \vg-DK% O0#mMçW*(^9̉ơ%L~,2"VD4(['Et"h! xEe$H$3C Ŭ Pf,rfĄuc)fTBJc У,%Ymxe͈S0&>>ʾkGp_qiDBlp'>Y2ESގŮ=I="^AX˦Z Ak{҂qԺ uYn`Y>(䐎M 1ck 0QRӡ} hG&Ԙ]Px2IqɢiۢM-5YJoHU l #J<QvGOAR3W iMLVK " f[1lY(S\]afiya<@j:*J2T޼F* 0 }=b ׄ"3U@Z$ j2%$Qfh-ըQ[T偿0Ŝv=ȓ ڏMu|zzx|%Kp /tɁoQ~'t-Yi(O($ĖT3|B2pKĂn&lK'qc|&mI}7+j T-=:s.-C(mZ8" Z<DH!iu>m3W0!鈊%#i4aeT\`O4$9jIALJ;,tuaCo LPP@+xFTUr~Od M,R?`;?[`==Ј(~0A C`猠K?!y4Q.Owb V H =󞧳03,(7d2ಔڝtd@şHG|q!"(Ad8VT.*6!nh!P, jQ7"d{_SqTJ[/C0<K*Z cmb`3ge -e&G? ԌRFLW=G-ȐWh=4d`Bɽ=U, 1=:3ނ[ )el .6Y &yU3i6WPEP/C!/f"$5Ñ  Pht䘁%N=r3Bi3cYtY`)T Q00*ϐdEVu*E82mA A&@Vȏ@6Ût@qc3ʬ F$9΅!FՖ#C_;L ڝ6eN97k!#)!'ؼQYh AyC'< ^lhpg$O|pI@XM}qLah.f$xO^fƲ v rE$2'/tW eIM8/IU !+4 i @f f1,;ސ0Ak О tAaUHϑ/L>ApDw)YI*3!!!KQgtM4Smb@!@d1Y["e& 95"BrjD;t 1YUH=zi*V'# Ex( 6r棶5 nxH`+pzNn4JB636H>n.g2fCʇDjH^ FwdNv%lP㤹(:5D ,867}6J413pcN!wAΕIEd #oV8 l^ĉ'[O;a5ڜ!s* 1 ܉yI% `Dǣ h ^lA h >X x/$;{6$e0C)%g$cJw >J|0QexfFF%~+{Њ bIwZYHN wH}֝`m.4[d%ʤ>Ƌ4^G%R^[S6-bsQ"E6$is~z)ux  [f@t+jgXdę(z!l1hw_G,B(1A M%6#SўcFK#a9L@pL Q'йnV[m<憲@, R;Eol`U3kߔP= \5ve`3/zaM !uWzFH Q\hRE^b=~ vTe`4n9'HJI\E[xB3 "&+Pv3Jʑ'!sWYN* jOzبҰ) ~M])vN~DBR-,y@GM~CÔ4 )$>gWIs}a:, |<^EWvz\(ZR ~E-eW]LC}#ۯWlECta"`ƲSǝS4N(9I9"e-]ӃC^\]4"=*+CBf3 IKkܿ_ J;I,R֡)L'ܱO˓4Nnc 9#  dɱDza36>qqޥi.q,ED(1;QSZTVsQ|5sֱ%U0\w ކt+iFFvgHI4GThz Q M~ENw8,R?BFchjȵ"2lC7DD]C?hJ\K+2/B=Tׁ>&b9 "qa5"=(U]oU|v·fm+UͧO 栐UI$UfH W.nTBsm zρ}}TBFq+SAxdsWHnrߢxW@IDY$ 'Nq* :Q{1WL䖡"3Êc/h겝7M=U.vBK{E!ZHHU[nR De~'yp51"5zf-MFvˑI2 e zyC{ܘ{3J9c N0P$xV47R-TZ ;hͅ׀/{HWTҫqD2 *mLc|n*T$_~CqixEnvEi/:V4*C&l Y+\3 /jK~F,BWؘmnvJ@qeb!`C5-!kտ"H@\M"Fi刅a,U!hBᆥdqW.㨑"DAx(K W]v` x,p&`y+ !*z)P.VUМEl8ם@(mRQ_[ G2&Ic\"!` Aa efF#©H2$"vfXO 5:-k]g9Q#00; +~E9"H6׳nQo1<8p-i،_ 781G xGר >Pi/ n-:#x=K 롼*B)W|Kdg ɐ)=."<@`YNu̠ 3Z%L:T $Q;O%RR2@I `Z,FYgn@eq9G JA" ̞%D&V%U[bfhH_tSp&*=NqurVLכxTSxN :5:ON1ݑ b`2 lK `$ԳBl f 3S3mgϨ"9p,6bU[9b8){r&`QIլ,g#WA&-Г#_ICH#cU.m%d84,u.?m8Ng@J"0@2D|KBKQ*c6Ԑcpt@0#V0W^9M/'Rk"#zk쥣7πk@Hgq!j_g2;%e5&r$z5f2h xұ_5(HnD  Dz[z6Pḅ9xF֑lxNC&T#9 ]g )/ s+H䰪m"oR`ȁ,tkŖ "(؏L݆[a r/oJ-ߗmt&MQ"e*D<~lh'(1޹g[0v]Q а p#x~gN"z'G꯴@=ڽ&m.h:Onٳ->5Vms_|hr#q|HX qSd)9AyJW0\#A]%6:3o"`#Agv&p0Y#4(#8@T=cAWٝh ]ì piBYO0"9s8k ?MBsksʛFǼbdcA7u\U>KqԬ*Nv/fͷA?>U_Ӹ.,VhI+l@vdh8d P-p 6b~LX/ z;P/b8a ` U $> !WFE ScJcEТ+l]F;]ADZZjρGа7tcI&|s~RI}Yڭ}%!8+:?$%uf5bRK9j}UIk64xK3, yXkvtzK4xlZ_M;T$F7a$S7Eu@tSJӯW;t %E`SXL'y} y#,Lvk JkޔQ2P/?¼Ł%,H|)\9E@$y:~4sXKH5dgH G =\_CL7hP!͸? Ҕ?"J1 Cg)"`2g:n&e] I=`iJPwTRIO؀A#F-.OƄ !,@6W,|b|F3h%@3oX]T"CbP؝#i'Vۥn<:sIIx $,yEAHbbս6 XfY\jXYhU&O7Ϙ0g T@L8$ʡAzR](c^N| G05"׉;4AH"O6ufqK ܈c+U5B<0B k:Pe%'ԡ8ZC)k62K@r@ )~4Y@>,WaȅvoI5'4LYc.,Xz_x58D;8$xb_ QIgVf%O=F9KCDflr>):8|iB*CPX iRϐB59F ,B?P3(f*C3D50h?xaTp5\Ԇ[*(\1>+mP;Q,kԁ VKuA95BpDl| @/$ޡ1RFBcH;]ح֎4((Gu\ys).+*+12D`z;7Q 1<<g(ma7 $ 'LoDA5q uot:|~,@[H%#NówZFX{hzb`l|_Yb0' riT]&Yz FdKHGPmj"k%^U=ZŠmVxY z*)"H_kbϥI?:eh\{m- PLjSρjԮDb٫iFGBF&:B/A1 bsH haM$W !vO- nY|! +n,38H*BD5lsY $bԖ!4Ky6C Lg>l뀖`!sEJlSfCMp6xev3p2(VX`2p\Qh#@䈕M@#1s{+miK't6^XI>2nh-2YFF]!"SyЦi ACZ l* 4pK)H(5r {| Nz b ɹGєpYl:xbWG\dt27OJl &ЦbגV>Nw.A*h? Kݩe l?ꁪĄthE3Vֲ"yWb&}+>V Op*7u<9k ȼܠ̾ :6DܿqGP7#\E j tu7T}Z`6YhNfH ]2< f̀ވ^5K\5}M^ 29hj,ѹE8W_]pd!!l&05ǙNᝄn$=&ABe~Q CqjL e0 @Q rN2e73=U_8b<.6cANi]F@3ڧmEPUt'JB'}ЋNyD*[fdahh@O.yqD0X`n#p u(n`Fٲ=-A?0PrDf?\{Jc Mf*=79QJ%[5& -zwhZ* CRB<˜qm.UXOhQrAd射WfJŀQ,=+t4eU!<9 7s(A5x Fuq@4 0 evHպ}F/pd\iTX, 0f٬󡭾X!mhb}AjbBnS cKтZ-U:ah:6RB1[p獚$2(T%[EeMeR"S)'^4y|)2%n{ FҠbL0 B[`ph_YJNlɡy7$ZI%X"bġw^6uGz-}fN44u\ky"6eJ_' bB6Mmm  `m[E[ Zx2ƎmyEܺDQUB0m`)O˰j-`3-?vF1x_G iӘ@ )~"`0v"q, }k|M ?~*Fq3.d@huL\c %ǎŠTƭBmO2EH4^Ƞj~Pm8LniKH(*4V4` ,/" Xm ǧ5V<91JD3AщIPOp45o)!O$8,A#*cL$X;I@340 }6Qt%J!{`tr\Y$Ji~KI4ٽsPa9D jO ;d/]b:&LZ:%'j8+0tJ$]2]USʢy4ʖtF JoX`1:-a :cr9Dn mOۢv?4岸c/+A~O>!ow^^.fK7fdNELVҺYPtdمR$l$ %ƱPi-[g&ǒkt켉gdS&FťM5 ʒJƶ0D0N$1Z8e#rhaBb6#3#SH=jH2`tYBIN&c J'a'fyhxO)0M JR]"p1HwF%6 @SVȳb}7Vy"#A-?yw ~p(oL7pbpz}5Rb{,PYX%)7&}~L4`*5]؍@*#tc7wNdͩ13RG!j/9UPO|q{]_BԸhpF TdZ\({7zWe(*@c\ a'bnC %U%Ġ9uM'ߎ#9Ӷº؈r Xz T=4% <%`<[ WB]3UJP"K Ql[)7gwX ڎz: SXqAAcAYz2>~pHƕj'J78l };ISRn(y-p:}vB߀mdFTU"BzV؞U@bi:u3/hŭR>^:@m="'o?ja t1c"NP90Jō0* d hsP|G wH̆ERS4~HʚJ1h,H _FfP~FY%^<2 UtR '[_Icy-2%ჯ̫ļXΓE@62X)z،t&1@Aۡ(@Q]BڼL&Dfx&+^ c4Cet"[b >D 9#@D@6N|lPPt 3Pq2>45Oڰ@+Sc/Vbn@0lP&\_AバsG:8_Ef~[/3d7#):A $Fdވ(oI Ncppt4%n^P2*ě$ 6G nȣPF  FnXZJ@%9X?(IC#[YLJ 6\b(zW^1$^1t)n2B8fe@\fܫ3@Vw&G8JA)13A!sr5d>Jd$@cj?p q B}mԢQZPR܂YH xnHP3́Q1ws[&@$^ "y y np QʓX8`i@ԉD/ag%G+Gr?I ܾ+; 먅sQ1n Gp\N6l pir IWMJ:w׺°RhS oZlsuMtOEV;wQoAT?cVɣV:5iϕj*9h"oh؅Ժy<$̕Y<4!(};@8.77Bc۠{0Vj*nyz9i-7 :%oƖC[d<V@e qaR3n*h=MRA*ל5m#w$8*T[vŤĺ sܰf3o kmS')vS;KT]vDۆDAR $]RJ!: %xmE(|[ [+ 'I͘"78'~ꅉl:hq%9HFc2LםwÙNxچީ#z F ؃Ĉ%ͥ~ HO6Lmc))qD%cƟ>m&P+[f 4~u=&Ѧ`||C慘@*RPK!S\O[kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-italic.ttf@BASEsLPFFTMoGDEFFIGPOS$/4GSUBR}97 OS/2iF<`cmapToQF&cvt / rLRfpgmS/MegaspOglyf?)LOhead>l6hhea>$hmtxt> locaMLt maxpcZ$ name>fuZD)_post@prepqPwebf TideoromnDFLTlatn$  МK͗ѻe $%%&z{78^__``abcdej{8DG^``cd <~DFLTlatn kernmark mkmk.size4d (08@:0   *Pr U $*06<BHNTZ`flrx~ &,28>DJPV\bhntzuu`uuuu\u3uuqu7uuwuJuTuuTuu{uBuuuuuu{s )NH9)3qZuuusumuBuuJuDuTudm u uffD&?F_45678:<=>01@>>B@CCVWG\\I^^J``KkkLrrMNOPRT{8DG^``4cd57 &,28>DJPV\bhntz "uuwuuuuuuuuuuuuuuuuuuuuuu{uN>V  &,?VX(89HXYE `n @ $*06<BHNTZ`flrx~3d3!39='}P #;BBbJhdhD'BB) &57?F_34>>5@C6^^:``;<=>?"(.:.@  /T54:TZv "(.4:@FLRX^dVJ/H{u &*.4:FJNTZF 0&R /}{8DG^``4cd57 &,28>DJPV\bhntz "uuwuuuuuuuuuuuuuuuuuuuuuu{u+` 28bx &@Rl<bx  O\>O??\?\;[]rX{X?=]rB]rX{=rm{f;[rN ;rN{;   ) ;=];=RA$A[]!rr=yR))) )   2A{Z')+-/1CKMOQS!#%')+-fffff ff   f    f f  f   f     f    +  +5;=A[]egi{v      D;.3\R)fwNw{\)RL N3 No?J'=  R/3B/J\j3jR`\\3XRB3}%\33wh#{{ 3P=?XX\whN}/=3\ ' Rj%RT?T/bfffD==fRRDmL!3{{\}w))oX R)wD j\))))1RRD)Xh hN w3To o%Z;Bww/b7723 , - / 012"!!!""%&'9):*+2536 4!""""""*"*         !!-  . !!!! " " "%%%&&&&'')*+++" #( "  "&'"$8"  !!  !!!! "%%%&&'')))*+' " " " " " " "#####(((((****3333$8$856 ' !!-'%'++    -(((()#$ *-&%, (   (((((((( ) ) ) )  * * *  )" ((((((( ) ) *                %%%%" " '&,L  $$ &) +,/14AFH"JM%PP)R`*ee9oo:qq;{{<=>EFGLR_e~ >@EH[]`gh3456789:5;CHiJKoPPqUVrtuwx |DFLTlatn@  aaltzcaseccmpdnomfracliganumronumordnpnumsaltsinfss01ss02ss03ss04ss05subssupszero   20.,* 8@HPZdlt|@d~4<rv D z    & 0   6 \   aZbc1cydze023p689:;<=>?@ABCDEF45          HJLNPRTVXZ\^d%.GHIJKMNOPRSTUVWXYZ[\]^_nEFU_x{|}~GIKMOQSUWY[]c(2<FP^lz,an-bo/!. "Yd#}e$vf%wg&[h'\i(]j)^k*_l+`mx FLQF"(.4:@*}4}J}T}*J4T    | N||z 6X $cU~SQ{O| ]~[Y{W| M{KI|G}&0:DNXblv~V0 ~W%1&*,.4:FIJLNQTYZN{|}~GIKMOQSUWY[]c&'()*+,-./0123456789:;<=>?   "$&(*,.024679;>@BDFHJLNPRTVXZ]   "$&(*,.024",-/."#$%&'()*+ "!  #d"+"/WW!77&"/ab@aZbxc1cydze23pF___"abY}vw[\]^_` "nodefghijklm .      .       fh eg@89:;<=>?@ABCDEFHJLNPRTVXZ\^d%{|}~GIKMOQSUWY[]c 6 Qx804FnE 5 LU  .F YKKN`-ab89:;<=>?@ABCDEF !HJLNPRTVXZ\^d-d{|}~"#$%&'()*+,-./GIKMOQSUWY[]c33fN   ADBE k ? | ~1Ie~7CQYa $(.1CIMPRX[!%+;ISco    " & 0 3 : D _ q y !!! !"!&!.!T!^!""""""""+"H"`"e#%%%%%%%%&&j''R.% 4Lh7CQYa#&.1CGMORV[  $*4BRZl    & / 2 9 D _ p t } !!! !"!&!.!S![!""""""""+"H"`"d#%%%%%%%%&&j''R."wnl@% {zxvohgb`PMJIHEC|vnh`PHFC=<61/.-*"!if^]ZS/)~|yvjN74~ܮܛCۛ]Ԏ   !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcMtfgkOzrmxluiyn~ep?oPdDEJKGH6WvUVN{ILRkvsrst|wul?uy{jzepswc\LZaDFn,KLPXJvY#?+X=YKLPX}Y ԰.-, ڰ +-,KRXE#Y!-,i @PX!@Y-,+X!#!zXYKRXXY#!+XFvYXYYY-, \Z-,"PX \\Y-,$PX@\\Y-, 9/- , }+XY %I# &JPXea PX8!!Ya RX8!!YY- ,+X!!Y- , Ұ +- , /+\X G#Faj X db8!!Y!Y- , 9/ GFa# #JPX#RX@8!Y#PX@e8!YY-,+X=!! ֊KRX #I UX8!!Y!!YY-,# /+\X# XKS!YX&I## I#a8!!!!Y!!!!!Y-, ڰ+-, Ұ+-, /+\X G#Faj G#F#aj` X db8!!Y!!Y-, %Jd# PX<Y-,@@BBKcKc UX RX#b #Bb #BY @RX CcB CcB ce!Y!!Y-,Cc#Cc#-JH 3!% !'#37J ZZ? +R9HLX^ v ++/ֱ 2  /++6? + .  .... ..@  990174632#"&73XN;//J;-5y'N5Z;-5Y:phB^ /3 + 222 /ֱ++/++  ++/ + +6?&+ ?&+    .... ....@0173373/'V/'Vh::13g+333/$3$2/$3 $2 /ִ+++++ + +!+6=6Q+ =+   +++ +  +  + + + + ++++ + ++ ....@ ................@9 90173#733!33#3##!#7!!1^yhwyiw^kj_p4p{{pp\\p4#1/ +@ +22/ֱ  - ../- +' 3+6>5+ .-..+>+ --+,-+./.+/. #9,-99,-./.....,/....@-. 999$901?32654.54>?3.#"#7.#d/\qB`s`A5`P)s+H|-f)wHbB`q`A5dV(s)\b=cjJlXP\sNL^9Z<\;Rt]?\PPbXPi?f}b#';K7+$3? / G/- / %2L/ֱ+  (+<<D+2M+$'$9D<%-7&$9?(232#".732>54&#"3 4>32#".732>54&#"}1`Z;_@"1`X;_?#yAL9Z>!BL9Z> k 1`Z;_@"1`X;_?#yAL9Z>!BL9Z> H^`/TpD`a0SqL^{N{J^}N}My8^`/TpD`a0SqL^{N{J^}N}X(4Cn&+!3, +? D/ֱ))+55<+E+5&,2$9< #/$999?, #27$9014>7&54>32>73&'#"&73267.'>54&#"9^{B%9`HonAkF+MT}5?cq`A}Vnu^HBP/`9hN/15+L7!!RnX)wqVi;}^Nl]+mRXwkZ#)mFP^s:3XsB>NZ#FMZ8/C(Jeh^`/ +2/ֱ++/++6?&+ ....@0173/'Vh:/ֱ + 90147 &@zr\ !f1D@+3H:&K/ֱ + 9014.'7 Z  f1D?{q'}H;'`N9/ +/ִ+2+ 9999901777''7%3ZNRkARDX@/;bo R/32 +@ + +@ + / ְ2 2 +@  + +@ + +015!3!!#bg{f{jupui'%/ +/ֱ + 901>7#"&54632?`r/32#".732>54&#"VXmLxP+VmNyR+-F/Ph<[^Ph<LEw^DwZDsT/5 U + 2/3 /3 / +6>p+ ..  ....@0137!#7673!5qy fFh3@+ //ֱ+999  $901#76$>54&#"'>32!"`hmBEPZcTZ-V5^Ͳ`Z{C@bNT/VwEm㔇3.Q,+ //// ֱ'  0+'999#$99 99901'732>54.#72>54&#"'632#"&h/fFtT/([hyd+fi;s+  ++  + +>+ + + +  #999 ....@  .........@ 901733##%!>7#HIL #)P%hkHh;D9m/&q$+ / +@ +/'/ ֱ(+6=+ . ......@99901'732>54&#"'!!>32#"&f5FZ9?uZ6k?ZBDe#k#V3J}\3R`T#>12\P{!#5i+VVuHh3 3Y+$,/ / 4/ֱ!!)+5+)! $9,$999  99014>32.#">32#".732>54&#"h]j)j#X?NtTDC@rZT^4wh7cI)hh@IP'OdBT9>PρNJ`LBu\:\w=q$@1// +// ֱ + 99017! #67'΍["+j}gɨ>zH3%7Gp!++C/H/ֱ&& +88@+@+00/I+8 90!+5;C$9C+ 5;$9014>75.54>32#".732>54.'>54&#"H3Tn<9<>jN=uZ6n?3!HwXHkC'DZ35dP//Rj9hwm%G8 pT-R@%;J{`J9yPT\1%KsL>:I\4Xb6)Tg9Y=!#?a=9WG=9f{3=KX4bj7#"&54>32#"&32>76454&#"%j#XBLsSDA@sZT_1\߃jif?JO'vi7bH)T9>PLH`LAu`e#s%@1.9\w/ P ++/+/ ֱ  + / +  99990174632#"&4632#"&/N;-2M;-3N;-2M;-3N5Z;-5Y:!5Z;-5Y:F/+/ֱ   / +9  99901>7#"&546324632#"&?`r/32'>54&#"M<-1L;-3";\;Zk^DBZfV9^R;o-N5Z;-5Y:=QTjafyN Vl\]d?V]:/\7'FTB/= /) )J  P/ 3/ U/ֱ88+GG.+ V+6>X+ L$&%LML$+ML$ #9$%&LM.....$%&LM.....@.G 3=@B$9=?9PJ .8$9 "9014$32#"&'##".54>3237332>54.#"327#".%327.#"\BRGyRHb/yD/V?'?mT`6ig0R1hR6<ׅTl{/bP;\\J9#=eI)NhZ߃PTH;N%EiAZTiXD`u?}uoOǷӑJL^XX\[}J5'Fj?;+3+ +/ֱ+9 901#3#!!'.'#mڸ%% 5i9?\jtuoHZ?%++% +&/ֱ!  '+6>O+ .%.%%+%+%......@9 99%9013!2#'32654&+732654&+H f3Vk7hTw᝖?DqV9 sqi3}f}us\guuX!3++ "/ֱ #+  $90146$32.#"3267#".udu1o)lNyI&R[RAHJ{sy?1qVTBP{\o?A7fBZPH? ` +3 +3/ֱ +6>m+ ..  ....@ 90133 #'32>54&+H  d򪰰єMo?wdH9? i+ + + / +6>+ ..   + + ......@013!!!!!H VhZ?LH9? `+ 3+ + /ֱ  +6>z+   + +....@013!!!!H \{?-uX%z!++ ! +3 2&/ֱ '+6>+ . ......@99  990146$32.#"3267!7!#".ud y3p'qRȎI&W`Jr)LuJuy?1qVTBP{Zs?/#r=MNH? + 333+333  + 32 /ֱ  + ++ +6>+ >G+  ++ +  + ....@0133!3#!H s^s?7H??+3+3/ֱ+ +6>z+ @0133H ??W++ 3/ֱ +6>+    .. ..@9901'732673#"&hsVfFfXyXJS:Vlz+ >n+  + +  #99 .. ..@9 9013333 # H 1]?i=H7?E++3/ֱ +6>z+ ..@0133!H 5?HH?&+ 333+33/ֱ + +6>z+ + .>n+    + +>+  + +f+ + #99 #9 9@   .........@   ............@ 9999013333#>7## #H u-6 tZ}- ?+\X7+\\ H?+ 33+ 33/ֱ + +6>+ >+   >=+ ++ #99.... ......@9901333>73##H 3V X ?diZ!hf-{X%D++!&/ֱ + '+99! 99014>32#".732>54&#"{`qu=`qu=%KwPmEmE(PPыbs?}u{Hu?s+3+  + /ֱ++6>+  ++ ....@9013!2+32654&+H {^n>Xׁkל?$P{X{u7ui{X/O++/0/ֱ (+ 1+($99+ #$9014>323267#"&'&732>54&#"{`qu=X߇#l5 DA3%KwPmEmE(P ZV }'"bs?}u{Hh?+ 33+ +/ֱ++6>+ ++....@ 99 99013!2##32654&+H q^o=;jVq͚?"LwT\pJ9o`X/\-++0/ֱ! ! +( 1+!9  %-$9(&99($901?32>54&/.54>32.#"#"&t;p=kL-\LVy?o[y?h5^9Z@ dJbiFzfXZd$B^:Jd/^5rLg;jR_=U%=N)N`-]9qZl>u?J+3+22/ֱ +6>+ ..@017!!#yJ?w+ +33/ֱ + ++6?+ ....@ 99 901467332>73#"& 9iZC`Z+a3\E-bn7Ñ́<? { ++ 33/ֱ +6,J+  +++ #999.... .....@0133>73#7 3m5sA?onmm?!U+3+ 33"/ֱ  + #+ 99999901333>733>73#467#/b.O)Y(#C#?mooljool5JPPP^?+33+ 33/ֱ++6T+ L+ ++++++ #999999@ ..........@ ..........@9901#33>73#.'#Jݬs#Fz )J#/X51b/^mTy3h65q3V?+ 3+ 33/ֱ  + / +6>2+   3+ +++ #999 ...... ......@0133>73#\/X1kh?}JMLI T? .++ / +9901#7!7!!g%`Z^O+ +/ +/ +6>+ ......@01!#3aZ\\P/ִ+++6+ ..  ....@013#kn Z[+3 +2/3 +2/ +6>Y+ ......@0173#7!d>^\)\D\ 3# # ++\`Dluh/  /+017!Jff(/+/ִ ++9013#yrP# + 3+ + 3+ $/ֱ  +   + %+6>I+  ....@ $9 99 9 $9014>32373#7##"&73267.#"PZhP}#'ƁH^bTNIZ+f9Jk?PkRD}N^ȁ}]bNFX?$\++ +! /%/ֱ+ &+$$9!99! $901333>32#"&'#732>54&#"?#P-J\ZgP}"(M)g;Ji?`VFG{;YkRD}NFYi}VLLy=+ + /ֱ +9  9999014>32.#"3267#"&L\mZ{-\'N;Jm?twBl/F5owbF3b/+Rf6#g)LPh$o++ + /%/ֱ +   + &+ $9 $9 9  $9014>32373#7##"&73267.#"PZhPw%!NځH^bTNKZ+f9Jk?PkPBNN^ȁ}]bNFXL-i++)  + ./ֱ$+ /+$ $9  99999)  9014>32!3267#"&!>54.#"L^bTuJ  xLnB;u/=;bծ -J57iZHZ7aL;j,&-&EZ)4"h+@}1+P=%-VwX-+3++32/ֱ+6>l+ ++++........@99 9 9013#?>32.#"3#X!5V%75#DS#ˮdu qgX5 /F+++ / /$ 0/ֱ! 1+ 99+$9017326?##"&54>32373#"&3267.#"J9T!1J`XdN#')d^THHX/b:Hg=m1FHXiRD}N{wXVNFT?+333+/3/ֱ++  +/+6>y+ >>+ ++ #99........@9999 99901333>32#>54&#"?#b!V\m {FN;_}H`u#=)f)2LNV^??Y+3+3 //ֱ+  +6>s+ @ 9901334632#"&?ǞLH/);H/);3D1-3B/Ds+ 3 ///ֱ   +6>O+    .. ..@ 99 9901732673#"&4632#"&3* 9D/HF1';H/';ju bZb3D1-3B/? + 33+/3 /ֱ  ++6>y+ >d+  + +  #99 .. ..@ 9 9 9013333#?#r5#aZq+ /3/ְ2 2 +@ +++6>+ ..@9 90174733267#"&Z # .!BCh!5%y D?,h+!",$3++3(2-/ֱ,,+"+!!+2 2+/.+6>+ ,+>s+ "%! >.+ >+ ++++"#"%+$"%+#"% #9$99999@  #+$%...........@  #+$%.........@99"(9!&99 999( $901333>32>32#>54#"#>54#"?ŁNN;R5`N}o }+Z{-YJd3H)\gu#=)f)2V^?f)2V^??+333++/ֱ++  +/+6>+ >>+  ... ...@9999 99901333>32#>54&#"?ŁV^m {FN;_Jdu#=)f)2LNV^?PD + + /ֱ+ !+ 9999014>32#"&732>54&#"PZf\fliFg=mhDf=w`պaŇPhP\$+ ++! /3%/ֱ++ &+6>+ $$+$+$+$ #999$....$....@999!$9! $90133>32#"&'#32>54&#" L^ZgNz'%@)g;Ji?`VFG\?]kP@NBYi}VNP\$+ + 3+ / 3%/ֱ  +   + &+6>~+   + +  #99......@ 99  $9 9  $9014>32373#7##"&73267.#"PZhP}#'C>J^bTFKZ+f9Jk?PkRD}yFLcȁ}]bNFX? i+3++ /ֱ++6>+ ..@99  99901333>32&'"?Ł;\3+7!5J@}\{{3Z/++4/ֱ   +*5+ 9 &/$9*9*$901'732>54.'.54>32.#"#".b/N+L;!)H3uo8\}E\7Z)bDPl1?#DX78dP1e\LNBP-;#-+-?{VBnN+J;X)9\@0)%%CDE)FsP+3F{Z++32 +@ ++/ְ2 + 99999901?33!3267#".5467{J7u7H5##^;BZ9tdu %%=> q#

n+ ..@9 999 999017467332673#7##"&s } FN;\ǁR\l#=){)1LMV^Hiy n + 3+ 33/ֱ+6+  q~+ + #9. ...@0133>73#yJ #J'$HHJJ?![ +3 2+ 33"/ֱ+#+!9 99 999990133>733>73#.'##!7!"5!<;HFFHIHFFHI!HJJG&+3+ 3/+9901#33>?3#'.'#ZVBgˢZ$!F'-P+)T+ -]//X/T2+3//ֱ +9 99017326?33>73#"&3%%L3%M #L%'UewG?qt{hHDHHG/J}\5 q .++ / +9901#7!7!!<kZ \B5p+ +(/& +/ 6/1ְ022#1+,,/-3#"27+6>b+ -..-"0?<+ / // +/ +/ +  + + + " "+>E:+ !"+-.-0+/ /-0+.-0 #9!"9/ #999 999@  !"-./0................@   !./............@#9&,99990172>7>7>;#";#"&54>54.B3H/.?Z>^5REQG1)!)!/B1[`T#+# 9g/:biPj?\^cX^do@-5131\NV9-,-/ִ+++013j%5+ +/ +(/' 6/ְ2"!2"+327+6?+ 0 >)+ .->,+ +++++>l+ +--+0  -+0!0 +--0 +>R+ .0 +/0 + #99.0 9/99-9@-0 !./................@ -0 ./............@ 9'( 99990173267>7>75.54>54&+7323"#j5RHMH3' )!-B3ZbT#+" 7-5H/-@Z;\ZdX`fo ?.5152\PT9-'g/9bkPh>\74///+9999 9901>323267#".#"\3@7\TL)-H#X3?7]SL)-H#`V7B7+ ..  >+ +++>+ +++ +!+ #9 9999@  ......... !........@014>?3.'>7#7.7VZ)e)Ll)`#H1Bn/7B^+f+TV=qV4LϓV N/\)152#k)Au Fl9&c+$ /32/'/ ְ22 / (+$9 9 9990137>=#?.54>32.#"!!!@nZh+k#\=q=V\^Hn 1a)hu?dFT7F)X0xXd!1t/%-/ 2/ֱ""*+3+" $9*  $9$9% $9-$9  $9017.5467'7>327'#"'32>54&#"B9`Zb5w@?g'H!?6mXo5}BI\V5fR2]V5fR1B!K/\>}K%))#VFU\73!!!!#9?T/T-ޝF?ADJVXDILAijXVJ-#/ְ2+2+ +013#3jjjLPPy5E+3/F/ֱ66+""+..>+)G+6 9"3C$9:B99.,;$9>&9.;C$901?32654.5467&54>32.#"#"&>54.'T5JNhAeteA{b!/RqC\PjLo)7@DlL+TB\1FPH1IDDTnLw/5+'/B-)/>+JJ9'E{+ +C/< 4/- #/ +F/ִ+(+99+ +G+9#-0@C$954.#"4>32.#"3267#"&JjwǍPkwƍNX=uj_>wj^M{JH^"K@/1fV6m\9]33?R!݇T}݈TчmJymIxwq}D>+F#%5`Poq0 P/9{#/ / $/ֱ%+6>+  ! >Y+  + #9 ..... .....@ 99999014>32373#7##"&73267.#"{=eE/R^` /w>Xhw?1/o/5?#/XC+^yF/2Pmb5>}RKC<5)7\{R'{ 77R@9ݯHs@9ݯH/<-D/<-b0/ +@ +/ֱ +@ ++015!#bH{juJ#?!//ִ ++017!Jxx{%3;2+4 ++.+/ +;/' +!/ +F+ &.'3";23;+43;+&3..'24;....@03!$9/.92/949; +999014>32#".732>54&#"32#'#732654+=lXDx[7>nXDxZ5K#Db=DyX3{FwX1yT;F5/9R-E+-/5C3V}L3\LV}I3ZV=gN+9/F-%==!/  /ִ ++017!nnu{L / +/ + /ִ+++!+ 9999014>32#"&732>54&#"+Hb7^{+Ga7`{`D=%;+D=%=+X;iP/}f;iP/}j;R!7H$;U#7Hboa+/ 3 2 +@ + +@ +/ְ2 2  +@  + 2 +@ +2+0135!5!3!!#bHg{f{wwwsw{@+ / /ֱ+999  $9017>54&#"'>32!}r5AB+T&H9yNo~3dbNNXwm7;D7)I7Jre?wwJhl)V + +'/ / */ֱ" ++ "999 999901732654H>54&#"'>32#"&TXCHffuF^9ADT+'f\Lwf6;\B!c /+/ִ ++013!y+3+ + 333/ֱ++ ++6>+ >n+   +++++ #99999 ........ ......@99 999 9901332673#7##"&'} FN;\ŁHN;\+   ..@ 99014>;#". 3^mb\{G+9?/Z{$ ( /++ /ֱ  +014632#"&N;-2M;-35Z;-5Y:L%/ +/ֱ + 901>54&'73Ro1+ ......@017>73#lP`1`{P #!y@ / /  /ֱ+!+ 9999014>32#"&732>54&#"y?gCo?gDouEB/VA'CB1VB&`n>}bn>TZ3XwAR\3Zu/{ 77%7/!J !J?J-<?J-` + 33+3  +33 +22 +@ +2 / +2/ֱ++6>+ .>+ ++++>+ + #9....@ .........@ 9 $9 9 9017>73#3%733##7'3?#P`1`{k bus+n+5P #!?yDXXݬ` '+ +% + 3 +  / + 2(/ ֱ  + )+6>+  .    .. ..@ 9 %$9 &'99% 9 $90137>73#7>54&#"'>32!k JP`1`{}r5AB+T&H9yNo~3dbNyP #!XNXwm7;D7)I7Jre?wwJh^`)-8>7+*633 + +.97 +2:33. +58229. +@90 +12'7 + / +2?/ֱ" "7+6@+6>+ 7<61261+561+787<+:7<+>+ ;7<+;7< #9;<..1258:;<.......@7./99999./9 "=$9 99901732654H>54&#"'>32#"&3%733##7'3?#^TXCHffuF^9ADT+'f\Lwf6;\B!ctyDXXݬq'`/ %/+(/ֱ+2" )+ $9%99"99%$9014>73267#"&4632#"&;Xk^D@ZfV:]Q;r-Q;\J;-5M3232673#".#"mڸ%% 5i9+ )6=#'5/-!1ZnE'5-.!1?\jtuo-N;!#+"93\{#+%<3{)n+3+ +/'3!2*/ֱ+2$++9 999!'999 901#3#!!'.'#4632#"&%4632#"&mڸ%% 5i9>+#/>+#/T>+#-<+#/?\jtuo-D+)+D+'-D+)+D+!-+3+ +/% ++/ +./ִ"+"(++(+/+"9 %+$9(9 9+%9901#3#!!'.'#4>32#"&732654&#"mڸ%% 5i9R!7J)Hd!7J)HdX/)-B/)-B?\jtuo1+J7NT+J7N\+5F5+3E? +3 +2  +3 2  +/+6>+ ..    + +  + + ........@01#!!!!!!! !#D8V-hA!OkbXNN?Ls squLuX!3n+) ++ 3/" +4/ֱ %+.5+%"(3999.)999"(+.999 ) $90146$32.#"3267#".>54&'73udu1o)lNyI&R[RAHJ{sy?Ro1+ ..   + + ......@013!!!!!3#H VhZǨ}?LH9 i+ + +/+6>+ ..   + + ......@013!!!!!73H VhZ۲?LH9 i+ + +/+6>+ ..   + + ......@013!!!!!73#'#H VhZ锑yh?LᏏH9{ #+ + +/!32$/ ֱ+%+6>+ ..   + + ......@ $9013!!!!!4632#"&%4632#"&H VhZ>+#/>+#/T>+#-<+#/?L -D+)+D+'-D+)+D+HQ+3+3/ֱ+ +6>z+ @99901333#H }?HM+3+3/ֱ+ +6>z+ @99013373H Y۲?H W+3+3 /ֱ+ +6>z+ @9 9 999013373#'#H I锑yh?ᏏH{h+3+3 /32/ֱ+ +/ ++6>z+ @01334632#"&%4632#"&H 1>+#/>+#/T>+#-<+#/? -D+)+D+'-D+)+D+`? + 3 +3  +3 +2/ֱ +6>S+ ..   + +++ ........@9901?3 #!32>54&+!!`w d3ѓNo\3TMwd4ZH-+ 33+ 33%/3 */ !2./ֱ + /+6>+ >+   >=+ ++ #99.... ......@ !%999 "999%(9*901333>73##>3232673#".#"H 3V X / )6=#'5/-!1ZnE'5-.!1?diZ!hf--N;!#+"93\{#+%<3{%)G++!*/ֱ + ++&($9! 99014>32#".732>54&#"3#{`qu=`qu=%KwPmEmEI}(PPыbs?}u{{%)N++!*/ֱ + ++&')$9 (9! 99014>32#".732>54&#"73{`qu=`qu=%KwPmEmE۲(PPыbs?}u{{%-N++!./ֱ + /+&(*$9 )9! 99014>32#".732>54&#"73#'#{`qu=`qu=%KwPmEmE锑yh(PPыbs?}u{Ꮟ{%?j++!7/&30 32#".732>54&#">3232673#".#"{`qu=`qu=%KwPmEmE )6=#'5/-!1ZnE'5-.!1(PPыbs?}u{-N;!#+"93\{#+%<3{{%1=u++!//;3)52>/ֱ &+,,+ 8 +22/8?+,&!99929! 99014>32#".732>54&#"4632#"&%4632#"&{`qu=`qu=%KwPmEmE,>+#/>+#/T>+#-<+#/(PPыbs?}u{l-D+)+D+'-D+)+D+5  7   /R//T1Th>=R=RT@b$/i+(+ 0/ֱ -+ 1+99-%$9 99(9  /$9 901'7&74>327#"&'.#"32>54'B`s;I=`o;'yVmEG'uTmE χ(PLHՅLHduXBE{R;D}ujZz+ +33/ֱ + + +6?+ ....@ $9 901467332>73#"&3# 9iZC`Z}+a3\E-bn7Ñ́<z+ +33/ֱ + + +6?+ ....@ $9 901467332>73#"&73 9iZC`Z۲+a3\E-bn7Ñ́<"z+ +33#/ֱ + +$+6?+ ....@ $9 901467332>73#"&73#'# 9iZC`Z{锑yh+a3\E-bn7Ñ́<Ꮟ{&2+ +33$/03*23/ֱ + +!!'+--+4+6?+ ....@! 99 901467332>73#"&4632#"&%4632#"& 9iZC`Z>+#/>+#/T>+#-<+#/+a3\E-bn7Ñ́<N-D+)+D+'-D+)+D+V+ 3+ 33/ֱ  + / +6>2+   3+ +++ #999 ...... ......@0133>73#73\/X1kh۲?}JMLI HHH+3+3 + +/ֱ+ + +6>+ ++++....@ 9013332+32654&+H /\jZטH%P}V{t:uh? ?+?3+% +""+9+@/ֱ??/+6+   ((/A+6>d+ ?>>..>..@/?"!99%,9$96399 9%!99" (999013>32#"&'732654.54>54&#"?JlV=kO0)9BN55TFAHR7FZ3VsBP#' + 3+ + 3+ $/(/ֱ  +   + )+6>I+  ....@ $%'$9 &999 9 999$&9014>32373#7##"&73267.#"3#PZhP}#'ƁH^bTNIZ+f9Jk?yrPkRD}N^ȁ}]bNFXP#' + 3+ + 3+ %/(/ֱ  +   + )+6>I+  ....@ $'$9 %999 9 &9 999%$9014>32373#7##"&73267.#"3PZhP}#'ƁH^bTNIZ+f9Jk?"PkRD}N^ȁ}]bNFX!P#+ + 3+ + 3+ %/,/ֱ  +   + -+6>I+  ....@ $%*$9 &()$9 9 '9 999%$9014>32373#7##"&73267.#"3#'#PZhP}#'ƁH^bTNIZ+f9Jk?ulaPkRD}N^ȁ}]bNFX!߽Pu#; + 3+ + 3+ 3/$3, 8/' /2I+  ....@ $'6$9 *,3$9 /99 09  $9,369014>32373#7##"&73267.#">3232673#".#"PZhP}#'ƁH^bTNIZ+f9Jk?dB+9-+!,ZdA-8--!,PkRD}N^ȁ}]bNFX\u#'#:/\u# /Py#/; + 3+ + 3+ -/93'32I+  ....@$99*9 9 99609  $9014>32373#7##"&73267.#"4632#"&%4632#"&PZhP}#'ƁH^bTNIZ+f9Jk?=+%/?+#/T=+%-=+#/PkRD}N^ȁ}]bNFX9/B-)/>+'/B-)/>+P#3? + 3+ + 3+ 1/7 +=/) +@/ֱ $+4+4:+,+,   / , + A+6>I+  ....@$99 417=$9 )999,: 99  $9=7,$99014>32373#7##"&73267.#"4>32#"&732654&#"PZhP}#'ƁH^bTNIZ+f9Jk?8I)J`6I)JbZ-)+?-)+?PkRD}N^ȁ}]bNFX++L9!VR+L9!VX-7M6+7LB7CQ3+-3;&2+3 N2E!3 +E E A R/ֱ88A+>2!!E /E!I+S+A8 3?$9!"0999E9I)-&$9!;)08>$9 I$90174>7>54&#"'>32>32!3267#"&'#".73267&67!>54.#"B`P\BH+N\fF_TtJ# AeA;u/>;`m#bn5]F(ZF?V -I6/`Tj^/'\^1)s+;`c\g7aL;jR^64"h+@qT\i>Z\HNVZBhBJ-+P=%-VLLy/u+% ++ // +0/ֱ !+*1+/99!$9*%999$'*999 % 9999014>32.#"3267#"&>54&'73L\mZ{-\'N;Jm?twBl/F5ofRo132!3267#"&!>54.#"3#L^bTuJ  x!LnB;u/=;bծ -J57iZHؙyrZ7aL;j`Z)4"h+@}1+P=%-Vw-L*.z++& + ,///ֱ!+ -20+9!+,.$9  9999& 9,+9014>32!3267#"&!>54.#"3L^bTuJ  x!LnB;u/=;bծ -J57iZHZ7aL;j`Z)4"h+@}1+P=%-Vw !L*2y++& + ,/3/ֱ!+ 4+9!+-/$9  .99999& 9,+9014>32!3267#"&!>54.#"3#'#L^bTuJ  x!LnB;u/=;bծ -J57iZHvulaZ7aL;j`Z)4"h+@}1+P=%-Vw !߽Ly*6B++& + 4/@3.:2C/ֱ++11!+  $ =+77/=D++91997&999!9= :@$999& 9014>32!3267#"&!>54.#"4632#"&%4632#"&L^bTuJ  x!LnB;u/=;bծ -J57iZH=+%/?+#/T=+%-=+#/Z7aL;j`Z)4"h+@}1+P=%-Vw/B-)/>+'/B-)/>+?Z+3+3//ֱ+ +6>s+ @999901333#?Ǟyr?X+3+3//ֱ+ +6>s+ @99901333?Ǟ!?p b+3+3/ /ֱ+ +6>s+ @9 9 99990133 3#'#?Ǟ`ula!߽?yh+3+3 /32/ֱ+ +/ ++6>s+ @0133 4632#"&%4632#"&?ǞR=+%/?+#/T=+%-=+#//B-)/>+'/B-)/>+X=#5/+) 1/6/ֱ$7+1)999014>32.''%&'7%#".732>7.#"XBznJ->7!LwJH|6) FNF{La59W7Jz[7)qPP~X2`j̝`MD{P}TsVL^)f<{Tpfy:da5_H)Tm=aJw?u2+333++*/3# // &23/ֱ++  +/4+6>+ >>+  ... ...@99/$9!-9999#*-901333>32#>54&#">3232673#".#"?ŁV^m {FN;_dB+9-+!,ZdA-8--!,Jdu#=)f)2LNV^?\u#'#:/\u# /P#R + + /$/ֱ+ %+  "$999 "9014>32#"&732>54&#"3#PZf\fliFg=mhDf=yrw`պaŇPhPP#Y + +!/$/ֱ+ %+  !#$9"999! 9014>32#"&732>54&#"3PZf\fliFg=mhDf=,w`պaŇPhP!P'[ + +!/(/ֱ+ )+  "%$9#$9999! 9014>32#"&732>54&#"3#'#PZf\fliFg=mhDf=ulaw`պaŇPhP!߽Pu7l + +// 3( 4/# +28/ֱ+ 9+  &/$9(+9999(/29014>32#"&732>54&#">3232673#".#"PZf\fliFg=mhDf=dB+9-+!,ZdA-8--!,w`պaŇPhP\u#'#:/\u# /Py+7} + +)/53#/28/ֱ +&&+ 22,,/9+  9,999/59999014>32#"&732>54&#"4632#"&%4632#"&PZf\fliFg=mhDf==+%/?+#/T=+%-=+#/w`պaŇPhP/B-)/>+'/B-)/>+b. ////ְ2 2+015!4632#"&4632#"&bH;--<<--;;--<<--;juu+<<+-;;+;;+->>'!+l+$+,/ֱ)+-+99)"$9 99$99 +$9 990157&54>327#"'&#"32>54'3Zfa|>/\g`y9qLf<47nLi; ``m9^_g}J1!VVNV`B1s+3+ +33//ֱ  + ++ +6>n+ ..@9 $9999 9999017467332673#7##"&3#s } FN;\ǁR\lyr#=){)1LMV^HiEs+3+ +33//ֱ  + ++ +6>n+ ..@9 999999 9999017467332673#7##"&3s } FN;\ǁR\l#=){)1LMV^Hi$!s"+3+ +33/#/ֱ  + ++$+6>n+ ..@99 "999!$9 9999017467332673#7##"&3#'#s } FN;\ǁR\l%ula#=){)1LMV^Hi$!߽sy&2+3+ +33$/03*23/ֱ  + +!!++- ''/-4+6>n+ ..@9! 999 999017467332673#7##"&4632#"&%4632#"&s } FN;\ǁR\l3=+%/?+#/T=+%-=+#/#=){)1LMV^Hi/B-)/>+'/B-)/>+T;+3// /ֱ !+9 999017326?33>73#"&33%%L3%M #L%'UewG?qt{hHDHHG/J}\5 1!\%+ +" /3/3&/ֱ++ '+6>+ >g+ +++++%+ #999%999%......%......@9999"99" 9990133>32#"&'#32>54&#"vP-J\ZfNx)%@)g;Ji?`VFG\V{;YkP@NBYi}VLTy'3m+3/%/13+24/ֱ  +""(+.5+ 9" 99.(99 99017326?33>73#"&4632#"&%4632#"&3%%L3%M #L%'UewG?=+%/?+#/T=+%-=+#/qt{hHDHHG/J}\5 /B-)/>+'/B-)/>+DD+3+ +/ /ֱ+99 901#3#!!'.'#7!mڸ%% 5i9?\jtuoooP=#' + 3+ + 3+ $/% (/ֱ  +   + )+6>I+  ....@ $%$9 99 9 &'99  $9014>32373#7##"&73267.#"7!PZhP}#'ƁH^bTNIZ+f9Jk?PkRD}N^ȁ}]bNFXnn#p+3+ +/ + +@ +2$/ִ++%+ $999 901#3#!!'.'#332673#".mڸ%% 5i9-]7CBR`/D\;7N/?\jtuo5PR3+R=''?RP#5 + 3+ + 3+ 3/* +*3 +@*. +&26/ֱ &+'+' +   + 7+6>I+  ....@&99 '*3$9 99 -99  $9014>32373#7##"&73267.#"&7332673#"&PZhP}#'ƁH^bTNIZ+f9Jk? \5DF^b1Jc?=PPkRD}N^ȁ}]bNFX?\0HZ^D/]G--P?%X+33+/  +&/ֱ'+"999  9 99!901#3327#"&54>7#!!'.'#mڸbg+%$##V#FY%7E!%% 5i9?7<%)VHE+VL?\jtuoPZ(7&+, + + 3+3 / 8/ֱ) )+ + 9+6>W+ / 0/ /0.. /0...@)&,99 !"#3$9&9993 "$9014>323733267#"&54>?##"&73267.#"PZhP#'hz+"!#V#DV)@P'J^bTFIZ+f9Jk?PkTF/D#( NFC-XN@Lcȁ}]bNDXuu!%3++ &/ֱ '+  $90146$32.#"3267#".73udu1o)lNyI&R[RAHJ{sy?k۲1qVTBP{\o?A7fBZPL!F+ + /"/ֱ #+9  99999014>32.#"3267#"&3L\mZ{-\'N;Jm?twBl/F5owbF3b/+Rf6#g)L!uu!)3++ */ֱ ++  $90146$32.#"3267#".73#'#udu1o)lNyI&R[RAHJ{sy?锑yh1qVTBP{\o?A7fBZPᏏL%F+ + /&/ֱ '+9  99999014>32.#"3267#"&3#'#L\mZ{-\'N;Jm?twBl/F5o>ulawbF3b/+Rf6#g)L!߽uu!-Y++ +/%./ֱ "+( /+"99( 999  $90146$32.#"3267#".4632#"&udu1o)lNyI&R[RAHJ{sy?{H/);H/);1qVTBP{\o?A7fBZP1E1-3B/Ly)d+ + '/!*/ֱ +$ ++99$ $99  9999014>32.#"3267#"&4632#"&L\mZ{-\'N;Jm?twBl/F5oH/)32.#"3267#"&3373#L\mZ{-\'N;Jm?twBl/F5oylaywwbF3b/+Rf6#g)LH h +3 +3/ֱ +6>m+ ..  ....@9 90133 #'32>54&+3373#H  d򪰰єMoHyh?wdɏPH$)++ + /*/ֱ +   +  %+)+)& +'++ $9 $9 9  $9 %)99014>32373#7##"&73267.#"3PZhPw%!NځH^bTNKZ+f9Jk?RoZPkPBNN^ȁ}]bNFXt`? + 3 +3  +3 +2/ֱ +6>S+ ..   + +++ ........@9901?3 #!32>54&+!!`w d3ѓNo\3TMwd4ZP,++! (/ / 33 +22/3-/ֱ ++.+6?D+ %>k+ % %+ %+ %+%++ % #9 9 %... %.......@ !($9$9999($9014>323?!7!733#7##"&73267.#"PZfPu#!@'&H^bTNKR)d9Ji?PiPA]R mN^ȁ}]bNFVH9D p+ + + / /+6>+ ..   + + ......@013!!!!!7!H VhZ?LooL=*.w++& + +/, //ֱ!+ -20+9!+,$9  .99999& 9014>32!3267#"&!>54.#"7!L^bTuJ  x!LnB;u/=;bծ -J57iZHZ7aL;j`Z)4"h+@}1+P=%-VwJnnH9 + + +/ + +@ + 2/ ִ ++6>+ ..   + + ......@013!!!!!332673#".H VhZ]7CBR`/D\;7N/?L5PR3+R=''?RL*<++& + :/1 +1: +@15 +-2=/ֱ-+.+.!+ >+9-9.99!&1:$9  499999& 9014>32!3267#"&!>54.#"&7332673#"&L^bTuJ  x!LnB;u/=;bծ -J57iZH \5DF^b1Jc?=PZ7aL;j`Z)4"h+@}1+P=%-Vw\0HZ^D/]G--H9 + + +// ֱ 2+6>+ ..   + + ......@  99013!!!!!4632#"&H VhZH/);H/);?L1E1-3B/L*6++& + 4/.7/ֱ++1 1!+ 8+9+9991&999 ! 9999& 9014>32!3267#"&!>54.#"4632#"&L^bTuJ  x!LnB;u/=;bծ -J57iZHH/)+ ..   + + ......@99013!!!!!327#"&54>7H VhZ/T=%+!#%"#S%FZ'9D?L5HP!%)VHE-VN>LZ3A1++=&/ 41 +4 B/ֱ)+8+ C+9)49198#&.=$9  991")999999=4 9014>32!32673267#"&54>7#"&!>54.#"L^bTuJ  x!LnB;u/=VrD+#!#V%BU"47# ծ -J57iZHZ7aL;j`Z)4"h3ZPH#( NED-RF5}1+P=%-VwH9 i+ + +/+6>+ ..   + + ......@013!!!!!3373#H VhZyh?LL*2~++& + +//33/ֱ!+ 4+9!+.1$9  /99999& 9+-199014>32!3267#"&!>54.#"3373#L^bTuJ  x!LnB;u/=;bծ -J57iZHlaywZ7aL;j`Z)4"h+@}1+P=%-Vw-u%-z!++ ! +3 2./ֱ /+6>+ . ......@99  990146$32.#"3267!7!#".73#'#ud y3p'qRȎI&W`Jr)LuJuy?锑yh1qVTBP{Zs?/#r=MNᏏ5 /7J+++ / /$ 1/8/ֱ! 9+ 99+$ $9017326?##"&54>32373#"&3267.#"3#'#J9T!1J`XdN#')d^THHX/b:Hg=ulam1FHXiRD}N{wXVNFT!߽u%7!++ ! +3 23/* +*3 +@*. +&28/ֱ &+'+9+6>+ . ......@&!99'9999  990146$32.#"3267!7!#".332673#".ud y3p'qRȎI&W`Jr)LuJuy? ]7CBR`/D\;7N/1qVTBP{Zs?/#r=MN5PR3+R=''?R5 /Az+++ / /$ ?/6 +6? +@6: +22B/ֱ! !2+3+C+2! $$9 99+$ $9017326?##"&54>32373#"&3267.#"&7332673#"&J9T!1J`XdN#')d^THHX/b:Hg= \5DF^b1Jc?=Pm1FHXiRD}N{wXVNFT-\0HZ^D/]G--u%1!++ ! +3 2//)2/ֱ &+, 3+6>+ . ......@&!$9, 9999  990146$32.#"3267!7!#".4632#"&ud y3p'qRȎI&W`Jr)LuJuy?wH/);H/);1qVTBP{Zs?/#r=MN1E1-3B/5 /;r+++ / /$ 9/332373#"&3267.#"4632#"&J9T!1J`XdN#')d^THHX/b:Hg=IH/)+ . ......@)&,-5$90!$9,&0999  990146$32.#"3267!7!#".>54&'7ud y3p'qRȎI&W`Jr)LuJuy? Zk/!/DT3Vo;1qVTBP{Zs?/#r=MN61# E=83H/5 /?+++ / /$ =/< +6/5 +@/ֱ! !0+9A+0! $$99+99 99+$ $96<09017326?##"&54>32373#"&3267.#"4>7.J9T!1J`XdN#')d^THHX/b:Hg=33Vn<Zk/!/DSm1FHXiRD}N{wXVNFT3H/J52# F>H + 333+333  + 32/ֱ  + +++6>+ >G+  ++ +  + ....@ 9999990133!3#!73#'#H s^s*锑yh?7Ꮟ?#+333+/3$/ֱ++  +/%+6>y+ >>+ ++ #99........@#9!"$9 99999 99901333>32#>54&#" 73#'#?#b!V\m {FN;_-锑yh}H`u#=)f)2LNV^?ᏏZ}? +333+ 333+333 + 222 +32/ֱ + +  + +6>+ >Y+ +++ +  + + +++ + ++@  ............@013#?3!733##!!7!Zɇ11\11Ƞa/TZ?#]+#333// 3 +2/3$/ֱ##++222+/%+6>u+ >N+ ++##+ #+>d+ #++>+ +++#"#+"# #9 9999 "........@  ".........@ 999 99 999013#?3!!3>32#>54&#"?''f/!V\l wr FN;^R ]}H`u#=)=)2LNV^hH}+3+3/3 / 2/ֱ+ +6>z+ @99 99 999  90133>3232673#".#"H \ )6=#'5/-!1ZnE'5-.!1?-N;!#+"93\{#+%<3?uq+3+3/3 / 2/ֱ++6>s+ @99999 90133 >3232673#".#"?ǞsdB+9-+!,ZdA-8--!,\u#'#:/\u# /HDP+3+3/ /ֱ+ +6>z+ @9901337!H +?oo?=P+3+3/ /ֱ+ +6>s+ @990133 7!?ǞJnnHu+3+3/ +  +@ +2/ִ++/+ +6>z+ @ 9901337332673#".H ]7CBR`/D\;7N/?^)5PR3+R=''??x+3+3/ +  +@  +2/ֱ+++/++6>s+ @ 990133&7332673#"&?Ǟ \5DF^b1Jc?=P\0HZ^D/]G--P?t+3/ /ֱ  + +6>z+   .. ..@ 9999999014>7#3327#"&P%7@ Nd+%#%!\#DX-VN>?/;%)RHZ#+3/ !/$/ֱ  +  %+6>s+   .. ..@ 999!999999014>7#3327#"&4632#"&V%7B%ǞV^+!'$!#V"BX}H/);H/);-TL<7yB#(NFn3D1-3B/H+W+3+3 //ֱ+2 +6>z+ @ 9901334632#"&H iH/);H/);?1E1-3B/??+3+3/ֱ++6>s+ @0133?Ǟ\c++ 3/ֱ +6>+    .. ..@ 9999901'732673#"&73#'#hsVfFfXy'锑yhXJS:VlO+    .. ..@ 999 99901732673#"&3#'#3* 9D/HPulaju bZb9!߽HT? + 33+33/ +/ +/ֱ  + 2 ++6>z+ >n+  + +  #99 .. ..@$9 9 9 9013333 # >54&'7H 1]fZk/!/DT3Vo;?i=61# E=83H/?T + 33+/ +/ +/3/ֱ  + /+6>y+ >d+  + +  #99 .. ..@  $99 9 9 9013333#>54&'7?#r5Zk/!/DT3Vo;#a61# E=83H/? + 33+33 /ֱ  ++6>+ >s+  + +  #99 .. ..@9 9013333#?Şgr5aH7 M++3 /ֱ +6>z+ ..@ 90133!73H 5/۲?HZ|+ /3/ְ2 2 +@ ++2+6>+ ..@99 90174733267#"&73Z # .!BC۲h!5%y DHT7?~++3/ + / +/ֱ    /+6>z+ ..@  99 90133!>54&'7H 5Zk/!/DT3Vo;?H61# E=83H/T#!+ / +/ +/3$/ְ2 2 +@ + +/ +%+6>+ ..@ !9 9!901>54&'74733267#"&TZk/!/DT3Vo; # .!BC61# E=83H/!5%y DH r++3 /ֱ + +  + +6>z+ ..@ 99 990133!3H 5'RoZ?HtZ+ /3/ְ2 2 +@ ++++ ++6>+ ..@ 9990174733267#"&3Z # .!BCRoZh!5%y D7tHu?h++3  ++/ֱ + +6>z+ ..@ 990133!4632#"&H 5N;-2M;-3?H5Z;-5Y:Z+ /+/3 /ְ2 2 +@ ++ +/!+6>+ ..@999 90174733267#"&4632#"&Z # .!BCN;-2M;-3h!5%y Dg5Z;-5Y:7? + +3/ֱ +6>+   >z+  +  + +  +  #99 99 .... ......@ 9901?3%!!fV5+`VɍTB9+ +/3/ֱ  +@  + ++6>+  +  + ++ #99 99 ...... ......@ 99901?373267#"&547Blu! .!BA b\P{a^%y D=9H+ 33+ 33/ֱ + +6>+ >+   >=+ ++ #99.... ......@ 999 99901333>73##73H 3V X ۲?diZ!hf-?+333++//ֱ++ 2 +/ +6>+ >>+  ... ...@9999999 999901333>32#>54&#"3?ŁV^m {FN;_ZJdu#=)f)2LNV^?!HD?#+ 33+ 33#/ +/ +$/ֱ+ + %+6>+ >+   >=+ ++ #99.... ......@#$9  9999901333>73##>54&'7H 3V X lZk/!/DT3Vo;?diZ!hf-61# E=83H/?T*+333++*/ +!/" ++/ֱ++%%+  +/,+6>+ >>+  ... ...@*99!999"9%99!%9 99901333>32#>54&#">54&'7?ŁV^m {FN;_Zk/!/DT3Vo;Jdu#=)f)2LNV^?61# E=83H/H+ 33+ 33/ֱ + +6>+ >+   >=+ ++ #99.... ......@ 999 99901333>73##3373#H 3V X qyh?diZ!hf-?"+333++/3#/ֱ++  +/$+6>+ >>+  ... ...@99"$9!$9 999!9901333>32#>54&#"3373#?ŁV^m {FN;_!laywJdu#=)f)2LNV^?-+!"-333++)/ ./ִ + + + +- +&+ !&+""/!/+6>+ -,>>+ "#! #,... #,...@99")9!9)99999  901>7#"&5463233>32#>54&#"^e -:>3/=(Je9ŁV^m {FN;_/:/-/FJBHvbJuJdu#=)f)2LNV^?{D%)U++!&/' */ֱ + ++&')$9 (9! 99014>32#".732>54&#"7!{`qu=`qu=%KwPmEmE2(PPыbs?}u{7ooP=#V + + /! $/ֱ+ %+  !$9"#9999014>32#"&732>54&#"7!PZf\fliFg=mhDf=w`պaŇPhPnn{%7~++!3/* +*3 +@*. +&28/ֱ &+'+'+ 9+&99'!*-3$9 .9! 99014>32#".732>54&#"332673#".{`qu=`qu=%KwPmEmEY]7CBR`/D\;7N/(PPыbs?}u{5PR3+R=''?RP1 + +//& +&/ +@&* +"22/ֱ"+#+#+ *23+" 99#&/$9)999014>32#"&732>54&#"&7332673#"&PZf\fliFg=mhDf= \5DF^b1Jc?=Pw`պaŇPhP%\0HZ^D/]G--{%)-R++!./ֱ + ,2/+&(*-$9 +9! 99014>32#".732>54&#"73373{`qu=`qu=%KwPmEmEG(PPыbs?}u{PX#'S + +(/ֱ+ )+  !#$$9"%'99999014>32#"&732>54&#"333PZf\fliFg=mhDf=ёѐw`պaŇPhP##{?+ 2+22  + /ֱ +6>W+ ..   + + ......@ 990146$3!!!!!! ;#"{bhX;h5PّєM .vL;dP;*:G"+(3.2+ 36C2;" +; H/ֱ++>+I+>+@  "(3;$999"9%+$96;3>$9014>32>32!3267#"&'#"&732>54&#"%!654.#"PZd}!Vcf3TwJ  C`:;u/;;bwFyliD~d>mhBd= -J51aR?w`}=aA#7aL;j`Z)4"h+@ŇPhPR16+P=%-VwHh+ 33+ +/ֱ+ +6>+ ++....@ $99 99013!2##32654&+?3H q^o=;jVq͚Ŧ۲?"LwT\pJ9o`?%t+3++ //ֱ++6>+ ..@99  999901333>32&'"3?Ł;\3+7!5J@}\{{!HDh?!*+ 33+*!/ +/ +" ++/ֱ+&+,+6>+ **+"*+"*....@!$99&  9999" 9*9013!2##>54&'732654&+H q^o=;jVqFZk/!/DT3Vo;=͚?"LwT\pJ961# E=83H/vo`T  + 3++ / +/ +!/ֱ   /  +"+6>+  ..@999 999901>54&'733>32&'"NZk/!/DT3Vo;Ł;\3+7!5J@}61# E=83H/\{{Hh"+ 33+ +#/ֱ+$+6>+ ++....@ !$9 9 99013!2##32654&+3373#H q^o=;jVq͚3yh?"LwT\pJ9o`Ə?N{+3++ /3/ֱ++6>+ ..@999  9999901333>32&'"3373#?Ł;\3+7!5J@}{layw\{{/3`-++4/ֱ! ! +( 5+!9  %-03$9(&1999($901?32>54&/.54>32.#"#"&73t;p=kL-\LVy?o[y?h5^9Z@ dJbiFzf۲XZd$B^:Jd/^5rLg;jR_=U%=N)N`-]9qZl>uN137i/++5/8/ֱ   +*9+ 9 &/47$9*599*$954901'732>54.'.54>32.#"#".3b/N+L;!)H3uo8\}E\7Z)bDPl1?#DX78dP1e\LNBP-;#-+-?{VBnN+J;X)9\@0)%%CDE)FsP+3F!/7c-++8/ֱ! ! +( 9+!9 @  %-015$9(&24$9($901?32>54&/.54>32.#"#"&73#'#t;p=kL-\LVy?o[y?h5^9Z@ dJbiFzfS锑yhXZd$B^:Jd/^5rLg;jR_=U%=N)N`-]9qZl>uNᏏ3;n/++5/54.'.54>32.#"#".3#'#b/N+L;!)H3uo8\}E\7Z)bDPl1?#DX78dP1e\LulaNBP-;#-+-?{VBnN+J;X)9\@0)%%CDE)FsP+3F!߽LX/A-+7 ++A/0 +B/ֱ! !3+<< +( C+!699<3 -7$9  $%$9(&99-069<9997($901?32>54&/.54>32.#"#"&>54&'73t;p=kL-\LVy?o[y?h5^9Z@ dJbiFzfyRo1u7:3#%s7/1J3L3E/+; ++E/4 +F/ֱ  7+@@ +*G+ :99@7/;$9 %&$9*9/4:=@999;*$901'732>54.'.54>32.#"#".>54&'73b/N+L;!)H3uo8\}E\7Z)bDPl1?#DX78dP1e\L^Ro154&/.54>32.#"#"&3373#t;p=kL-\LVy?o[y?h5^9Z@ dJbiFzfyhXZd$B^:Jd/^5rLg;jR_=U%=N)N`-]9qZl>u/Z3;s/++4/8354.'.54>32.#"#".3373#b/N+L;!)H3uo8\}E\7Z)bDPl1?#DX78dP1e\LRlaywNBP-;#-+-?{VBnN+J;X)9\@0)%%CDE)FsP+3F5L?Z+ ++2/ +/ֱ  ++ 99 99901>54&'737!!#Ro154&'73?33!3267#".5467pRo1 q#

+ ..@9017!!#3373#yqyhJя{D#++32 +@ ++$/ְ2 +#+# +!%+ 999$9#9999901?33!3267#".5467%3{J7u7H5##^;BZ9twRoZdu %%=> q#

73#"&>3232673#".#" 9iZC`Zh )6=#'5/-!1ZnE'5-.!1+a3\E-bn7Ñ́<-N;!#+"93\{#+%<3su2+3+ +33*/3# // &23/ֱ  + ++4+6>n+ ..@99 -2$9!#*$9*9#-9017467332673#7##"&>3232673#".#"s } FN;\ǁR\ldB+9-+!,ZdA-8--!,#=){)1LMV^Hi7\u#'#:/\u# /D+ +33/ /ֱ + + +6?+ ....@ $9 901467332>73#"&7! 9iZC`Z+a3\E-bn7Ñ́<oos=+3+ +33/ /ֱ  + ++ +6>n+ ..@9 99999 999017467332673#7##"&7!s } FN;\ǁR\l;#=){)1LMV^Hibnn,+ +33(/ +( +@# +2-/ֱ + +++.+6?+ ....@ 99#(999 901467332>73#"&332673#". 9iZC`Z]7CBR`/D\;7N/+a3\E-bn7Ñ́<5PR3+R=''?Rs,+3+ +33*/! +!* +@!% +2-/ֱ  + ++++.+6>n+ ..@9 9!*9999 999017467332673#7##"&&7332673#"&s } FN;\ǁR\lf \5DF^b1Jc?=P#=){)1LMV^Hi\0HZ^D/]G--*6+ +33(/. +4/ +7/ֱ + ++++1+#+#+8+6?+ ....@ 991+( 99 94.#9901467332>73#"&4>32#"&732654&#" 9iZC`Z!7J)Hd!7J)HdX/)-B/)-B+a3\E-bn7Ñ́<y+J7NT+J7N\+5F5+3Es*6+3+ +33(/. +4/ +7/ֱ  + ++++1+#+#1+/#1+8+6>n+ ..@9 9+(.99 4$99994.#99017467332673#7##"&4>32#"&732654&#"s } FN;\ǁR\l8I)J`6I)JbZ-)+?-)+?#=){)1LMV^Hi+L9!VR+L9!VX-7M6+7L"+ +33#/ֱ + +$+6?+ ....@  "$9!9 901467332>73#"&73373 9iZC`Z+a3\E-bn7Ñ́<sJ"+3+ +33#/ֱ  + +2+$+6>n+ ..@9 $9999"9 999017467332673#7##"&333s } FN;\ǁR\lTёѐ#=){)1LMV^Hi$##P?0+33&/ 1/ֱ +)2 +2+6?+ ....@ #&.$9 &#9 ")99901467332>73327#"&54>7. 9iZCHb}N;T7+%$##V"HX1=+a3\E-bn7{}P8@?%)VHE%LH?sZ-++ ++33/ ./ֱ  + !++/+6>n+ ...@+9! 9&'($99+!999 &9'(999017467332673327#"&54>?##"&s } FN;\hy+!'$!#V#BW)?P) R\l#=){)1LMV^/D#(NFC-XN@Hi!)a+3+ 33*/ֱ  + ++ ")$9 #'(99999901333>733>73#467# 73#'#/b.O)Y(#C#锑yh?mooljool5JPPPᏏ!)k +3 2+ 33#/*/ֱ+++!9 ")$9 #'($9999#"90133>733>73#.'##3#'#!7!"5!<;}ulaHFFHIHFFHI!HJJG!߽V+ 3+ 33/ֱ  + / +6>2+   3+ +++ #999 ...... ......@ 90133>73#73#'#\/X1kh锑yh?}JMLI ᏏT#;+3//$/ֱ %+9 999017326?33>73#"&3#'#3%%L3%M #L%'UewG?ulaqt{hHDHHG/J}\5 1!߽V{'+ 3+ 33/%32(/ֱ  + /  + +")+6>2+   3+ +++ #999 ...... ......@990133>73#4632#"&%4632#"&\/X1kh>+#/>+#/T>+#-<+#/?}JMLI -D+)+D+'-D+)+D+T .++/+9901#7!7!!73g%۲`Z^q 7++ //+99  901#7!7!!3<kZ \!T <++/ / ֱ +9901#7!7!!4632#"&g%H/);H/);`Z^1E1-3B/q F++/ / ֱ +  999901#7!7!!4632#"&<kH/)u+ . . >z!+   +  + +, + #9,9 9 9 ,.... ,........@ !$9& )$9) 999013#?3!!3>32#"&'#732>54&#"?''f-J\XgP}"(M)g;Jf>`VFHR ];YgRD}NFTdusVL`!,`+&,/ /-/ֱ,,+.+,"99&+$9,&9 99901467!>54.#"'>32#".632>7!!JuV`AHL{so7lhq;P{NV^Bf<.ds?N9lF\P}Jj{AE}k9-^(&// 3  22/)/*+6=6P+  ! +  +!!+ !+ !....  !........@&99 990173267#?37>32.#"3!#"&b35Rq-//5+V%39!)C8--CXsJ+Qspw-J`3vTh:{H1j+%+-2/ֱ *+ *+3+* 999  999-%99999014>32>54&'7#".732>54&#"{`gXqysDE`qu=%KwPmEmE(?RA)/2XJۇPыbs?}u{P`.g+" +*//ֱ'+  +0+'9999 9*"9999014>32>54&'7#"&732>54&#"PZffQRl{ r{+/\gmhFg=liDf=w`-NA +/T3ZaŇPhPF&$+ +33'/ֱ + +(+6?+ ....@ $$99 9901467332>73>54&'7#"& 9iZCHVp{`Z+a3\E-bn7U?+10T ́<s&+3$+ +3'/ֱ  + ++(+6>n+ .....@$9 9 !999  !999017467332673>54&'7#7##"&s } FN;\7Hm{eR\l#=){)1LMV^ N@+1/VbHi=+3+ +/ֱ+99 901#3#!!'.'#3373#mڸ%% 5i9yh?\jtuoP#+ + 3+ + 3+ $/(3,/ֱ  +   + -+6>I+  ....@ $'+$9 *999 (99 )9 999$&*99014>32373#7##"&73267.#"3373#PZhP}#'ƁH^bTNIZ+f9Jk?laywPkRD}N^ȁ}]bNFX㺺H X+3+3 /ֱ+ +6>z+ @99 $901333373#H yh?? c+3+3/3 /ֱ+ +6>s+ @9 999 990133 3373#?Ǟ%layw{%-N++!./ֱ + /+&*,$9 +9! 99014>32#".732>54&#"3373#{`qu=`qu=%KwPmEmECyh(PPыbs?}u{鏏P'^ + + /$3(/ֱ+ )+  #&$9$999 "&99014>32#"&732>54&#"3373#PZf\fliFg=mhDf=layww`պaŇPhPɺ"+ +33#/ֱ + +$+6?+ ....@ !$9 9 901467332>73#"&3373# 9iZC`Zyh+a3\E-bn7Ñ́<ˏs"+3+ +33/3#/ֱ  + ++$+6>n+ ..@9 "$9!9999 999!99017467332673#7##"&3373#s } FN;\ǁR\l`layw#=){)1LMV^HiE9&*6+ +33$/43,+.2'/( +7/ֱ + +!!++11+8+6?+ ....@! '($9 901467332>73#"&4632#"&?!4632#"& 9iZC`Z7+#)8+#(19--<+,+a3\E-bn7Ñ́<J'D-#)@)ZZ'D-#)@)sV%)5+3+ +33#/33"+-2&/' +6/ֱ  + +  ++0 **/07+6>n+ ..@9 9 &'9999999017467332673#7##"&4632#"&7!4632#"&s } FN;\ǁR\l;9'L9)#'A9)!)9)!)#=){)1LMV^Hi-=K+>)ZZ-=(#+>)&*6+ +33$/43,+.27/ֱ + +!!++11+8+6?+ ....@! 99+'*991(9 901467332>73#"&4632#"&?34632#"& 9iZC`Z:+!*7--٬7.!*9+#)+a3\E-bn7Ñ́<J'D-#)@)߬'D-#)@)s%)5+3+ +33#/33"+-26/ֱ  + +  ++0 **/07+6>n+ ..@9 9 &9')$9 999017467332673#7##"&4632#"&?34632#"&s } FN;\ǁR\l;9'L9)#'9)!)9)!)#=){)1LMV^Hi-=K+>)-=(#+>)&.:+ +33$/83,+22;/ֱ + +!!/+55+<+6?+ ....@! '999/(*.9995-+99 901467332>73#"&4632#"&3373#4632#"& 9iZC`Z:+!*7--Df}7.!*9+#)+a3\E-bn7Ñ́<J'D-#)@)߬'D-#)@)s%-9+3+ +33#/73"+12:/ֱ  + +  ++4 ../4;+6>n+ ..@9 9 &9'-99(),$94.*9 999017467332673#7##"&4632#"&3373#4632#"&s } FN;\ǁR\l;9'L9)#'XmjrӃm9)!)9)!)#=){)1LMV^Hi-=K+>)-=(#+>)&*6+ +33$/43,+.27/ֱ + +!!++11+8+6?+ ....@! '999+(*991)9 901467332>73#"&4632#"&3#4632#"& 9iZC`Z:+!*7--PL7.!*9+#)+a3\E-bn7Ñ́<J'D-#)@)߬'D-#)@)s%)5+3+ +33#/33"+-26/ֱ  + +  +(2+0 **/07+6>n+ ..@9 9 &9')$9 999017467332673#7##"&4632#"&3#4632#"&s } FN;\ǁR\l;9'L9)#'s}m@9)!)9)!)#=){)1LMV^Hi-=K+>)-=(#+>)u%-z!++ ! +3 2./ֱ /+6>+ . ......@99  990146$32.#"3267!7!#".3373#ud y3p'qRȎI&W`Jr)LuJuy?yh1qVTBP{Zs?/#r=MN5 /7M+++ / /$ 0/438/ֱ! 9+ 99+$ $9017326?##"&54>32373#"&3267.#"3373#J9T!1J`XdN#')d^THHX/b:Hg=laywm1FHXiRD}N{wXVNFTѺ{PX%7]+3/ 8/ֱ& &+0+ 9+0#+3$993 +$9014>32327#"&54>7&32>54&#"{`qu=C{{l+%%##V#HW"4;բ%KwPmEmE(P٦--<%)VHE+RF9*bs?}u{PZ&6\+2/ 7/ֱ''+'/+ 8+/$*2$992 *$9014>323267#"&54>7.732>54&#"PZfN_5>lZhk+"!#V#BX#5<liFg=mhDf=w`5g^yǞr'-6#( NED-TF5 ǾPhPDX/?-++?/0 +6/7 +@/ֱ! !3+:: +( A+!67999:3 -999  $%$9(&9960:9($901?32>54&/.54>32.#"#"&>54&'7t;p=kL-\LVy?o[y?h5^9Z@ dJbiFzf{Zk/!/DT3Vo;XZd$B^:Jd/^5rLg;jR_=U%=N)N`-]9qZl>u161# E=83H/T3C/++C/4 +:/; +D/ֱ  7+>> +*E+ :;999>7/999 %&$9*9:4>9*$901'732>54.'.54>32.#"#".>54&'7b/N+L;!)H3uo8\}E\7Z)bDPl1?#DX78dP1e\LmZk/!/DT3Vo;NBP-;#-+-?{VBnN+J;X)9\@0)%%CDE)FsP+3F 61# E=83H/T?{+3+22/ +/ +/ֱ 2  /+6>+ ..@ 99017!!#>54&'7yZk/!/DT3Vo;J61# E=83H/dT.%++32 +@ ++/ +/ +//*ְ-2 *+ 0+*.$9 %99 9%"9!*9901>54&'7?33!3267#".5467dZk/!/DT3Vo;J7u7H5##^;BZ9t61# E=83H/u %%=> q#

O+    .. ..@ 9901732673#"&3* 9D/Hju bZb%?&/++/ +#3 +&2'" +' 0/ֱ+  1+6>+ ././++"/+#/+&/+'/+@ "#&'/..........@99'" 99/901?!2#!32>54&+!!32654&+%f3Vk7hTvRIk^o;+2RoRvDnT8 wsk3o%MwThZp^eP# + 3+ + 3+ $/ֱ  +   + %+6>I+  ....@ $9 99 9 $9014>32373#7##"&73267.#"PZhP}#'ƁH^bTNIZ+f9Jk?PkRD}N^ȁ}]bNFX9&m+ +$ +$ '/ֱ+(+9 #$99$ 9 99 901467!6&#"'>32#".73267!9~y=w52F\^`TuJ!-J7o)P9m)-m#5͍[8`@+P>%;5 /F+++ / /$ 0/ֱ! 1+ 99+$9017326?##"&54>32373#"&3267.#"J9T!1J`XdN#')d^THHX/b:Hg=m1FHXiRD}N{wXVNFTs!*/  +@ +222/ֱ++222  22 +/+6>+ >s+  >c+ ++  + +++>c+ + #999  9@  ........... ....@9990133>32#>54#"sw1#3o=VHTwRTTr]!+>[M-\!`u8v / +/ /ֱ   +6>+ .   .... ..@ 99 9901732673#"4632#"&f) )+ va\553#-3#-S @9`o!3%!#1#s!Hq / /ֱ+++6>+ ......@99  990133>32.#"s` )^;)  1Y-V!h5D l?HP!79/3+ 22/ֱ+9 999013373373#'##uLm NnёNuumXV/ +/ ֱ +6 +  .   .... ..@9017326?3373#"&) ;R!zt:\u9DT5+V \:)p5/VA) y/+/ֱ+013嚚Dy y0/ /ִ $+ + ++ 9014>732#"&)Jb: \d +9=1/>FybJN/;/+/FJ0/ /ִ + + ++  901>7#"&54632^e -:>3/=(Je9/:/-/FJBHvbJV 2/ +/ +/ִ ++ 9017>54LLL0;^YVFL5)9FZD^{V 2 / +/ +/ִ++ 9014633&zLK/;\Y\}HJ5+9F\+/3+/ִ + +9013#'#ula!߽-/+2/ִ + +99013373#layw{ / +/ִ ++01332#"&732654&#"8I)J`6I)JbZ-)+?-)+?+L9!VR+L9!VX-7M6+7LZ"/ /ֱ + 9014>733267#"&%9F!lV^+"!#V"DV-TL@;>#( NEu2/3 / 2/ִ ++901>3232673#".#"dB+9-+!,ZdA-8--!,\u#'#:/\u# /X5/3+/ִ + +99901333ёѐ##x/3 /ְ2 2 +@ + ++6>o+ ......@ 9 9014673727#"&w '1/s!) \ 69`'c%/ +/ +(/ ֱ+")+  9 %$9" 99 "$9901732654&'.54>32.#"#"&9H%Z59H7BDQ%=T/Bh);L/5=C1LLqH{F%8:/5##V;+J54"J(9)#3'X3232673#".#"'dB+9-+!,ZdA-8--!,\u#'#:/\u# /=/  /ִ +017!nn!*/ + +@ +2/ִ+01&7332673#"&- \5DF^b1Jc?=P\0HZ^D/]G--m  / /ֱ  014632#"&H/)+'/B-)/>+j/ +/ ֱ017'>54&l'CZ6 BI=uVN:/E3! J2)#'FPH / +/ +/ִ+++ 9999014>32#"&732654&#"F8I)J`6I)JbZ-)+?-)+?+L9!VR+L9!VX-7M6+7L1/3+/ִ +99901333ёѐ##')/+2/ִ +99013373#'layw,/3+2/ִ +99013#3#fViYi#Xq)/ "+/ֱ  9 901467632#"&fyDD .9+)/V)BC/+#/3BX)/ "+/ֱ9 901>7#"&54632DC .;))/fwC/+#/3B1V) ! / + /ֱ  901>54&'7TuyRA +/1bNL)  / /ֱ  014632#"&H/);H/);3D1-3B/f) + /32/ֱ +014632#"&%4632#"&8/#/8/%-T:/#/:/#/)F-')F0$)F-')F0DJ+/ +/ +/ֱ  901>54&'7Zk/!/DT3Vo;61# E=83H/ LH!/ +/ֱ  901>54&'73Ro1733267#"&%9F!lV^+"!#V"DV-TL@;>#( NEHH* / + +@ +2/ִ+01332673#".\5DF^c2Ic?=Q- HZ^D/]G--G] /  /ִ +017!llws+33+ /333/ְ2+6>+ >+ .........@9 9013#?!#3267#".7!wZ " 1#3A! bwk/8s '@T/{#/ / $/ֱ%+6>+  ! >Y+  + #9 ..... .....@ 99999014>32373#7##"&73267.#"{=eE/R^` /w>Xhw?1/o/5?#/XC+^yF/2Pmb5>}RKC<5)7\{s$/ !/ %/ֱ+ &+6>+ .#+++$+ #9$999$........$......@999!999! 90133>32#"&'#732>54&#"sw1!/m?Xi>dF/P;=#-ZD+@/1j/!)4{w^{F/2P5'7\yBTK55{7$/ / %/ֱ+ +  + &+6>+  . .     + + #9 9 ...... ...@ $9 9999 999 99014>323?3#7##"&73267.#"{=eE/R2t` /w>Xhw?1/o/5=#/XC+^yF-0Hb5>}RKC<5)7\{y$s/ +/ +"/ +%/ֱ+ +&+9$9  99999" 9014>32!3267#"&7!>54&#"y?eA=S1 V []-G#'-o=yN:C?)\l<)DX-)FhwR'5VjF // /$ +/ 0/ֱ!1+6>w+ '!'('+(' #9'(.....'(.....@!99 9$9+99017326?##"&54>32373#"&3267.#"F5)d5Ne3m@Xh;eE/R^};w?/1m/5=#/XC)JP-jZq)/wnXwF/2P\-LH6/5)7Xus!  /ֱ  ++6>+ .. >c+  + +  #99 ...... ..@ 9 901333#swDt!!J;s!P)A%/3 2% +@% +)$2*/ֱ))++++2222+/++6>+ )(>+ ">+ ++>+  "+!"+ " #9!9@  (!".......... (!".....@99%99 9 99%90133>32>32#>54#"#>54#"s`3o;N? ;u9VH RuPT%b3ZuPV#b5]!^/@H35FXP'3^#`;:8!b;:8y@ / /  /ֱ+!+ 9999014>32#"&732>54&#"y?gCo?gDouEB/VA'CB1VB&`n>}bn>TZ3XwAR\3Zu9$/ !/ %/ֱ+++ &+6>+ .$$>+ $+$+$ #99$......$...@9!$999! 990133>32#"&'#32>54&#"9`3i?Xi>dF/P+Z;#-ZF+@/1j/N+4{w^{F/25)7\{BTK55)j/ /3 2 +@ +2/ְ2  2+6>@+ . $ ++ ......@ 99999901?33#3267#"&5467f1c%EKD\HHTZ` T X _A#Z/  +@  +222/ֲ222 222 + ++++6>+ >+ ++++.........@ 9999 901467332673#7##"&RvRT-^m`/BZ! a /+22 /ֱ +6o+  + #9.. ...@013373#t+dwpmy9/ / /ֱ+9  9999014>32.#"3267#"&y7bR;X!H5'5ZB$\A)D(!fAoPyJ-#J;\q5\XN+!s/3 2/ /ֱ+6>+ .++++..........@99 9 901#?>32.#"3#qVZo\?<)(); p!3Zgfw!V@9k`1! 4/ /  /ִ + +99017!7!!1  VP!C`C`HZ? )++)/ !  +!*/ֱ%  ++6>O+ .).) )+!)+ !)......@ 9! 99)9013!2#7!32654&+732654&+H f3Vk7hTwH᝖?DqV9 sqi3ll͋f}us\g?(e++ +% / /)/ֱ"+ *+($9"%$9% $901333>32#"&'#7!32>54&#"?#P-J\ZgP}"(})g;Ji?`VFG{;YkRD}llNNFYi}VLH\? !r +3 +3/"/ֱ + #+6>m+ ..  ....@ 90133 #'32>54&+4632#"&H  d򪰰єMofH/);H/);?wd3D1-3B/P\h$0++ + ./( /1/ֱ %++ ++   + 2++%99 99 $9 9  $9014>32373#7##"&73267.#"4632#"&PZhPw%!NځH^bTNKZ+f9Jk?=H/);H/);PkPBNN^ȁ}]bNFX3D1-3B/H? g +3 +3 / /ֱ +6>m+ ......@90133 #7!32>54&+H  d3єMo?wlldPh(++ +$ / /)/ֱ +   + *+99$$9  !$9 9$ $9014>32373#7##"&7!3267.#"PZhPw%!NځH^XibTNKZ+f9Jk?PkPBNN^ll}]bNFXH9 p+ + + / /+6>+ ..   + + ......@013!!!!!7!%73H VhZ٬?LooL*.2y++& + +/, 3/ֱ!+ 4+9!@ +,/2$9  -.0$999& 9014>32!3267#"&!>54.#"7!%73L^bTuJ  x!LnB;u/=;bծ -J57iZHZ7aL;j`Z)4"h+@}1+P=%-VwJnnuD%)!++ ! +3 2&/' */ֱ ++6>+ . ......@99  990146$32.#"3267!7!#".7!ud y3p'qRȎI&W`Jr)LuJuy?1qVTBP{Zs?/#r=MNJoo5= /3N+++ / /$ 0/1 4/ֱ! 5+ 99+$ $9017326?##"&54>32373#"&3267.#"7!J9T!1J`XdN#')d^THHX/b:Hg=m1FHXiRD}N{wXVNFTnnH\? + 333+333/  + 32/ֱ  +  +++6>+ >G+  ++ +  + ....@90133!3#!4632#"&H s^sH/);H/);?73D1-3B/?\'+333+%//3(/ֱ+"2 /+  +/)+6>y+ >>+ ++ #99........@99%9999 99901333>32#>54&#"4632#"&?#b!V\m {FN;_NH/);H/);}H`u#=)f)2LNV^?3D1-3B/HX? + 333+333/ + +@ + 2  + 32/ֱ  + + + / +2+++6>+ >G+ + +  + ...@ 999990133!3#!332673#".H s^s7\5DF^c2Ic?=Q- ?7HZ^D/]G--G]?X-+333+)/ + ) +@ $ +2/3./ִ++/++  +//+6>y+ >>+ ++ #99........@ )$9#99$99 99901333>32#>54&#"332673#".?#b!V\m {FN;_!\5DF^c2Ic?=Q- }H`u#=)f)2LNV^?HZ^D/]G--G]H? + 33+33 / /ֱ  + +6>z+ >n+  + +  #99 .. ..@  999 9013333 # 7!H 1]?i=ll? + 33+ / /3/ֱ  ++6>y+ >d+  + +  #99 .. ..@  999 9 9013333#7!?#r5A#allH\7?j++3/ /ֱ  + / +6>z+ ..@ 990133!4632#"&H 5 H/);H/);?H3D1-3B/\ + //3 / ְ2 2 +@ +  / +!+6>+ ..@  999 9014632#"&4733267#"&H/);H/);n # .!BC3D1-3B/!5%y DH\7D q++3/ / /ֱ + / +6>z+ ..@ 990133!7!4632#"&H 5}H/);H/);?Hoo3D1-3B/\ #+ //3 /! $/ ְ2 2 +@ +  / +%+6>+ ..@  99 !999014632#"&4733267#"&7!H/);H/);n # .!BC3D1-3B/!5%y DinnH7? L++3/  /ֱ +6>z+ ..@0133!7!H 5?Hlle+ / /3/ְ2 2  +@  + ++6>+   ..@ 9999017!4733267#"& # .!BCll!5%y DHL?%8+ 333+33#/&/ֱ+  + '+6>z+ + .>n+    + +>+  + +f+ + #99 #9 9@   .........@   ............@ 9999013333#>7## #4632#"&H u-6 tZ}- H/);H/);?+\X7+\\ 3D1-3B/?\,8~+!",$3++3(26/09/ֱ,,+"+!32!- -/!+2 2+/:+6>+ ,+>s+ "%! >.+ >+ ++++"#"%+$"%+#"% #9$99999@  #+$%...........@  #+$%.........@99!-(99" &06$99( $901333>32>32#>54#"#>54#"4632#"&?ŁNN;R5`N}o }+Z{-YcH/);H/);Jd3H)\gu#=)f)2V^?f)2V^?3D1-3B/H+ 33+ 33/ /ֱ+  + !+6>+ >+   >=+ ++ #99.... ......@99 999901333>73##4632#"&H 3V X H/);H/);?diZ!hf-1E1-3B/?&+333++$/'/ֱ++  +/!2 /(+6>+ >>+  ... ...@9999$99 99901333>32#>54&#"4632#"&?ŁV^m {FN;_H/)+ >+   >=+ ++ #99.... ......@99  999901333>73##4632#"&H 3V X H/);H/);?diZ!hf-3D1-3B/?\&+333++$/'/ֱ+!  !+  +/(+6>+ >>+  ... ...@99!99 99901333>32#>54&#"4632#"&?ŁV^m {FN;_NH/);H/);Jdu#=)f)2LNV^?3D1-3B/H?+ 33+ 33/ /ֱ + +6>+ >+   >=+ ++ #99.... ......@ 999901333>73##7!H 3V X %?diZ!hf-ll?+333++/ /ֱ++  +/ +6>+ >>+  ... ...@999999 99901333>32#>54&#" 7!?ŁV^m {FN;_9Jdu#=)f)2LNV^?ll{%)-[++!&/' ./ֱ + /+&'*+-$9 (),999! 99014>32#".732>54&#"7!%73{`qu=`qu=%KwPmEmE7٬(PPыbs?}u{7ooP#'Z + + /! (/ֱ+ )+  !$'$9"#%99999014>32#"&732>54&#"7!%73PZf\fliFg=mhDf=w`պaŇPhPnnHLh?&+ 33+&/ +'/ֱ+ "+(+6>+ &&+&+&....@9"  999 9&9013!2##4632#"&32654&+H q^o=;jVqH/);H/);͚?"LwT\pJ93D1-3B/?o`\   +3 ++ //ֱ 2  / ++6>+ ..@  99 99 999014632#"&33>32&'"H/);H/);MŁ;\3+7!5J@}3D1-3B/u\{{HLhD&*+ 33+&/ +'/( +/ֱ+ "+,+6>+ &&+&+&....@'(999"  999)*99 9&9013!2##4632#"&32654&+7!H q^o=;jVqH/);H/);͚"?"LwT\pJ93D1-3B/?o`oo\%=  +3 ++ // !/ֱ 2  / +"+6>+ ..@  99 $9 999014632#"&33>32&'"7!H/);H/);MŁ;\3+7!5J@}V3D1-3B/u\{{nnHh?+ 33+/  +/ֱ+ +6>+ ++....@9 $9 99013!2## 7!32654&+H q^o=;jVq͚?"LwT\pJ9llo`k s+3+ + / /ֱ++6>+ ..@$9999017!33>32&'"Ł;\3+7!5J@}llP\{{/;-++9/354&/.54>32.#"#"&4632#"&t;p=kL-\LVy?o[y?h5^9Z@ dJbiFzfH/);H/);XZd$B^:Jd/^5rLg;jR_=U%=N)N`-]9qZl>u1E1-3B/3?/++=/7@/ֱ   +**: 4 4/: A+ 94/999 %&$9:7=99*9*$901'732>54.'.54>32.#"#".4632#"&b/N+L;!)H3uo8\}E\7Z)bDPl1?#DX78dP1e\LH/)54&/.54>32.#"#"&4632#"&t;p=kL-\LVy?o[y?h5^9Z@ dJbiFzfH/);H/);XZd$B^:Jd/^5rLg;jR_=U%=N)N`-]9qZl>uL3D1-3B/\3?u/++=/7@/ֱ 4 :  +*A+ 4=99:/7$9 %&$9*9*$901'732>54.'.54>32.#"#".4632#"&b/N+L;!)H3uo8\}E\7Z)bDPl1?#DX78dP1e\LH/);H/);NBP-;#-+-?{VBnN+J;X)9\@0)%%CDE)FsP+3F;3D1-3B/\?n+3+22/ /ֱ   / +6>+ ..@ 99017!!#4632#"&yH/);H/);J3D1-3B/{\*y++32 +@ ++(/"+/ְ2  % ,+9 "($9%9999901?33!3267#".54674632#"&{J7u7H5##^;BZ9thH/);H/);du %%=> q#

+   ..@017!7!!#}`yllJ"a+ +3 2 +@  ++/ #/ְ!2 $+"9999 99017!?33!3267#".5467}J7u7H5##^;BZ9tllu %%=> q#

733>73#467# 3#/b.O)Y(#C#N}?mooljool5JPPP!%i +3 2+ 33"/&/ֱ+'+!9 "999 #%$9999"$90133>733>73#.'##3#!7!"5!<;ߙyrHFFHIHFFHI!HJJG!%\+3+ 33&/ֱ  + '+ "$9 %999901333>733>73#467# 73/b.O)Y(#C#۲?mooljool5JPPP!%h +3 2+ 33#/&/ֱ+'+!9 "999 %999999#"90133>733>73#.'##3!7!"5!<;HFFHIHFFHI!HJJG!{!-9+3+ 33+/73%12:/ֱ  "+((+ . +4;+99" !99( 9999901333>733>73#467# 4632#"&%4632#"&/b.O)Y(#C#1>+#/>+#/T>+#-<+#/?mooljool5JPPP -D+)+D+'-D+)+D+y!-9 +3 2+ 33+/73%12:/ֱ+(+""/(.+4;+" 99( 99 99.99990133>733>73#.'##4632#"&%4632#"&!7!"5!<;=+%/?+#/T=+%-=+#/HFFHIHFFHI!HJJG/B-)/>+'/B-)/>+V+ 3+ 33//ֱ  + / + +6>2+   3+ +++ #999 ...... ......@ 990133>73#4632#"&\/X1khH/);H/);?}JMLI  1E1-3B/T'N+3/%/(/ֱ  +" )+ 999 99017326?33>73#"&4632#"&3%%L3%M #L%'UewG??H/) q#

+'/B-)/>+H`,+,3+ (/ -/ֱ,,+ .+6>+ ,++..+..@, #$($9 %9( $9013>32#"&'732>54.'7.#"HXr";kZq@c-x]3ZD&"P^ R!i)}hI5qVl>]V`BN)F^6'QLBe+d^\?^+3+/  +/ֱ ++9$99901#3#!4632#"&!'.'#mڸ%%H/);H/);7 5i9?\3D1-3B/jtuoP\#/ + 3+ + 3+ -/'0/ֱ $+* * +   + 1+6>I+  ....@*$99 99 99 9  $9014>32373#7##"&73267.#"4632#"&PZhP}#'ƁH^bTNIZ+f9Jk?EH/);H/);PkRD}N^ȁ}]bNFX3D1-3B/\+3+ +/ + /ֱ !+99 99901#3#!!'.'#7'>54&mڸ%% 5i9okDI=?\jtuoXN:\`H2)#&P#3 + 3+ + 3+ $/% +4/ֱ 1+((   / ( + 5+6>I+  ....@ $%-.$9 99(1 99  $9$ (-99014>32373#7##"&73267.#"7'>54&PZhP}#'ƁH^bTNIZ+f9Jk?ll'CZ6 BI=PkRD}N^ȁ}]bNFXVN:/E3! J2)#'C+3+ +/ֱ2+$9 901#3#!!'.'#73#'#%73mڸ%% 5i9߇wb T?\jtuoՃP#+/ + 3+ + 3+ ,/0/ֱ  +   + 1+6>I+  ....@ $%)$9 &($9 ',999 /9 999,$'(+$9014>32373#7##"&73267.#"73#'#%73PZhP}#'ƁH^bTNIZ+f9Jk?wrdTCPkRD}N^ȁ}]bNFXLC+3+ +/ֱ2+$9 901#3#!!'.'#73#'#3#mڸ%% 5i9߇wb %^`?\jtuoՃbP9#+/ + 3+ + 3+ //0/ֱ  +   + 1+6>I+  ....@ $%)$9 &($9 ',999 -/99 999/$'(+$9014>32373#7##"&73267.#"73#'#3#PZhP}#'ƁH^bTNIZ+f9Jk?wrdT/b`PkRD}N^ȁ}]bNFXs;&+3+ +!/" +/ +'/ֱ2$+(+!"$9$9 9!$9"9999901#3#!!'.'#73#'#7'654&mڸ%% 5i9߇wb bqbub u7?\jtuoՃJKE1TV@G#PpH#+9 + 3+ 4+3 + + 3+ ,/- +:/ֱ  +  7+0 07+  /43 ;+6>I+  ....@ $%)$9 &($9 ',999 -399  $93 $'(+$94*)99,&%0999014>32373#7##"&73267.#"73#'#7'>54&PZhP}#'ƁH^bTNIZ+f9Jk?wrdTXqdyb =66PkRD}N^ȁ}]bNFXiNF5XTB/'##)0m+3+ +)/3" +./ +%21/ֱ22+ ")$9 9)99",901#3#!!'.'#73#'#>3232673#".#"mڸ%% 5i9߇wb Pb?#3-+!-Pd=#3-+=#?\jtuoՃVj!% 5/Vk!%!dPb#+C + 3+ + 3+ ;/,34 +@// +72D/ֱ  +   + E+6>I+  ....@ @ $%),/>$9 &(2$9 4;999 '78999  $9; $%99014>32373#7##"&73267.#"73#'#>3232673#".#"PZhP}#'ƁH^bTNIZ+f9Jk?׍khGa6'3)'3Pb5'3)'3PkRD}N^ȁ}]bNFXRd#1)Rd"1)\%j+3+/  +&/ֱ +!2'+99#%$9 "999901#3#!4632#"&!'.'#73#'#mڸ%%H/);H/);7 5i9锑yh?\3D1-3B/jtuoᏏP\#/7 + 3+ + 3+ -/'1/8/ֱ $+* * +   + 9+6>I+  ....@*$0999 167$9 245$9 9  $9014>32373#7##"&73267.#"4632#"&3#'#PZhP}#'ƁH^bTNIZ+f9Jk?EH/);H/);iulaPkRD}N^ȁ}]bNFX3D1-3B/!߽;#'t+3+ +/ + +@ +2(/ִ++)+ $'$9%999 901#3#!!'.'#332673#".?3mڸ%% 5i9/T?BD\X /F\;7N0?\jtuo};LP7)P=%%=PPL#59 + 3+ + 3+ 3/* +*3 +@*. +&2:/ֱ &+'+' +   + ;+6>I+  ....@&99'(9 *36$9 79$9 -99  $9014>32373#7##"&73267.#"&7332673#"&?3PZhP}#'ƁH^bTNIZ+f9Jk? P=JHfV1Hc?=RjPkRD}N^ȁ}]bNFX?\0LZ^H/]G--;#'v+3+ +/ + +@ +2(/ִ++)+@  $%'$9&999 901#3#!!'.'#332673#".73#mڸ%% 5i9/T?BD\X /F\;7N0dTZ?\jtuo};LP7)P=%%=PPL#59 + 3+ + 3+ 3/* +*3 +@*. +&2:/ֱ &+'+' +   + ;+6>I+  ....@&99'(9 *3679$9 8999 -99  $9014>32373#7##"&73267.#"&7332673#"&3#PZhP}#'ƁH^bTNIZ+f9Jk? P=JHfV1Hc?=R1{TZPkRD}N^ȁ}]bNFX?\0LZ^H/]G--#0+3+ +/ + +@ +2+/, +$/% +1/ִ++.2(2+@  $%+,$9(99 9$,(901#3#!!'.'#332673#".?'654&mڸ%% 5i9/T?BD\X /F\;7N0s`tc u8?\jtuo};LP7)P=%%=PLF/VV@G#P#5C + 3+ + 3+ 3/* +*3 +@*. +&26/7 +D/ֱ &+'+'A+::   / : + E+6>I+  ....@&99'(9 *367=>$9 99:A 99 -9  $96*:=99014>32373#7##"&73267.#"&7332673#"&7'>54&PZhP}#'ƁH^bTNIZ+f9Jk? P=JHfV1Hc?=Rwo^s\ 744PkRD}N^ȁ}]bNFX?\0LZ^H/]G--NC6VTA.%#)(:+3+ +6/- +-6 +@-1 +)2!/3 +&/ +2;/)ִ*+*+<+*)(9@  $&-6$9!0$9 9!$901#3#!!'.'#>3232673#".#"332673#".mڸ%% 5i9'b?#3-+!-Pd=#3-+=#HT?BD\X /F\;7N0?\jtuoVj!% 5/Vk!%!d@;LP7)P=%%=PPb#;M + 3+ + 3+ I/@ +@I +@@D +<23/$3, +8/' +/2N/ֱ <+$2=+= +   + O+6>I+  ....@<99=;9 '6@I$9 *999 ,3C$9  $9014>32373#7##"&73267.#">3232673#".#"332673#".PZhP}#'ƁH^bTNIZ+f9Jk?a6'3)'3Pb5'3)'3PP=FDhT 1Ja==P-PkRD}N^ȁ}]bNFXRd#1)Rd"1)77LM6'N?''?N\/+3+/  ++/" +"+ +@"& +20/ֱ  +++1+9"+$9%99901#3#!4632#"&!'.'#332673#".mڸ%%H/);H/);7 5i9-]7CBR`/D\;7N/?\3D1-3B/jtuo5PR3+R=''?RP\#/A + 3+ + 3+ -/'?/6 +6? +@6: +22B/ֱ $+* *3 2+2/3+* +   + C+6>I+  ....@*$99 36?$9 99 999  $9014>32373#7##"&73267.#"4632#"&&7332673#"&PZhP}#'ƁH^bTNIZ+f9Jk?EH/);H/); \5DF^b1Jc?=PPkRD}N^ȁ}]bNFX3D1-3B/\0HZ^D/]G--H\9? w+ +/ +/ ֱ +6>+ ..   + + ......@013!!!!!4632#"&H VhZH/);H/);?L3D1-3B/L\*6++&4/. + 7/ֱ++1 1!+ 8+9+919!&$9  99999& 9014>32!3267#"&!>54.#"4632#"&L^bTuJ  x!LnB;u/=;bծ -J57iZH H/);H/);Z7aL;j`Z)4"h+@}1+P=%-Vw33D1-3B/H9 + + + / +/ֱ+6>+ ..   + + ......@ $9 99013!!!!!'7'>54H VhZrVokDI?L XN:\`H2)#L*:++& + +/, +;/ֱ!+ 8 /<+98@ &+,45$9/!9  999& 9+/499014>32!3267#"&!>54.#"7'>54&L^bTuJ  x!LnB;u/=;bծ -J57iZH>l'CZ6 BI=Z7aL;j`Z)4"h+@}1+P=%-VwVN:/E3! J2)#'H9 %+ + +/ 3 "/ 2&/'+6>+ ..   + + ......@ 9013!!!!!>3232673#".#"H VhZ )6=#'5/-!1ZnE'5-.!1?L-N;!#+"93\{#+%<3Lu*B++& + :/+33 ?/. 62C/ֱ!+ D+9!+3:$9  699999& 93:=9014>32!3267#"&!>54.#">3232673#".#"L^bTuJ  x!LnB;u/=;bծ -J57iZHcdB+9-+!,ZdA-8--!,Z7aL;j`Z)4"h+@}1+P=%-Vw\u#'#:/\u# /H i+ + +/+6>+ ..   + + ......@013!!!!!73#'#%73H VhZ߇wb T?LՃL*26++& + 3/7/ֱ!+ 8+9!+-/$9  .3$999& 93+./2$9014>32!3267#"&!>54.#"73#'#%73L^bTuJ  x!LnB;u/=;bծ -J57iZHwrdTCZ7aL;j`Z)4"h+@}1+P=%-Vw Hb i+ + +/+6>+ ..   + + ......@013!!!!!73#'#3#H VhZ߇wb %^`?LՃbL*26++& + 6/7/ֱ!+ 8+9!+-/$9  .3$999& 96+./2$9014>32!3267#"&!>54.#"73#'#3#L^bTuJ  x!LnB;u/=;bծ -J57iZHwrdT/b`Z7aL;j`Z)4"h+@}1+P=%-Vw sH;  + + +/ +/ +!/ֱ"+6>+ ..   + + ......@ $999 999013!!!!!73#'#7'654&H VhZ߇wb bqbub u7?LՃJKE1TV@G#LNH*2@+;+: ++& + 3/4 +A/ֱ!+  >+7B+9!+-/$9  .34:;$999& 9:+./2$9;10993-,7999014>32!3267#"&!>54.#"73#'#7'>54&L^bTuJ  x!LnB;u/=;bծ -J57iZHwrdTXqdyb =66Z7aL;j`Z)4"h+@}1+P=%-Vw iNF5XTB/'##H? *+ + +#/3 +(/ +2+/,+6>+ ..   + + ......@# 99&9013!!!!!73#'#>3232673#".#"H VhZ߇wb Pb?#3-+!-Pd=#3-+=#?LՃVj!% 5/Vk!%!dLb*2J++& + B/33; +G/6 +>2K/ֱ!+ L+9!@ +-/39E$9  .;>B$999& 9B+,99014>32!3267#"&!>54.#"73#'#>3232673#".#"L^bTuJ  x!LnB;u/=;bծ -J57iZHx׍khGa6'3)'3Pb5'3)'3Z7aL;j`Z)4"h+@}1+P=%-Vw Rd#1)Rd"1)H\9 + +/ + / ֱ !+6>+ ..   + + ......@ 9013!!!!!4632#"&73#'#H VhZH/);H/);锑yh?L3D1-3B/ᏏL\*6>++&4/. + 8/?/ֱ++1 1!+ @+9+91799!&89;>$9  :999999& 9014>32!3267#"&!>54.#"4632#"&3#'#L^bTuJ  x!LnB;u/=;bծ -J57iZH H/);H/);mulaZ7aL;j`Z)4"h+@}1+P=%-Vw33D1-3B/!߽HTo+3+3/ +/ֱ+ ++6>z+ @ 99 99 9901337'>54&H ]okDI=?XN:\`H2)#&?Rk+3+3/ +/ֱ+++6>s+ @ $9 9901337'>54&?Ǟil'CZ6 BI=uVN:/E3! J2)#'R? ] +3 +3 //ֱ 2  / + +6>z+ @  99014632#"&3H/);H/);J 3D1-3B/?\ } +3 +3 ///ֱ    / +  +6>s+ @  99 99014632#"&34632#"&H/);H/);OǞLH/);H/);3D1-3B/u3D1-3B/{\X%1^++!//)2/ֱ &+, ,+ 3+,&99!99! 99014>32#".732>54&#"4632#"&{`qu=`qu=%KwPmEmE{H/);H/);(PPыbs?}u{3D1-3B/P\+a + +'/,/ֱ+ $+ -+ 999$'999'99014>32#"&4632#"&32>54&#"PZf\fH/);H/);liFg=mhDf=w`պa3D1-3B/PhP{%3j++!&/' +4/ֱ 1+**+ 5+1!&'-.$9! 99&*-99014>32#".732>54&#"7'>54&{`qu=`qu=%KwPmEmEokDI=(PPыbs?}u{XN:\`H2)#&P/h + + /! +0/ֱ+ - $1+-  !)*$999 $)99014>32#"&732>54&#"7'>54&PZf\fliFg=mhDf=vl'CZ6 BI=w`պaŇPhPVN:/E3! J2)#'{D%-1S++!2/ֱ + 3+&(*.$9 )/1999! 99014>32#".732>54&#"73#'#%73{`qu=`qu=%KwPmEmE)߇wb T(PPыbs?}u{ՃP'+` + +(/,/ֱ+ -+  "$$9#(9999( #$'$9014>32#"&732>54&#"73#'#%73PZf\fliFg=mhDf=wrdTCw`պaŇPhP{%-1T++!2/ֱ + 3+&(*.$9 )/01$9! 99014>32#".732>54&#"73#'#3#{`qu=`qu=%KwPmEmE)߇wb %^`(PPыbs?}u{ՃbP='+` + ++/,/ֱ+ -+  "$$9#(9999+ #$'$9014>32#"&732>54&#"73#'#3#PZf\fliFg=mhDf=wrdT/b`w`պaŇPhPs{;%-:++!5/6 +.// +;/ֱ + 8 +2<+&(*.6$98)/5999! 995&)*-$96,+99.('2999014>32#".732>54&#"73#'#7'654&{`qu=`qu=%KwPmEmE)߇wb bqbub u7(PPыbs?}u{ՃJKE1TV@G#PtH'5 + 0+/ ++(/) +6/ֱ+ 3+,7+  "$$9#()/0$999/ #$'$90&%99("!,999014>32#"&732>54&#"73#'#7'>54&PZf\fliFg=mhDf=wrdTXqdyb =66w`պaŇPhPiNF5XTB/'##{%-D++!=/.36 +B/1 +92E/ֱ + F+&(*.6=$9 )9:999! 99=&'996@9014>32#".732>54&#"73#'#>3232673#".#"{`qu=`qu=%KwPmEmE)߇wb Pb?#3-+!-Pd=#3-+=#(PPыbs?}u{ՃVj!% 5/Vk!%!dPb'?z + +7/(30 +32#"&732>54&#"73#'#>3232673#".#"PZf\fliFg=mhDf=׍khGa6'3)'3Pb5'3)'3w`պaŇPhPRd#1)Rd"1){\%19k++!//):/ֱ &+, ,+ ;+,&2999!3469$9 59! 99014>32#".732>54&#"4632#"&73#'#{`qu=`qu=%KwPmEmE{H/);H/);锑yh(PPыbs?}u{3D1-3B/ᏏP\+3y + +'/-/4/ֱ+ $+ 5+ ,$9$'-.13$9/099'99-,9014>32#"&4632#"&32>54&#"3#'#PZf\fH/);H/);liFg=mhDf=ulaw`պa3D1-3B/PhP!߽{H15o+%+-6/ֱ *+ *+7+* 235$9  49999-%99999014>32>54&'7#".732>54&#"73{`gXqysDE`qu=%KwPmEmE۲(?RA)/2XJۇPыbs?}u{P`.2z+" +*0/3/ֱ'+  +4+'/02$9199 9*"99990 /$9014>32>54&'7#"&732>54&#"3PZffQRl{ r{+/\gmhFg=liDf=w`-NA +/T3ZaŇPhP!{H15l+%+-6/ֱ *+ *+7+* 24$9  999-%99999014>32>54&'7#".732>54&#"3#{`gXqysDE`qu=%KwPmEmE5}(?RA)/2XJۇPыbs?}u{P`.2w+" +*//3/ֱ'+  +4+'/1$99 9*"9999/ 1$9014>32>54&'7#"&732>54&#"3#PZffQRl{ r{+/\gmhFg=liDf=yrw`-NA +/T3ZaŇPhP{H1?+%+-2/3 +@/ֱ =+66*+ *+A+= %-239:$9*69 99-%999992 69$9014>32>54&'7#".732>54&#"7'>54&{`gXqysDE`qu=%KwPmEmEokDI=(?RA)/2XJۇPыbs?}u{XN:\`H2)#&P`.>+" +*//0 +?/ֱ'+ 3'+<32>54&'7#"&732>54&#"7'>54&PZffQRl{ r{+/\gmhFg=liDf=`l'CZ6 BI=w`-NA +/T3ZaŇPhPVN:/E3! J2)#'{H1K+%+-C/23< H/7 ?2L/ֱ *+ *+M+* 2?C$9  @9999-%9999932>54&'7#".732>54&#">3232673#".#"{`gXqysDE`qu=%KwPmEmE )6=#'5/-!1ZnE'5-.!1(?RA)/2XJۇPыbs?}u{-N;!#+"93\{#+%<3P`u.F+" +*>//37 C/2 :2G/ֱ'+ ;2 +H+'/7>$9:99 9*"99> 9997 A999014>32>54&'7#"&732>54&#">3232673#".#"PZffQRl{ r{+/\gmhFg=liDf=dB+9-+!,ZdA-8--!,w`-NA +/T3ZaŇPhP\u#'#:/\u# /{\H1=|+%+-;/5>/ֱ 2+8 8*+ *+?+82%99*-999 99-%99999014>32>54&'7#".732>54&#"4632#"&{`gXqysDE`qu=%KwPmEmEsH/);H/);(?RA)/2XJۇPыbs?}u{3D1-3B/P\`*:w+. +6(/";/ֱ+++% +3+  +<+%93.6$996.9999014>32>54&'7#"&4632#"&32>54&#"PZffQRl{ r{+/\gH/);H/);mhFg=liDf=w`-NA +/T3Za3D1-3B/PhP\?&+ +33$/'/ֱ +  ! +(+6?+ ....@$99!9 9 901467332>73#"&4632#"& 9iZC`ZH/);H/);+a3\E-bn7Ñ́<3D1-3B/sV&+3+ +33$/'/ֱ  + +! !++(+6>n+ ..@9! 999 999017467332673#7##"&4632#"&s } FN;\ǁR\lH/);H/);#=){)1LMV^HiE3D1-3B/(+ +33/ +)/ֱ + &++*+6?+ ....@& "#$9 9"9901467332>73#"&7'>54& 9iZC`Z!okDI=+a3\E-bn7Ñ́<XN:\`H2)#&s*+3+ +33/ ++/ֱ  + +++((/,+6>n+ ..@9 $%$999 999$99017467332673#7##"&7'>54&s } FN;\ǁR\ll'CZ6 BI=#=){)1LMV^HiVN:/E3! J2)#'&*$+ +33+/ֱ + +,+6?+ ....@ $')$99 9901467332>73>54&'7#"&73 9iZCHVp{`Z۲+a3\E-bn7U?+10T ́<s&*+3$+ +3(/+/ֱ  + ++,+6>n+ .....@$9 '*999 !(999)99  !999('99017467332673>54&'7#7##"&3s } FN;\7Hm{eR\l#=){)1LMV^ N@+1/VbHi$!&*$+ +33+/ֱ + +,+6?+ ....@ $')$99 9901467332>73>54&'7#"&3# 9iZCHVp{`Z}+a3\E-bn7U?+10T ́<s&*+3$+ +3'/+/ֱ  + ++,+6>n+ .....@$9 '(*$9 !)9999  !999')99017467332673>54&'7#7##"&3#s } FN;\7Hm{eR\lyr#=){)1LMV^ N@+1/VbHiE&4$+ +33'/( +5/ֱ + 2++++6+6?+ ....@2 $'(./$9+999 99'+.$901467332>73>54&'7#"&7'>54& 9iZCHVp{`ZokDI=+a3\E-bn7U?+10T ́<XN:\`H2)#&s&6+3$+ +3'/( +7/ֱ  + 4+++ /++8+6>n+ .....@$9 '(01$9 !99+9  !999'+0999017467332673>54&'7#7##"&7'>54&s } FN;\7Hm{eR\ll'CZ6 BI=#=){)1LMV^ N@+1/VbHiVN:/E3! J2)#'&@$+ +338/'31 =/, 42A/ֱ + +B+6?+ ....@ $'5$99 991$;999=9,/9901467332>73>54&'7#"&>3232673#".#" 9iZCHVp{`Zb )6=#'5/-!1ZnE'5-.!1+a3\E-bn7U?+10T ́<-N;!#+"93\{#+%<3su&>+3$+ +36/'3/ ;/* 22?/ֱ  + ++@+6>n+ .....@$'99 *9>$9 !-/6$9239996$ 99/9999017467332673>54&'7#7##"&>3232673#".#"s } FN;\7Hm{eR\ldB+9-+!,ZdA-8--!,#=){)1LMV^ N@+1/VbHi7\u#'#:/\u# /\F&2$+ +330/*3/ֱ + ' - +4+6?+ ....@*099-' $9999 9901467332>73>54&'7#"&4632#"& 9iZCHVp{`ZH/);H/);+a3\E-bn7U?+10T ́<3D1-3B/sV&2+3$+ +30/*3/ֱ  + '+- -++4+6>n+ .....@$9-' 9 !999  !999017467332673>54&'7#7##"&4632#"&s } FN;\7Hm{eR\lH/);H/);#=){)1LMV^ N@+1/VbHiE3D1-3B/V+ 3+ 33/ֱ  + / +6>2+   3+ +++ #999 ...... ......@ 90133>73#3#\/X1kh}?}JMLI {T;+3// /ֱ !+9 999017326?33>73#"&3#3%%L3%M #L%'UewG?yrqt{hHDHHG/J}\5 RLV?+ 3+ 33//ֱ 2  /  +6>2+   3+ +++ #999 ...... ......@990133>73#4632#"&\/X1khH/);H/);?}JMLI 3D1-3B/L'X+3/%3(/ֱ  +" )+ 99"9999 99017326?33>73#"&%4632#"&3%%L3%M #L%'UewG?;H/);H/);qt{hHDHHG/J}\5 H3D1-3B/V+ 3+ 33/ +/ֱ  + / ++6>2+   3+ +++ #999 ...... ......@ $9990133>73#7'>54&\/X1khokDI=?}JMLI XN:\`H2)#&T+^+3// +,/ֱ  )+ -+) %&$99 99 %99017326?33>73#"&7'>54&3%%L3%M #L%'UewG?Xl'CZ6 BI=qt{hHDHHG/J}\5 VN:/E3! J2)#'V)+ 3+ 33!/3 &/ 2*/ֱ  + / ++6>2+   3+ +++ #999 ...... ......@ )99!$9&90133>73#>3232673#".#"\/X1kh+ )6=#'5/-!1ZnE'5-.!1?}JMLI -N;!#+"93\{#+%<3Tu3N+3/+/3$ 0/ '24/ֱ 5+9 99$+.9017326?33>73#"&>3232673#".#"3%%L3%M #L%'UewG?dB+9-+!,ZdA-8--!,qt{hHDHHG/J}\5 D\u#'#:/\u# /H!?7!HxxH!?7!HxxH;/  /+017!H/nnHj;/  /+017!H nnH;/  /+017!HnnH;/  /+017!Hnny0/ /ִ $+ + ++ 9014>732#"&)Jb: \d +9=1/>FybJN/;/+/FJ0/ /ִ + + ++  901>7#"&54632^e -:>3/=(Je9/:/-/FJBHvbJ 0/ /ִ + + ++  901>7#"&54632^e -:>3/=(Je9/:/-/FJBHvbJyd%Q/#3 2&/ִ $+ + + +$+ + +'+ 99014>732#"&%4>732#"&)Jb: \d +9=1/>T)Jb: \d +9=1/>FybJN/;/+/FJAFybJN/;/+/FJh%Q/3 2&/ִ + + + + + + +'+  9901>7#"&54632%>7#"&54632^e -:>3/=(Je93^e -:>3/=(Je9/:/-/FJBHvbJL/:/-/FJBHvbJr%Q/3 2&/ִ + + + + + + +'+  9901>7#"&54632%>7#"&54632^e -:>3/=(Je91^e -:>3/=(Je9/:/-/FJBHvbJL/:/-/FJBHvbJ\ n+ 3322/3 / ֱ  + +6? +    ++ ....@0173%%#9I H d%\+ 33 22/3322/ 3/ֱ+ +6?W+ . >]+ . ? + ++  +> +  +  + ++....@  ..........@01?73%% %%#%?V9GAT7G uu H  FT). / + +/ִ + ++014>32#"&T#?Z:Vp"@Z7Xq1bL1x_3bL/w #K +!33+22 ++$/ֱ  + + %+0174632#"&%4632#"&%4632#"&N;-2M;-3N;-2M;-3N;-2M;-3N5Z;-5Y:-5Z;-5Y:-5Z;-5Y:}b#';K_o7+$[33? c2/ G/k3- Q2/ %2p/ֱ+  (+<<D+22L+``h+Vq+$'$9D<%-7&$9h`[Q99?(232#".732>54&#"3 4>32#".732>54&#"4>32#".732>54&#"}1`Z;^@#2`X;_?#yAL9[=!BJ;Z=!j!2`Z;_?#1`X;^@#yBL9Z=!AL9[=!\2`Z;]A!1`X;\B!y@L9Z=!?L;[=H^`/TpD`a/TqL^{NzJ^}N}My8^`/TpD`a0SqL^{N{J^}N}R^`/TpD`a0SqL^{N{J^}N}y/+/ֱ+013嚚Dy yk 8/3+2 /ֱ+ + 9901333嚚D隚Dy  R{/ִ ++017R@9ݯH/<-/{/ִ ++0177/!J?J-P`3Pk yl?#@/ / $/ֱ+ %+99 99014>32#".732>54&#"1`Z;_@"1`X;_?#yAL9Z>!BL9Z> ^`/TpD`a0SqL^{N{J^}N}s!g / /ֱ+  +6>+ ......@ 990134632#"&sv!3#-3#-!mZ!3%!#1# / 33 + 22 +@ + 2 +@  +2/ ֱ+6>+  ++  + +>+ +  #9 .. .......@ 901733##7'3?#bus+n+5^DXXݬl;"h / / +/ #/ ֱ$+6=u+ . ......@ $901732>54&#"'!!>32#"&TZN!A5NB/A'/j;=d3Vo>f<5F4G-JR/i}lFsP-clC,d/! )/ + / -/ֱ&+.+& $99)!999 99014>32.#">32#".732>54&#"FpP{MEC-`#f?.54>32#"&732654.'>54&#" 8E%#/)H`5b|c9+9/Pj>mtR5ZB#uo?JOD#1%#\^9I#Q+9@Hl+d/ / +'/ ,/ ֱ#+-+ 9# $99 9'  9990173267#"&54>32#"326754&#"F9Tb#i;fs/Pd57_F)DsP{kF;+`)\>7+N7%7{^FpN++RrHɇF+?J/6 ud1H?/ֱ +  9014>7.#KsPN!Z)-lh\-TJ)V?/ֱ + 901654&'7!X)/#LrPJTI+Vmh\s!/  +@ +222/ֱ+++222  22 +/+6>+ >s+  >+  +  +++  #9  ........ ..@999990133>32#>54#"s`5s?VHTwRTTr]!^/@[M)\!`u8K#@/ / $/ֱ+ %+99 99014>32#".732>54&#"%1`Z;_@"1`X;_?#yAL9Z>!BL9Z> ;^`/TpD`a0SqL^{N{J^}N}xO/3 + /ֱ +6>+ ......@017>73#xP`1`{%P #!">/ / /ֱ+999  $9017>54&#"'>32!B}r5AB+T&H9yNo~3dbNNXwm7;D7)I7Jre?wwJh)T'/ / +/ */ֱ" ++ "999 999901732654H>54&#"'>32#"&DTXCHffuF^9ADT+'f\Lwf6;\B!c+ / 33 + 22 +@ + 2 +@  +2/ ֱ+6>+  ++  + +>+ +  #9 .. .......@ 901733##7'3?#2bus+n+5DXXݬG"h / / +/ #/ ֱ$+6=u+ . ......@ $901732>54&#"'!!>32#"&DTZN!A5NB/A'/j;=d3Vo>f<5F4G-JR/i}lFsP-cO,d/" */ + / -/ֱ'+.+' $99*"999 99014>32.#">32#".732>54&#"FpP{MEC-`#f?.54>32#"&732654.'>54&#") 8E%#/)H`5b|c9+9/Pj>mtR5ZB#uo?JOD#1%#\^9I#Q+9@H++d/ / +'/ ,/ ֱ#+-+ 9# $99 9'  9990173267#"&54>32#"326754&#"8F9Tb#i;fs/Pd57_F)DsP{kF;+`)\>7+N7%7{^FpN++RrHɇF+?J/6 ud1H `/ֱ +  9014>7. #KsPN!Z)-sh\-TJ)V `/ֱ + 901654&'7u!X)/#LrP/JTI+Vmh\o&q/ +$/ +/ +'/ִ++(+9 #$99$9 99 901467!6&#"'>32#".732>7!o  XM+F%%/k;o@f=;S5d9H!A:- %RsfR#\n<'BX'7R6K1#&.6+3 125/635 +@ + 2227/ֱ'"'+#+#/"+'++++ + +8+6=-3+ #"=+  =+ ##+""+=+   + + + + + +=+ "!"+#$#+)#+*#+"/"+1 +=+ 2 +"6"+$# #9)9*99!"9/92 9 9 99@ !"#$)*/2..............@ !$)*/126................@9 95$9014>?373&'>7##7&'#.7.+Xq?H?!5FIO+?s Fv2MNh?H?9/LJXHM5-L`5h+9P. մ1 R/G7#B/`HP ?қ`9) 3 93|+1/,3 +*2&/ 3# + 2/4/ְ 2 &-22 / * /*5+9#9990137>7#?3.'#?.54>32.#"!!!!!@nZh+k#\=qR WK^?|R A#R*hu?dFT7F&\!@]jJ! $)-+33/*-$3 +&'$2/%)$3 + "$2 +@ + 222./ֱ + 2/+6>D+ k+ .#+>+ - + ++- - +  + + +##++++##+#+>+  +#"#+%++&++-'- +>=+ (- +)- +*++  #9(- 9 #(+....@  "#%&'()*+-............................@9 !99 901?#?3333#3####73'#73#3?3iNg}keHb}du^'j {!/E C   MN  N#peN5PP=!!+3/ / 33 22!/ 2"/ֱ+2  #+6>+ !++!+!+!+!+!........@99013#?323#+3267!7!54&+=Dxs]]Tf=!l;fcPkZX+s{xkqdBTf .+ +/$*/ /33 +22//ֱ!!++0+6? + .(>F+ ( (+ (+(+(++ ( #9 9 (..... (.......@! $*$9'99999$99*990137!4>32?!7!733#7##"&73267&#"BIyKFPq 5Dq|GH9o@=5^3gT3\\j}F7+\^T \/BTb7:;b3\))9/,+% "/3 +2/3 +2/ 0//ְ2"2" /1+"9"%()99999901?>7#?>32.#"!!!!3267#"5)o im#s\q+wVG?ucPcyHx3NLfQ 'G#RuKrRL?P9hVZ#G%\D1`HP =%!!&,+3/ /!33 +"22/&33 + '22,/ 2-/ֱ#+.+6>s+  , + + + +,+,+!,+",+&,+',+@  !"&',............@$9# 9%(999013#?#?323#3#+3267!7!65!7!.+=4x qz=Rf}?q/sTh;D }FwN#=NjRRN;BNLAb '/3 2(/ֱ$+##+)+6>+ $..$#>G+ . $$+##+"#+$%$+%$ #99"#99@ "#$%.........."%........@#9999014>?3.#"3267#7!#7.b_u+p(\r%tVH`L{=eHRm7e)r'մ/ mGL?Pn2 c9V %+3 2&/ֱ++++'+6>S+ ..$$>a+ ++++++ +>a+ !+! #9999!........ !........@9014>?3.'>7#7.7^u'd)Tl%p?2Bj/PH\)g)^ZTm?ռ:mHI5J?-`BOݓA u!"^+ +3 +2 +/ +#/ְ 22$+99901732>7!?!.+7!!3##"#mPjF /7 z1:}ߨ!DdDT \J\!gC^'R+ /3/ֱ++6>!+ >`+ +++ + + +++ #99999 9 9 9 ........@  ..........@9  999 $901??3%%>57#RLBmma\L|wgRRgR}ff;od#FR}$/n+,+  +0/*ֱ 1+6>+ %/%/....%/....@9,!$99901>7>323267#".7>54'"3_-nL`q;bo#='Bj/-?Z?iE ;!PTa3X1qh9)wl4l`)RnF;!c1N-YT$nJAJJ9'4=+ +3/5 +=/) #/ +>/ִ+(+449+--+ +?+6>+ (.)4=34=+54=+(4..)35=....@94#$95399=- 9990146$32#".732>54.#"!2+32654&+JjwǍPkwƍNX=uj_>wj^o/ִ++""*+=+=4+3?+67+ :9-$.-.9:....-.9:....@ $9"99*94=+/8999'*34=$9@ "/68;$9+,12$901732654&/.54632.#"#"&33?3#7###XNI-5H!T=d7Y&I7!5>)P)3#BX7Hj/R}q9BHM <F?'-9)%2H9Zq1%F!!:!+ 0G5+L;#;"z릦^Xh/33 22 +@ +222/ֱ+$+++6>~+ ..@99 9999017!##33?3#7###jqj)/R}q:AHN;ffz릦^X-h+3 2 +$./ֱ))+/+)9 ,-$999,99$)$901#7!5.546$323!7>54.#" 5[mjw=Ci?/RqC+OuLoPdLBߑ#wHo߶3h9݃Vg7gDh1H 2t+ + +@ ++, +#  +# +3/ִ +!2&+ +4+&999 99# 9014>$32!"32673#"$.%3!254'.#"q si T克Vkf԰q  VV mm  `m}i{m yZgm\  ` 64+3 + 34 + +& 4 +&  / + 27/ ֱ  +/ )8+6>+  .    .. ..@ 9@   #&,4$9 /999,9 ")99&#90137>73#732654H>54&#"'>32#"&k JP`1`{TXCHffuF^9ADT+'f\Lwf6;\B!ch`HF+3# )/* +/ 2/8 / 2I/ֱ&+A/ ;J+99&@ )*258>F$9A/9)# A999*>9/4;$98259  $9017>54&#"'>32! 3%732654H>54&#"'>32#"&h}r5AB+T&H9yNo~3dbNk TXCHffuF^9ADT+'f\Lwf6;\B!c` ,:F*+30 ++ 3D* + + / + 2G/ ֱ   +-- +;-3+%A%3+H+6>+  .    .. ..@ 9;-993*08>D$9%!9D0 %8>$90137>73#4>?.54>32#"&732654.'>54&#"k NP`1`{ 8E%#/)H`5b|c9+9/Pj>mtR5ZB#uo?JOD#1%#\^9I#Q+9@HX`)-M[gK+*3Q + + +'K + 54&#"'>32#"&3%4>?.54>32#"&732654.'>54&#"XTXCHffuF^9AmtRDT+'f\Lwf6;\B!cty+L@1N/1T< lZNqS>5ZB#uo?JOD#1%#\^9I#Q+9@H^`"&FT`D+#3J ++ D + 5^D +5 + D + +a/ ֱ'+G0G'+UGM+?[?M+8b+6=u+ . ......@'99UG,-99M5DJ$RX^$9?;%99 J'-;?RX$908U[$9^959  99901732>54&#"'!!>32#"&3%4>?.54>32#"&732654.'>54&#"^TZN!A5NB/A'/j;=d3Vo>fk  8E%#/)H`5b|c9+9/Pj>mtR5ZB#uo?JOD#1%#\^9I#Q+9@H`0>J.+34 ++ H. + +K/ֱ11+?17+)E)7+"L+?199E%&.$9H4 ") ?.54>32#"&732654.'>54&#"k i`];3 8E%#/)H`5b|c9+9/Pj>mtR5ZB#uo?JOD#1%#\^9I#Q+9@H)# / / +99015!!)PqhP VutV=7  /ֱ +99013#= Vut!Piq)# / / +99015!7')qPPV V=7  /ֱ + 990173#=VV PqkP/V"4e+(+ 0 +5/ֱ## +6+ #-$90(99  9999014>32654&#"'>32#".732>7.#"/D{jj5%n{5k)D?R+Ps^DwX33J/?ueR)dJvV-+^^fT1#b1@sպN.Qy\)K<#BoTNnCm?+2+3/+6_+ . (Q+  + +  #99 .... ......@9 901#73%!.'#'E5k9\\}jtuo /3 2/ֱ+ ++/ +@ + +6>+ >y+ ......@01!#!5ʛs{ ? ./ //+ 999017 7!! !jf^^+gi bj//+015!bHjuuP`3Pk y$ ( /++ /ֱ  +014632#"&N;-2M;-35Z;-5Y:}97 %373#}T/vtyv/||'qBB7 '3?^+1  =/7 +27#@/ֱ((:+A+:(#.4$9=  $9014>323>32#"&'##".73267.#"32654&#"B/TtF=eVC'PXf>J\55\}J}Z ARb;BnP/zqRP3;HVkTR\du}hVJxX2)>L$3ZA'3\RPb8u#K>)1XwBXsuPXphDsv`d|5P&%//'/(+6?%+  ?+     +  +?+  ++ +  +  #99@   ..........@   ..........@%99017326767>32.#" #"5! !XT5PwT3! 'TX6QuT?to qb}Hwqqd}F\;/L//'/ ,/0/1+99 99 '/99,*9901>323267#".#">323267#".#"\3@7\TL)-H#X3?7]SL)-H#X3@7\TL)-H#X3?7]SL)-H#`V7B7+ ..@013!#N]ZRV+3/3 +2/ֱ+6>i+ ..@99013#7! ^)Z}9P+ +/3/ֱ+6>u+ ..@9901339wj\;L+3 +2/3/ֱ+6>+ ..@017339xj\){fN./ + +/ִ + ++01!fNg-P1D753-P-R3B/  / +9901753%!-{Roq+;V73q:++ q+=V /ֱ +9901737 q8li++ RO-=1/5!#-+-=3//  / +99015!# -=>+j%+V53#%= %+V /ֱ +990153# %(k= =3 /+/ִ ++01 P'3d/ 1/++#/ +4/ִ+(+. .+ +5+.(#$9+1 $9014>32#".732>54.#"4632#"&P9`HH`99`HH`9d)HZ11\H))H\11ZH)C+-DD-+CV`55`VV`55`VBhF%%FhBBhG%%GiA5CC55BA\3 #3 #DD{}}{HH%!5++++/ִ + ++011!^ P+ + /  /ִ++ +99 99017!%!!{fjzSX T+ +/  /ִ + + !+ 9  99  9 99017!>7%!&'7367!}'BAV=}@huO323'>54&'#".D-TpD'E\/%BX5)> u7\{D'G8 f/YA' P!'1]bj>H33P3j&T}R+%:-u7367&wq%RV\U9>mR/y\s/my% N/ + /  /ִ++ +99 990177!%!!mrb8dLuNG9L+ +/ֱ+6>v+ .....@01!#^9q\9ZR+3 +2/ֱ+6>+ .....@017!#^wN\9J/ +/ֱ+6>+ .....@0133vp\9P/3 +2/ֱ+6>+ .....@01733d{\XX++'(+333+ +#333&)*222,/ֱ++(+'-+6>l+ +>+ ('"+++++((+'#'"+&'"+()(++*++"....@ "#&)*............@+99'( 999 99 99013#?>32.#"!7>32.#"3##!X!;[)89)H] }5T)96#DU#ɮudu sfXsgXdXD'+333++%+!++3332(/ֱ++ " )+6>l+ >s+ ++++........@99 999 9%99 "99 9013#?>32.#"3#!34632#"&X!5V%75#DS#ˮǞLH/);H/);du qgX3D1-3B/XB++3)+" ++32+3,/ֱ+2 2  +@ % + +-+6>l+ >+ ++++..........@99999  )9999 9013#?>32.#"3#%4733267#"&X!5V%75#DS#ˮ # .!BCdu qgXh!5%y Du%?!++ ! +3 27/&30 + . ......@99  9907:90146$32.#"3267!7!#".>3232673#".#"ud y3p'qRȎI&W`Jr)LuJuy? )6=#'5/-!1ZnE'5-.!11qVTBP{Zs?/#r=MN%-N;!#+"93\{#+%<35u /Gc+++ / /$ ?/038 D/3 ;2H/ֱ! I+ 99+$ $98?B9017326?##"&54>32373#"&3267.#">3232673#".#"J9T!1J`XdN#')d^THHX/b:Hg=dB+9-+!,ZdA-8--!,m1FHXiRD}N{wXVNFT\u#'#:/\u# /Zt+3/ /ֱ  ++6>s+   .. ..@ 9999999014>7#3327#"&V%7B%ǞV^+!'$!#V"BX-TL<7yB#(NFX2+23'+ ++33301222 +@ +23/ֱ22,+/24+6>l+ 2>s+ 0..0  ++22+00++212+..@ 01............@299, 999'#9 9 9013#?>32.#"!33!3267#".5467!X!5T'75#DS#VJ7t8G5!!^ q#

V+ ..  ....@01#73#7!#3٤צ3͇ S + 2+22/+6>V+ ..  ....@01#73#7!#33#٤צ}3͇ S + 2+22/+6>V+ ..  ....@01#73#7!#373٤צO۲3͇ S + 2+22/+6>V+ ..  ....@01#73#7!#373#'#٤צ锑yh3͇Ꮟ1 %o + 2+22/ 3 "/ 2&/'+6>V+ ..  ....@ 901#73#7!#3>3232673#".#"٤צ )6=#'5/-!1ZnE'5-.!13͇-N;!#+"93\{#+%<3 { # + 2+22/!32$/ ֱ+%+6>V+ ..  ....@ 9 999901#73#7!#34632#"&%4632#"&٤צ>+#/>+#/T>+#-<+#/3͇ -D+)+D+'-D+)+D+D Z + 2+22 / /+6>V+ ..  ....@01#73#7!#37!٤צ3͇oo k + 2+22// ֱ +6>V+ ..  ....@  9901#73#7!#34632#"&٤צ?H/);H/);3͇1E1-3B/# S + 2+22/+6>V+ ..  ....@01#73#7!#33373#٤צyh锇3͇ n + 2+22 / +/ֱ+6>V+ ..  ....@ 9901#73#7!#3'7'>54٤צ VokDI3͇ XN:\`H2)#P? k + 2+22// ֱ +6>V+ ..  ....@ 9901#73#7!#34632#"&٤צmH/);H/);3͇3D1-3B/P? ~+ 3 22+22/ !/ֱ"+6>V+ ..  ....@999901#73#7!#3#327#"&54>7٤צNd+!%"%#Z"DX%7@3͇/<%)RHE-VN>B#,++'+ * + -/ֱ$$++/.+$ '$9)*$99 9990174>7>54&#"'>32#7##".7327B`X\DG4N\uBV1ZD(ZFy8j`-)fR1)s+;J u;S>Z\NHB#,0++'+ * + -/1/ֱ$$++/2+$ '-.0$9)*$9/9*999 9990174>7>54&#"'>32#7##".73273#B`X\DG4N\uBV1ZD(ZFy8yrj`-)fR1)s+;J u;S>Z\NH;B#,0++'+ * + ./1/ֱ$$+/2+/2+$ '-0$9)*.$9*999 9990174>7>54&#"'>32#7##".73273B`X\DG4N\uBV1ZD(ZFy8j`-)fR1)s+;J u;S>Z\NH!B#,4++'+ * + ./5/ֱ$$++/6+$ '-.4$9)*23$9/90199*999 9990174>7>54&#"'>32#7##".73273#'#B`X\DG4N\uBV1ZD(ZFy8ulaj`-)fR1)s+;J u;S>Z\NH!߽Bu#,D++'+ * + 7>54&#"'>32#7##".7327>3232673#".#"B`X\DG4N\uBV1ZD(ZFy8dB+9-+!,ZdA-8--!,j`-)fR1)s+;J u;S>Z\NH-\u#'#:/\u# /By#,8D++'+ * + 6/B30<2E/ֱ$$-+33+92+/?F+-$'$93 99)*$9*999 9990174>7>54&#"'>32#7##".73274632#"&%4632#"&B`X\DG4N\uBV1ZD(ZFy8=+%/?+#/T=+%-=+#/j`-)fR1)s+;J u;S>Z\NH/B-)/>+'/B-)/>+B=#,0++'+ * + -/. 1/ֱ$$+/2+/2+$ '-.$9)*$909*999 9990174>7>54&#"'>32#7##".73277!B`X\DG4N\uBV1ZD(ZFy8j`-)fR1)s+;J u;S>Z\NHXnnB#,>++'+ * + 7>54&#"'>32#7##".7327&7332673#"&B`X\DG4N\uBV1ZD(ZFy8 \5DF^b1Jc?=Pj`-)fR1)s+;J u;S>Z\NH\0HZ^D/]G--B#,<H++'+ * + :/@ +F/2 +I/ֱ$$-+=+=+C2+/5+J+-$'$9= 99@ )*2:@F$9*999 999F@5-990174>7>54&#"'>32#7##".73274>32#"&732654&#"B`X\DG4N\uBV1ZD(ZFy88I)J`6I)JbZ-)+?-)+?j`-)fR1)s+;J u;S>Z\NH+L9!VR+L9!VX-7M6+7LB#,4++'+ * + -/135/ֱ$$++/6+$ '-.4$9)*/03$919*999 9990174>7>54&#"'>32#7##".73273373#B`X\DG4N\uBV1ZD(ZFy8laywj`-)fR1)s+;J u;S>Z\NH;B\#,8++'+ 6/0* + 9/ֱ$$-+3 3++/:+-$93'999 99)*$9*999 990174>7>54&#"'>32#7##".73274632#"&B`X\DG4N\uBV1ZD(ZFy8#H/);H/);j`-)fR1)s+;J u;S>Z\NHA3D1-3B/B#,<++'+ * + -/. +=/ֱ$$++/: 1>+$@ '-.67$9)*$9*999 999-16990174>7>54&#"'>32#7##".73277'>54&B`X\DG4N\uBV1ZD(ZFy8el'CZ6 BI=j`-)fR1)s+;J u;S>Z\NHVN:/E3! J2)#'B#,48++'+ * + 5/9/ֱ$$++/:+$ '-.4$9)*/23$9190599*999 9990174>7>54&#"'>32#7##".732773#'#%73B`X\DG4N\uBV1ZD(ZFy8wrdTCj`-)fR1)s+;J u;S>Z\NHB #,48++'+ * + 8/9/ֱ$$++/:+$ '-.4$9)*/23$9190599*999 9990174>7>54&#"'>32#7##".732773#'#3#B`X\DG4N\uBV1ZD(ZFy8wrdT/b`j`-)fR1)s+;J u;S>Z\NHsBCH#,4B++'=+< ++ * + 5/6 +C/ֱ$$++/@+9D+$ '-.4$9)*/13$9056<=$9*999 999<-014$9=32995/.99990174>7>54&#"'>32#7##".732773#'#7'>54&B`X\DG4N\uBV1ZD(ZFy8wrdTXqdyb =66j`-)fR1)s+;J u;S>Z\NHiNF5XTB/'##Bb#,4L++'+ * + D/53= +I/8 +@2M/ֱ$$++/N+$@ '-.458I$9@ )*/23;G$9190=@D$9*999 999D-.990174>7>54&#"'>32#7##".732773#'#>3232673#".#"B`X\DG4N\uBV1ZD(ZFy8׍khGa6'3)'3Pb5'3)'3j`-)fR1)s+;J u;S>Z\NHRd#1)Rd"1)B\#,8@++'+ 6/0* + :/A/ֱ$$-+3 3++/B+-$93'9$9 :@$9)*;>?$9*999 9990174>7>54&#"'>32#7##".73274632#"&3#'#B`X\DG4N\uBV1ZD(ZFy8'H/);H/);uulaj`-)fR1)s+;J u;S>Z\NHA3D1-3B/!߽BL#,>B++'+ * + 7>54&#"'>32#7##".7327&7332673#"&?3B`X\DG4N\uBV1ZD(ZFy8 P=JHfV1Hc?=Rjj`-)fR1)s+;J u;S>Z\NH\0LZ^H/]G--BL#,>B++'+ * + 7>54&#"'>32#7##".7327&7332673#"&3#B`X\DG4N\uBV1ZD(ZFy8 P=JHfV1Hc?=R1{TZj`-)fR1)s+;J u;S>Z\NH\0LZ^H/]G--B#,>L++'+ * + 7>54&#"'>32#7##".7327&7332673#"&7'>54&B`X\DG4N\uBV1ZD(ZFy8 P=JHfV1Hc?=Rwo^s\ 744j`-)fR1)s+;J u;S>Z\NH\0LZ^H/]G--NC6VTA.%#Bb#,DV++'+ * + R/I +IR +@IM +E27>54&#"'>32#7##".7327>3232673#".#"332673#".B`X\DG4N\uBV1ZD(ZFy8a6'3)'3Pb5'3)'3PP=FDhT 1Ja==P-j`-)fR1)s+;J u;S>Z\NH5Rd#1)Rd"1)77LM6'N?''?NB\#,8J++'+ 6/0* + H/? +?H +@?C +;2K/ֱ$$-+3 ;3-+<+3++/L+-$93'999< H999)*?$9*999 9990174>7>54&#"'>32#7##".73274632#"&&7332673#"&B`X\DG4N\uBV1ZD(ZFy8'H/);H/); \5DF^b1Jc?=Pj`-)fR1)s+;J u;S>Z\NHA3D1-3B/\0HZ^D/]G--BZ6?2+:++ %/ =2 + @/ֱ77(++A+(72:$9@  "%-./<=$992!(999:-9=/.999 990174>7>54&#"'>32327#"&54>?##".7327B`X\DG4N\uhy+)%!#V#BW)?P)BV1ZD(ZFy8j`-)fR1)s+;J /D#(NFC-XN@i;S>Z\NH5 9L\+X+5/= #/P ]/ֱ::+M (MU+0 BB/02^+(  99MH99B@ %#,5=+GPX$909#= (0H$9P %999MU$9014>75.54675.54>32!##"'#".732>54&'.'32>54&#"+FV)#@7-9?oX%8T=oZ;,(Mq`P#R\=jDfDpT/x{?!A8"VJ7^F'TJ7`F'1RD3E)3_''nFZp@ {M%Zn><#31 &7J1TV+7\aTL6E)B= )3<Vf1Tk7Vf1Tj5 9L\d+X+5/= #/P ^/e/ֱ::+M (MU+0 BB/02f+(  99MH99B@ %#,5=+GPX]^b$90_a999#= (0H$9P %999MU$9014>75.54675.54>32!##"'#".732>54&'.'32>54&#"3#'#+FV)#@7-9?oX%8T=oZ;,(Mq`P#R\=jDfDpT/x{?!A8"VJ7^F'TJ7`F'ula1RD3E)3_''nFZp@ {M%Zn><#31 &7J1TV+7\aTL6E)B= )3<Vf1Tk7Vf1Tj!߽5 9L\n+X+5/= #/P l/c +cl +@cg +_2o/ֱ::+M (M_+`+`U+0 BB/02p+(  99MH99_5=G%$9`+P#999B,Xcl$90f99#= (0H$9P %999MU$9014>75.54675.54>32!##"'#".732>54&'.'32>54&#"&7332673#"&+FV)#@7-9?oX%8T=oZ;,(Mq`P#R\=jDfDpT/x{?!A8"VJ7^F'TJ7`F'` \5DF^b1Jc?=P1RD3E)3_''nFZp@ {M%Zn><#31 &7J1TV+7\aTL6E)B= )3<Vf1Tk7Vf1Tjt\0HZ^D/]G--5 9L\h+X+5/= #/P f/`i/ֱ::+M (M]+c cU +0 BB/02j+(  99MH99]%+5=G#P$9c,X$9#= (0H$9P %999MU$9014>75.54675.54>32!##"'#".732>54&'.'32>54&#"4632#"&+FV)#@7-9?oX%8T=oZ;,(Mq`P#R\=jDfDpT/x{?!A8"VJ7^F'TJ7`F'H/)<#31 &7J1TV+7\aTL6E)B= )3<Vf1Tk7Vf1Tjt3D1-3B/5 9L\l+X+5/= #/P j/i +c/b +m/ֱ::+M (M]+ffU+0 BB/02n+(  99MH99]#5=G%$9f+,PX$9Bj90bci$9#= (0H$9P %999MU$9ci]9014>75.54675.54>32!##"'#".732>54&'.'32>54&#"4>7.+FV)#@7-9?oX%8T=oZ;,(Mq`P#R\=jDfDpT/x{?!A8"VJ7^F'TJ7`F'3Vn<Zk/!/DS1RD3E)3_''nFZp@ {M%Zn><#31 &7J1TV+7\aTL6E)B= )3<Vf1Tk7Vf1TjC3H/J52# F>5 9L\d+X+5/= #/P ]/a3e/ֱ::+M (MU+0 BB/02f+(  99MH99B@ %#,5=+GPX]`c$90a99#= (0H$9P %999MU$9014>75.54675.54>32!##"'#".732>54&'.'32>54&#"3373#+FV)#@7-9?oX%8T=oZ;,(Mq`P#R\=jDfDpT/x{?!A8"VJ7^F'TJ7`F'Zlayw1RD3E)3_''nFZp@ {M%Zn><#31 &7J1TV+7\aTL6E)B= )3<Vf1Tk7Vf1Tj5 =9L\`+X+5/= #/P ]/^ a/ֱ::+M (MU+_20 BB/02b+(  99MH99B@ %#,5=+GPX]^$909#= (0H$9P %999MU$9014>75.54675.54>32!##"'#".732>54&'.'32>54&#"7!+FV)#@7-9?oX%8T=oZ;,(Mq`P#R\=jDfDpT/x{?!A8"VJ7^F'TJ7`F'51RD3E)3_''nFZp@ {M%Zn><#31 &7J1TV+7\aTL6E)B= )3<Vf1Tk7Vf1Tj5nn5 u9L\t+X+5/= #/P l/]3e q/` h2u/ֱ::+M (MU+0 BB/02v+(  99MH99B@ %#,5=+GPX]co$90el999#= (0H$9P %999MU$9elo9014>75.54675.54>32!##"'#".732>54&'.'32>54&#">3232673#".#"+FV)#@7-9?oX%8T=oZ;,(Mq`P#R\=jDfDpT/x{?!A8"VJ7^F'TJ7`F' dB+9-+!,ZdA-8--!,1RD3E)3_''nFZp@ {M%Zn><#31 &7J1TV+7\aTL6E)B= )3<Vf1Tk7Vf1Tj \u#'#:/\u# /?=+3/3/ֱ++6>y+ @0133?#N?H+3/3/ֱ+2 +6>y+ @9013373?#ۀ۲N?`+3/3 /ֱ+++ + +6>y+ @990133 3?#FRoZNbt?b+3 /+/3/ֱ+  +/+6>y+ @  990133 4632#"&?#N;-2M;-3N5Z;-5Y:Tn+3/ +/ +/3/ֱ 2 / ++6>y+ @9 901>54&'73VZk/!/DT3Vo;#61# E=83H/N\ a +3 / /3/ֱ    / ++6>y+ @  99014632#"&3H/);H/);U#3D1-3B/uN\ r +3 / /3/ /ֱ    / ++6>y+ @  99 99014632#"&37!H/);H/);U#3D1-3B/uNnncN+3/ /3/ֱ+ +6>y+ @99017! 3#llPNB9 + 3+/3 / ְ2  + +6>+ >d+  +  + +  +  #99 99 .... ....@ 9 901?37#Bl\P{a^XB+333++32+3/ֱ+++6>l+ >y+ ++++........@9999 999 9 9 9013#?>32.#"3#!3X!5V%75#DS#ˮ#du qgXNV3#B+/$/ֱ+ %+99 99014>32#".732>54&#"VZpRV-ZqTV-cjRn@ehTm@LEy^DyXqT+3/3 /3/ֱ +6>e+ ..@9017673#qyVfFV3@+ //ֱ+999  $901#76$>54&#"'>32!]_bBEPZcNxT-T!^Ͳ`Z{C@bNT/VwEm㔇3.Q,+ //// ֱ'  0+'999#$99 99901'732>54.#72>54&#"'632#"& h/fFtT/([hyd+fi;s+  ++  + +>+ + + +  #999 ....@  .........@ 901733##%!>7#'HIL #)P%hkHh;D9m/&q$+ / +@ +/'/ ֱ(+6=+ . ......@99901'732>54&#"'!!>32#"&f5FZ9?uZ6k?ZBDe#k#V3J}\3R`T#>12\P{!#5i+VVuHh3 3Y+$,/ / 4/ֱ!!)+5+)! $9,$999  99014>32.#">32#".732>54&#"h]j)j#X?NtTDC@rZT^4wh7cI)hh@IP'OdBT9>PρNJ`LBu\:\w=q$@1// +// ֱ+ 99017! #67ˉZ#-iygɨ>zH3%7Gp!++C/H/ֱ&& +88@+@+00/I+8 90!+5;C$9C+ 5;$9014>75.54>32#".732>54.'>54&#"H3Tn<9<>jN=uZ6n?3!HwXHkC'DZ35dP//Rj9hwm%G8 pT-R@%;J{`J9yPT\1%KsL>:I\4Xb6)Tg9Y=!#?a=9WG=9f{3=KX4bj7#"&54>32#"&32>76454&#"%j#XBLsSDA@sZT_1\߃jif?JO'vi7bH)T9>PLH`LAu`e#s%@1.9\wN!B+/"/ֱ+ #+99 99014>32#"&732>54&#"NHwL{V/HwebL`5bbL^8!;o`ϖ{q{5 V + 2/3  / +6>l+ . . ....@0137!#7673!5py PfFy@+ //ֱ+999  $901#76$>54&#"'>32!ZhmBFPZcTZ-R1^خPZ{C@bLV1VuE\{P0P,/ //1/ ֱ'' + 2+'999#$99 99901'732>54.#72>54&#"'632#".-h/dFwT/'Zfye+gh;9RdwEeBvfT1RDl+Lh<3Z?%u3Pb/Xo9/h+ %j^m;%=Rh / 33  22 +@ + 2/ ֱ+6>+  ++  + +>+ + + +  #999 .....@  .........@ 9 901'733##%!>7#ӬEFV #)N'hm|[|9D9m2P&e$///'/ ֱ(+6=+ . ......@$901'732>54&#"'!!>32#"&)f5FX9?xZ5kBY@Cf%n#U4J|\4R`-R!?11\P!"5ss-ZVuFh3 3Y+$,/ / 4/ֱ!!)+5+)! $9,$999  99014>32.#">32#".732>54&#"h]j)j#X?NtTDC@rZT^4wh7cI)hh@IP'OdBT9>PρNJ`LBu\:\w=q$@1/h*// ֱ+ 99017! #67'ϏZ#-k}gªF%}H3%7Gp!++C/H/ֱ&& +88@+@+00/I+8 90!+5;C$9C+ 5;$9014>75.54>32#".732>54.'>54&#"H3Tn<9<>jN=uZ6n?3!HwXHkC'DZ35dP//Rj9hwm%G8 pT-R@%;J{`J9yPT\1%KsL>:I\4Xb6)Tg9Y=!#?a=9WG=9f{3=KX4bj7#"&54>32#"&3267654&#"k#XAJqVHFDu`T^1\joh3Rwh;iN-T9>JxHEdPAu`d!{?aDI=b}N!B+/"/ֱ+ #+99 99014>32#"&732>54&#"NHwL{V/HwebL`5bbL^8!;o`ϖ{q{JL+3/3 /ֱ +6>N+ ...@017673#qyfFh`@+ //ֱ+999  $901#76$>54&#"'>32! Xa\BFPZcLxR-P^خPZ{C@bLV1VuE\{P0P,/ //1/ ֱ'' + 2+'999#$99 99901'732>54.#72>54&#"'632#".-h/dFwT/'Zfye+gh;9RdwEeBvfT1RDl+Lh<3Z?%u3Pb/Xo9/h+ %j^m;%=Rh / 33  22 +@ + 2/ ֱ+6>+  ++  + +>+ + + +  #999 .....@  .........@ 9 901'733##%!>7#ӬEFV #)N'hm|[|9D9m2P&e$///'/ ֱ(+6=+ . ......@$901'732>54&#"'!!>32#"&)f5FX9?xZ5kBY@Cf%n#U4J|\4R`-R!?11\P!"5ss-ZVuFh3 3Y+$,/ / 4/ֱ!!)+5+)! $9,$999  99014>32.#">32#".732>54&#"h]j)j#X?NtTDC@rZT^4wh7cI)hh@IP'OdBT9>PρNJ`LBu\:\w=q$@1/h*// ֱ+ 99017! #67ʋZ#-i{gH# zH3%7Gp!++C/H/ֱ&& +88@+@+00/I+8 90!+5;C$9C+ 5;$9014>75.54>32#".732>54.'>54&#"H3Tn<9<>jN=uZ6n?3!HwXHkC'DZ35dP//Rj9hwm%G8 pT-R@%;J{`J9yPT\1%KsL>:I\4Xb6)Tg9Y=!#?a=9WG=9f{3=KX4bj7#"&54>32#"&3267654&#"k#XAJqVHFDu`T^1\joh3Rwh;iN-T9>JxHEdPAu`d!{?aDI=b}%}FU"+#33Q B/; /'  J 1/ V/ֱ66+GG,+ $+W+6>HC+ ".M#$MNM"+NM" #9$MN..."#$MN.....@,G1;?B$9;>9QJ ,6$9" 90146$32#"&'##"&54>3237332>54.#"3267#".%3267.#"ɉ'ϋH>hJH\-w@V:dN^1g],N+TC+7otwDwfJ<NMy˓RF3+X/>7!7ZB#EPsӏJPH;LP{LdXw`s;sj`wDus{@##X/%N\T9B5&<\ou`1 ( /6+6+ /ֱ +014632#"&=-!+=-#)/@+#/?+hj1%/  +/ֱ + 901>7#"&54632h?S -;)'/lJ9)#11;2h(lR ( /6+6+ /ֱ +014632#"&J=-!+=-#)/@+#/?+tvR%/  +/ֱ + 901>7#"&54632?S -;)'/lJ9)#11;2h(9#B+ / $/ֱ+ %+99 99014>32#".732>54&#"1`Z;_@"1`X;_?#yAL9Z>!BL9Z> ^`/TpD`a0SqL^{N{J^}N}O+3/3 + /ֱ +6>+ ...@017>73#P`1`{P #!f7@+ / /ֱ+999  $90137>54&#"'>32!}r5AB+T&H9yNo~3dbNNXwm7;D7)I7Jre?wwJhb7)V'+ / +/ */ֱ" ++ "999 9999015732654H>54&#"'>32#"&TXCHffuF^9ADT+'f\Lwf6;\B!co  +3/ 33 + 22 +@  +2/ ֱ+6>+  ++  + +>+ +  #9 .. .......@ 901?33##7'3?#bus+n+5DXXݬ"j + / +/ #/ ֱ$+6=u+ . ......@ $9015732>54&#"'!!>32#"&TZN!A5NB/A'/j;=d3Vo>f<5F4G-JR/i}lFsP-c17,f+! )/ + / -/ֱ&+.+& $99)!999 99014>32.#">32#".732>54&#"1FpP{MEC-`#f?.54>32#"&732654.'>54&#" 8E%#/)H`5b|c9+9/Pj>mtR5ZB#uo?JOD#1%#\^9I#Q+9@H o7+f+ / +'/ ,/ ֱ#+-+ 9# $99 9'  99901?3267#"&54>32#"326754&#" F9Tb#i;fs/Pd57_F)DsP{kF;+`)\>7+5N7%7{^FpN++RrHɇF+?J/6 ud1HP^/ֱ +  90174>7.P#KsPN!Z)-h\-TJ)V^P/ֱ + 901654&'71!X)/#LrPwJTI+Vmh\ / +6+ +6+ /ֱ +01'4632#"&=-!+=-#)=/@+#/?+%/  +/ֱ + 901>7#"&54632H?S -;)'/lJ9)#11;2h(b#@/ / $/ֱ+ %+99 99014>32#".732>54&#"1`Z;_@"1`X;_?#yAL9Z>!BL9Z> H^`/TpD`a0SqL^{N{J^}N}")tHU+3/3 + /ֱ +6>+ .....@017>73#"P`1`{P #!h)`>/ / /ֱ+999  $9017>54&#"'>32!h}r5AB+T&H9yNo~3dbN)NXwm7;D7)I7Jre?wwJhf`)V + +'/ / */ֱ" ++ "999 999901732654H>54&#"'>32#"&fTXCHffuF^9ADT+'f\Lwf6;\B!cx)H +3/ 33 + 22 +@ + 2/ ֱ+6>+  ++  + +>+ +  #9 .. .......@ 901733##7'3?#xbus+n+5DXXݬfH"j+ / / +#/ ֱ$+6=u+ . ......@ $901732>54&#"'!!>32#"&fTZN!A5NB/A'/j;=d3Vo>f<5F4G-JR/i}lFsP-c`,d/! )/ + / -/ֱ&+.+& $99)!999 99014>32.#">32#".732>54&#"FpP{MEC-`#f?.54>32#"&732654.'>54&#" 8E%#/)H`5b|c9+9/Pj>mtR5ZB#uo?JOD#1%#\^9I#Q+9@Hr`+d/ / +'/ ,/ ֱ#+-+ 9# $99 9'  9990173267#"&54>32#"326754&#"rF9Tb#i;fs/Pd57_F)DsP{kF;+`)\>7+^N7%7{^FpN++RrHɇF+?J/6 ud1H5/ֱ +  9014>7.#KsPN!Z)-h\-TJ)V5/ֱ + 901654&'75!X)/#LrPJTI+Vmh\` ( /6+6+ /ֱ +014632#"&`=-!+=-#)f/@+#/?+@ %/  +/ֱ + 901>7#"&54632?S -;)'/lJ9)#11;2h(Z!+/% +)/ +) +@) + / ,/ֱ""+2++/(3+-+"9 %$9)99)%999 999014>7>54&#"'>32#7##"&7326?ZAu\5>+X1'7~=doL^)s5H`r6)-V/!Fd@ 99T']j2P)8Te/+1)V{$/ / %/ֱ + &+6>+  .  !  + + + #999 ....... .....@ 99  $9 9999014>32373#?##"&73267.#"{=eE/R^w+//w>Xhw?1/o/5?#/XC+^yF/2PTפ5>}RKC<5)7\{{&*r/ +/ +"/ +/ֱ+ +,+9')$9  99999" 9014>32!3267#"&7!>54&#"3#{?eA=S1 T [_+G#'-o;yL7D!A<-ssOV5\m=)DX-)EjwR&7U3J {&*v/ +/ +"/ +/ֱ+ +)2,+9'(*$9  99999" 9014>32!3267#"&7!>54&#"73{?eA=S1 T [_+G#'-o;yL7D!A<-5\m=)DX-)EjwR&7U3JLw!+/% +)/ +) +@) + / ,/ֱ""+2++/(3+-+"9 %$9)99)%999 999014>7>54&#"'>32#7##"&7326?wAu\5>+X1'7~=doL^)s5H`r6)-V/!Fd@ 99T']j2P)8Te/+1)V-8GW4/< +"/K +S/ +  +X/ִ9+9+ 2H$+'+HP++/ ??//2Y+' 99H4E99?@ $"+<*DKS$9/9"< '/E$9K $999HP$9014>75.54675.54>323##"'#".732654&'.'32>54&#"-+7+%#+Jd<-+v )Ig=--ND\5<`{?%RF-iM>Z}LN%-G3/%;-41#=+!3+!  -%;G/;gL+\/;eI) ## #1!7T8 #;D1+A/)% >7>!5D#5>!3Ds!M/ֱ++6>+ ......@013sw!@T`3Tk y)\!//ִ +9013#)}#//ִ +0173۲$/3/ִ +90173#'# 锑yhᏏ?6/3 / 2/ִ + 9901>3232673#".#" )6=#'5/-!1ZnE'5-.!1-N;!#+"93\{#+%<3 D/  /ִ +017!oo5* / + +@ +2/ִ+01332673#".9]7CBR`/D\;7N/5PR3+R=''?R  / /ֱ  014632#"&H/);H/);1E1-3B/ { + /32/ֱ +014632#"&%4632#"& >+#/>+#/T>+#-<+#/ -D+)+D+'-D+)+D+ / +/ ֱ017'>54&okDI=XN:\`H2)#&^H / +/ +/ִ+++ 9999014>32#"&732654&#"^!7J)Hd!7J)HdX/)-B/)-B5+J7NT+J7N\+5F5+3E')/32/ִ +990173373'#1&/2/ִ +99013373##yh)/32/ִ +99013#73#Vgogo LH!/ +/ֱ  901>54&'73Ro173327#"&';H uTf+%$##V#FY-VNB9<%)VGV >/3"+2 / +/ֱ+ 99014632#"&7!4632#"&X9'L9)#'A9)!)9)!)-=K+>)ZZ-=(#+>)F9 > /3,+2 / +/ֱ+ 99014632#"&?!4632#"&7+#)8+#(19--<+,'D-#)@)ZZ'D-#)@) :/3"+2/ֱ+ 99 9014632#"&?34632#"&X9'L9)#'9)!)9)!)-=K+>)-=(#+>) : /3,+2/ֱ+ 99 9014632#"&?34632#"&J:+!*7--٬7.!*9+#)'D-#)@)߬'D-#)@) D/3"+2/ֱ+ 9 99999014632#"&3373#4632#"&X9'L9)#'XmjrӃm9)!)9)!)-=K+>)-=(#+>) D /3,+2 /ֱ+ 9 99999014632#"&3373#4632#"&J:+!*7--Df}7.!*9+#)'D-#)@)߬'D-#)@) @/3"+2/ֱ+ 9 99 9014632#"&3#4632#"&X9'L9)#'s}m@9)!)9)!)-=K+>)-=(#+>) @ /3,+2/ֱ+ 9 999014632#"&3#4632#"&J:+!*7--PL7.!*9+#)'D-#)@)߬'D-#)@) %/3  +/ / $90173#'#%73XwrdTC !/3  + / 9990173#'#%73X߇wb TՃ) 9/3 + / /ִ + 99 $90173#'#3#XwrdT/b`s' 5/3 + /ִ + 99 9990173#'#3#X߇wb %^`Ճb`H9+ +/ +/ֱ 99 9990173#'#7'>54&XwrdTXqdyb =66iNF5XTB/'##s;7/ +/ +/ֱ 99 9990173#'#7'654&X߇wb bqbub u7ՃJKE1TV@G#b6/3 +/ +2 /ִ +990173#'#>3232673#".#"j׍khGa6'3)'3Pb5'3)'3Rd#1)Rd"1)F/3 +/ +2/ִ +999 90173#'#>3232673#".#"X߇wb Pb?#3-+!-Pd=#3-+=#ՃVj!% 5/Vk!%!dL2/ + +@ +2/ִ+901&7332673#"&?31 P=JHfV1Hc?=Rj\0LZ^H/]G--;* / + +@ +2/ִ+01332673#".?3%T?BD\X /F\;7N0;LP7)P=%%=PL2/ + +@ +2/ִ+901&7332673#"&3#1 P=JHfV1Hc?=R1{TZ\0LZ^H/]G--;* / + +@ +2/ִ+01332673#".73#%T?BD\X /F\;7N0dTZ;LP7)P=%%=P^/ + +@ +2/ + /ִ++9$99901&7332673#"&7'>54&1 P=JHfV1Hc?=Rwo^s\ 744\0LZ^H/]G--NC6VTA.%#f / + +@ +2/ +/ +/ִ++ $99901332673#".?'654&%T?BD\X /F\;7N0s`tc u8;LP7)P=%%=PLF/VV@G#b)O%/ +% +@ +2/3 +/ + 2*/ְ2+901>3232673#".#"332673#".;a6'3)'3Pb5'3)'3PP=FDhT 1Ja==P-Rd#1)Rd"1)77LM6'N?''?N(\$/ +$ +@ +2/3 +/ + 2)/ִ+99901>3232673#".#"332673#".-b?#3-+!-Pd=#3-+=#HT?BD\X /F\;7N0Vj!% 5/Vk!%!d@;LP7)P=%%=P1b'/ +/ִ+ +0131RoZbtXT+ / +/ +/ֱ  9014>7.3Vn<Zk/!/DS3H/J52# F>`2/ +  +@  +2/ִ + 90173#'#332673#".j׍khP=FD\T /D]==P- 1=?/%G8 8G2/ +  +@  +2/ִ + 90173#'#332673#".X߇wb T}DVXw7L-Ճq>3Pu!5HV3%3g+1/++!/4/ֱ&+. +.+ 5+.&!$9199!+ 99014>32#".732>54&#"74>32#"&VXmLxP+VmNyR+/H3Pm=]dPj>)513R?/8LEw^DwZDsT/X7-B/;_@V3)H+'/*/ֱ$+ ++$ $9' !$9014>32#".73267654&#"VXmLxP+VlNyR+-F/Br//68-3Z_=sLEw^DwZDsT/_Oo{oZV3#1g+//)+/2/ֱ$+, +,+ 3+,$$9/99) 99014>32#".732>54&#"74>32#"&VZpRV-ZqTV-cjRn@ehTm@)514S?/7LEy^DyXX7-B/;_@V3'H+%/(/ֱ"+ )+"$9% $9014>32#".73267654&#"VZqRV-ZqTV-cjDy33:N18ehBvLEy^DyX_OquoZ#/ /ִ +99017!%73Tnn#/ /ִ +99017!%73H٬oo u|_<ѻeѻeP &PZdjJAXC1#S}SX9bdH/mV5hH%/^bbE\HfuHHHuHHxHHHH{fH{pH  VX"KPI?zLGPLAX?&???Zd?3?PGKP?7{9synGQBX\A+9"QJ{IRbdJ?"b"5G"lyI/-^ElfuHHHHHHHH`H{{{{{~Hp?KPKPKPKPKPKPBzLLLLL????1X3?PPPPPb9s9s9s9sGKPKPKPfuzLfuzLfuzLfuzLHVP`GPHLHLHLHLHLu?u?u?u?H&?$Z&?H?H?H?H?xH??HZHHZHZBH3?H3?H3?{P{P{P{~PpH?pHpH? 7 7 7 7p{9s9s9s9s9s9s GGG&?{"PXsKPH?{P9s9s9s9s9su?{P 7d%KP9?sOst5M""f""K""""Q+9\ N`!F'N 'Qw{s{yFsIsy9tVy;1HI?HGPHGPHLu?H&?H&?xH?HHHeHd?H3?H3?H3?{PpHpHpHk 7 7{}   G{HKPKPKPKPKPKPKPKPKPKPKPKPHLHLHLHLHLHLHLHLH?{P{P{P{P{P{P{P{"P{"P{"P{"P{"P9s9sXsXsXsXsXsCkdHdHHH&H&HCCMzz%\T &}CR/PMs7sxC o=B)=bR&QJXCf9\h/KXK^()=)=&/+bPK}B\b^bVNXV9XSf^-^-bqbq^-^-b%b%S`P DVmVXVXjX&X=Xu?|XBBBBBBBBBBBBBBBBBBBBBBB????cB(XV'hH%N5hHNhHj\\h\\t1 P\\"hfxfr5\`\Z{{{w-OsT)5 ^'# 1VVVVhhhhhh Dh , ( @  T|,\8xx`x!l"l#$#$%&''()X*++,l,-\--.//0|1`2T3@45H567t8,:;(;=>,>?@AhBBChCD\FhFHI@I@IKhLDMPNpNPP|QRSSXSU0UpVVWPX X`YZTZ[ [\(\p]_,aablccdefghiPjjkl@lmDno pqPr rt uHuvwpxTy@zt{t|T}~XP4<ph<Hd`pH4x|0p$T \8`P\tt HltɤʄPH ΘϘ,ЈD 8h(ըxH\ڔېxݜ`8DhxX(h`$l||LHX`|$D@,0d     $ t|8 x!!"t#L$@%\&($)x*,D-/0123457$799; <<=?T@$@AdBBLBC,CCDPDDEE\EEFHFG<GH(HIHJ$JJK K\KLLxLM<MN0NNO0OPPTPQQQRHRRSTV WDX(YXZ [\]^_`a bbpcdteTfpg4h<ijk lm noq`rDs,stuvw(wy{}(~p4 444(`ddt,,tH\x|0Xxxʘ PϸT0  ذ,tݨ l( `l@(4<0 ttttttttttttH|\ X     < <0lTtt x$|tPH\p T !!$%(()D*+-x.0`102356789;<>8@@B`CDDlDE FFGHH4HTHHIKPL,LLM@MN NOOPOtOOP4PTPPQQPRHRRSdT0UU\UVLVW,WY@Z\H\H]^_aLab`bcdtepffg`h(hijlm,nloqhrtuvx4yz|0}|x@P,L4P(lpl,pl\(,8<(@T|DĜXƄɴʜ H͠TtРјҔӴt<pָ@x,ؤٔ0ڀDtݘ<|l,<`PP8(|HkuV     ) 5    B ,+ W    4  2 #7 H& '5 0'K '{ '{ ' ' ' ' ' 'Straight lAlternate aAlternate gSerifed ISlashed zeroCopyright 2010, 2012 Adobe Systems Incorporated. All Rights Reserved.Source Sans ProItalic1.050;ADBE;SourceSansPro-It;ADOBESource Sans Pro ItalicVersion 1.050;PS Version 1.000;hotconv 1.0.70;makeotf.lib2.5.5900SourceSansPro-ItSource is a trademark of Adobe Systems Incorporated in the United States and/or other countries.Adobe Systems IncorporatedPaul D. Hunthttp://www.adobe.com/typeCopyright 2010, 2012 Adobe Systems Incorporated (http://www.adobe.com/), with Reserved Font Name 'Source'. All Rights Reserved. Source is a trademark of Adobe Systems Incorporated in the United States and/or other countries. This Font Software is licensed under the SIL Open Font License, Version 1.1. This license is copied below, and is also available with a FAQ at: http://scripts.sil.org/OFL ----------------------------------------------------------- SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 ----------------------------------------------------------- PREAMBLE The goals of the Open Font License (OFL) are to stimulate worldwide development of collaborative font projects, to support the font creation efforts of academic and linguistic communities, and to provide a free and open framework in which fonts may be shared and improved in partnership with others. The OFL allows the licensed fonts to be used, studied, modified and redistributed freely as long as they are not sold by themselves. The fonts, including any derivative works, can be bundled, embedded, redistributed and/or sold with any software provided that any reserved names are not used by derivative works. The fonts and derivatives, however, cannot be released under any other type of license. The requirement for fonts to remain under this license does not apply to any document created using the fonts or their derivatives. DEFINITIONS "Font Software" refers to the set of files released by the Copyright Holder(s) under this license and clearly marked as such. This may include source files, build scripts and documentation. "Reserved Font Name" refers to any names specified as such after the copyright statement(s). "Original Version" refers to the collection of Font Software components as distributed by the Copyright Holder(s). "Modified Version" refers to any derivative made by adding to, deleting, or substituting -- in part or in whole -- any of the components of the Original Version, by changing formats or by porting the Font Software to a new environment. "Author" refers to any designer, engineer, programmer, technical writer or other person who contributed to the Font Software. PERMISSION & CONDITIONS Permission is hereby granted, free of charge, to any person obtaining a copy of the Font Software, to use, study, copy, merge, embed, modify, redistribute, and sell modified and unmodified copies of the Font Software, subject to the following conditions: 1) Neither the Font Software nor any of its individual components, in Original or Modified Versions, may be sold by itself. 2) Original or Modified Versions of the Font Software may be bundled, redistributed and/or sold with any software, provided that each copy contains the above copyright notice and this license. These can be included either as stand-alone text files, human-readable headers or in the appropriate machine-readable metadata fields within text or binary files as long as those fields can be easily viewed by the user. 3) No Modified Version of the Font Software may use the Reserved Font Name(s) unless explicit written permission is granted by the corresponding Copyright Holder. This restriction only applies to the primary font name as presented to the users. 4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font Software shall not be used to promote, endorse or advertise any Modified Version, except to acknowledge the contribution(s) of the Copyright Holder(s) and the Author(s) or with their explicit written permission. 5) The Font Software, modified or unmodified, in part or in whole, must be distributed entirely under this license, and must not be distributed under any other license. The requirement for fonts to remain under this license does not apply to any document created using the Font Software. TERMINATION This license becomes null and void if any of the above conditions are not met. DISCLAIMER THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM OTHER DEALINGS IN THE FONT SOFTWARE. http://www.adobe.com/type/legal.htmlWebfont 1.0Tue Jan 6 11:18:46 2015orionStraight lAlternate aAlternate gSerifed ISlashed zeroFont Squirrelgfk  !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`a bcdefghjikmlnoqprsutvwxzy{}|~     !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvNULLCRuni00A0uni00ADtwo.sups three.supsuni00B5one.supsAmacronamacronAbreveabreveAogonekaogonek Ccircumflex ccircumflex Cdotaccent cdotaccentDcarondcaronDcroatEmacronemacronEbreveebreve Edotaccent edotaccentEogonekeogonekEcaronecaron Gcircumflex gcircumflex Gdotaccent gdotaccentuni0122uni0123 Hcircumflex hcircumflexHbarhbarItildeitildeImacronimacronuni012Cuni012DIogonekiogonek Jcircumflex jcircumflexuni0136uni0137 kgreenlandicLacutelacuteuni013Buni013CLcaronlcaronLdotldotNacutenacuteuni0145uni0146Ncaronncaron napostropheOmacronomacronuni014Euni014F Ohungarumlaut ohungarumlautRacuteracuteuni0156uni0157RcaronrcaronSacutesacute Scircumflex scircumflexuni015Euni015Funi0162uni0163TcarontcaronUtildeutildeUmacronumacronUbreveubreveUringuring Uhungarumlaut uhungarumlautUogonekuogonek Wcircumflex wcircumflex Ycircumflex ycircumflexZacutezacute Zdotaccent zdotaccentuni0180uni018Funi0192OhornohornUhornuhornuni01CDuni01CEuni01CFuni01D0uni01D1uni01D2uni01D3uni01D4uni01D5uni01D6uni01D7uni01D8uni01D9uni01DAuni01DBuni01DCGcarongcaronuni01EAuni01EBuni0218uni0219uni021Auni021Buni0237uni0243uni0251uni0259uni0261h.supsj.supsr.supsw.supsy.supsuni02B9uni02BBuni02BCuni02BEuni02BFuni02C8uni02C9uni02CAuni02CBuni02CCl.supss.supsx.supsuni0300uni0301uni0302uni0303uni0304uni0306uni0307uni0308uni0309uni030Auni030Buni030Cuni030Funi0312uni0313uni031Buni0323uni0324uni0326uni0327uni0328uni032Euni0331a.supsb.supsd.supse.supsg.supsk.supsm.supso.supsp.supst.supsu.supsv.supsc.supsf.supsz.supsuni1E06uni1E07uni1E0Cuni1E0Duni1E0Euni1E0Funi1E16uni1E17uni1E20uni1E21uni1E24uni1E25uni1E2Auni1E2Buni1E34uni1E35uni1E36uni1E37uni1E38uni1E39uni1E3Auni1E3Buni1E42uni1E43uni1E44uni1E45uni1E46uni1E47uni1E48uni1E49uni1E52uni1E53uni1E5Auni1E5Buni1E5Cuni1E5Duni1E5Euni1E5Funi1E60uni1E61uni1E62uni1E63uni1E6Cuni1E6Duni1E6Euni1E6FWgravewgraveWacutewacute Wdieresis wdieresisuni1E8Euni1E8Funi1E92uni1E93uni1E97uni1E9Euni1EA0uni1EA1uni1EA2uni1EA3uni1EA4uni1EA5uni1EA6uni1EA7uni1EA8uni1EA9uni1EAAuni1EABuni1EACuni1EADuni1EAEuni1EAFuni1EB0uni1EB1uni1EB2uni1EB3uni1EB4uni1EB5uni1EB6uni1EB7uni1EB8uni1EB9uni1EBAuni1EBBuni1EBCuni1EBDuni1EBEuni1EBFuni1EC0uni1EC1uni1EC2uni1EC3uni1EC4uni1EC5uni1EC6uni1EC7uni1EC8uni1EC9uni1ECAuni1ECBuni1ECCuni1ECDuni1ECEuni1ECFuni1ED0uni1ED1uni1ED2uni1ED3uni1ED4uni1ED5uni1ED6uni1ED7uni1ED8uni1ED9uni1EDAuni1EDBuni1EDCuni1EDDuni1EDEuni1EDFuni1EE0uni1EE1uni1EE2uni1EE3uni1EE4uni1EE5uni1EE6uni1EE7uni1EE8uni1EE9uni1EEAuni1EEBuni1EECuni1EEDuni1EEEuni1EEFuni1EF0uni1EF1Ygraveygraveuni1EF4uni1EF5uni1EF6uni1EF7uni1EF8uni1EF9uni2000uni2001uni2002uni2003uni2004uni2005uni2006uni2007uni2008uni2009uni200Auni2010uni2011 figuredashuni2015uni202Funi2032uni2033uni205F zero.supsi.sups four.sups five.supssix.sups seven.sups eight.sups nine.supsparenleft.supsparenright.supsn.sups zero.subsone.substwo.subs three.subs four.subs five.subssix.subs seven.subs eight.subs nine.subsparenleft.subsparenright.subs uni0259.sups colonmonetarylirauni20A6pesetadongEurouni20B1uni20B2uni20B5uni20B9uni20BAuni2113uni2117uni2120uni2126 estimatedonethird twothirds oneeighth threeeighths fiveeighths seveneighthsuni2190arrowupuni2192 arrowdownuni2206uni2215uni2219uni231Cuni231Duni231Euni231Funi25A0triagupuni25B3uni25B6uni25B7triagdnuni25BDuni25C0uni25C1uni25C6uni25C9uni25FCuni2610uni2611uni266Auni2713uni2752uni2E22uni2E23uni2E24uni2E25f_funiFEFF uni00470303 uni00670303 iogonek.df_tI.aIgrave.aIacute.a Icircumflex.aItilde.a Idieresis.a Imacron.a Idotaccent.a uni01CF.a uni1EC8.a uni1ECA.a Iogonek.aa.aagrave.aaacute.a acircumflex.aatilde.a adieresis.a amacron.aabreve.aaring.a uni01CE.a uni1EA1.a uni1EA3.a uni1EA5.a uni1EA7.a uni1EA9.a uni1EAB.a uni1EAD.a uni1EAF.a uni1EB1.a uni1EB3.a uni1EB5.a uni1EB7.a aogonek.ag.a gcircumflex.agbreve.a gdotaccent.a uni0123.agcaron.a uni1E21.a uni00670303.al.alacute.alcaron.aldot.a uni013C.a uni1E37.a uni1E39.a uni1E3B.alslash.afl.a zero.pnumone.pnumtwo.pnum three.pnum four.pnum five.pnumsix.pnum seven.pnum eight.pnum nine.pnum zero.tnumone.tnumtwo.tnum three.tnum four.tnum five.tnumsix.tnum seven.tnum eight.tnum nine.tnum zero.onumone.onumtwo.onum three.onum four.onum five.onumsix.onum seven.onum eight.onum nine.onumat.case period.sups comma.sups period.subs comma.subs zero.dnomone.dnomtwo.dnom three.dnom four.dnom five.dnomsix.dnom seven.dnom eight.dnom nine.dnomparenleft.dnomparenright.dnom period.dnom comma.dnom zero.numrone.numrtwo.numr three.numr four.numr five.numrsix.numr seven.numr eight.numr nine.numrparenleft.numrparenright.numr period.numr comma.numr ordfeminine.aq.sups egrave.sups eacute.supsa.supag.supal.supa slash.frac uni0300.cap uni0301.cap uni0302.cap uni0303.cap uni0304.cap uni0306.cap uni0307.cap uni0308.cap uni0309.cap uni030A.cap uni030B.cap uni030C.cap uni030F.cap uni0327.cap uni0328.cap uni03080304uni03080304.cap uni03080301uni03080301.cap uni0308030Cuni0308030C.cap uni03080300uni03080300.cap uni03020301uni03020301.cap uni03020300uni03020300.cap uni03020309uni03020309.cap uni03020303uni03020303.cap uni03060301uni03060301.cap uni03060300uni03060300.cap uni03060309uni03060309.cap uni03060303uni03060303.cap uni030C.a uni0326.a space.frac nbspace.frac uni03020306uni03020306.capzero.0zero.0szero.0pzero.0ps uni03040301uni03040301.capKPXYF+X!YKRX!Y+\X E+D E++D E++D E++D E++D Eq++D E^++D E :++D E :++D E+D E +Fv+D E +Fv+D E+Fv+D E;+Fv+D E)+Fv+D E(+Fv+D E'+Fv+D E&+Fv+D E%+Fv+D E$+Fv+D E-+Fv+DY+T PK!Ube\kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-italic.woffwOFFBASE>PsFFTMoGDEFFIGPOS4$/GSUB|bR}9OS/2[`icmap<;&ToQcvt xRR/ rfpgm eS/gasp"glyf"5 ?)LheadW46hheaW#$hmtxX' tloca^( Mmaxpg cnameg, ()_>fupostrT @prep0Pqwebf Txc`d``b>̔<&7Ē<6`d`a` ( МK͗ѻex%MAzW0~7 ,9 #N XcOe&/:k@Y!Pqrႇ/GWdͮn78g\ TF[{):G]n=`$={#{/-Syj[%xZ pUE>{!b0J@BM`ĈlDfaAD\)袋b1Y\&e.(&q2#1d88, I޽彐V?OstK(J,ZBw螵C>fRd*Y}4t͏֯5׬Iwq4EZ$#z36 =(hjAV-pN|~L6L3[et=%wi/t~Oo;>}HMO3r2+*|5O9<b^˹W򝼞1]p-z-'?I>͟g_)UTCU&j*R%TBPZu_=QOgTzN{A *fJIN)Zh(&N&oZ*ttO'ZAd]-B o4yMwz}T2߿#LDZM~jMC~,J~/ 4OoCr#ON[#~ AF:tJJ<%nz=QTJ)iIXZEWX*/Pz i BJaj6ڐP\xeTq|uG7pW|+«+F^ͫi|{=ݤU=-VAYA2uRPX}LK 7V"kUBi ֭4̪*imo:> >>:4Y@* rD`20(JR X T+UZ~A x^^ꀃQ࿀?A >ST\ r Y!GI(U<<%ND,"Х JxD|B)te>2?2MIzġRX!z< A~ PJ{6jt#jGP 7Im:i @н2[z]BI&Hf =&^8I;])i~{J %OXIKiÏK(PBK#V)Y%MDu]FjUsqeDoOߝH(~6~116]bQ %~N9Ub4$NΖ8GFTZ$* ?O6xrA D vxm8$Aџ}Y%gZfw·`r?O}ݴoh R%L0ETs+N[lzRdl|.ڍZT{Q^;#-Ro#_vXSւx缱آDfrjJo*~ovK ľ3A5G3_q* }yj%耕VT +.fsJY1ʊQVPٺnAtcoxP[Lsuji@hϣd JPF[Կb'OEu'DspNRc]CשNϡc0d.U婳:(Sf1H(Qz^b;]kfi>$i$/-\ȄX^[%M4HׅqcrՎ;tʿ]@yV" ❄ . A1o9xQҫx~VxL777t2WB_0$koM;1} 8|>y 䃍.ب %-J݉MGD maNԞFLM+j.-i5 {5^JL&mms݀")*XUdJ E\13gE;90߰'|-H,X/'fjжQ[Z{>-o5P7EdZetW׮(M z<:4Z^;G>LNO3sզΪvա:9 x[Dkd BJRI|jܐ:H7B]T]$ʣo.1VmN!+/V{JuQIZz)d9oFDntr?h&ZAy}Q &;Vd@$f.xEe+!{-K>%^cjV6xzwH'Ύw7ѴFI/ۡӳ$Uyo(Nz)oTʺZ:cMYxmmq^B̝!Atah]{Y;}X;^h>뮾ݨCZi6 GI_Aq[5ܺOzKez1%d>ro* s6QVGgƩ$E]pslfsx^[h%"NH()Iǽ |oށ*2ۭ N0q~2-;Sϓ]"§Z" 9"`|5oX}Z5? TA :9spi# gunč";u>ոŚ!ƭmz\g݅lkMsZczrFvxITI. Ok"}u/XaxvH"l~/zLj߭ bV=mӠirXci(i 7;4Y)}PS o^CC(ɢ\R<y;Bν#Q147,sOC<yOs~&,A(`' a0'=;NcԬ0)#cwD{aFƘsAd'NpH' !V"611b`ȕ9(˼m=afB|-K}F Dg.!y0ȣh-X .CqֲX ?a4l:ɶ׊ٞ<>ÿigE\ѯtUT2OD¦#=!2 }RH )괟_;U<DPK1O ɓDV?Cm#O"8 +h4"]gx}cdl3y_}XJC-'ݔɻ4۹{ BIQ0yGgxxX#x-\& ^(lbk1Gc0B~&m9#4F'oIov"nC:5 /g|RtA'Zqg-O6yG$r]zRBT5E 7_"G : H>ht,SGT i&CEw!ͦHsh3zR=t==7t$_˯~H(8H҃ԌTE-1=Dg"=AIۨkYآs'P5'r"+'q˸v<| p%̫(Ȼ>K_>sї2L_+ }ͯͿ0|!M/Hk鬑f(V3,TS UnuL]j)W~GP/ oP՟>uFopxڝW tf%B!bd'@vDj1 C)DTA@Զá"ZD#RV#[Yy OΛwϽ3 sd%sfρ5=o#L0Jr@y(TD4*!*cG\V֤阝? rr&OyS&ciY9X=i,͛1yM!Æ)rq7ޒݖ?1o< ӛa?is$m" !m?cj>7m(-TgBvOG?u0 ra-*XURe]@lCmі(@]FWFH7tGBoa  0F(XkkoI:1I9".n1Td #I#se̗yJ<+ 9Y$eOg9$GrZ>/KJ.% h^__UFu76YX7a6Ȇ0a,oP|j|L|4d6rncƖYQ{@u GMAlD-KX[-aKۮsV۪b78ciMZ5<h-Yxۜշ:R'`5D?үM8kh5t>WM9K$3YMKu =B:KO;г2*6 DDj"/I_& hGQ\ G;:T$|'nV-~|"QR1'*A4bH=tJNt8%>&r⴪{+^o}]ZNӹ lV0Xj%cBγO[?'ZI(1i sCI{.nޚu!^=ԭGoδ~(3/`5sk=6antd= bLF;C=[萓1~sN.rkBgD_duCf!K{Rc&ӡJOޫф(84K~|T6 Fr~)߳3hIflK{3BG<,9OS!d[+/a=2^ c; B>|Jf, "^uw!\um1 rR-1+q/ (I,)RKH=i X$]KVKG$HgbhW.=2PP. Y#kMdl(dllCvn#W~9 A9,GHN)9#gy(\krCn)TFhFihi&h&ih-jcMtm^CMiĺĴĮF8LQ2gUgDdʃlYUj`-jX,s]ǹKN)>joך: ]Bi=֚1o\MF=Xe;I-ꄚrwzcViLu]q&+1\MdEC[Be"0%<2c4+b^X&Mdye}v!j\ZGBmuCvٻ/5?o9V dMKJjF)e8՘ @4C7Y4&?&nVfffN&vF(ptqrxgcOcV`` c~j8<xSUU^C |wρ J<EP||"0 >#!Qq&'fs)rs:Oa3k^a֎ܟ2WX>ݼ~?"X.)ƋbHL58%NsY$ȑr<_^&+x+J(\*JA(աWz[> >%4`,euz7񂾍P]3i$oKhåA}ks܏Ghgl*^1TaBXX1ALo%q`@V4K}'XaMP^K:WO/[fy1/-ì7Ef9Tsm%h1&qh0v;FQl3+dy2=4O'cHz^W{]z^|=KOgv}>՝sǺcn-AW4ͩ}h[MmF[-Ֆh9Z6ڵUp\ 9DW 9;/8;[SW6o}>@+_*^+ūr5c( ` pH Ԫ<6pMpD@E$0cxXG&`"&0 1S1 oc:f̄IH, iHld s0Yl`>  yxK ˑXUb>18pq_Σ -h\% +U\C'7K(FUb; 8A(֣S-հ::"TXD7>D6Q=NGQIYX]؃,Q%S:ͦJE7,R)-\L4;)2(QuA4ъr'>l#+ma%(gVVJw?uy{jzepswc\LZaDFnx]QN[A  9{ Սbd;i7rq@D گH!H|B>!3k4;;sΙ3KʑwkS$6NH덌Zlfu є;j=o)M;Z ;4: !qKͺb00.?R4j˰Ѽ34@Skm!qK˦6$tUS]`*́Vy &ҷ$, b 9@HƼIJ;ㆵƑ6O'ӿZxԽ |Sו/|9z[%d[m` !c8뺮*0q]å.%Br3!i40!/77fI43%[k#Y6~xXX{Z0jaT0Fd3LxH"W0lI 1p>!=GvdOT#{\O{M7WIq1?.R2Y &gb*?m\4)Z-jx^_ا$;G]ch4IdɹbI&a2[JL*#D}DXE., /]vf;4ޒ|jAh Im r/g}晫y 750SѫqN&8WYj'cWj%DFȢWIY`"ˋdLuh@WU:#EG|]StȊgILeT1 :3Edij`prK]A]UB nk&b ]ȕWKNȦl',Z'*WFyyu~Yyt<_ǿ?5 R4N 6Ok'8:jp' ,;~O”mtс#~E?*+S;nL0"1 .H g9\>oE: *pDr#R^(~~Z/==UOt"ơ'zOܽy<ܽi|Q}9 9y/Yz/IϽ_ܛxqg5_1[캩m'Vz 0Z͗b۔X̋KV6^ \xK҂S횒2ꟺyJʖO+v/>K g HGX@^j":#̄sqR\,Z T"*ܑmKQRHBK+Ulĥ$MP0 Íuƒv nopsݷ~+_Բ=u7zU[Om]6F?h[{H͌^{WR3v[L< ;I, JѬ)"H.xH /E2`A+| 4"Z^jj ZukMY \owkWEx8  (.dޒJ6proU}{{jo_w͗UzOnWY ?5N:mK>wm-m߽zz=d >t昢kNERf5#=Aiv*nd? ,Sbjј5xK R/ քb\gtvZ4!J)' %̈h.m BWN) ShXi(5o߶j& ==ѱ9`o=BI+2&Tatou`choؖ[О{c[Oݹ"Άoӝ=˅ՋZa6OmXZ0|& 鷠ab$B,ۣX9073)7S.P[f\dž]bu@Sv|פboipy '+MǓ4?zrT0y aK˲LI6,C1֥/e; L]ף#ɗY;}5ɉ'&%90\צ`L„&q ~"wiB%NW-}*j% ZaՑ .-0a^ hycUU/w4{ c5L?*wZHE ZjEuu!' ^N燎pId%=Uu\o1/ b$yc Z=O6#A`FBv!)&жya btvd2T6Re!\h}VP\ZqeíA!Rw?]c3yQ\D4SCnL&YI-O96 䅯~p]₹e1,d9eS(ȋτB[MΚ@0麷&q'a^ G ՝WǓ4~@S׵w8';Х[\%J5|!jx~JkĂ 12z"b B8&kvu?ӭ_mwֶAWIh7P^ɳkNK;C'zwv ~?N@Ǧ}g)7J+ -N/\1RU&D{@)+\8ll7, G'xrĐ{u}n')}߃y0+8D H=7KRu.[t/@ QoMhlJ %FK أuϓ }[״Ŀҹ'5 6{}=#Wu ]Ck>;}0JL|1Ot2 vK8MA$]J)i ȗdV'>*yKeS] #zA;[z) sOB"rۀph}¢/>ο~c?>%~tWJZ;6W4JtmN}Ư>Цߐq?t?70悼k۸`ꔤ2VW, u" ?S67&*xO#"aֈS„4тcBAc0f 88ʴ#eR]汣gΜx|=:#婿ݭ 'c"6TcZʅ|Q_)@ r"5W:='5 5cH.\+7>_*9sp vO#Fqj3 X0s;s/ @ՂdV6SҖSb9(QpHv~*Q`_KKKvZ:f լ_ڞbP R UPգ&f(O :R LmvnoVrmhC$jo\-UHRкoO:w+w>ӹUoF[>cbcb?w^km8wfw}/&㗿yݹ/d$6D!#E.}r};aQpK /I6TBc3T0)_1(e})P:9;' |Xpn88wC2~r"L77wxg/f`6K@]}gy4J@Q"ڑƈeǖ8 K0r}t{Jr@U+{hslL][bwvݵBŒijF'2#6RB[lApu K=y.amT)?.^t^bTwE,7;[K18Ҳ;Q5 Un=mqu+PIg4"o`m[>Hiye .k W ƙm%* |5jإ e;CXG;aQ[[۸jcY}߿>޹['ό~6&kqGu m;s݇~}lU=}ѳ'&_xzvw}i|Mv>F: ;Ȩ@^ CL|PтZE9P"&$hrx|ɤ󹣧ʒe'90uƈ:MEOv`{`v/e~ӐʴS:Zvr.If|,:QTR~x3s1bYl(pt=G, !QCJYeha{!X}4X'E31Ͻf;w|ocpt߱v6.jP nqNn*Ƶ}buzѓ0:}nbmJ3,.YTם%U+ _سc:jnyfdg|8jlh{O#GGW7?3ț=1qEL,LP$A)' WAܚE6EV p&|v5E`1WBSDHi1%~(]Mɋ^r tFE"C*njB-ISTya*:Ot[zȌGZlӾ-Ap.L_M"ﻓǭ'[$u{丆2?=R4}p䘘} #t]׷c^[=}-U&GN <;8|~ 8CiAytgTvOζoI*#eĵ`PCUkz3 +;a,0> $4 k pWcRc,:[lP ILKO')ZI-˨ m+%ױTiЁө^k`g&)%LL:KaTYՀ{gg_>usÉWWt=vG/e '%V躍n̺ͳ׍jQAF`D" 8+ R|D &QzBy6aOL$u ضիϳ%O֥e :e(4H.љkSIspP:IsZrE`b:XxQ5ȉjfs9'/xW-T`YA LQ t/(Y6`1, D8?r6|>#YIcDY6#hJLjJ#a9)dhQ)kAtX8"mt?N^~1۲\tF7O8`{kaE⏽6ewbQy= 9᠜'r\ȞRc|/.w)H,;Q%OXh1nx+%S%_6+ʬP؃@MK8 v&?:ح39TGL뺷6?C<~:bl`{0VޘgƌhEFSq3`;|=QvPؚǑ?Bw+cGۃ_bgt@8 ~NEӚtS& &D9tf>ffSx nEddvaG0&+ \0ZpL9{t[}w?у##wc'7QEGnF`>$$R~ w!PPN?#uQ!fJ-N;r`NΈN:hZGoW G{fKQmh\u߃gąys0okkF]GNHoc̣jqewݕ\mK4/HZ#7KV^̛LfӃ]~;^>ryuu3v~~=ăȅ LR8W$y4(c?/{8zS*SvAY]E6)\!srQVc0QB8YD9ko@G4@۽Z[ݳwE:7}{6lr*wEsxK ]q꛶0q 4CTZѬze/\>@YCH#q|L~r?PݻY'!&C2V_ZE "Y1F3#9QGoO i((fǪA b8HDSp=]z^9;ayh6.|^U 1Xa& Pck!@<<şvz2U8,h((9va&2U ` m'N V.5Dv^,K7m_[)D8F(|+Z֥>+.*g&)D_Yd#)4W)ٝ8 ?4dF 3߱/."cӯdfU:jo!{?mi_W`B-'ۏ_} ATSmԅN1`qQsu^Wn<\{S7KRdM [\:C\:f#rQ1atƢHS FnYݣɷ? qWeh m(}9`\ R.J6ΆcD2ˍd2?Vz<: D1e#ƴ!61Za?F"kIE8'b(ft07,Sb='G:vGOwX_iٷ9J||nsGU|]䙶X9z]O@ly!tHl@2MӸ+YsQ "|.hB|BNN;t^զBh& =j9}O6hYeh_Wөہ#|,*Ńnjl _Lϧ1vXpa:WA& VȆ t5v[{F1_Lkk-BSOw)/;`y7T"$(s ˚=nOљN%fYsʇL k&ZH.m2N"{n1RdMXxWYr[#ho HCeOwms?/b#Zeyکb[ nI1JLKY$^KJOչn8U289hJLn$"U+1){Fߣv2vVIa̶>W5DǷnkjN_{54@K(zwlr/.XZ2_:ͭr]CԾt3 PgAӁCMbJDܬNy.یhe'Y\9T4990%ތ Y͔(T׹밧JD؉?^6v]xu⓽[_ ugV5rsA]| WG鶦OSF/g.*cܐ?F* (mSbnCֆ K \vr(2ZS6Op1l3[t|VR#҂nQ *uV$rh9 )C}umd=65"b)xàbW*H]"3Tay?\sOL۲7mhܽ tkan*; XBmeWs7󉓿9^rVvecW0i+Ų>0Tga]`@+<4{lcDK%[s1S6SWs,=Vr<>&Uoy&.\f*9b%JOb6J\.GoCrĚwz u<{ʺfJu6kVܾ<6&pOEcwUv-_Xɶ@7?#] -5ʢ%eՍk*v&` g qٸVnJDAD:!Pszjb]pqҠY٥:dͣ*JAeH0o1<2{Ԅ![ըGؓ~>۰w{kۅ`[2x;`cȻO}Egr0S*=D N/h.CfXt-\iS0݊&9)~5I ie,>pک1n<]tll[`;ؑ#UwvW݇7~9 { X ϭNr}j66c'w(a5ªM akљt:o~G;mny^u\a`x0 R-%UrTMKhf!Wcs9͕ўPǚl>U PR_5EX͆aEA6oz}wv_z`U+cE%dH@Gs?Kl5h}nS12zd_3tI)2d$R Ȑ:(h S_xD{<'M¢+f1Gi@ (캄T P[uXiQn}ʍ ߢ CKubRKgI1 :_:迪ķ 8|,Y/JᏣFWK4Zp8E "SGyda6ɷZ@s&e-fe*❲PA-CY㼛lfﶺl+<`vO?Q(p'HIYmz>Zz聪Pu3r_c[>P'TupG0b2ZSTaa8t\;DcWٯ΀3Ob]+ñ֊@;_>G]}]pHZ^J q.`M5cǓ~zPV夔\͇@EKFh8W: O,Y$ ujdҙՙ p DH@Iu>q@QVU?HPw$ȭy:FO_|>n0ni8#hs&nMs+Em%_hML;'Os5vJB $wt(=xӉbo|í]P q<T r+: ʃP9;-?WvuF18fx~➊-} ۄpÁ^zuv}nGRu앃]ڄXEn:nX} />]'CӖh (˜fJVc̋cG"ϊq4 cdVk<=oHYvϲ;d hF\h=XVg?S*mGzxD"u9ɷٮrz?>hfb`t]SgI|{WC7=bëfbg0Q;1 H&܉Q ncVJH*>A:=mo& &̶Mzԅ07 -3ru. r [lаKK۲YCfkC?42H!Otцkq+.HØ!v~]e]]>;V[]d}KGnA>GFV烕'|z>LH,H3IWckfd hB%/5ӕ:9EK#-V-3E$\'9]yX9wjurY5< -Zz.b'Oyxx8Iԑ\utf%۸wmUd]ɳ 2^qDUDK]d\`&2qUΉWe+6Q3!f pWRM.hleXS!Ğ@pYKx6xzdĚPYxZڤ `3*xZX4Cu[FѦA#!оUϪ~бc5XgCպu ;W %ljnm4l*ZiioԺъ-ΆXUS{smC{PmýBۺ7wwtpc Y'@C<,0B_RYsvCoI3'#SqM&eBH'\JBߧ\RN3>LՂT5%.{fyg*(vt␋#"4v9aZjo`J|j`ʈ)t,YT俼Cl2]/\m7yB}w,)n"ӺngiF[kt\38JȌZ0)=Wy_GA-l YF֡31=*YTP|aL ck'YI杩 jg1}9c} pܒTw%Tga]sxWJ^k?׌m?ŽIi!/OϨ%Hbq#'9 S\fՈ+ gb*iCHa'_yfvJu;GP~/gu%|埵\M2+T>@+jf2QGʃU/Iٛ%AzjT!1!/4#y:F+KCu[u7~Km_8?4]5ܹ)$D:k!:}7Xk׉ѵ mu{ZFf{X}DhO8r!+L}E>swᾑƺ.u~fc0j:<Қ{ʹgi;5 w+U f柢:R`j 3kqК\ T:n2L/fm{L?=`mza`H5$bLJ!lx +΍sN3L%ʒ3KEFҊY} zT(]~m<}U p ;OڲC[5ኵ j}R`^LxAOT0C;8h4TЪAAnUj4*EDM.w*0|eTzmt^ݼ~7k׍46XO׆ZoBgA`EA[k*]& ֖yb;pNmi֌Zd"9zxr0!"J<^d&Y98L#˕DܷQ 7u& ȼC{ryX塢9t1cgXEUx#~&sɖ+$<{ʗ49o"1J8<ljM5/xQXU.={s'Rr"J e5HuagV+oVaQt zghp/Tvg۫jo,k[myE[i U-" -8$꟡}u) .1+SR fÅ^ q"T[Ld1\}vap.D A[+8N-p-17 Wono_4]|ʹc5ڏxgO{hUG,3H{RpVpa/<$1'QH>3X;s 1sڻF8ĝTdr:8aqL~ɚ I3sȱ%'S62Wc}|n05&`S|KN^̟Tc?fҁO5G#J4jo0f`Fu:W~?20G'x&s%e9&zZ%YbdN Q^NIK^m_(۫z"%^D,uF7π6 0 |>IeO{ʁ U2մyQ֥Tb~.گh6F ɭhhUuz Yr(,ѱ)f,9NL?w0?%w$M?% E;tY VK%`t7W˖6RvV$g^Jr]Z Yу({sonfew}gkNPR)sN%3G+Tdu4=ʤlAĔYKN.\*SɔͿbYE*[k_(PY該]ݙ@[/c#^YmV7hm |_PVa—:UKRs U:)p?%Zj=Tq=fܳ.蜟~PO0j19gCh ߧ}Au{|su e! .V'JA N"OljJ:g2 /]g̿"e&pKE:y* 3.UpQ['cPS\C<0?;JKUOy#vq N4UOut-yV0#=j%iٮoLFlhQ \XfU(Y]A]+i )wZs9ͺ]yݨܴfWݗܿi7^HF@{|;=o_1W05slOɶ/s!'V1;i1ojyмy3垠d3_M"QIFћ.t$H&a4hX[&dUπ0pP!T?;O'8|t8pcZj| -Y'/;|Ҟtp6vY{pTt=C7 ;^|kEBEKS+N 6K@9zn`l@nԉSKXu3t:3OLi-,V0ݪ\!baTgh+7stB٢JuOruS٨!'X~aKXHt а߬IY :劣⸩箣ӯc᫐>r@_t9gQ|=:гX`=GXϢ۔T|P{59|KB}=̦y&<(-^+H~c}|]`XYJK°VҺ݂7Yp+ޜ.y}qF#FUL38A J`B@L`gNzXTbL]5ܬ`ߢr|D'VUTZAYޔdțj0U0v= KOz2N"3 L^L^$u$C'derc<_{NݯcrRF@4N󤋔R珻$i9/8Fr"H2['GyeFoQ|zzM'<|pa-r$d'K' LkF t͙9pv`': L_?K|]7;߰hiDnڋdSWtn|ş_"+'MMMX)vb|,>֍c~d5zo?gFjTbLnTk3̑Vo\`N8iWx A~xAdRɅ498Wc@Wi?? X;9UG?|zNW?%p}k?nhV73.[ЦZl5F}υW_?GF&_|;u|Pž0_LhP~Sv*(Q1%*<,dLEymVY؂_|"+Ml#V) ${MZO+[B–(²4l%(WZ91['^"]@>F'La4GR2dk`W,]S[hh_Lz0z1ھ#Զ&PQ\S^Sm v>Ӹ1׶.R{]. YRih :V5wz];>PƱw:Nk}B>PI *>]_O7[#3] 6,kaE*U+cw~;Xv=:)J2ɄbX~ʐXF,H@л؟{g[+gm2&@Ua |>ɰ?B+{ܭ;}SG{rҮ٭AiPZ NrzU!oY-ĔtaČFA ["hƙ },]?{g[Xxrg߈ܯw+x)F_>L.y+b$(T{?؅6bHWis*a\Dt )Q ܐl݆haTZĪ?-q`޴Z^? `oΩC ۘJ/x[ 4:U/r32.o3#wxXϪi@S5#6>Qj3"RsJj@ wDJyvPa[YFeQ[gM\+VRUAJͪY [%A7@sPK~ODi~UBaVtì3er"J%TpEtK+Ǖ9tϝϜq'w1;:%^:,9盃i9,T1k6Y.o$QIf&^8>[AnP1kT9FR+@eGש_§>PfG0R~ 0RU<]$VWF#U2Muٳlӻm-pUnjie8AS[ֿ;t(p׾Thojҷ82>ڹb}H?y_^nݡ/7Wt>ֺ[Vł_Zt$y~PfcEy:v):.O4pR`ŵNHp 4}ux&saNY ϔyy֊BIuk˔e jYc_MΙBw CP3[EjgsO=^l-YQ|e(A▅>V-[KEZJʔs&ȧ_MfkK! 4wa/̖8(-yx#N[d$crUX"E.`7Y1=-H^T )-@Q!!i*97 ؄Ly"bu5fi@S˕AڞKBDg@n>/ i՘b+iJh> B{aٙV5,F?\:>nC-9Vz7*ɡ\ k¡Gg CC1Y<\`f JR ,/ryAAɻ~; O[X[dGKZn1}ɿuWd|y([XOW$_mپ*joi];Xo77+ ҃[i[i&m#[~2_F]1  ;Z.dֻ5 ^Τñҡ=:čL9d(7!X(ڢ*(%̉{t(5:H9(% JdJL@?5--[e)!IA˰R )3_=es%>U6Q|'`G\h}hH6uBʂT U >GhogǢ[.T^2Af͸3nR`Z 0_'S5oyǾȏOpS{e:mi-KGf?DmVx;=Ic6]t,1.qUW}R$J%T.Ue\e!Eq4jGj616`q߭cL00fު !@igY Ct4T>[^RɄZZ. IUg{FřE0'a,ty21_Dl,S}FeIh̀f{Wida+d6ǑrV,p<$o4ϓ",qw͗_0bvu u:ҕfsX ـVn,Ʒ`M@c7q6:7=ḣB~dtco[[FeinjrdIuG'5,Wڈ*&U;lZ 6kHGƮ 8֔Ҵ5$Q=bl_|\:8?~'b1'ʏU}h KwKgci HPCm/ЌMPP6`GơqA0p`I h˭pK(41!XW*PЪp3)ݙ;謜20%9xV #s%BrHHg +RUz)mWYJ}:cĄp\AHi]@l%qD P]H>JsN8`7I ϡ FO+?Y3f.@uZVJJ#qC6ad5If]^ż4cTo};.lL$5<-`fDl=mnh|4[<^-_5crr>~bX|E܌&V@`I$ivtTrH(BgIs^}Ih5`Γ|NAN 1#UB-QeSY9x qFn\V$xc?IX50y<0s>ٳ},?8G|^dO1A0 sjKА"wr_SCpa:CUXR%q悎i'.mAXhï=^5(zE'h& K {NW5c~pQpEFX%'K҄p$]82E]]y5ƙSts{x.nI2aA=̌q,PKmXdmL i' 5%A> *sNz'ld=^HI׉)=;P8:51'nw7~ScǞRpc`fA0>6tƯ@“KS]ub}ݾ V;pIʲECZ|QC\f(9RZU9+9[}p:uHvr&B[102]oT*mTMewUWAl^߯ȨV¨ѨchԽJ0I6Bj.b;r.h˹U]+e,h)/*<[8:9 C3af2Ȍ|dN&C9)x/`#GꅵXkydJK(NҤMQ[QRKms :'iׂ9⧩F1IPBHvX3@Z#/"Jٲۮr G{`(Lx`-__@DHP䊍 vz ^K=DeP q w vuJT`NY _:0*+PRwgnUpf7C 5e"-J2b6xB`h,֐Dlnmvp"4QW8n3#࣊F<-רɂO.LK( B+Y HGZqT8 B_2;>'VG4buyߴJ诚ithth(HAM@Њ/"&qI8: >,b]HŁOkav͇xn91>0ȬޑȠ|%!F(bkw%O՚Ɗ"V 17ke<WXָ. f}`i_bâ0pkEw鸐R Wp05[0I-sEM)-(џ"1&<ʝT#|uSU_|$-pl..2[ֺ$ V^j˺~ld c㗦wb[L]=&v-9yyWQwEr0^.`q>V[/ =ŀL{_ 6!QX oDge29v*-1gjۑg!sw"ԠbFkHFFs"n^X[.!]@գ'ҢUd@$jQB9'0h ,k`QPQ@դ'|]o EN/ :M68hlJ2, #*a699Ewls/1/2Ss$V_W}QsOE[X~.ŏvQ!f-6JțП$M?e?ؑ>mX ҾY`-_(D"**˚muO~EJ ҿ  `ЄmxSϑ u ̖vɒvdL%` RT!yhlWŒv~03-oDuH$rN;'\%$ZSb֎3H+E__Qd'jj(0fVIs,zȇ'|݆ߙuJg5FC@sܞNR`Iju&taMxh.f=t<:ss|, ob e[Й"D$Z !+,`V/Uq^-c80*Do fӕHр,}7.xXĢ_zwh?yAP@rDUjoDeW7}^⪃'f z*!Ar-tĸ5:=|D F(?by#]Yq F Z*=}v̟sZqp6ݛY5O1Ҭ.ߣ23<}E8%ErjuMեV0z񅂋ԛDpL9^:er^JRsh|~jwyhx@rn\q|893T~8ИR[qϼjlu?)' -_T BhTK2XROxo{߻3 AB [@ֵq_uOI,:;4u&tT%p9RNMTjX 5%dO%\]6St줉\o20?CQ-wf17k\4dgFL,Sr7rq K_#{hoP26+YhWlX3x4 x:6uPU O0jDew)dqJ{|e(Q(/*% 5`g o6Cd<|mވ'l' Γq/ #qFOa@4^hi0)=icBX8>6)lk ƚ׍urlt*'80] E; Rd>EqTRJ,\=ј(QH}IRzḂ~Jg\R%j쵟shϊ+ QbSh1NEe38T3 R zV O"EnuxȚkyOfemS^l;6&ƶό}GY~vwڭ&-s3nh57mqg  j:ӓpY997U84 j}Z+ Ŷ7۠{+G-/[hnĂ'˅FF#i3 t)j/¸ʦ*|7ĈE΢ ݜET=x͙@¾0ʾ=Pb#%>Kbg0Ǻ'zb7dh.9Fk 9|g ܽ֙f\ܽ9:=􂫠b.:-M̭k>dƕ.,x Fl$e, _ ` iCxdP]I}=}IgW4eTZ A$!(fV>eO=D?T6gt3}1^:b~(6X|Ƽ?un̺'ѹqދLmPY*N8{+H$,P'ZC0pu?|=+E¸0z1C|=ƫmDa"eY .1ro;> jZfs`7e\@~HC}|]=jϹ<[=WEkN {** *Iqĕ/.ߟO@R>$~ rZ>pr@t(kpͼrX0 d|?7s/!!RЫE3`h r<Ϙu~ yt 7#ضΉِ^xGQX Ή/?w(ښdU =a<ԇK>"p:Hc ¤n?W缙Ѕb6pZ xlV #q鯺fWZ35['B1jus\Z R}*Y;^8(v-}˾YL7@aR~DWYm U "VLQêӔAm4 f1dvNJ}ɬaM(X :9L,2Z̎;3" 7BlԘ_0jM2jSh 6*TunG |2epMBω"Ȁ),I4~/oVN{ۇnI{eK?߳2 !*&Wju_I|E8[XC29;W8* 35Eb Eԏ[Ǫa;KtTSpS x b u@} @¸ 9EK.˫rę|beT/v 5'RF!bP+#BL/%&U[#"*TFFaeRҕG1`'QY_Ņ1 ū k`']Ȝנ.|'rn>S >M3"q~r|LOPYtnSOE^<؞qO;#hDNgBGPEM嘘tNcLpWrI(#<٧UqM0tGРlNw퀱״ v{K|v;0~kyyGvh'^|ٚ竺J0fw'Q1w&Hǔ>q7è{`ģ"Fn76nhn${0!MpR< @mY!U=h ۓE-ݒaEi˥ƞSzt}pےso^ٳ7ؖ}s#ume^gu>#{o^*Cgcr 8 'bdnIyv&g6.+ rT9p34kg_ftjlڥbHmC$2jVBUG%^j!6T{Cz{noWO䗻7_=}s~yþΝgs/2>~߮?UOQmP!k}Q~4Tq{g`ű^9'#|y=6ϰ ڞ3h*=9rypa㘕:0wL2hۨ )]&/H麵ϨҟBc%\@m'Cr ^|mjϘFRz6ś"K! (e/>p9L~գ5B5Qg7%36P0uAل3Ť_"*/ͥxi///e vvr2v)CToZ gr)6K0VKp*;O|MhaMUZZ>ʚaMhZĚ.$wť>>a ^VYlq%%Jږ&ҥ O(z@>+)}(qQq*Im21ά`< yi7 ޜuoq&W}8 zt}^_;h6Nwe\J4}{䆇zo{k=e˶cDoOlmYip֞6Q{#Ûc7Ox{P|߅|D'T&Ǯɸ1z{avIh3~olovZR0Pd6_Ƞ Lb#t2m%FPCc%6J- =A{d0w׊Ƀ7Lޟl#OyVlg 1^7h,w`lݝѡHzrMH^Cd`H42 )窀.n5 |D8Z!l1=PV*Wą`YV #[|Jl8pآk8Coqܩz`Da¯疊:%`഻ 퇫 Y/bG0/G۪$\8qis,f'SM`ET ;NJqwѯIsM~jBPIK*gNh1jqPQ퇏wL{?6>3U[ћ̿Q7Fl;'_= w`UGQeb "sTtA6,8M.6*}mRe2桊xDžz|YM`A0@ bYbU*eu|SM/Ĕc8tzbՏr՜7:*ן%_Vw{G("(@pxjӧppVD%>N -{FS>QDypLExHsŚ>D40=fO~}LŨT&*DTC\R2è˃+%+F954#XiRRXd7cypE;0pηbKRmՀT.B%gBj~>"}##AX`a$oA:+h$}Sb# .l4$^'#:V Bɩ ȄH FkTƧ!҃%Xd(I폹j6mv:tfG/NXʟ}kכw0"=7Ff_X =T*{;iXP7H#hdf+, 9NVDFlYx5`[Aq1oQM %d&3БR*+ 2303x^={MWE Yh˴:TY#?9xfWڕ3iFe\/HMJiKG $3O<6ioth]'~x#۽2@}zÉO҇f_{11 *->kzY_<-, ӊɊ~<ۨ*xR$H \jWŭY+ۍKEQYwk7ԸE[*zeX WcRB*`!F6o#yLTX0r8 RZlW` DG44ijgsذk,s1^MsR{;"F8KI"TyK`7FfrZW1_h}YHgO&iU Q#KՄߵdW%n ~GgdEͦOUb%JS:*RK[,8BXoK%[Q9+ܳﻪ=hN'; Fk§`Cx^jZyQOb|rP]H a;^ګPEk> q_Q5pЈ Z,IC!Me Ɔ%xQE W]Vc⺧V[VF0W%SEEvQ z lִn[ Ѓ"݉zn|ܱwsn?ֽ{6 [BgUQlꇰ6\+Kfĭ Z’%K.z%76c:Ч9#-Ri\X^9՚RR<HM`*ת`<r׎|d#.꣓) ) 𖤧~ɧ|u<:N1s=5Q=C;l;^Y>?we.1T7.Dcew@mzwZ0D~# V7SB, O2#G)ʍaحU#{o8 7ۡY@ c&gwN'& m 5-zڪ@ }1G{I4 ?鶄j|W⁠@?8v>:tS~~v-=3|w>/s3hߤ24$ IV=0f܄. (|`ZK-@ނ]+4q.> 7>u4tDO 4-럲ù~x튏Mgg+'*74UME^@{ f] &*U3/ـx*z^I_eCNnf׎%'nm`p &jDgM{^q9)*7([&xs낽 tWn"KVk|Bnr-ǐ:`'] 5|_-9_WG"2!5 ZJhhA1qX@[0_CEfU"81WFi'*fkѶ,k%@}}ᜭtS,""ו ^. -BWԹT4Y wr|?k6._CmPdM$?1cM= =k -́6':hD.\QGH,@ZJ Z mН+X]1&v _%ݶ! uo9_MGS-v*kO8ϵz/`MhZa@N<`G ;o>[S4v @~mJ|\:ZCS#kHa*#A|mP~yqZԽ'm4px{E&侤֯n♻bGDGM/( /QWڥ^cXces؊1/O$d9c\:]'xRdԚYB(RkFͭ]?ȏ롯_sb/KK[W#[.4r 6rf,+{S 7[钮kf c.̠ u!?;5x:*xNKlj,MRo oO@Xe@!\G6oAf)vB`aK̓W^vk~~ZЉT& iТ޶Ek5qamCʼn48q <8e{H"eB qd\@kjܪyR6uO4}sedK}p˧(c[OOxOhOV GqSX߫("u|p qLøY%9qUk" _#(Zh T2Q35h*!wwNMxVEYѬ썣?ɮ3mŋE.ƃbkZ> m2/_EEZLFi(G9xyz?Iݞb7૟o3~7^xһ6jϟ: wϾ=$nC޵1E&!'QrV\N f NAEi-"*iuFgC)I315\ 6#DHo규x}9qAk@{?nw[BNY} ߪ^-'&4=fqfw A:y{0BO!H<-+ ӗ2Y\JtZFdOs8DD8٨liDc׍1Nm7ܡe#x<\TnEs2Gse脬I( tDёDOJz!-p^Zᩝz;3Ǹ\s{sn'=~8x,^j 棈ì~Ѵ}>rx_k x}&:Y5b9{6_Jz{G|@+##k;>6Gv)Px*FgUA tPG_UuSK)X'tPCt_AWXe(Ag/щ1Lߎ mY4Gӽ]7ːw8~' cij̳NoBRzrKUʄymr_)<ܥRK R!=yÆ=M7 ݑ7ѿ> ΢ j WI'vl(lhm;Ŀ3Fe/乄;U /sMʺo7Gr! MTI¤>$V1n BK'LD?C DR0&0,kLSs'.H~_}M) K 2m*ox[ğǪe{ȶ*C~mTڮZ΢=s _;;Tɍez]gx!gNve4).öu@5Sr3G*Rf}:`aV{6=Af/Sx䬤ڊ)AsZ2c2tP|o⺧ Ur2ZjǠ1; Q.m,:'eƭ ,h{;1 .Ӝ?׸{VK7fx^β?WENdi!!*A&ཱུ21 } J]s $3mnZp5^`8QZ7pc0fKSG+ަSyjN 0K -d!:1cL#DEN^ zjUxT(`9B(`+IB9]Δt|wgXN62ޤ$[Nz2QF}rhq-D{ m RVo[nZ}F.1smrK. J\>}z0<ѝLph|HOxw <XtBc=ѡeCt$ڲsXoņ΂yC2X& 7 \Uk(i}X]5N,M>HzSLSGr2ľF5P-U̒rX^RϿ-כKkBx]m L^, {;a*+[q<]x T=QyA4c{FG{% >'  gd>awy c22ޒ ݸI#7jJ7I* ]X$:&M6eG D3/]e;O,7dj72~C2hr&"6wF${7-}>?Έ@׼@=@RoȞmw7/v,d[ip?g:/-hVv؎Ǐ޸C)nޭz͏:F &ƺhp:786m߬5:H{ixd}APK[G3%*3G{I0iP6pk9Ԩxz IO$߶;-Eر9'Sccф*uAG()<ՏsrqOk˽}m8Ŭ mHs;l~ҵȢ6]en]W1zt%zFbm-h |?5tQr*q2w J}V(m%]b(Ao1+,D-?AMBOJ雵Ƨ7ɾ!xe88:2,Ҿ*˿%5'>vߋ˛'nb,50_to;g︃1þMQ vG Zhhd2I<~I]V2$SԳxN3V p}vth=^ .m.tAMU+\)G/SfǢtkPO[inp{5q\G@Ffyd1Mn-Ҧ;iN`BȝieͲ.|qnlgVIԷ(v[)ſ *kmop1:ttNlr};Vo=<j=Pl?&u[_XYdف};R׍~[alJ&j6k1Ƙq# 83 4, 7uݬяLY}- z*OSO#2d'd_LbMKqPm7!Y-fr%4tYi+^j_XۏCsm86@tm.DoĎfdG3%!LF[Nesz8i:)`#Ӽ&PtZhND7ipxt9o}"ջ!zcV"|UXd}_g5` Rx=\#ΎHv  NC!I)$,+mR ~Md|\M|uvq5)&U@ \It!G{ gSpݑ÷5{n9,;G9/޵SBBi6;w}xFXp ̠g 4,58q S5H8RR*b-4Z4ia:?ExA~k^KB7%2a l]4G9OBFY!McA4KG3.2R'W|:vN4Xv/͕o7O6gW핧:h^4zu9=\b{6ZMAxfk=ijMnOYH̡/_(Z &LiށmfA e=R^H3^9YM3M 7ԣ- x1}d6 &GڒM)OȺge~znW&![<WTuXz =AR¹P[Ԗ/oۺ'ֵLڃ:F? {&wwO7؆}{>)`yr%qcO>KxeHj8l*d,Maj8xBImCtu9 X/ OE0ةc sdߪ18.4mcZ˚^%B$2|MA|*|9d.#xX1zl^n&}yPQʃb5$̐ڈ.L.؄Y>*"] D0̨A)'(ZE7<syA.q27cQOt;0G# RwS=TZRIF0Dĥ>kKBiF"N.~CU*_empɾvlwMɨP\_DnM[ ^ٵMT3~կ],Yjo;c 3M[DrѤ}a6$\ KԄA0gC62aIAՄ6ٳk=A 6ŢQkI(,ĕ^ #!=)W)&Y<}rm`ߛo-ޢ=J{>p rOv';²RdN/r0 ^Ƴuj_^//*R2O*:, };i `*٦³-5xztR1(k;V4iIʀN.q%ױJα39!jRx77+H'uȓ$ɲ*;I +7 +7^eoX)n@޽yбUoBцk?g(v:a6VL.`uX "8 ނn+mNpK r3ybK"lT5ntll TQJ{;dB4G@56};[F5yslns]xoc[2o<95vvL gѕ?ŹR}]Qw_yЋُ;_ҋ DCnɌ/mD2 b^̡]>^|0.Żh536˅w b&sQk8eZ뒘**]B6 )ZmF[c5GۡK|`Ͳ8|J!DU. bmfӞ3+~hS KLËܡyEd싘g1w8.4r9v ! ;`b=jR]= _Ol_r˷m5(2, ̲f[X."U08aB㓅l+E!UƅL ᖠvɩjځនt|Xm&xppὡf[$Qaxl\ЀqwsVYouꢼ1Q 5163s1.0Dd6VCf5@f&#>YBH\/8 ZTYNT Njq1t׈ViZ;ᨕ y,@(z>?^ ӄ6ݢ% kM_rTuCフpmYWkUwaװ$$@PX83%yuq&r,l2#j\^Kw󿸩Dfg_`: a1Ͼ0c|D9F,JI'K0Hr"Xseu jo iNz)AU2T?~ֽ33b瞣:3KF)l :&dh"-b˃ʍ0Cz^N4AF(ܥQ;yv( :Ka%ػLw]X~3x2~d(H}]v@5"P6y%ޜDiCʫaۦLxŨ #'g<lSץy v>ᆈט..q, ^4;gQ\Hm4H~Y0B 3)Bш0JY&8ktM촹$\.! bEBr>(t\#LS ;<~߄IB]wWfnN'S'-PsA2{/A? 6%^S|$A.41кt9nfh+t3C60E/2kPo ܥM=rP=}`7Py"vg%t:19Ux wt3# 4u N.p)Mzž+_TpNKu=*P?8^/kBS7<3p Z4& y- we uu633vH!3tۥcZs{gk n/ :o)yDpt:V\+P>mpAvb9؄y LMYށf:*A\%M2tZ) vi4HRu ("U7(Rh'$&fXN/U; uM%g#ԔY~"*Հ=9:', = p,YEn-$1uV5Pqh ōY>4@ca 3.VƟSZ*';3FkVYDe,O@|*x}?2x-`I}12@_LiP5 Gt4'.CQXAAN+ErL{d .i^LZP!Uȃ-Ԑc#?X9@N58EgŵV;.Y݅Q :'Mp8iexNR\Q¶Ζ3N6NPrDиj :D5v#RNjNr۟1`>lt1F?;p^ y]i'\PyڡPdʁ"_į_RHg(ÝTWMDž$q"lvy5KM84#DPJµM]gϹ4^nv;V(SY첌J|̵ܲP`F$: lo\H(idEXʯ2deqaP,l|lDvHvMHeBُB$4bXd礳b8d3׸p#Z Nr[3Œ" ,6#_Xl7(>@ +ֆ-ҤAԲwo:ES/˲^l˶,˲,+#+c;qcqz`RׄB!4IRHi(Rr28ehaL)&ᴽp)ͥro-YWL%Ƿ{*fm"H1JĶO &%鿧zMYXz.5!v07W&y-eǴr,@laBdJg=|Ve5\zډiydg$8|ZIUR@ŃO' )%aJm"~P ggƵ,PKx[ٰeg@qWiF TC[Z^IoocV ou-*а$Bpxz`@ttH<*Lcad TgF~hX·oD-0mjAfXE{ mj!m i B՛9э2^?ptis#[,|jZ-J5Ɇ"tѻ+*iKBg-Kx,VXQ,{`z#+|/- i!ZOY8PyAu|?S;ޤ{=G=;yNwx #*b0ƌEZJ `1c Lwwӭ{+"j¢C`Հ@L7A.=f4,H]]=jkMEh'fZ TdnzB F.Hvj(b6,OFװ P骘$HV 0O('(  ݦijfFiu:Mcû~ys GrP׳fhՉ^4/ꙋ}62VZ2#lh/Zo*fTˬa4-DG1`]Nj}ϥd!+FBdʺi A8(OVׄK+ (S٪sχz;sܖS2wVԺ90m&JOK'Ku.G k `j9lVKݓ=ȪTG͔9>OfIMiy 4<(37ZЂsf9 4˲̯aJFJVVnm)2dR."% Ɂ ؚ%RSoDXwfN%gƵrTMW.(Jto`]LV_̔EE3ZI tӴFqiky&_{vnKAgv\Z!/&=2'k<NN /HCtXg-|U'LD@. Y%ur X^]ȺTC IW~qKut7/44`xm]ƿx7~'_x7F }J;H ,v3C oŮDO$4X\`>JM⤲%8>[`s ,`$@ӣ#3iBjښ+ϥj ƀbm )Dת5M+k4Ԇ@(ٞˇ oײҿd^OU౎9}Ӑ.牰!_>vqĢR3rF,yfrv֗G ]50e9D1m+-@+r҈QP> ljim(V,~'Rzn_lI)̽$Y^½n&ͽӔ\*?Ym>b mt1-X'y VDh"Z# FS}u%P e|&kOa. K/2<`yL1_*xgTe`X-uaۺS3#ImGlqx Yιg'g=26mf:^~JoZ+Vo!o~:1Ӏn}WgrqsFS '9Sɚ)S@8f1Oϥs@a..BT:EbSC'!ff}wuMJ2hm R5.}XT ?δA悙u;3 5$w̨Է3q~k|$I cE+aw\,'Ւ[.[,V@6Y: D m\aI  iRFIKzx$Ar-vEkI}($+.u_4U!qz',6)KoJSʯLYƏCf J^w`8`6r $ ܆8q;1~EIгZ l⚍? NU& _$iy) >v02#raDZF  \ HòdiRB >G+ f.)X54 J GQ5ڰRD7JĞ4YDN-q,MgT9 |_.|i*Oza&dW(VRe ZNZHs = M^l, 9N%1f&kIڼ SRccl׺!#-&Ե@k0Y;76r0Tv(>7l{ v;ꞋIdB 3\̲)lkI59eڂ.dɆ =gKBc~}~1/l{#ϴ5`b.,7Ij5lbj_WBr+~XDp*fE;{a 83kbi^jm :tk2r>FⱠ''ފYR?~@RLsL/RY|s-pgt)1/sb.Tx zh4ehlg<eԭt1Z]E\6a#:H5t4c2iO[VLOS+dz2zP㪝t"`>'Fca,lљF:h0v4}mS/ fDo܁ +6s';9u <}Rlr%b"l> Ş+vU:9Ŋⶩ͇ΛQǍYZ`{Ag+^̂ɢQ(7|bfcn/˵8-ivk9`DHWfq!=̓*07N%zX4"v, FFRGm#VL*SFٲ. )Y΁Ҁr3"ϴZ=GSf+WC$idRLi6y *BZĜ*jCQZP ZOu\ɚ'*ȪӦ8"M1!8GiڹH42;HΝ @(zY=P40Z49iX]ŰĞyAI<X {aiE~ @)(P:[$l[ŜɅ#ZVywE4Wujad+ k>Jܡz8_ Z@ab.|v9e#ap\!Rǂ.BC]}MB>@, Dqhe|9 ]H4nl^Hbs`xd!OZ/"8cۥh.6`B7)lCe]-9sC#:B(ߟI|/лpH.^0gu xݥ[Eadud7,iK"2a+KV,e`ⴎ:L<3[N"י8^Л-?JVVtbty,-lH-Hȸ-э'{ٽ4M-ccGMlCh9+ok' \efCZ7jݦninsH$ƙ^ +`O0^YNcS#rT;*Y9êV*T1'7_pʦ=^OtSS85Y@=s{#T o; ȵrmD)Tmd5 {WEз-H>S&gHnJJW UWFi$Fm_ oa`W_Z_Atmdm{6/2NS٬=)V6 ~C\Ӄ wnjڼ>6V񫛽m]MwLz9gdMaWۺ1*7D>f|<ݿ|tu<~jX꿹}>/| '69x+_[3:D<`GcIc@<¾r UGfe=_J}Ȭ_+@ Ls`I8i:>9H}":,`tL*z2E|&&ASX⩷n6|0>nX>г}EV+zv4#}{܃0"۩^&+KDȷ#ft>gɀә\-ISWVrB{i]UC6xS-£7ck,Ad*B ]xVB1eơpGu WS;M^5=Gce&ڷ,dU "H"տuyw6ov_Uje\A "pL04븘xkٖPǷ Nۦo .3fQFͣmj $UOV֧~ԑ=Bo5!ln縔}g?)9P\Ѳ[ֶouݻzֵM}Bk{]V޸gtKtSo֮Oo*_ zh1!ĕ[RyQJVRٲTs*Z[UFknr3m%yͭ;7ѿH sFKDgh]8&Ӗhs='zxbRlOocNt~hj{7t"<7>46;V j!YwŞޞ;z7۞~Ow^>3 e˿AēL$0_A}K/o9v%<4Ý۞~%@p?^d)+k&zdͅc(Gp<`R)&&` G"c[_jsx&bGwd} ͖;(_/>:Uo1L ń V[Rt`ő<&*ES) |LgwNZH mO]-==wkj/ur]}== VddD(M`:B*VE|-`*Y'8ja+)E8Dfc_,={Ίo/йu^GxYݴ}MI=;l9M_^S&[lmDSZ`l#bٺXd.vh*FxG]L.־.o>ŪŴ@.F@gb4._@+VKŚrjbC*h&ai=l 51ş@$=, =KPS/MB@7=_z)zX%a9%ǸE0L=̜홣!95g7fa))18+w0(ER"K{iܠ`nZfӺD4Q[Rg)L0DdT=EłIQ4R8Kfi1e5O u M:hіxw9ZZWЃ7 b}eW4X}`^OY4ysGV JCCe`H( :B|Ҩ݀mb*4IɪLw PNrJ;=j+oe謊oTmu"VL:&t& ݿ|Va˫0;c|N܊cMnKD^<=$:~*/fr,oɝ4W`\OOp//;=KYg, o:X'EgcYE|^X Yќ 3j1LyY@=&UdA>G=sX (r pwkg7ZqB=啩g;n\68;<e݇BqU_nf_O +E'm>& wli돿yjdߦA LԿj;/2 .aJX<9-K# X" EJۄZDPVrJR$Ϊ"rıHdص*Khyhl9)bpV/<^xm_ j c S8uS on_+_3 ۺ?֡|Z+qpaDtyOdASjE%4*ƚdr#dIk.\KZ+V?OsOOl=zq}O$?xq]ם|fc FAb߿xd˟WIfTϑhOR K|j #N^idF=j.eU;URU-o$pB͇?sCkc|Oː'":N/-$RuDGaۛEUՉAqO\것1RT\gC,@b{hï+߹]*do<|z[6 M}9p [mڀ6VثdYf+Z-ՠ4 ؃Vjڜ8$IPVX\B^ /PWjK?URyiiVK<3|B{u\|܊cƆ[es趩g)Œ|ʛ*9]3h-& ^ŶD b)5F--&TM9(mL:d\FG6;7:yT8R`GO|jIѾwlZ,_/ ܡ숅|=!{GbkئyhdI{Bdق+HMAa#+MϋdHo(\DJ2;-r[%UXO6H]ZRFm;MڈGB4IB\& @pK B sѠs`0n;B<[^[1IA`(L]{Ƿ&_cs1ק;~uƷ}m`o {Y$sOdtlvJ)<d]0uTg.cz,?VH ͗Hv$wSa#FpvnqBF2q+R KUd[C̤y@i&bS%YMDPȏyGJ$3%luBch5>a9<83v۾Мᾭ[wRk> ۚxK`}{|=ǎ8nG__OS[Oz猀.n]tJ_BR2Ȅ(cD9:ː-蘢21k3uUvtS3—{E k;]zWVr۾4uh{< g]|Nt3Zic$ 2Iп$kX ^-G/m{` 2DO:*6Pmm>Zq/$` 9-||U$#Nh-g1A &)ޯǷX|>9Ϲ~Yz9ӕCvR?d}]L=sb뉓M{t|P|l  7&yp7Tsń/^uVEWiD;G]ʅek–(VWQ Wŕ@No?{xwȮDj`0g­mj~Ye{<ذns=\pc7ҍgS컩{mCOVSܻ{ .N]8@JkZWd5Kj0De:Q`&椑d@qLs4>ט(kk֋JtUh5ɫ}QZ Iiq_g%"1nIaSTcVGV'̬'E{ظY/Т!k6!k ߞûzqer/:vPǑp۾'ٲ㵃'Sx+/Moi2{o˵=t~^~6*+vqX̏qEJӃQVZ\Ym1]vM <Q|*q5 LQy'lTB*٤f!i5- Q }a-UR&L:C+"Y1,H[86g5{szt;޾qC:Swˆ~Ǯ]\;z=] sybBb<rg.COKVN3VboD) KGI9@f_MWIubLT}L[ *=oȢYSFU*ga k>=o7yw [Sr2v&# Y>.qU 3|Uzh*<{bHm@_K tPX:JR-b""3$tzؕM@x :c'Xnrz Zqzh2y*RgSZ$bV!'8 vupp5Ԁvla@Ε]}vɏ d2njԐrg9QRlO R"/(kzq; Dd^|HYɴ0]'5J3D(ƈIzp$*.3cX(b^VzS줉+H=u/"b|$; CS-ZJh% ll3W9劦~ߟ=0,БG"l-dlFjw/W2}{l`i\ǁ٧ݟ)S2刱6kj'a' SLl8lsVoH++وkHljaПY&[Yn;/rg҈1 HI߱dӁ ֯=tw6-ֽUmm ̆676ow) u/yw_(xZ_ۮ{{nڰK(X3Zd ?# #p1*4˨3i\jAIώ_ğiL46,/!Ό pcHb1=lLUC7fӑ=TԇLLVX=e+ cTZ<"E`| | kސ41q9S!i$lTk5rew^g8*Q[4qh~lҒBgU{[Sn'v+&=Nn =;5 5{˙ C&`$1$sC n%TH" pՂQhԁ65όq`u N[H׫qM׫s wÝAƮ8@-v}|oV_v=Y5s?#<89R #;TQiŸ˅^40yGؼT3#DA3LDj= h28f;5e|վ#lWJ}s>9cgS30E7 0Yj޷m8zФNxfE!a%"&B£X6sft}l[^c{75)O:ϑxpe!j{5U̎b}1/kݜ:/7}tx*!e\I);#B֕_p(]k#FD2')ظ]V{w A[ܿLԧs}A)8@ΣĢk~~@zfzEra88~*Pwd c4a%#CD^S,&'t ov3!I ׳w5!!4{;;)Ifrz ,/O>uT/}짴glg A ¤<_3<~>U~> is#t)ΐzmf[i/M43!a6If#guSdG{>s#k#gn¹ROp *aļLb0r6]ANFȕv֞fS4i'k2fxPV F̋٭gO(3f'e}-Y]D5`)g3Oю,ݪ7>9:0 v54l ޽!no6p;;;ڶuڶm7n_ݰ!m[O0vo!b?0Pw̓l=l{{9tpСܣ3SS37Sgag78MR ggMK=4LzpoFb,41ə'ё\JMI&H" :A eym`ؼG~|VpS4O _Ѯ;ď{W(dHTՒOgSy3Ryx`ĵ{~V(y"G]ZjƮx| `lHU_b/T0[/c~5xhg0?F&j4Dv1g1EI&abL iF8_XM2GM\ ѫ pUʋpUu+,툡8ʉ34y/kZS8\P~Yz?^8p-U\Z`VokO'L$c/npjåeB]vҙKd J4]k\tp9C!saF@ *GFhXPH:H% N%DTY) #Qdas$he{w(x=c6+`zW5H,-3 ^|Oh#R@";SO ;ds !LNOiz+\<,FU7}.ht/ *J..:0'J˩+t@s. d * s^0}-?WaI_Й? '>;m6oTxcjyacQ[d;X+懔rYu'R#+H+ȑf&6-lC-Jɸc{8Tz^IiyŴ]a[vsWWƀ:k3N8qxI9[ kO7v|5st`wW]vM߁U0{vMi|-|e/ u(? :I%#1kD ':0C+@VxVûVIY)vISR P@ d H 4 $H6.ke}YE.9&󴽂O ?褷A#'~KϨO8ݢ<;Ț/_||W;'}b{_=}왞^S[&Q<[A:htaB*[%3sTSG25ni<&!F_=6mIFl9V79 T{}UmNdlmWY0N_%WȉΨJ,ޕ+@ad\B!0.)GNJGb/);udYdeRT"Z/ZZ, "QC$Kd~ vԏd~,/00!~F2 )O3@]Gb%[uQ׻ymg |gߎN7v[}k{%\5P]nrLiħFn~B <{a@%걢!&1L).GNe=ZξWvˏ #Jj+{>vw15Pm^ ,+Y0X&ha(c !^Rx<:'䤮IuAqR78I34>N6ILJg'dNw@ᐙ;9!+{{{۵Bԙ,y5x{Dy){NI=wD`n `IMd%KڤC9*c=sHDNl9mfjEJ؈gF8kL;Ji嗠UI;HԊKxEl",(_۷je1:A,Ri+^+j0QjN/d/&9nrISg3CЫǿYm~={1[Dt cn.98'O#@X荳dNk`ʐ0h|ղY9 43<45 T^Iʘd!Kc:*)*ށw"$0/k<\ ïܺr dYV*n|rZ&nOmgɆd҆aGcMGͽ3p..![S__PxΕN5dcQAN qH%s{yL`2oP歨&NIQ- t1=vpZ8k,x旅UXp]!ph="3W (PN(ZiA%*$ j#DXҊq u#UGMV8<\!.xjxr.٥.d秞MZ6bwr.n3׊(ޘMɀVCO^OUo=7H(O-2EҩZr_<MUlU ^z(GDd܉Tt|Z(hS>qPYԹO63{ѻ?6حh^`ϳOoLa\[`d@%b5F\&]0׎fOHa?M/_DRLX$yY  p]2!b [o$dCT擔!ZAvJ]yLG:+]~vV=#$ck_A}'Mll[*Cزd +_IMM9kGv=+F|^7Mm5U赧n'=LZxS=4i43@.&aʜOK` t_6fC71Yeӷ49CĮU+tl= bX YR1ϫ'A.[<>p˳δCý!Iz˟MΞ,bXV[W%;ӽ,!-eB,pΌ^"FU|&ؒV&Sa"A i N2&Z᪪.j53 ~W9+pirsnH^C {V▽&W{Hנb-&~,}B$x3%4n&wޞV7htW6B_ٚf*epK|ı}GwUYVKީ {\ΩLMׯEmŦ ~>sj tdJIIC)R(h6'v:W6_zE`*+Yx3TXc~N@f[UF6L,#j>lJP 2x4(6JGM1iO3[:xs?toj]P@CC C',3pf[td4I+&2&ϗtm6R85)woxnAxKU8YSn6Y80TYއmlt6ȇd](,k/u'E&֦[tv?]٤QMVa۶N?v;I׏o.Ao??p4zhؕLUVk幁YM5SW lG\ k}[k8)L.CV%ՒWXDk_w8r{ lb"qŔA~kJUV*={ସ,gB>VWIg7ʀrWqqn59`b#+FZ.Ҕ, ^*U*G6#v4ALZ+J"'ۧ?b[c5MaS׭U=;nM}sW:<]2;]o2`&yq[.nR!nTm&'sf#U=p`L yE%xgB ]WQPG%lڶq 8tOq&/~\_lPQ~O\̍kV_<1$`:rڢit' T{|PB#5o?},hjS}B샣zѰfwW%nh;sźFsEf9qzEa:t(͎Xئww W5Z9bLiu֊p# _9 [/Ҳt̞/缾=]=;wſ UOJ;= Fwh~vߋh(\;g&Rro Tϸ[nʹ-hnk߽W[ *DanC?y0jcn8-wp؁>۝=ٍb!V0D,P_1P4ݚV|HjV8N- y?~`{Db7qzE}%K:=j2@&j>G9 2g4۽q_M0&rzIg`ckdwzLlq"iUiZ#oRե_^>6qMQB[v*_m W/ntu1ߕcwV.۞}HwmvVѩ.82u`ܟü?{:\.AQGeK3 NhZT=t]{' ^хȣx0-oښY=GkwE??yt?$5mT.gRB ʡr68JB9?TxF$d8fUR+S$ΐ+'Y X%7t/\>RX¤Yf(cG1z~0YGׅie!+P΄"\} 7𥪽>Rm3 Et(NrnzGAB|–c wTu43{b}hmr{GLuαبb>Sm q~ΏPLRN \:WvI,_3W"V#( (rxjZh p\Q80|ğl:^[Ё_X UI|U搰ΛSFY&?jV"׃ &B6S S#{2Ak5?B_3妶RUl-," :4]TU䀩V5;SGA_rj\6$"*)uF[f MyjuX'?IDʲ ""g`n`Ջ%>10D{`jߖdٶO0rL4v7:B;ߟ;{,{= 9>}yebӟ>GdPQ@O<$5[Q{G(5e<KxPDeF 'y&J'Kck#-a60ȓ{zZƻ]==-]gj>٧G_? F(aB&T]ɸI$])\@M%"2`I-n,Adp%!/rߑ`BD\_~>A\ Wi Bh/gG+Χ/2rd)8SZ2Q/뒫H{?ަkN_mOۥk#?nH= mZg< 탄-_eO t;Pc!Ƒ/N Є|p_ tArKpW8AX1 $0K*en\tQLSl>sh/:f&}"o#_Dج@-bN*XB ?xveTas+pvooMllfƶ+ی>Gs<8>a,s1Cņ4:{DZcMcr 򥒺=bȒ@zTzSb7b/_J7fZzOSC7x?t7 GG |~mґv W 4dxK|Wd=vokqdp3;P{B| aꧭJ|@E崰@ k(??k?  (i'?1ny78_({eϏ85nJ͒Tu7tXcBkYhΚ[O^3is]j;1O$ŎD]*KYK?R^ڍ6dLφ.a.G߇B}e5;}#[<ux- ]fC_zlW݇ZF[Gi:zJQwQ;˜q"'xO QUEd>Ka'H@U@l_PO1cAvawTaCd (aE_ iC $c͏ @g67B#r[ZOpm{|##X{ dF\s^l,rC2Z̴\9K1x"Z WL.w\4Ο"wB%[}}ڦ.O=5GG;ցMǏ/#lOx "QsVEubuUdC{"\zMO8:+1]V&n.[2|4a&Mʱa_\w ӴN]&q><\F Pӥl0?ab-,B-\˓?&ڍj4𓛅5NXks)WIۄ17 G0څ k,_(*n43&v|sau}[^c 5mWm-:B;Zd\F fIwyL_y$O(.bU%8ZJf.l](Q|J$/QQH!=Lm,iEÜi,xBˏp&O^{g?t:8m3mV(:xm*po#b+8E_]r"J8GݸLl/#H2BtPuja˝K ]k_źs%s"fF&x8zd5\?>3:s.#'}j dI@Ry~~NG]ENe,@DT2BtQ1W҃9P=Vб[2 Q aA1V~Iq{N ~G2HxMI4| !h e_S!V I7Aux,H _1%yP_"0B<`4EDD8m!AH bAbA+`ȦA0&8"f@Zwz p: ZBO2.ɇp m2ȁD$\$}%)968=T7󙛷f-o~j ]Og՚DCO-\@q4%~28:G!5 V 1V}&V>(2UPzZ)d#Q=) !WF4gb+pEV V3⢔%h˔V3:[wP&nɬC@*=O13[Fe{)hyWCg)tJg (pXQA}E-(X!R.;"Ek(Mؕ1Jׁ^Өofݎ\<RNV>Xs"f~Z]a^nm NT%J=%fFqI%jwZϑcvfɧ^uk0A¿1C?2_ |F""z'yw7#TD yRӎvяNTB> UOB_%/Fjnc#g-n@UG +>%5gT%Є:r7utE]{]ʳ &[soܺ^][.]md߻hK\bzɚkV@2:mFE^b)(bSwjX]͞mV¤5ɒFwPa;lYYdJs蟺.Ugtc/J>@Noo姧IAxR!:+8KAFG^bk_>bDNDQډ-zzɑ'-VS:Xj,ba+E]6ҞoJ.0&zGR], go7h5aRz $&u|b&I} sTąrr,|*eWb=De6OÌ&I6R \L%e0Hn2 aPBKd6C&1CXoEC._ ٨5q67ڠq'$ *g<;- mJYneIWikZ,6lUz:{gٳ5^&,R "yN|q5<@`p?U>:QGX=3j&M/I?I0X#49A+}D~&<sHqQu\񐎎E.Me%/z6.rb@*6@)zrĽϠ6 cE@Y~2Ǒ/Rݜ">{.;ձჵMNYԐ:)z~I,HuBkXN}3Lrf)NQBL&P:!Z`2MM߈g6{cXWu__ߕ)9$k'Ph*E*vᯖ."Qq9RtKPe)hWƜK iY6ksXVPv:+]ݻބi@ !#X=kl4;1ޅ aN v)H%mRdd;4c7l ZhYoutÿz$צEx-R,T, *YR`us?+Y߽KqDsW$ӟgqڴ%QbM"jl J)I4yx!w.b*wB-_}1Ҡc!#-# TմiR_k8u΢;x* ȾwāEBMKF[I74\8GE0G+W(HadEX3GIGNLB<Ӎ75QIrĔZG1l[C56Cj8uBUN|k[ v[Ѯ zcX0K]lxl;_ıJG)mHs`!S#As0rE 2I 1)D#) $:ۈ/^A1}N~LG<Ӂ4ľ]6lB>״֠l7o~\H)^SXB,noX#ޤEil/b<xa١AhBRq dEmXC-2Vbk XFhr"Pkg4(2b,b:0Ml8W/ _.*bfŤfhGq)jGA%d!NjJ|  zX jU)\|~˧֣9Td<]RdwXوhiHD8p\[I0Ԯ$S'"GI_JJ BsaDK) YKSr! !1!BYU9P zq;\D͆U& )\%z'Vg0-FcrYMӊ\h-/Y~_pSq]}&s}F1&U^֚vߧgڬ//|!~UH2X_?i#W|!~!7> X3b3^iTb~ƋW~3UYbj&eK^NQci5Mj4c OQ Db5pdE.rv4p#6wv3$#jM 3j2'$WmHlf6K6-9~G5kҗSiGѷoԺ']OBHw8}ȖJ՜S?2qQ4Q"#* ?ͬa0VHM1 hO'UZٺϳo!e#R+Ǐr #2;G=NNsԹ$p$3y-‡Rt7*khs%h=:v9Y{8_G6$|ϓh>Lߑӷ\y8;MF3U~ū~+_l SO&YOϔgk|y,i Sk׌3ҘS;|ETf pΐ҃8L6mt[3w97:@n^$n>wǣ<'6'spyN| ό{`AR-Gێd͔#í1XlRn휠_ PЧL2wގE;ŬEAs=d[Urgy2N8gS:=xK_/[;t͈>ù{hW:Y~ݐA}֌0ׄ u[zLf>~-grښbN^{zdKL_~+қh_<<=yK%ƍ*1- c=xf1?j2I-YDyDZ}i*\wjj>׵0W2D_NOΛWx* NEGH9J#rNcl[L.^JDM :uQ LI*.SUཫot=xڕytWƟ{mA Am DH5DQ[kckimTS2 FM%Aִ:Oǜ3?u{dJgRT}@O$QD4:'^z B <Lr Ǡ}C??1a+kZG= FCncli |Dr'^%7$NF?OD3lX3x3w]b.{ZOER8cg.C&`8zNNSw&I / Bj9Yyq^‡b]L])e̹~0̥kvunطpR5z}0jwoRS'{QO8 G'~?r_y5GFy$S_Loq2^IALdLF28MY7'bqeL3"Cy[W[$ʴ6_\46\}e&Bdw$ӝez=tcDU_ O=azٛ? 70"*d BO &~Ï$Iߗ~E2O]B |PB 03u87"_h;~e@ 0?$Ff(~ç$IO#b$F7ځ*38 8ģi|N9)2mtƣNIgs8 un`}GxIx&m!}1u2oR9R9'_2/? t4\2Xdo9,^0YP 7õYd6漝Q3?voryso{rYDݿ/UD޲N;#&*d:\Z^,Q *[?F/#\Ec'dp@$>&6isp9&sAw3{^-jd[*B -t1w*厲&XOOeve8GvF_4ٮJlw|A/Ylojw }=Qy}Je+`=__x;ċ+^B e? 1pr5<;Fdx\#ᎱQD';>a ^ A!LOCg1 oɎcXC9v,sًx&ȜN2>LiMDٙ|9xus8)w]o~,D"o )ZJ}*^X6tt2x`+Uzl&05Odׂ,z6w݄ߛw3l :Ƨmlgw+NNzE=k}?8  }=#`Q{w=F]>4q~W'=̞bw˞! 9QBfZ_!|g;x? "5|+-%h-}zY\f^K9kQWܮ0+xy車5{ mun_ <&BmnWY;YWWE/^>ǫ <!+ ;=kuxZKo#YIzaX @#P&q?fYyڱ3a].L+ h5;ι/;h4DeuǽeԷ^-E&ǖz&B層*vKRORVz]wTiB~u!T_T_RO']?~K=yC跿۝:zƮ υz$v)DF? }G7?QWJZēQ#xntLOIUFMTj RcP=dDUT^&ȩoc5Rz:gϺq)G̮.^I&}GVhӜ)eBA-)!~S~DDhܷޫ׊^˜zE46Z!z nF$yVVVyEu/Ie__?,$ I IJm_Q[FΖzf`9%Y+`V^ $R@N3 n=oSWz1NGMp\FN>L&bxl45n'`Z0CiIxpuS8LݔZ17kY' ] ݷiDzย>],洪(AkV_,qJѻ݂%ɇuk>!/ccքlQq#>b+NGdS5 re$xAz8ּ47@߄w "PE\{x%E7$O?熫1O̕<.Fv5˶iOF8\ZRD>|9&qd9dޯ>N{}3k|e5bA^jH{#ޯ52Ku0uьڏ.M!| +ȓ{V>߬z*=J)щmRO}߳r]&6?-N[h[{CGDs>Sh1G&l 1 "Yq8c$se]EZ2&s5HP/r#,ֳC0hip101ٍ~Ma@=B1L-=b"{lеHF\LYN=^\4g^œ^l/(+Rέբ̫[Qym$I OZvKzCX 8ZXWޣq7־aG֜M l|0cHp?n⍮v$*$aM{FhkmmcXf *sFg&bΝVmod`7dD.ҹznLU\#R/ķ/\.Lg(ᯍb@uū yR@RҚ{jÌruM&"noJڞiW#d% oF!6lT\^#kG'e[ &!fJ6}+_;k^z,d"9zeuUv2UF'!ؿ5o{郹q 6\bCH+uٍpܗyPv}QHva\.[ijL |#5 ɵpqNYYgӕUh}ה'8Cuʚeue!>y\]G5h}t$#N" 5,C%#.nbp/A/m3!vK>=Hi.$}xIV\A'Rsz ^}u`;FGeW~TtzĞT],o -&k`,Cvs3MrY4 9H.V34 L6e| _/ߟgpP\'Rw_Šk*I6T7c6k(cO.|]xE6 ߬^cmp/sȞŌExA5Έz(1ٷ=w-9hG3>1 2_-wnsrxNM!Ķb\ꚉT|RFk!$oek'^k5!ُ5= Nq;ry`gu3_11g{$y 3Xq/9 <ïJ!l]Nr`YrfXFxzg٪z3wgFZ[&<ócAjP9ƹoS/;~瘋8O=G!½{m`lUDމ51k_UZsTWϩYN̛œݭru g}Vhç/AS[> tgn=9t}s>~޲:d8,K%} =_-pq r$<ï^x 2g 3KYt|h+7! o B`V=úw,`_3[hE0+<U裆MPcGf<EU}HV9h(@`=WsFu᾵hX<^أip/==; P[LM"e-x5i~^^;ȹ}ceu3%WZuL"n?-۠kuW-ÍOL'yI[1EnF1nf9n[b7n=C~WQ8&P^$nමn;!)@-Ld8wnqN]pW3qn8wcsq½q6f09p8` , | Vp \~?Ax0ax8GQx4qx<'Ix2ix:3,<s<<^x^&o{:x^Wx^kZF o[V o;N {|‡| |§|;/ o~ ~~_ ~?/+gJ$&PJmNI]4&2,-G "D+**F&Ek:.G!mD&)mF%uVC1RH8%H^$mMжmO;Ў" 2ɢ4M)OSi'iM]hWA3i n4v94=i/ڛ>dS< QHihp#D p3!  W(*T-1ZLKh)KtHtJtIGt KtH't JtΤ8:Ρs<:JЅt]LХp&]gY-]NWp ÉpNWUt5k:n&n[6n;N{^AazqzizyzN/K2Bk:Ao[6C{>}@G1}Bg9}A_W5}Cw'G7D?//J-bhm]tN%&IbXN,/V+bXM.kbXO/6bLl.[n1UEBhWZl#ۉbG0),/ĀYL.bW1CĠM9bC){ybaȊȋ!Qâ($FDY8bT,E-Ș==V:tWj갛VV7R#vuQ[j$q;h)x=DmFfk#Clӷ9jgr=۰3k!sRL/]Z 3В| V3Pad| CIBIMn*4c) 1%4z[dleW\>R $YeՌsE.PM/ko炂%+f#vVGJpՈ iR~"rhT$kUIS2+%cZ,2lJR\)cR4w0E!: VUF18% #R+R7!jOkUaUYk/kk5Ū2I5qc*|0Ga9"EFJN#) HoȨERR,m(fɉ{jkZjǸc&XSTUnW9>$+Wy|\aUY9^9^9^%x|'8~'x k<_q)O\Og|:uי3_g|:uי3`| 7o0`| 7o0d|&M7o2d|&M7o2b|-[̷o1b|-[̷o1?t,2G.%]fzi#oOc gMj}x)1 57+|C)i*#UF&mK.@چˮHnխ|WcKY|0,rOGm;3dämtȡuf~oL $$S$$$$L22T:EӕuJNy˥jKZJEזIi|Żےsʅ:AGs=uΏF+1T>˜|x+U^TnͫA`*mޭ`RÝA9te`̟/ddOv]g6J[psƂRxYHQcje[ 9!?O5^ٞ+󵌓1V/#%\W4M+sUe&м!ߧt##Pw]vkmw7mw_dvpu۝w{oåA̶ŵ\ε\;ĵV1m{th:1k8 pɆl\F<Ooxvc~^>]?̦v^gz8Ńuu*qZK;bF}ژژ*%o_[pr -F-(0ނ|+ -(oAA?VnAA` \:dTjQ3MFɨ6é3:i2i0:i2&i0|YͻEG۳Ȉ<7og3ʎ,0~f|+3,gVft 2]h/Û],/3 ysg̷23̂~~fA?Y`efA 3߅2/Ù̂23v9nn(?R ؑyYH/ iP~[~Fn|ȵ=QWB^ xk!}! T!o|PL%cRȏkbڌP1'Sh'㒡65ixZi!6xZV&/no|D:˙E(o-w"LOTJuR_;yǐ`xEM@ji)T3`؈U;XXrJx1v=Lb%cע,(($O$%.Wd&靋 ]+IFr RABp UZW%ώ`M3f f!ؚjF`8`4֌A1lP?$~]yT PK!5.XX\kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-regular.eotXV LP  M@Source Sans ProRegularVersion 1.050;PS Version 1.000;hotconv 1.0.70;makeotf.lib2.5.5900.Source Sans Pro RegularBSGP3B{lgisutx&s44Po+{zwGdRɰHLxXӘE#ƜJ8$Ih "lJ.gȑ!V4@r:wH;ʆCTpi$/'RƩ.nWA?]2PaZRLٽߚ} &n 6w ةruK~#{FUJcY$Z ̺d3IsFlf 4*:ypo7r`NxjPG\k.͉D1E!ap6+Hx]}4GJ&*CU005wpU]!(/(xTu` `U+1,(v̓} J@Ip|-x*~Y;P0Rr2 M[B%b] e}O}r^w9*6uD8?XF/FQոi8DChZ /qU3f`BUR4lM2ORݜ(#tV;ug"\hUN3W2:1 CwKBOFG F7f\*+kY JI]Sal>j>pԒWrB]K}5 d3ABl:eH`4\Tg!y K"LzK"hq|Ɯ Nn}>e!E0`* _gT?gQTv2W <9L77,¤^&Y| sgq76P?{/}MGtaZhA.j:쒈p*7FU6D9 }ɛ cޭH%Wʑʀ0uRhɢ8y]B |usŋ!.xV (;o#kpTaN>g} [?j|}䋞/ZLp}18tp{Ga>J;W3g{$ǫ}5Ȥ?x!T34+E9'8X.rBvfi0GE*a549v@4}-/l9]) NЗ ў@ 7 .":lݵ7g!!d8 ^%fR KJ^<VMD6P',=O_a ~&)}"%^?]bmҦ-Zv4r;)Xv* dEa DHx<&uGuHg3{P7uɀfzix'F&KyzN8U4CP j.໹iצ`Ӯ %]Ϋ̭IqF R)(  05Bn0[aS{Q1>ZQ=*8 v\KLq}.8XdC #YF}ec \D9V hԥFX]&-x03U T)@& : rz7~QXnȧxN\d[nS `>IW|Qf()cyC̡dIA ߂.oD4^I0*њrl;8S O84. bdD;27|V{L}gH[ @C@sX6@aՂث*oJ;MH;AY,m3B0 OK\rʜYU* PK|-hL'4WJN͞A$-k1N@I>eQc?p?XHk:nJ@=}۟.iݘĔ88S'3%np3t))BI 4T/\;z9b.bHlS/QU %"ͷ@Dd*b_;rꮦҰ-%`_T'b*fgcfbGA#Hw2[ݖK^BD "I .ZOTH"\[@!UM')@Rk%;q5,!cQG8)ːqN W)I+ m܇l6,5ďh"^_EqdnbD$ʋI{H{' .0fU GfjhL7-䯋"(kEhd4M"]E BV4C0(0' 3t`4I㞊P\<[ێFL Z=u}K,_F o EAUC_c%-z)F &!FCCk" ( u;K#\j9maۀG.#1IYD g(عف`0 AOs`(FmK3+rbO2.O! E _fx)Ugс0tx^7tկZꖩ6Jc蜫oZc\&BL=$:cR9mddcAlHxW(, ZU!`Z4@0dڃ6;@lElQ^@F@pm^m{gؒ?/P0x{v=Vblg\oVJJd71ɪ׶5Qɳ#TM$m,B!t ,dۈ2jtEޒ㸺p;;thfwǶ{7[!Ʒ>B )"[2BXe|x6zғd8MN6\izKD"R2MC\_ѻ!zܷkNm5x}g~vɌ!d3L/=קS~MJ?q%Đ~|#(Uo?t( 'v^.B!leN1ooطa l,k&&~`kL?QYzV#,#x0η)]J&!\ᐮ^ZZS+K^_fI, q-䘢 fo%} !ُV *Ө**RUxAI gII9Y+$Y%%ù'\oVY#:I-cŖHn( bBʹ!B6,ծX=EV9~Fn@TiTTSwUN*n@eCnSuAK*,|Xϲ͓e d媝VrTuS.߭SG=z2S4?) hᦀ+$@HG$JD7cEMG膎DQ-Db ,"o1F~]#kVZ6m o-~,~@man:4*bmnS[tѷLĩ0i}!9w"w0 RAܕTO?W"wz#I괜%Agh4G&D .傮n"r`3c k*P+XN>}lfm&ĢlTxP!!y\& N(F288la6iclc jB/R\{P`@-n3`P p!hIMK2 dqBlWxJgb̜  ˜3(`0N .(H@ϵC`eh_ 1툉3VE8S @mJTX;TPN܀tg !G"T6NwD4nnM6KG&m!< aԚ@d駐<wyO. 8x#UEz:ѓ@5w0iN2@Na#bl%?s[ZjZԏR\@z,ԹץK k/c,jA[殌omZ<Ȧ{\"v=uaJtxX4Hy:  7"0y*:h^3m r!;2oh(Yo m| ݩ4A)Sw&NT$hYOxP8SaX`6ٶa^">EGeD@Nɳٻg  C_',oLc|Lbeqn춸*2輹{POah9 vKtL !pA ;8}$°Ɛ$Р~1@W_..Y[.B 9a*`s#duLU!Xm@]CX3(uP ^*F! FTw)'5sf;}f#,/cb^&ȘEhţ)ދV5ZK'm I.,$|wS+]>݄m צ.3s "T[f ($NN9ml,KO 0INj D>5CsYYǣ5ONٙLGC@Ӆ 2̀`h_Ԛɺq<`uu}Eqd1er_Zbd&K&Vml͘)36p,>B; Emɮb'ZI1 [ko0WJQj"ÉjqIhZ(9A@u֪@j2_ *-pe'5 \Z3fv^| y5LvNF`aSc'gN%;^ sl럋U*DA0=$ÆN\q= `dVM0hd좄X@ahMzJCPU5gO 3B!1˔aNu HQxBZ"Q>I(L+2򌤉( iBbP(A7Eā# !ɮYd,LǨ_s,za_8LoxȆ -Ű^M((}DペBwǩnMZL!: R#W A0nlcr#x0ɅV iXh0i0a,L0C6OBUg]H=M B"!\Ԝ+WvtVx0a,A\!$K"jA L(]B!>FB9AQ"& 5MlPtv51<$HU V5p!<*j=8a!<+0ka &Nk)0yxu8 ̠ \%:͒6{RIq(yeʆY) /ɀ*1HlR2͋2AQS RYn7E)3p8g<5CxA=|Tfĸ.X8?3Ff^Nі2qYٞΫ^''} ݰ 7/\"URdz8.H)O+^.¥y4 &"6@H&K;d> \&:œb1 lnNj.K۞d"SsmRl( KʮPDmϜT}!PBdN H.𛽲Cq>1q%WɊ{ wyNh1L AkyCFux"X%J7Dz -M[Weϸj(,71JYۓn+dG f}<>[<)=09NΧu穔]yŏGSqC)\D^{ /q]|q&,]V-Afמ"ptOI6xMkDE!FWWBUaԼr)` i靔O׍Rggz-ekX1^p;dFSPasxP:XPM,# (L)"6~oDס)zԱg/^{P-2Eq<@8n)ci1g4ȸQGwr m &MB2(p4 0Nf\}"R34Y~G`XhC4]^Z7|4S<5䘨rO,$(9!&$eR*.QN((s._c@1WH}E$oL>P*5Yd2 `ap  ]  8 ` X/@D5َPCE\66 }X'/Յ-"%4ƨ(Uc/*q7"!HP-A Qc2y"pjg$:`~L}(1m,J*0o@d$RU~J0%J)e%mn%!DJZJ.@)]tJڦh;Oq$H0lpZ@ ' qYTzZ-upվ2cs >-ǝ37Wگ>#}ߴxʜɹpw?pO,vR1c]5qn)hh^~IQ^a cy9C/ZNKYbc@?iHY]0F gb>^PGl4k|j-g1=fё7*d. ߆&!bklsLXFz1z[ZH₈/7ZK?ڿluc")˦(;u.HO%O"A'H? [5鋼·Ssql,N!׭kNy7h23 )iT'jo8XD675dFrѢP2 ۠6 ֢8 7HJ48ttl\7Exs#votT@k0w^X fĈ QGP $Bin1i :RpI]x88Tl5qu; &r)} ڟb]h񛋌5&Mw>q7{gL&|ٟPm`!I?tb};xS/'H}A;IC:LwхT`1qMKŪ# ϟN.&Ǥ #3%^wG',m:NQCԀ1Dd٠ض3PpG*lgӾ%f0Z ;Zܗ N;kD? nakNZgM̧p#eĵ<{OMXc}Q|'府- ;) K{ Tj ե1&jVV$Λܟ8 z?%[Lj/q̽-6?+ J29K;{8U%A |+ a:n nPƗ,YHtL(E3\UM$-`u% HȗP¢r2x#>,;M$V DT+ZCD: "YdsM5 !qAi/{A_2s-$U@t%gvӀ%O!>pݶF 5Xdc}D6:Q ^lOjr2Llt+0aYEoEe(5_\J3p6nԥ*$Jh_!<(T]JupO J%!LB{Q5LQ+RdM;[{q3Go&)@Q[?t46+/[<uHz)\} /%r,cw{h|qCԂiCEcE9~ Yc*JrΛLݹ0Is/[p&v'-lv̒˳MjLCLr!꾯cxD*/bN)}<d:rgšZ3,!͘PnJV͓T6~=%+jFǥn.ar8-I ǧigSJ+10M)w1T@ZtY t[J+Fzp)PP?cY* O.?FTBqYl8 /jp/ עi)7Q]r~s7:Mz[הKxKi3?m4y3WB/eSbEl)ro²c"k_6 >T1o,fKKI=jM,ad ,8FLe~:Mv{-6J Dq9T v`O,af8Ǧ N}fZj^Rqމ@R˭E1O_w k's`/wj:P:?Jb7 &bO3e^fh(e}8CBa'0tʉ 9ao΅ 2EO+J[ Q16vIM>=ܜÓ%5[Š`Kxi]7H,LgJeEU\lUGR*,{cYI1&bm(}ՆθQOU6r RgĀ &9`.`Y|Y /99i[šʃ1,U-V:bO3V"M#4_GXM ā>a 2MRῶcP4 9&vDII31ߌh;:/ՁHW&+iFW?Ɓf5޻=zp?n `392-YO3̀ڤ="NUu|zJ΄] vCLГ_ Ņ0HW[YDI⾚SY6'1sg$] bua1iɱ&gTa7!\Z[.åuKR :PPEy@5I(s55Km91_B Bm2P{I8^lrAkNh.32Laޏ\bCjPD\mE0P1)aN'#y#UpFVŃn S-0T5K;5i5SFdyv=4]x]8 5Xw:l;nTEsiAW<  &Zʗ|(;y'U/= %A}B9HZ܇ MRd~awFw|$(weZoSùVyAlI+P+B%h{u(w!(#s(x*Ғ'PhXh+(ܱh^8f󦜀8ErhN'`ssyl_Qx;B q>/nΝpP}I'g8&@-pLԨqpek(MH\V>)oؤ^F-6сѥ;pMeY_ o:`"k%<( #4?I0Xah4aL?`;ᛒZQp ǿNddpnPmDnuYaAcLn.!>X *~BM!u>i_X3 [E" n#iMW>A+0yn Uag|4"N7aAzΠUQDҝHLJ<2 CH]Eɻ!_<:/AEtXm<%xtO䌍B'j0uL Ϗ^ ,)0A41j\ac"Bt 0Yf'>swn5xXN%m!&=D!Yģ*.B)!,B*  k@ kK-ʼE6aU"<Atg'CϬ(޵,s՜qR$d=9ͥjke P+sv]ЩRG)>/g\!7]a q5$QZP夰6\> ,0ʆSx3& ^#m!h1'KN^ )#Sz ߪg-6zP-K &w}ƙC#ʧ3*@>"c h[`t`16َL6=Zw{Cyξ+G*hbuRWFuYm;14xt`mXS`?ҟ',t8 JmFd,`ZROa`VW0l_T}T7z)ͱx֩Hm,ưv0U1mH#)Q]l-SI@jyls3%vi_;[ƫBmu}e*Pkaᩀ8y1d-dW{6 @ =w0EH//ܰzX_4) @S\J\pW7CM9P'C^ %[]}W(xIM$_Xp_jfMY0 b+cL9`[^p$#!sPGAjlwALouDRIlC`m vE~K5?;{xqf RnsN^FP'Z`rEb+aDwkAM"m'fdn"ͤv1I q |8'L1TArxϞ܁ ?P:!{,&C&HbW*R#7]$-ޠNp֐5(2GCq;롇zUyM޼M Kũ:A*@%cjgUf.gCyWȞCFXv,#s]XdăO93y2.<4Kd2y#[/f>0V,7kɨ;#qa#ڌl7%`dG?#ۼE0׶L:%ւ׵|Tȩ":,u;FVb%_KD9 6~ǩb%a (xCdTg9gtq#0 k?AHv4Qo C+t6Ogd6~֎]/'!QrQAro^t=QJӒgqc[T"udF>e{֝a =IIA!:e _JqE5g-ļcL5pǟZ<} 82Zwɏ+5kء4*JsO$lZ4<2q6[ćn#Yo,FAbi`'bK@"c +m0'[DN78Ft9fbѧRLqxTMT6`6۰'!1yfQ$6Xn5\;t)Q]fXyy-T??~ 0~Di,`;L݇ \i5Eb3umP8ƽ96(-fodwQ6KB̯KpNV~u,#Fe\xG|8x+>Sr(^[j ǶUDUܤҽM\V $yIx{J,JJ` y3T=bk\ippng0 nww\!|vTCm2UU {JN *A-&<:*bCҼ+3^EJ dK (Tѐ|{qyKiPie@I@Gׯ< -?4A,:86>3@0ՐÅ!k&>R!&!*#OC 0=|dh]m0fT i,eZ8*P5 J{xL=kpnIIC k8tdhλ3Ѭ(2ב 5zEmh## 7h# ]2pNQ(vU^e2XݮEZ-lr\d{@AD阻LC}tbd rqaб`9M(@,0ϬEBp #ߖ@eD lƯEzS^RʣTFTj!hև,>flGʡ] (sO,!~ ڢkT vUn\:S!ó4f0Wᘽ^wcdG2sq@96 #urاq㐚hCc̑D54dnĨN! g)   k f Mޟ%dL,,F[d{dͧ&Y s\wsRUSWm- Ŗ]jwGdG6V[~ ) 31fyP3}7XirJD#EXHDTjᡙŴ Џ`Fc;> 196Ўe RgMq4'mX=6*t+’voUy.[aϸ͐qU~z!|/!.g |YQ8PK=^h4l yQN{Wм b s#T cVPN6ta?> EАa#jB͝G}"C냖Vh90SH:|: X`$L+.)fx(,!pLS~cG<\}Y>8 rR`jnڞM~9dbXDL33P)w _ދ'$/?]"y!\$TBqJkjVM4"6JtX$IwV ï{jZa5O|UQ Qタ>3BYH~>;Lc1̉ZdGHoHGj!\ `mw;=m(YS{, '@Pr<-z?-)\g{Ԇp%+͌c*,#iVHBv!n@"?C()0hP6xe|CB糥sxe&w` 'Tn+ &m;()FJ65v$X\ *9 9u MOHJ)dYʪ`@2xD֢2w$`Wf`oZ M`mۤA[]ݐF%G-X#VWXX>/-C&˭(E7Yq.&lGNJ_?mG Z /|qIhi;MG4aɰT0K_wFo^u%U,+-}6C #2d~7@d!XFk^u=f\@4DTq)'r{rlxZ+ u⏥%^!\*;WQ SR᳾~N޴/Pum[hO"k>?9[(sLn`jkP;2jEdo{t%P8xܓnfzwT.(;^FL`L5 m!f&No>!{U_wC]ziW{D4q,q@KCI4\j%mQ3ՙQy~bEs!tBmظn͎xp KA+K#SP פfDT%IP pB5Y,vqp=6H/;뭣}&/@L}9 #E]@XXj(Uރ8}TµYQL95Jؙ!p|xNa&묖T ݤG?H39y{?mauu-1+N/hU HO"!gC۱nZlkxyy?vV.?tBb3 =1%ɼHh9۩2 IC(*.݄i&eM6rfj'zAU=ƿ)w!t&FQGJ9&;bNPf`i /ՏX@%g)"X=E_zΝ,z(O? ڗc:(tҮI3s[8 Ij\0]`n6u'!ף@E6lz hP*n {2 G892Oo`2!w#݅䳵@@Ýx B`Te_` ˣif<}adVHle©O   >Ka$7KTޡݟ E -X5;(gCK/!Yd@vЦ͎JЂ<[( vp6:KYiE[GĢ\ZiO'2}@g 2CB`-2ۃÁ@]CZ,dE$@8~`<%"˷S8@)U#Qse'g;fF Ȱv\^{Qަ?eK^G"*l^Ι𥫨N*d) 3gj;I͘? Oe\%_rcm ЅFDBiS`v\D]Os!&cTƲuD5򌡮4?'h*(V1a lCd8/s&BZ@oҔgZi{Hpi:$!!2Ou/c VpJZnCP0tﰁ$i8yڈ A9{}s3D_\ i#\>`"V[e%êF`Teʣ>J9\Jz Ӯ9B(RBY$Q@脁tJ\42`Q}"v(̀2mjvշ~a5sP`^Cqr10fJ$RHPlza |r9O*P!"R͜8 )U> ILE.uIY. S2ш>tVQOpMι#dQ0,Apr,8Ke0 8_L ]=i;B̘k@GB:'@V^5!P8֎*$ #&ǡ Y23 EXMPVH kCV_#'p2%%.#ҝ 5P5Cq!B+?˞ᒨsQ,%t.kU$D!n?->vcs̼HgKqG2X%E/ȯa @ fu*zWZ龿"c4@}#cR(Ƞ׾g. p-"p% AǡqH c耢in| +:qv]b?㝆 BƀQ,z0"3aE I8F5P}L (WLr*f`~QK ~ *AQ@O G }w j,_V'nâ~0Z.}*EPDdNd{^L 2K*U3C>GDwgnj݄J?Z7ꛑEЯ~q ?WdNWmB:= CEl Ev$e\pC_38h2Jl~‚&*f{FNN@kTJҐjF~RρAڙ3PfEdmo85y"CX*hZ0*D5`8=0Z0&Ic6:(Zή!&酇¼iG3p,r 49 7W#ψ [1SN~cv{B- C(j lF^??n"/z 9gjn\RoJonPؖSW b@^wQw\#5oqBnMueesڌy} l(v@govW_ݠ~/@xv<<~,Id\QiOGcNѣSRD@/:Mhhi?.JFރNJ3 __הDc1(#m 3SZPo W`$ ҕ:1 ڗ n1S\CUeQR-n\xs!YFsns2V,lKl`cڥ ÇfAC~qde<4OTk1c>9: B=.!eLSƏ Ag (:^>z3z^{z@Z_DaB#*"=$&wLL ð9 =q$f5YoϘ(FFq\OaJ^ c W6}Ԋ}kfԶCe38Q}JR5^@JWjszv*vgC @@HU_@Hu \! YU, 7dO2vYAY m㿙Cڃ W%jjBD6 PraZmo@1Qr(I+>&]{.%AĈ9!{D^9qt9+&/58lơ:{e3H{܉J/ZZ,Ҏ|KAj.ば'XBDH!TELHV20zRyA&>~JcXx# 9>\RYz2|"C/ADIM$p-`n@ z Up?$ý4ѐgpGI@  *;4@2e](.Q5Mh#" lom= ZLSZ:@u ]X@ Fr*D`pQG)2CH V;^` #hH}p& cLyȌBv fnBLsݜ4hêIHZ\y|JG도ۃfli`SM6@"RG/w9$Hsۊ%ڍXXLM01"I6$fQdFFxc'ւ`'ŐV`.x"oU[B&!dH~9ؓ.jNI1*?-3.5HwBnLovШ` ޛ ]nN Jz`4t}-ʄ5atĔr ʫ!~ҸD| $t9h,+ ]Qݕh\z:Wݲqm.p /{{=R1X.;};Q=}>ZMY+9S1 {[%6H&ly2OA˞b]Ey:|nfE̱8b#/Ct*`gd3.$s&a 2 ˞pքWr`OF&Y9&2 nAOe $ǖ{EdBSӠ \և9H{@gf1i28v &,}#U(A@-fy*ڨ ;!Ü 0> |XP0LSII :%Ga.Ҧ"#/fx 8n< #̀%@$7%0`;sH qJr?Ұ-jQDBȡy  43=AqW UPDMnkVu9Y{(p$,͞j`ӟLʩԆ/_b,evJ*Ov#-8ݬ޻ NN.m`"Rq5US`?Ǽ[N>ԍ(#@:X5XEum+LJLՇ1pY6avorC߾ 7JDwo9a0+~KAn)ty,5䱌)~yxFu(ijg%sRF K- :&x>PK{ |6Wۡ} , "cuoZgMpưHyp> F;|5׶510Ýg%&D{i-B*81b\㜰Q,-Ec,׆Xoؘّo"aHӖR1+s\} jInD\2jI>X vE]wr`TK'2n=yJX)r8%:!W'Xd/Iy8G1"֎]$*[bHP銙 _%Y ۆA Ϩ krhؠ`XwS~0bE"x{e՝0+}U\㉲- VP fL4 "ʪ (9[r*BA:HA@_`#";A>`~h q0 !tȂ A 72æFhB)Xc~}GQFZͩTX`Qb%:sE± 0G s~1*z&а1=l'CAJmc"?ɑ$p4CQUmiqF긿:"n&&qfnf4 ߫<ſ͍йC0RAzT4"T-*$wIV_yd0%.qylyc"B[N/+PX LV4Ҳ h=j8`ѝrlC2"Qlb>mQ.f Rh;>y$|p߲&spۚ pF5Z=oiyAZaxo6:ytmv>X~dhKpYIx [1a*=$ܤ]p;e>XV(\mKJ6ɮu ty 1n@ؕU>6Eg0[UxaQ,N-]`JuXPBi"`)Р,aJ,oў+I:NH؟Xhr-oRݫ\6 `6t6Jtx6B#ͅa,o&+5# GplBu Z¤ wr#HuIJc!8=c*AF :u"8"'dCCH~<.4@E.b/`8th"cͻ&!+sF$W9c*<`"?D3 N5PV<<`p*o5V #¦ս8-3𹼔ap(v\FۮA2IZw B#5RLN0%ѷc'+Ӟv(Qm{ ICbV{_Yib;%dGМWQ8 >P2 uI|6'+H8Xz[~M DA6 l#6Gq9ݗW Q] ʪ/,`^IAJ;!aZ*Fg|>҉>֜pk,)~.@f \~WWMJo-:M~ØЉ.Pd^0$ĥ퀉i$Ր[ޘ{HT@-b-e^ *ޫ6#Іb@ʳyG#\L0.{R[Ŵ| ~%kQO&.it;΍99qqR$*1Ctݱ`&b^ҳKع _3RѨ!J~2Tg"˱> 4#rQcK7NscN_ Mf6lH>M./$'K-h?-yOY S. FTS}Ed Z'H 3QI0,[goe"*Z.mxTHV9Nxc*\ؑI\%Wbl@z8t&nA4wG|h6״t?o|tpj /q]}S[=ALp<э$HAy~c`)x{eKڌ7h͓OXDlVoi{Vv4$~z"|1tG8KҏqN"|x^,w$ ='%D5D/5tB1!O"Vl:vxՒ԰ފR݁𖸝mSbRfxs)jiV OJ~,ޓj3:(bvw|q .SA}~Hb i_eE8tf|.VFƣmzU^VO_d'+@|wPSY4ń@E PPprd([$6UHF&./'*7"ES 6-ʦ m\ K*6(/HT BԪeg b0NJЫ׆491DRPRQnrɋ,v0BnRbM@*p ApBq ?u#=~]FW2~.0=8X@&+\7V3{*ȾW#˵`܈L)'eWTZDn洚Ce'Pd}Q6}__C26ij8-­d~e m z$DyvfFQ3$h*Da (k3CABb \GʶyiBf~0vp$ަn`0 QxRp Sw5ؒH_2aȪw'E%Q ࣰW_ uqGv{,m wE&h@EY3e_- '57YJ*Ҟ+Nب^Il cZVX )wAxGBYSY%@D_++‘CN9i`=KqEYH oы35{5{Δ,!]u 6uْ0kAV\ΝXBVVuN`)lPP nz%wrtIavK|"Ƽ"]N֌4S*w%QA҄r'~2g$ADϰeKer5u.b<,Q/װ^&4Im }ֽ蝦eKjjZwǡ~zֆZzۭ8) b(5$6;|2HR]s"Cc% %~Wl&zrN>NTnČ ucCЃ6wԘ跐5w Чq! t֒.CA?8`VDDوu%.Q-ҴC33w# ;Dth:B97LIJ[a_ZUY9C,1Puz^MYHHVP1#RՌdz߅?W,S b<-'𬐔rn.-if.(8PU: . -?:˥wgsCs].ggj)ZH> Û#[gJbh͟m!QM=0Tt bC5UPl3x{xHg ZE]ڽ6TX+ܩ!<>ϥ;^Xe ȝ M[>:l>K*w*^S@Ÿ c7eoB&62KӴ\\2<.5P!JX@ {e,m2n612iE/_hB>-/LJ5\46\,݌ $/ > 4 ib/)^mA8[ Xj/LW;pMcI~a8 )IA hc`|V.];8ܤH)uRWOACim~Щʓl_e zpsT q X &*_Yl>%Xd7뛱>2v6^8 XCZdw, `HSYV+fZy4Ep.I# :S: *; OthPXɃd;˘X/cꭢ@G[@vZ+nZ~"+[fu)A;[Ѳc*}6DؿPx:љ _5:U\Ⱥ(qpJE$a3. XfE(_L2Q{{b]A_ίI+}Βj~i&? Mz^ɐn XH,Wv)U bb)XACiM!haV*Dyg${Y(GW|l}#YGPˠ8Ð.`яm%YQ?7rYuW^gK%>{GH8E3&,Z;Ž^SM1T@xs*ʠYUB!D($y0 H,z}_`14Re3w.9w8gy(by@TjMcY6+p UG8$6& 1ll-:xWLhMs)Xν%[i]=dq0KWZa y .%!3/E6L=> J`QZ7YY`3zd }Y3xοdc7v^Ail'$>יW(2ּP 9֎?OHpkTĥ]3j]Ez5? ͢ l 4R(:FHٗVe12ӡ'.`L8k8˓I4B@ Xh GqMpU]*-dQzk rrh)>(h`ʞ-  T Ȥ}](6Ra1X;H1Jxht2@"oY_[dQ}3T Uq넴 ƕr{!A(\M UU@f+7igZb^a^"sHn-{E+PJk"ydϷp3u(PnRK!B!*VLȲGM%ARl+SdzB@&Dz]uQU,; q"<>@\n 6 gs-lhCP,@F_ ꅻm&|~l0_b=\kPA|)j=:"B=GY_-v fl,>4ŷ|!^wX砅6 w&9bҐ!xurpJ}<'Sv2sn؈`mۊl"BqX d(Rtm+B[j )˭(Mr"4Y>]h(,WDlBXY8ڧeaG(P3S)RJR@%k-x1 5'.,h2αéymuMU`[|Ix bMP;.!9{Na(-S~p|`C7pG̙K%osgiؤaI^<-|sP)"P .BĻV6N>U n73b(캻B9S:"MEJBC/tɠ`/B)ֳ8a,Pu@6ڶG HVݎzWj꼉F&JNsF075004W I UןAv K&gNL?`Q-h"wFX ,yaF OAK7ik7:0(h!{\ mZ0 :dž!|` @'b3Y84 )e:TK$bpf'*فL@ L?0Bk (K^ 0I8)<i# 9Y"9qϲLMVT Fb8 Ζg]!o|)O釜upyaW1p+<.m Qma8ymQ5T{֡X>iz&=<;Q,݅h/ ԗ[LyV¶>@&(RWP$(^Ql ]6 /(JqF8->Ph0x G=*jW8`4qbm= ? ׅFuh9w)zUo&%CX6&~PiɚD1tJ4Gc!ARց6OrI _@k/WSAu8 kQ٘iޱM уC˚w}y1_N̦Ҏz9h\Qc\OS'zuYY֩B!T]JP'B2tTΏIXJVh=Z}SX<<63X퀶(p7hB(5v}RQ$eMR֜5h]^<|$\ ScYԻ&oz.1D>&_ҋu/`< R+99q>$0OlX}CxqdXElI|Dʜl'S;S'R*hᓩIS__^܍ aAH^Iݎbq˧moW:DB+M^n٧"q< ړj e&E's愽$"T |Qm|]0=C aQ&q(T(D1Nj!W=n*6*ұ0n%|0_ij,-} @=.m ԥG$ G'ȵNjTV?KCW_ZNYS$ T$ "_G ()gzYX"-Q:_ƪ rFMM!EC˔piXɏm~I^ú?qW18ReB ئqq)U.q=i s+ep[; i s'4d8{Rg8Y*e9N} /OMͅ[ ԏ;VFNm(.VDR(:a\x'( {$?SS9e#G_Gq؈2/4thmQ4q;u,Nц"rRHRC_>1z p`2`;4; 4TqWÈ"ɐ&ـZqHA.xHOt2/l*^Pf/CWuPF?.b^a삶~?y2B^9aMi"AJ=$}j0T245tĨ`J0[X˾`·XR*t֊lu``/ Bl&<%aΗ%bjlUg(z+@A/~eDcSM6P dg Ir(Ez")#p,NI Mέ11+R hUPxW;2$57Ѱy 7U5(rNUѴ_dHͶވv#J\BY^n3P$mȤ#0RF HEȊJQdu$Ԣ ?-!4Wʻt]I0ـ.)<ʁu|_ZƢ9@$Yfa豰%z!mC 6xD`B3v b2oZ!fi=yB]vDmz̪2fVJZT'ݍJW6i45An5D_l ІF0t#!b%b}!u߈3.FWsu?ί78KƐ5A^v43WVeK7^~fۙ'&=b_0/Mۙ%f]35ϲ8ւ nmSJʑ5 ]AhAw:t CR8X(ZА/eG) HF+m}FGl P0<~qGTԡ9cRe-8z֬ #X‰ZC@3ߢSE8n䒆DeC7?bCcW0g">h?{ *j~>kZ)wL`B5<ُYJC% fpsۚt`͖a@Hb>3Pz<>3%LR ?>1I \@IX3Si\Dz o\G&IuJB~P@G=ڬq 3ԕֹNlθȟXsӬoBéIXxjL)IAi<{S!h-dvȦ% F&@ zJ3BM;CNWuv J#&;Ƥ9M? FHR6$|"HDž4WCK!(:@,r5QecpCo X}Zj^QCеr(jǞȀig}M0m;i13(p d.zFoGR A MWT֡3{tÍM݆j/s ʘ%%HMBO%="g3ZQ-L$-h|vmeQ%VO,'֧?e-zUj=;8Br㻔a +K楘KQ&*`_DJuR]FTůUI~SL0qzG)J8Le4RoEI*G'e)MZ1}=;.0ڌaQ<^LzM]]}N#dap)-]K?#ņy1y0JfX,c Yed*fGxL]\+#q[3Eȗܗci@t*n;@Q{K4Pg]i,D]/Cz (#uݐBK.B[-D#/́RORǩ 9h0)\0V ~."H8!/Jt|!ӫ! f2br9Mt9T줮0rM.2'"P$9yO9Qhg0j/j_5D9GEq)w&pѪjrNo#5H2ђ̬ SbPI&P5A*!cNY&D܇;uOxOzlWj_uC POcFu'@\x~bR eoh# ɱ"6ՔD-\DЏPl< i}"SNZ}aF)ڰ*>e@/.DUb*u< Go{h6H%:=EX+UnY)Á>0n%M#3JVۿ jÒYF;\xB%LJ" 1$G`@2 ['AoQ|VvT8ad@l4xtKH1J|dr6Ԃǣ,ƥ% -uYH^ 'τW!\. B]ʤckX6X!bDщALbwnKυ"Je52#@z볗 G-`9hX8"IyB &\XhawՏc Z=epԞ+c{t܆O*hcT$#;觴j#k[p$Uh z"mS7JiJ2W'+cjhU⺠sـ]>m{@欄~֚IBa'%aXH3Ru%d)z)71s!]@ Ÿ2MMgShc qp.?<Fr˿. Y .&;7/MJ?x׈م :d8šMi7?:8e4Õ(UQAdyXܛpEڤ<ŸADHАZa=k+b#Ê98A ulaE` WMQ^r[JC64 }F_hzB~hk*u؏0s2 $fc;'CT^f( lkCH&]oğv=<23#w  $Q5M3є׶ S Ɛ%nz r<$Řs(EiSXA0nɳ;n2V]S CVa^[4ץKi@g?gֶ5-! `I`"ϧDT}~]'!(O,MB );j2_(f\vX!Cg2?K/]@(jZ2 ,YJl\j`}$VR[TQU<8:"IեO 0ٯ~c ^@.E]LM3y~Blo \APP^=Ir1_PQ`_2)t<R{>`La،:߽Gi;{è#jK!a귵;}P2HݵmOӶ (;\xq^*#22TCxq±@=0TEe9phDy Q`#xk+цJBS*7G!hɑ۽4Yo֨uRjhyAcrCW"kB N4u7.cڇXSkz^IS5Ep8T(y:YY"B-=@y <ϡ''W/y0y\Z!%4Bd;O|{}1;P"X>\ALb6\R)  ͯ͠FX JQ d;O_ex@2 onY-Xkkx ׮Y=).$.,bÅ&2~Omȁ6WhK"6AKV |/m!iu>N׀8wu9mz]fօ(s0)@a{XQ&3Snp;Ui)>| ܇+W59Phm&C9ei~6W-s P˹Vb;a#nH{RevȨيjk1ZX|2}ĵJay@G^TdPӫM%>(JF63Nq`]mNRQmdOP.&D9IO9EYel'凧*Կc/vYDo+pm1IJ+|EZlU 'y`[ӁRqKT#g0DJG[Ie;$ad5H-d ڃ ކHoYЌVO7H[,1 ND7 ʔU%Dt01ס͉C-e3il6r2[ F9j e ^dPU -Bi/;0j!IGghxc 1#3(fM v2UFeM#Q~KYm&PsFGs !5SQ4) 8?" d3"Fj|W@7mߕ 7!ü32 FN!2VP(6CD9벃a^2-@l9 #r+%F$|Ů5s$F8 r"F !^8(8q"O5 n V;,'pZΠ~-[[ÀGXj^Ջ֐xFdr;29\՞ه}YiLy4)8c`kPbM2\O*#m}F(sdH8dBp$@?6 oO.e,-bDф0 ik;_Dشj`ŻDq.Z_,r5qMRnjv`rV~Aae[4YVO-)y(!<K s$yTTkׁ*4=`Eg+2Z*1κ3kn1ofU-$ FR§9 m18~hJ~yө)OXreua++4RL})҉el:BհJH+l$zm;7(KO]'aHmY_(B%B!q \x!-|TSO#I0&;{p3 Q! i1~cThB>&2FLw(S 2aqЉR!ݪv{b֨B;TmpKY@2e-ĭ>3$@p f"-Dqy;͌35+oc(1F pM縉DVED 4N:ys([`qbj* ; BK _`(Qs"' S/V ZR g;LbRj(cGQH)&zBW>?:eI1P mBn3BOK CkhF>S 0M|vڰ˫SϰAgf׀͇ ]O'S)kΨ/pB%p1ZӰ >N.s|UՋLLa *Y2~xWXB\LkR5- fm 3aiȄtKVa`=.%gH4+ZK͡n2AM;'dt'D -@o|b8ªd#yZj&b$S +9*Ӆ@۴R{MB(xH y eQh4I$ǵ$4C^ZR`٢ߜfɦ1hkLQ}7B&!7pБq, 5e L.DGC[DHs!w"raX ͭضcy< p͢Xp'߰B}ٲR_gro+–Mk\ÎԬ89o YqrPI/5tKuH+cԗ\NB Z r[LNi݆s ><,]eYPL$^3DT!a0ehĜp2&@pb&Z?]Ԕ{4QNzX;ma,zw"\ecbwO_Cw9@'L<=^-=D G83bV4sO(aX~ Ҩkf F5 %;_HDba'7S,|Ś%SQ16 /P0Z |(ըC7TKD¢՚1+?H]N2 67F f 4p.S\ImiLƓA"c&b>ԆupKc5 oC !h/(ո1;qPP'hjjO|%%2UZ P ;%Z@L`_+\<0ͻж%-݅mHӻq|A](ܥ3Cy|.$q~deԾAonf:oZ3 8,sDfF(f<\A,6P 7wTuedaVbX9R X\r@ NN}4kpPRsٳMt.*f+LxF j02P9$p |]YꌖQ(aHf9JRlhP]O+Q+1*.T.lJsUݭXs IU oJ2UD:4Oanٞ5U@@bbpHPMi\UVvdLt|輶f8,v ȃr$a#g4>v j;{D9#4fW3.! d$1j\AЃ7!xŲPc?hz:0.@A˃tAf0F6!̋7(S *aBdyg dd!&b)rg ql8S#<-,%rZiEs #'orI8, GSeEThK.KC)V$ y\ ("P3:E!! D2q!r,bp̆X `dKDYZ q]&I9 H ɉXB.2>:(tI!cs`:Z@8 6;B{$N>bxClN\rCr@Z'` _plIfI8dn~|D%C6#>Aڏeхw:Wr$QrSb=pB)2 ^F] JK P/ݣ&&X7BLTdd-)A'ѱ݂;h H*mZl_B>}j$i22d*06y7ÿ F bTxR ) 3Lc5Z}Yȴ'OEؕ(%`"RAK,RJwL,.@ˁ(jOPpqM6m6%azz"ؕEJ$ UD/2jlHGyIw4bB 2D0I@?#v _K C 4+5t%r{p2 ^$HJ`B .nlC,Wn.cе春,ioDAp.U)#e/r.;J$pQFqzRP Jk PVp*CZO OH. WKZdkP1C1 %ZVJgT諒gDtDgK,I$ - $(8 =LgD&tʠF+jʟ3OaµK 565u$-%V{D*P"<@>;+δ Dh覆PEQ--ZIG(p*&L8Mj&0AGըE@"]A9Ӌ@;Khj?yN#@KSJrT1U8P58TRx6:LMǪ`zǪkj#ѦGGG#EE#UwU[K]m-s-=lCi|yDC0xՠ5xoI'%,,-KR1؉1В"#j FqM6g6l#9FsP᳙g2b z86qlAg1 b8&qXLⰙa3g* 9pr,PYʀg&L 9 r0 P`3g!>9tr `ʠ3g'M9'D93Ο:q(zpWɣ?7s^nyw"pL]dyi-e60 C =R1$ "7@%/'"|[Q()D Y.W"Y,`nlq|y5O1chN43Mo '?,`>"5AԜ@Ul1̰ҙ}IQc&Kʦsuuޣ \gsX<<.yW'g: cz@׷& ݸ#5l  ds$$[ .}89d^u̚ F#+j•:$N ! d(b R-dbʷYYPl *bFb{8/+kW;1v@(,Q6`uI0Gd}Ir<|;O>8c) o3Cؘ?mPiZ! &ڢHL$zBl؜wX X21ԫo,ibv\Iq sbNˉzCx<MepqFiF0ʢ~,$JL-O Ks@N(X hakC$bU߁i =DzcB,Kq#'p%hTh xE)'(Fܒom=y݅,q_ĭη)KEUt\`CMgZ%b< 9N3$ڒ 5sW>SCOT}jI_I|aG]p$?LO$u33`qοJez?pUdfo8>a(Xu݀OaGG/|S^q|2j TMWl;`y U5l`Oump8 Cc,t3f1Bc#i MG/sfSZ0ӌĚdQG;50JrT,ՎGKQF|0Ł22 QRP0Oͭ ͟2XYԺzT1ώJe 7UqD^ƏWĐ򌋪9wW|I;vmZӻNRX! 52FP>Cwu ̜`%P!,dP`f&%Ouz(sa͚#gX bfGt+D1`:E |<\BLiNDѥ ;z7ޟH'³{ǬػL3+ ~PQYuޗ.5䟜'֜WZGU.,tp/!!#xr)$Odx&1؛vڐȋ(A*[36^ :kCxi)Ȳ sZPn+30Rw!u/V΋hS ީl9֞|r-].6w V_-DnxkF.*$,'O^*+H_=_v^'rC? <'b&+)w b)K8JA>s+̸x>GŽ{T> ٍe \$ *10!@؀*n&J/Q8qx&}a9B{QW{:A\*.4j`f7$3w1$$nw3j @]ae"];I!LWϏR"; vqh F[ )bD!E1t,Y> =x+٣=Wg|RM {vu{;e<-r|' M֢(AI.b((?V=y$mǘ@Wr&n] @þ*mד cBȼ >tUruXYv`*l/ { I]ZOK(?>t*{j&Y,d״c`ݨ lA`N(w"i'JFٽ!=ч FpDu1!VLH3,@(Kh\HBePy@9eA4 /n<آaXVSL/̿ `YFfzVIV`;2p"HW+ 2# F#3Qqt( : {kl$MqM2D-9T'`([ %I\ xm Έ:nyו`&ptyNOOl4W /\2/>/+bl=q&iN4L))'Qxx-fn7X#&vJs_ u,Df\)/+d!|O,^? CGpObF1|]L_L[s.^7r"c%x4oHFyo>M%v9Cjn ,W#=?P3H1Dk6># TvȏoC'M;}C*ZEɜ8Ƽ>] 28Ʋ |[ ؈R(-YjW*j:eB!zߕ )nEzm냵|:rJqTq(kڂ7|yDTV!9) GNr^4ɿCi=Tbe H?< EoF˜:Q5, &bC, A8̯:XQ4H=ڦH/N7K=$_:JH!bP!~ `ܪ*FԢFw$,gL61i{ٍОQaqNDJtr3B䳦0qh<Ӣ8!y[ G%Fc(6-rc ([mϾ$b;kmS* r *,bVEc9 1⋉\XcT5fӲ*:o2}}=*'i5 ruE.ГR[crhed8QۀŮ`G4"n1۱K!)ZY5]ldJ,eoHp1.jASΆOvAJbu Bn ka.N޴CZ)R5_ՐFqi|Kp5Q;!;(5P r{Z܍ڳqZ*1 !oCZd1댿os>,܋gwYy873clk8W2qopR0~.pfTԈL!^ &?<4645e^ud.%̸$kTEEQSi<٤Bi)9z6zS&)t@VpI+Ԝ );s5y1g;RFzW븟kj & !6^a0;:d46D X, 44Ίpͦ7\i'71ZҲ{!hNB5u$ /.M7ɽ 1֊Of"j&BdQX7kX*Ac6x1B0f U*)zM3dRQ\SDdFA{++lkbY4,Sᙯgq'm瘅,{S$ֲh^Ń1.kNqYJ2Xj j 0(W#*+m-B`%N)@]r Qyb"x0piR^1|a` +O“@; >23<9G s KgTj6׍qp`bo1XY-ċnC@jzY+LނOR$r¼uKc8>@<8&"uD, :1vc `jPʑ!bF o98n+ jYxK ZdlIqcf/p\Ş mqհ}b{X.v ^H!9+aFc(9]97& pHrCXamʱD.#lV4s@`ĸz dn t3*kx`oqp,Ah2Z^Yl{Lmoc޿1Z 70VX?Kcь)ñF6wOV}FsYd:, +Y稈Tdciy.ێH,r_"E Pv|(LW(PQZY$A: ' x*_ Ad U&#rXz@t: 6aCC2lk |AI  YQ~Cj+CIވH8[J5XxH DU1OlO\,,J$b(?v!TѰA+ELHbRBF/YM~6U:b ibS=B?e_BoK(irL`ފw6[r/H@IlB#^A[<2 g&f0PfJcO D,}xЀ+7bB_4Vb }39©-|tqJ@mwNZ Z6yhGQF^"c%ۺbNhEo_|\or#{> biMؐC<Ϗd^lzxY0%%$ȑ{GP!Tge=_ }}#.i_Š s"!(QX:; k5rtP@nb ڋB`2]#uxg}o7LqIDtS燮Ɣ}vQ~/w:B%4D'ZNJK%"'X g\A`O8cVǚ|L+eqD c6v1E i@ȑ`,Rigܻ 3\d8 %ɬ^ sygmsԆG#Afa;띑1@zaǠf={H5Tݞ1ϠCqw :*&"OVB 8 ,'g IG Qf p~)q8 `D з`ժ»~:n-zMI_${tD5c|:u@WKGIV] > +EH I;0231v~X?;˜< ]Cל C'!&@Q/؊#H,J`oj T'(A+6YjvL$7vz;'=I e F'dJ23dLہPՔ?.b`x8y|Ȁ-iwz(D_>?ɦ [l`l#apVPP)c@c77y7[+P\'W-O[_>"/1^I%u?{ME9nfR #/N`cAWR$Hf "s2mJ }">TX8cA>uRU!ͭkv tE?K +Nhƛ97F*f#n>jsC8w ĻV@ڜI+n7R>`,:~FcH}"'"-Dj,?$~SD>+#++ 953$'N,oTZޓzs͍inB7 ͣå}"7+|-{l *NG V_0 ؍`[zl,lG#TdϽҠ/ VpKÀrʐ%E*EjR.%1//5,$ aiP%'K̶=h'!/K 7Ջi!ZKؒLYdq+ y % 4NRq 7(A%c!/${OMYK_k.y}$f#R;@d$), uDM透CChS"$Lr3RJa`DE]j5JHN Zj6tR@,W!=n20ul-qY񙸙dwO+ #tL$jG_>l;]2xM0B<=(4 } Սϙ8)P27KM{6Ȫe|0$Rc nPah S~!B=' & ()[ty2'f0'$l {9$ F%w0W1g6<"BˑUjAVLVljW8"Tzmm+RԨ-:+ӑJBjpE#Dp)6|TvU2 Ǔ&oK5 PՠF<7gkJ'(gw@X[,ٱ f@smi͉"lAF<8`,NܳyɄR?{5d$ odŧKx""S^HHX\ +(/D:Qm@\Ե؁Sx!=7 Nvi0U5hF&OH1nîJJ#m_Zq>~2)GLt5CgP .Mʌ5!t)aB@|e Z4 #q"JK }) G3-FiZ!w="zHNC3FCHdxHxFhb4 jcE x%l,e>z.Cl1b"#>d+EGș{S}z;s 9>Vq;-^rDX?P#riJxƴTJiQ+Yb5ZM(3%.wR]gCɠ_mghb9oY-Bd6%vI6G.TR @.jy+!5UpgHJrVDևȭWyl&CH^ x#NJoM$\2r\/L<#'+)Z`D2fix݈:/ScwO8)Nnb؜,LD+CPuвϴЅ$WаSMRIQjm俪pj4KED7Ӭ*m~!]VcGtH8dYy.'XSƹ+#'V%cV HpPFdR OCkܲ N vhZ;~0tmO.ZjPy,׎GBN)y(e|E,YM%]JW#RmrOwAAY3 2i*gE S:Q])͔G߄vCxD3 ?d Q!d)GK H3aFVy *F"CW& X1<"Up,uF{UFUwL .Tk*nlw'|Peg( 2UXzU;(q`XgBI(,:RvO'tяF KGv{9:h)Pe(=6YBAhm_'M A>42b=YFKFK`k9[i[,+XH],<8<5dY;*N̥0%2Z.`Js8_'3q#(1+e=x/|>eBm^$Y&3 KYh2Tky " ZDwZgMa3>~K":HA%" d;ۄ']:)At, ENC*pnƿ"ˍ%Q/bV1J=-#pŎ%"}B,)6SհHJu @ֵEe p-آ&]qH\ViOmysĂA@[bP&2B &IAC4`8e`w8 Bϔ)' TEiU $qT^'D1)>p - TV"jV=95KĈt 3:(3 r斩dG/ K4gY=ў8 슄! ϬKZ`Qܽp(A@{tkN I*#ZJwzi##n oTgxF. @ Ũu%l@LDr>aKEĈn&|#+6% BWPM[3i08emox1'?I%jKR,= Ȃo?f`_Y-17ʮщOUtK{&pWNP8Y`.Ol0 Q#ujF_'wVg~vNTt>d ^qEB_ঁ:_̅+R%:՚%W8 f6LڬGf /4 6R>؏Wdr NE!Xjz-\0~Hu~#!7o(;b /B Ȳ*!,-#׵} łhgO75BEWkiج8yErQ(9CݎS9If,j.|%>Fו3嶾6 DJ95A7ZeEJ륇TS^tW!8&&@ N>B`m@s'ct7K2*'$a%\,c߶uFuv[EJr3r ס&8f#$!D129#B (| Y;.JoKLnL30ɍ0;{ 4G\'m w$Ÿn4:7P`Rm Mf 9O;,+֕EhDdž>^2(lUUI dh,E;h68fē)x{Xi-et }Lѝ2kNNk[(CV/? X Ifydb̍XYF#9[מV@eABzA%U\1ਨv($&.҆:%N7\eSL59$NʬĜzfʈ l@JBT2+SOTg,&Q+~{{ۍOQ Yg)jPˇC*"6DVq,$Xݚж{AyC,"B wJQG~c-Tw%i.b-tgQ!JQ]V9sj}9<oۧ*E 2jChrD7kE|84F=jcy+S9j>TF0\]ThNKi-MHHܹ/z/h_BɥH{їP\?:7AI[B=fi$"t,ѳ*ͦ7H^DYJnm JDVϧCTeB3:,ȤC/wWk~`*J?!LƘf,'i뙰-,Pi(¦œ->urQΣBdLJQ^ LGRB5d>ey1)iF Ϟw?'"P"iӣm]%NrL(QBm GTdf't@P;5h:!%vp肱N^9vkTi.+gSyJy㪇 q=8!o"U'&A4xLcNUn?Z)&|K\N!e :)}F_hPG{9?ԍI}Z^CEҨA9U$|pe~ 'Tke(#*i[%9s⽂+2 Ax@pd|5ήBP IS%LT,Vf]rO&.i1,8I+*\IT-}4YQxXx,BO*uׅJ=-i=MA8iiZYC2CZyZD*Gu^mTb:ӳhimHCHԶqDx'ȶRZ%yWpQ#NONȝW:4l!`OllmM[}A[x" C|Hɩ$0QU.Y!",JH]vj2̀֜M4q1K:9J hҌ$qDZCEŸsn]Q{q^n^pᛶȪYY1t;kpV] ^+}LU*A4T;5Ҵ$'~W%nxZ/gXQ ^FD Iӭ^P|%M[{UKCH []lOI8HV'Dxz5S)xL(cZsZR Xoʜ!9'yX"@*M+GbQG-a)AW[hħA)I+t42QSՉ2d]bFBF"nRe!UiXں0&G腰'3p n"͕Ø <$r a;$rTPN(YŤN*"B(2|\x8܂gQ_µJUyEϙ$8Bɰ)HșOj?5 )m@Z PHjz_]Ox(3B8+.\CӛHא@o !jjnȍ&AxHQ!2Rj\>g2WMs|3\\ؾ)A?Ns.9 a=ARV`cfNcL^U4R!a% M$qԀN8%pZ *Wۯ Qs~1Uv]W)F XKKa$Z,Ȫ!k8\4(8 cv`)+6vܙv޵n!)+5 ֦r ]SfI23̦N8:m9icDpu5=9:iΊ\x+j3zT HxzftɯMj)TPP>fi`[ЫNS;jG1gB' *i6sJ3 8sh $$xĬt#s -h1t&Y $9\>Ha-VRS440z Tn!lYy`/iSD+R+F"mhEIfQ6nD s+q$,BU!YQ҂Pf* #7)!.P_) +s[%d& Tr" xc6;Uu+P q+oIbeP.Xqq,1!DY m 35cmK1g3EH!2!ei+8h@s:/HqϊKg(_#dZGCbʼn 8(U! ŠRjP`QPD rB^~qؑP_=(@yd:zDeZ?|eB9ڶV.(s%Pcvs `ښ*мK0+܏V%'I`e #mNޙp ߁H@2;Iv[af. a08ލ2ߔXti+`3J3#(sSw0e]3!6X]PZYA y`D`1?y 'AWZ2{lLJC5i n\W<(X<Hp3yJL0;)hEGeqUf qNZboOE 27-_[0`sc(_I?6tA{[K{}lڸaSn$=, i[c*6c{cYB"PӸv$q C=˵uPE0mlKev $i$Jp+gQD1RKSDb8xڣAC:r-R `B;ԑS\Gcfư1Eޘch*pX,2Q % ԍdB\gL MT,KMG:b/ޜYGsHPi-(V#ljda00mEM|OR{іjU Њ\8!/:Uğ:c&ug֦O\")xb LY*BGXq}avmHw9'-ޥ7np] a`eŇ#[ȗ0q wÀȢA7.SLiK8" #فyـvSl`G[ XKX.1,EہЎ$XlDLlP,HL>Vͨ U!hWpMdxW1!b.lan}]E'' *@+bVwA>T5q x&tY0o8]IbUPsl p)5H. bU@dNaDg+&&0-a*` ]B!BY9= ڧP8} 珋/J玔țNc.ZLl7:yTp|2 YD _&k\%8H=N !g}ף%\UMzu,Ί=ݮ0eTc83$\q#*2[BSw|RY]THq9 Z$|>$̔z6e5 )P>dx,-1\mDoCEb=k¥1+C«(o6V5 `~[ÅHmBbF$84 O;o){a(1V8i ?`Xl.y;%%R _;]Nʑ`!뻂a!8>!2X?<%,qY;jƱH,f!1+t5)^Heb9.V'MuX4XȗJ1 픬oHw`'4jiKg[ )yP!zoTFY"gQ؎%ĖӋ*}(4#e [p M>CPuAd2).R@&aZцt!ls4gHP 7u-H-؜}@[-yԓ\ږd SCGb+}$N 'DIrյ{( xd!uuR?H5P'JDݔCVdff&Ė W#!hYaKfg!ה@~n'4z|O썌E^'YeT-C4D75uѸԿ _TUM!PX!ﳫ1D1"6R:n0I6jR dt;ĶWFY.Y}b^/T:&7aZ\!ݟ5˸ "sHڢͿUh/m3D0 5`%bDJMvwgsp Dqe{ S4.=q @쫑щ @ʼ123qL1e Uzmz Y(FO_ R\heDz 25ЊisxdoR)*-%vS0Dg2Ey5$jܔ~!èSOcG+hcFm5ko͂ow'n`pBK7>Jz闟 ?@B8@-+34J(n'~LD+_~R}kNwYpAJJ/֞bP͉JC-QL,l mb3KrGNl7I F (oCSiY4!3x/y+6m!d͏e նP LR 㔦ss谛BrJpEhh@l!)Xw)˴Q}+!kE&M[É@m%9l0]vn> `dq,y3B9n^Jtc NȻB*S*(LW aϜEC}^%,\XJ6jUqF%[u4.P5̻zfr L+S1T `j>& ^,Xܫ$p"F@@4§ }W"x,1Mp HGץ(+6EnQ͞Bq! /j`ъ& hLyez3mdg5 Áxl'h&#A~a | 6pMTK`5Jh1RO-:5@ 6fAKXTM[>=Nf #?t`AH*2~l <Q;cTH@%:HjOC==PfPLn:1vOpH-Fg#SQʯ0ܤ- X0Ň!?[6ZADD!'P!sIN =^ՍZYI#sj0~%2/@cw=ĭ.} j)b<&^-BS!pWȩ:CU`$"TmmUp>hGo܄1G_Ѓ%xyu{1$uvm+t$ٵRuf$"1eZ7AxC~j4 /"`-[-ꌟHaB?Znè BdD {xL"+lqF7AdJP$蛼 ^ur-٤ h AZdQӔwB!4SԶ K(,u2AZ`}n+@B3.cn R9C펵u!љqUm߅roU'G8pxVꇕ*!~Xvx؍&f^iHAN{py`)zkp@(ŪZ o|ot #0Weߟb&?pVנn X A~*667^)$4X[r)# ΚzbI v  <1Vݑf9k})xw“LS7 >Vw8 ,x"sh>"LryӒ?-\rJ&Q_X@Q^x^@H  w3[9B`1cXjI~D#V>I#1΃lOL.J/m0?MbmO TzVszÔ8m'N PC/q*pY}(ohU@Gn>Tw@Yl?ϻ ƀr|Q9%Ȳpn$]ͷx+K~ Y zZn6hWјսTl@:LRߢGPDӬ`"paxѡ +8L ٨CfC #8\[$t6$h%jū(n%RX2Ԏ{ E3gE ܨ pbQ !vJM[1p9RɃfؒgჴ~`M S^]gH:jnx1Ha CAc ЧCq].j< VW@g[FiCYp ZINK^<#/c(6J1oϨ2SVR)#Eݭ\(?@<Q0 %Qeo7Cَur· ɸeN?QA1FIj+ʬf PEqv /$-yqnYO+/`%.!<`d%Hjdx%^y}AQхFvcl)ybM*_TE-~ Ͽܨ*;Ȇt2GZmν .cjC8f;K1X!(-Eg( d|Bwe,hVFqP) @<H)@s^VqP1BjљP]K_@7Pwreϡ LtMyW\p ձGyhkђ򜫢t0WKmI3wBpk&"*m }G qrzAHU'H Sw C4+h]>_&^MrYӵ șcy"ԐFBrTJ3?93 +q "` ]_z_|8(WԆqFn=h}jluB ú2پ . (]rG @'ZM{ Tcxg(Lwgq[uxx٘4187i ٫j.7&,A+~_BRl"XYF[q(v0My!;l`%8Ə3i?IL fܭ;[Ƭ-yҲep;Zs{Fgl4t*uw^g/bmqg1M](Ȫv2Gmt sw8#Iu'+]) =Gļ3-đ8D9;IpUN!2gnb.J) "v8XpҷUMe.~t呦;L69)~1.E/x[W`+&J?Li͒Z3.Lq )&I߂ð85Wt펚 [5HqzN_UT9I`:HYn*fi|%/1Rnb̌oajYקxD /\T!i*]MHj2ƩXM'ڮ0[@s X[%4yj1)'(K|~ӊDꖈ 6Hjh݋/kz] T'-ESG3@N) Z&|f2y<7 wO lNj49 @H$ڀkTK5M|@4LUIa &e9NWz{y^$LgGw63('µpCGPc_3ܢw?G0s:Kb@sS&pb*ϳ/4ݵyS34 - ryRqQy+TT7M@V 2 @'Hx` TP15SfE^/a0U8Q`(N!J<`(K;$ޖ rc+꨿˘9=S?g3,}Ȑ*l* *ʀX]ɤ?kbRE/hmmXTgk[Q=ܣ }̩!֬QSʭ/ێ=71tG>cqt(-]ԗ #A!Jzʹms}'A׀h@m 4I,heJ07 pl*i}I@7ӜnqI=$pӬh")ٹƁ]Ț/8,t r-:(ΤgdM9tq z œ&;]FVWMcöj =·81\p.]A dO6csF;28|B 祢 hG!.ʒ~0ί笍[Qr*0""kU2:vUlC@,=lڈϝڒ["ҋ#:,}+6̤'CE>|0nWQ 3>mjV9j8nrqwYo[3 l&G[G8n5*@E_01}Dw/Yb# R5:"=ts!Q x"Ƴzl)ދNOiź&+Inx;#KQ2[tFR57"Yd})%hxס*\X#+z`( +aMpLrh2J|UM~%6j@пaH^94C,YX % ""l\ +̪8c[lܮKz ̖4R *I2g<` #Iʢ?߹F_83xKB;~{EL!/l ױRVBnf8B_/՟3ٷv# zJ9_w4\6rEW'ſ?M'׋Ql y ̯Oqh5LwS 8X(^~k;B<|W,?ūCy ᕉm KnZsr}5)1d`-a)Yͧ4>.#]R=HP)1ՈSbطQl%g22lPt(M>yJa T[$O+@;R :U`]th?"mG+ǬFA]\bPlbfe&8*H]N-P.,Nplvg4ɒ\nEER[fzZ źT6e7r+i_~Lc&pe=:,J.T8U; ~)'7D(qZ?Z]sF8$b6l!-}W l/ =ԵM2W sSn3KšQ64N8uձO^p5e9)pJ/ec.ۿRK0`u'Fyuaa?abԅ=a1NQ% rhA4!n>}'~h>%A'6گaޛ~~Uh9!EobOwCb<}i^6YN.̐|`?)PBfJ B#AlMͰ,fiv +G8y[F&PԦD  H%Phlɾuqr. me2wMeӉSK 3J!))M؊D[ĕJWe#@z00 O]4z̺ap+Ђ<|fA@Z!) ubBV Lcl;ȊDΜ@N<73Wx FHmbR }g̭ƈ νSpa*.a"3 +'qRkѦK1{:x;Fs}}ruv׺?GXN+0NPx9k mV+=edTc̐!C`? 6,8>՟l>H4\VKSW?K"zr*3+WÄRɈ ;SeY)(nIw`5w^7(1,_.[ c-'އb PE#N§dGpbUWt-JI l5-MqI: oc͆)|bkPӸ|mZ `N"N'{ BcʲNH/Bb 4#aLqV2`fS1t.7(}=j6WC3aTCDiVGXE8*)Q:}BA &<~C/z6nYԑ7rG,,_9n.CaZgBvZ|f̘rAJB0k"c1+ih?HAJडRT@%@9$g-t-< 0 n;]ǭiscfohVbڼbpI%,@4\*vrK2јD&A#T} O&fxvyq} 5`.!<nN9k9/n3rQ9J*A+a v3iWirT;>*B X(ՀreMC*W$se(<5"3 nB>j hhF4DN黪$n1ݘ=(a{2._}d2X Lv@PUy쀮(PWΟ(B?86qa ǴoMPEڟ=bSwX#;rH %t46l %8@]bEh -2owX=I1XmPA7w` _RU3Tj; DQ1 dz IGk @tyK^EzZ ̕Nf[Mmw-SE!m_::A,A6YTŧ'w~H .*:?i6'Jq1c*2SI V1:za$S0)uxƍjTkJ`qi(L eb7MՊ#DDBMfv6?U:@FTe.u~lKBX74ȡK`6] u3**'$WxZ^oN{ʩ=ȂWXT>0" adPsxa`iXA /CAPJyGtr&3tIG7Q"B熜Ao4EJO`vxIuº6`>s+7mXTq EZqhtH1# IG4+ gفpIXe+w6Ew/)H3Pn!0DY%B" 1Ey&-(#ERjBLDGN,Xef.u=y?ȝ 5*w{`DD z1PQoÌGt{yg1وw'ԃb{?/e 5SB_b31pf"]JW%rB^8F$IX`"bDR_Q1 >~1H1b.X@+nHhb$~P_pDcIDYAŰMi'33;2)_[Nl HRy-<}1q#Z?h!zQh$Ž#v 4Œ=1lO^d)I=I<$BX]b~|L&L\1sr89 R`Y&) L[m@1 Jtb1wy7c@\iE?.s'XzjVY=G([ߤ*<9˘R`Q5Oq{iPǙ@AOi=Cb.N`XMqG4K)4Z%?E|@cbW>j j4bi?8Gl'$[lk}<e|> GϮV~$lEzwK wvgLAg{d+ͯ{3 Ӕ †V%^{ I71Ym!3{heK\;!4!Bf>;tn߀Kkxj fKP޾PEf+{xoѶ'[|1A 7nmx+5}cy'0Veҿ J_] }n0c( çAŎdܑTVE 0rOr ԑKv'XWH2 ` 4Pz"*_{0&ПoO"4ۧ\HNŗqJ;>J'> HoϺuN{kH/;b H-$>-[⮥`{f-d8 MvDPB :=gշ xϜZzCNm~`u&kS|r^hku-c}$7Q:1bMlZ I)p,<P$:fF&R/=-DYr)-j\`.H kqc$)GlOP/ ߮ [mvj-8 3*KTE ӈ$Cj(X36QE)AD?) Ǐ@R%49|`BȀ}+!A,<{#"No$" G-~f`& `)w8 >-Dk PVU|_}rݬ)sLr?"i_.`$Cn6 P!x"q< ѵ >#"vKO FÉeSiG;\t+덯Վ.^L (byvpe tK*Wl%tzKœu!%K>RuQD =âXmTKXR:mS  BusR Ld.bϣ$O{`6Kr6L` 2"ɀ$#UHR5 kbw5FUK }&Z6'VmiH k IF:`56I(@C $mO_.^,Gсy6Pds2ĭqF?r,LI(b<O\'r4_aQ A62pUz^cx#y !$lvI|aN%o-Q?S |)}vTM -C"4ث1X"2H]cРJp-:ʩ`': y |+ qHH,G4  L$ʅ}=E!䒇lB=U1+(Ce/M,DxI=T7M}؍};@cR8"X;D~"'80PHdfM .FmB6%l:k:W^ Wv6pb^mH6*0UƁ.7`wɏV&8W`I?DZY EYyݚ4:/*sO_>x S}1;IVۯA>x׀-D_sjVW[}" 4ߋ w9胞=؞tjqm2  , Uځ2+?G({z<&x€uOJā 5[r;@ެ7J\(yLի Z7߯(ջStAI֧{센2u4SIs2@Pu䍄=o$J<owOhv``"MfUS ɂ=GWDmu񲺪v(4ƅ2  >{ܠ8u'.# w>v61a4v2/`чgO*{ҩBmDYv.I"8`ޏ'mfqۺ>6!#\? w鳟$KJfpc@'"r>.0b.V#޽a"8^2`qN˽} ?=<:T(]KV{:&R@^`3/T GGgfmkavY}G`5H!4g]vH6XFVШ-uRZv6. 4[N҆-4}1Taft Փqٻ*ayB@1z}Z?!ΊhZ\*Rb=sM,ܗ d l.BRR (:rtu"6ygsW5m9i5YCR7z8gg@u\5Qڼ0 nI_}校g{Cv<;\ /b_i -EvVT-+.tIhs%i&"%}aׯT- p\\]rNwT۳54tԌ^"`61 9(b)좝yIcN7(b+ Qsf/`-Y~I0%a'.!haAi̶iU6zud2I zC &ʊ6Oep3X/Zv%@pK)80&[&Xh`-:@-:iX5|1쀬kCș<+j47{=pTCgbׁ ߄|,9 |0i͑C. $()Ǽjc!圏!O?l] #aɎ兖#(bljBR;_7`D_TH_Yary߮#rn{G`wBMX*q6PI} 5pv1 ea'.r;hCq=JXS$Yj hv( pj:j"ᮭǍ TR]H42f< uS[9(,'\x:D =H7PJ?~ry ->x$OB|t9 }wJr Aq10XPؾ,Ɩ._≮ån}%APV<1AuI00/0Ŝ{ׇ;DTwFAej7>2(F$"7P^H{u!t[7dύ2Xm+5l BR=["kA_\S "xWr<)u}ώHj6s&@x 9-{fs@c' ?Xop.$2XBTJ_$; ж$rO#@(R% -?4.`sԬoCNM}\I%ycn_ Z wK" n|B'h@ -4L@6j2]U0̵N)c `HxElƻp,q%Qxzp鎏}h2<-ri\J@Bz nq3]?"s҅b7 7TsZ~Q\|zmNZ7XcbYŐ"ʓy $Y̿`aR+sP/yA= 8IB(GEܜ.c:nj%8oV$L4D@0MB; 5 d1 t^Tk 8,v,1Z߄F-va(A7UFD0GgA]j>҉ȗ7enWUu}4, S΁F-v`(߲u كP‘su[/(MY#O>,ƓXɉ]K`$ğ} ۚ{~٭T!fԢP@̹ۃw71ass)Azinř/DxP;PS$)qL %tC7Yg%v+d*bژ-dl%؎#L :D/9PGrb,R? ".3w.bS0њQ+̈́(|$@71hߝNP\s)zqKB3syLTPZSዩjDH J-74pb@Bptm]t͍OE[H&%9|}&}-8H:%K2dm&]~leIt9T:>0 ,Q/r~zr-^x%()AM6wleOWxM<]scKŻaW~_p **;ʌB9Pz{9Fpl6ӋTě@S\9LE$R"BÌTIL#% ,sb3Te;S-m(ӋyLe@}\9Oޫ o{wc$ۣ1a~3j\ 䳘&1懚#9#^/Ǧ¦?`FcӶf9V XS>[0@.jf>VQА2 .bJK>^3T\9O "Ӥ@-@D-9])K9"f6S˞"XZqI1tMkL- HPK!F5ee\kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-regular.ttf@BASEsLPFFTMoGDEFG/KGPOS[XXGSUB[hOS/2jx`cmap|\y\6cvt RfpgmS/egaspPglyfl/]Xkhead͢p6hhea` \$hmtx :clocaX|maxpE0 nameM؛iP)Upost>:(prepc\webf TeideoromnDFLTlatn$  МK͗ѻh $%%&z{;<bccddefghik{<HKbddgh NDFLTlatn AZE CRT TRK kernmark mkmk.size4d (08@: *  r6 x "(.4:@FLRX^djpv| $*06<BHNTZ`flrx~ &,28>DJPV\bhntz)mLmmwmHmJmmm mm}mmmmmmmm\m9m#mmm%mmm=m'5%ZT+T9%%-m+-m'Hm mBmm'mm+m+m+BJ++^m^mB%BL5\D!w` mNh\JZBV Z\VV &?F_45678:<=>01@>>B@CCVWG\\I^`JkkMrrNOPQSTVnWqrstu$%v{<HKbdd4gh57 &,28>DJPV\bhntz "mmmmmmmmmmmmmmmmmmmmmmmmmmlVt  &,28>D/%)Z (89HXYpI `n ] "(.4:@FLRX^djpv| $*06<BHNTZ`flrx~)jqb P{/%+BF)h)Jy'+f9+BhBRF+PD1;bD%BJZ?#q` dd\HV\V&57?F_34>>5@C6^`:=>?@An}BR[%%\"(.N>T  &,+3TJb;4:TZ| *06<BHNTZ`flrx~P7m7/%\VZ&*.4:FJNTZ_nrv|J 0&R }{<HKbdd4gh57 &,28>DJPV\bhntz "mmmmmmmmmmmmmmmmmmmmmmmmmm6v @bp&8JXb"@^:Xr:LRhv    3>3m3 s;=[]r){%JJ;Nf=]r={ []rm{RhhRG;o![]r{+  ;[;r\;=rN{;b    ;=];=AA[] rr' m===   5  ) ffff f?f      f     f   f   f       f           III@F ?@ABCEFGH@BCDEFG@BEF@@ADEF@FH ?@ABCDEGHI@ABFH@ABEFHAF6 +5;=A[]egi{x     s}?@ABCDEFGHIA&0 8YERjDD}NJyqq3\31?\))!)! ! )''5 !)3 d`\DD7dJ`!\'! ! !   !   ' 9'' j 'jy})FJ\fN' m)`)!5{PF!! 3 Fw3D^wyBZ)) ) 'D5+qm;T ^^^FoD5RFdLbm )5V'F'F#1+#d`ZfN\33mJ h 9! '/ 9! '/!  ` ')){j)   ! ywDUUO)P) ((T <=@AC@@GK M"$O&0'*+,/-//0063456W8X9:ORPS <<<<<AAAA@"IQ&&&&&&*'****/0000006666909 & & &''''.<*<*<*<*<*,,,,@//AAAAA6C--E.@/@/@//000<*333444455666666 8"9"$:$:$:017 &A066666,045 6062V 0<*,@/@/-@/@/@/@/03334455 8 8 8"9$:5 & & & & & & & & & & & &<*<*<*<*<*<*<*<*AA0000000111116677777"9"9"9"9PPPP2V2V)RST+,5BBBBBBBBBBBB6666666666666666666666666666666. ;F>?DFHFJL!N#%;;;;;;;;;;;;;;;;;;;;;;FFFF???????DFFFFFFFFFFFFFFFFFFFJJJJJJJJJJJJJJJJJ!!!!########%%%%FF D+66D;"CC513D>>>>?8: @D,<;A-> >>>>>>>>???? @@@?7 >>>>>>>?? @    ;;;;7 7 <A5 ============&)%($9B.BBB.B BBBB.B.B/ 02 49999999999999999999999B.....BBBBBBBBBBBBBBBBBBBBB.......BBB BBBBBBBBBBBBBBBBB..........................BBBBBB//////// 00000000000000000000000 B'#*!F  $$ &A FH'JM*PP.R`/ee>oo?qq@{{ABC[ou>@FH[]`gh Bk5lCFHIKLQQVXnqstwy| /$@+;V==g@@hFFiHIj DFLTlatnD AZE HCRT HTRK H  aaltc2sccaseccmpdnomfracligaloclnumronumordnpnumsaltsinfsmcpss01ss02ss03 ss04ss05subssups"zero.     6420.!DLT\dnx $,4<DL   2 V p   & 6lBz*<rhPhxo>f4;0<;0<2  $$--112779988=%%  !!  :<=>?@ABCDEFGHIJ89    ++,,..33::""##&&''(())**//445566          LNPRTVXZ\^`bhJ %%nn!.789PQRSWX[\`abcd e >k@DGTV[]]xx{   5KLMKKaMMbOOcQQdSSeUUfWWgYYh[[i]]j__kaalggmmmnDx $4DTdt &,28>DJPV\bjpv| $*06<BHNTZ`flrx~ &,28>0"cp1#dq3%Ig2$?&[f@'}gA(vhB)wiC*]jD+^kE,_lF-`mG. anH/!bonLoMpNqOrPsQtRuSvTwUxVyWzX{Y|Z}[~\]^_`abcdenopqrstuamv\wbxyxz{e|}~5cydze67=rJhKix &'()*+,-./0123456789:;<=>?FGHIJKLMNOPQRSTUVWXYZ[\]^_EFU_DENF"(.4:@*}4}J}T}*J4T    | N| |z 6X $gY~WU{S| a~_]{[| Q{OM|K}&0:DNXblv~V0 ~W%1&*,.4:FIJLNQTYZN {|}~KMOQSUWY[]_ag&'()*+,-./0123456789:;<=>?   "$&(*,.024679;>@BDFHJLNPRTVXZ]   "$&(*,.024nopqrstuvwxyz{|}~;0< $-12798=% !   +,.3:"#&'()*/456&'()*+,-./0123456789:;<=>?   "$&(*,.024679;>@BDFHJLNPRTVXZ]   "$&(*,.024">I?@ABCDEFGHJK DE nopqrstuvwxyz{|}~;0<2 $-1798% ! =  +,.3:"#&'()*/456FGHIJKLMNOPQRSTUVWXYZ[\]^_  !#%')+-/1358:<=ACEGIKMOQSUWY[_   !#%')+-/135m"0132&'()*+,-./ ""#%$ ! ' d&/ &3YY%;;& &3ef!@a\bxe5cydze67rF___&&?"cd[}vw]^_`ab gfhiDE"pqfghijklmno .      .       jl ik@<=>?@ABCDEFGHIJLNPRTVXZ\^`bh%{|}~KMOQSUWY[]_ag : Qx848FnE 9 LU  .F YKKN`-ef<=>?@ABCDEFGHIJ !"#$%LNPRTVXZ\^`bh-d{|}~&'()*+,-./0123KMOQSUWY[]_ag33fN  ADBE@  ? , ~1Ie~7CQYa $(.1CIMPRX[!%+;ISco    " & 0 3 : = D _ q y !!! !"!&!.!T!^!""""""""+"H"`"e#%%%%%%%%&&j''R'.% 4Lh7CQYa#&.1CGMORV[  $*4BRZl    & / 2 9 = D _ p t } !!! !"!&!.!S![!""""""""+"H"`"d#%%%%%%%%&&j''R'."wnl@% {zxvohgb`PMJIHEC|vnh`PHFC=<610/.+#"kh`_\U1+~{xlP96߀ܰܝE۝_Ԓ   !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcNtfgkPzrmxluiyn~ep?oQdDEKLHI6YxVWO{JMSkvsrst|wul?u{nlsXbyMp}g,KLPXJvY#?+X=YKLPX}Y ԰.-, ڰ +-,KRXE#Y!-,i @PX!@Y-,+X!#!zXYKRXXY#!+XFvYXYYY-, \Z-,"PX \\Y-,$PX@\\Y-, 9/- , }+XY %I# &JPXea PX8!!Ya RX8!!YY- ,+X!!Y- , Ұ +- , /+\X G#Faj X db8!!Y!Y- , 9/ GFa# #JPX#RX@8!Y#PX@e8!YY-,+X=!! ֊KRX #I UX8!!Y!!YY-,# /+\X# XKS!YX&I## I#a8!!!!Y!!!!!Y-, ڰ+-, Ұ+-, /+\X G#Faj G#F#aj` X db8!!Y!!Y-, %Jd# PX<Y-,@@BBKcKc UX RX#b #Bb #BY @RX CcB CcB ce!Y!!Y-,Cc#Cc#-H 3!% !'#3?XjogdHH)\ U ++/ֱ  +/+"+/"++ 990174632#"&3#H31HH13H%tf;HG<7HH-s ./ 3+2 /ֱ  + +013#%3#!f!b!f!VVH3[+333/$3$2/$3 $2 +@ + 222 /ִ+++ +@ +++ +@ + + +!+6?>+ ?v+ +++ +  +  + + + + ++++ + ++@ ................@0153#533!33#3##!#7!!H%/m/1m1%3m13o4|%u/vwwvu^^u/j-(++3( +@(* +/ +./ֱ*+2)2)+%/+9* 9)99"9%99%$99901?32654.546753.#"#5.jNB^spTT{b7Z9mT^nTT{bu9PraRlPFZd V;e7>kZJ^GD`o YHRX '3%+3+ +3 % + 1% + 4/ֱ  ++((.+"5+  $9.(%$9 +"(.$9 $9014632#"&732654&#"3 4632#"&732654&#"HbPNbbNPbsߦbPNbbNPb̠q̠BX-;I)+#33 "2 +GJ/ֱ..+<<D++K+<9D )39$969&999G3&9?$9014>7.54>32>73.'#".73267.'>54&#"B+Ia3)/-RrF}5Vm7B`=a)sOF~8.HRNw\l;)H`8F~?DL-;XnsX!/+/ֱ  +013#!f!V /ֱ+017&iwuuwi91@@1N /ֱ +01654'7Nwttwh1<9w\3 / 3+/ִ++ 9  9017737''7wdrPRt^31^R<<Fs R/32 +@ + +@ + / ְ2 2 +@  + +@ + +015!3!!#Ftudpq`/+ /ֱ + ++ 901>5#"&54632`Vc1HJ3BL}'T;:7?j\5T+B"//+ ++015!Ty / ++ ++ /ֱ  +0174632#"&H31HH13Hf;HG<7HHM/ֱ++6=/8+ ......@013#{ Z3 B + / /ֱ  ++  99990132#"32>54.#"Zݤs9\D%%D\99_C%JXaI?Ϗ΁== M+ 2/ / /ֱ  +@ + +@ +@ ++ 90135!#5>73!+Z6l0!pJ3C+/ /ֱ +@ ++ 99$901>32>3!!5>54&#"JRPt5s3{R{|R9mZlӮ\yd˪Pq\B533f/+ / / 4/ֱ* *!  /! ! +@ +5+ *999 $%99!99901?32654.#52>54&#"'>32#".5V;uw+bthX%yhR;[LuVh9j;gM+CuZNjTn=^n9aF$%BZ3`oJ;jH\-T{Pw)8TnDV`43B# \ +/3 2// ְ 22 +@ +  +@ ++ 99 9901533##%!467##/f5hoDՈhz55/Z/3&q"+ //'/ ֱ (+6?<+ .......@ 99 $901?32>54&#"'!!>32#".3R9s;iN-D`;Z+#/_;To@J{VNhTn;Z+NnD)&9u}1djjp<1@b3 .g+$,/ ///ֱ!2)+0+) $9 99,$999  99014>32.#">32#".732>54&#"bRbj7^)p>Dz_9=P>jP`yF}1R=#wz=\PP;i/89ҜLX^n>N6)KiAPZE +// ֱ +@ +  +@ ++  99015! #67ZJuV'2X`iƾ4T3'7E`#+-C/F/ֱ( 8(@+0 G+@8#-5$9C- 5=$9014>75.54>32#".732654.'>54&#"T+DX/Ho:bPVa3#3@+Q@'>n^\pB+Kg;s9cENhC1Tm;BGvm\wN?mXD3hL{X13\L3^RB ?OgAJ^66`^7ZD%g?ZD75+;TB2;HbrR3 .g+/$*///ֱ!!+'2 0+!99$999*$ 999014>32#"&'732>7#"&73267.#"R=iN`yDRbh6_)p>Fz^:=Rɞv{?B}/T>"^o=NPN5#"&546324632#"&`Vc1HJ3BL}H31HH13H'T;:7?j\5;HG<7HHF D 5  FnPdXfgF/// +015!5!FnnF D 5-5-5FPn gfNu'h%++/(/ֱ +" +)+9  %$9"9 9 $901>32#&>54&#"4632#"&NBo1HPC% ">PE/dbDy/oE43GG33FJ`DnbafuGPm^\_7Rt?7;HG<7HHh^+ETA/; /''I P/1/ U/ֱ66+FF,+ "+V+6>+ L#% $LML#+ML# #9#$%LM.....#$%LM.....@,F1;?A$9;>9PI ,6$9!90146$32#"&'##"&54>3237332>54.#"3267#"$&%3267.#"h5^LvETu 3Ch7gZ5RpP=1`P1GՋy\^E-טqR=+]5;=)=`D#ObˉFNN;PRV/4Rg9md{ӗVpݴT3)dh^bW:?F/'Bf{T?K+3+ + /ֱ++ $9 90133#!!'.'#Ƕ@%A!A%?f#quupb?%g+ +%  +&/ֱ 2+ ! '+! 999 99%9013!2#%32654&+532654&+fyCrwIqǮ?$N}Xdbb1}uwpo`jPX!3+ + "/ֱ#+  $9014>32.#"3267#".j[ۂ{;`5V`o=;k`bB`PɁםY`dBl9DL}ˏNNGh\g_? 8+ + /ֱ ++ 9013! #'32+P7DR阮?\? J+ + + /ֱ 2 +@ +@  +@  + +013!!!!!q?Z? @++ + /ֱ 2 +@  +@  + +013!!!!?9jfX%r!+ + ! +&/ֱ+ +@ +'+ !999 99999  99014>32.#"3267!5!#".j]ᇋ;`3ffs?;qlH)Bևޟ[`h>l5HL}ˏN+%^DX_? ?+3+3  +  /ֱ 2 +2 +0133!3#!q?3yb?!++/ֱ  +0133??%?++ +/ֱ +9901?32653#"?{-sHmj+XbVPGLVsB? 0+3+3 /ֱ 2+ 99013333 #0\o?_V?,++/ֱ  +@ ++0133!L?R?U+ 3+3/ֱ + +99 $9 9999013333#467###b ^ɢlaj ?0ZZA+ZZu?R+ 3+ 3/ֱ+ +99 99 999901333.53##?fjNfkBjX'D+ +# (/ֱ+ )+99# 99014>32#".732>54.#"jTәTTӘT9hZZi99iZZh9^`ccˑNN}ɋLLD?B++  + /ֱ 2+ +9013!2+32654&+oHHoݰ?(]ojf4qjX 4X+0 /5/ֱ!!++ 6++!999 99990 &$9014>323267#"&'.732>54.#"jTәTC}k/o-D!f;;oF9hZZi99iZZh9^`qZW  nϓNNρ}ɋLLZ?[+ 3+  +/ֱ 2+ + 99 9 99013!2##32654&+f}ET➧?&[h#7ÁjVX3\1+ + 4/ֱ! !+,5+!9(1$9,99,$901?32654./.54>32.#"#"&VfHh#53#".1TsBDrV1JffJ+yb++by݉<<? + 3+ 33/ֱ + +6=9Z+    =f+  + +  + #99 9 .... .....@  9 90133>73#%7' %9#׮V?+ywwx/?!2!+3+ 333"/ֱ+#+6-+ !8+ . -+ ++++  + + ++++ #999  #9 99999@   ............@ ! ...............@90133>733>73#.'##/) 01 %#?%oool%jool)NNNN?&+3+ 3/+99013 33>73 #.'#/ *7!5/X;;X/XoRj1i>=i2?2++ 3/ֱ + 9990133>73#!>" #El?JLLJz\? .++ / +990135!5!!\}X;fJd/=+ +/ +/ִ +2 +2 +01!#3n``S/ִv++v++6@+ ......@013#y"y ?F+ +/ +/ְ2 +/ +/ +013#5!!?m!`{F\ 3# # {77dgFho/ /+01!!2qH(/+/ִ ++9013#Hw'}++ + # + (/ֱ"+22 /)+ 99"99999 9 9014$%4.#"'>32#'##"&73267w%?/N>XP&c+++$/'/ֱ 2+ (+9999$ 990133>32#"&'#732>54.#"DT`d3EwVFA!B2=hL+@dFys;PHsɋH@;b9/7d\R`6^u!=++ "/ֱ#+9  9999014>32.#"3267#".^N`b3T-`;DsR/-PsCHu-LDZb}H}‡FH/l'18fVVd7;)o;FF`#k +++ /$/ֱ+2   /%+99 9 9999014>32'3#'##"73267.#"`HwVVB;XஐFz>?v=;iN-y‡J>5Nu9UCF908d^$j+ +   + %/ֱ 2 + &+ 999  9999 9 99014>32!3267#".7!4&#"^L}V^e5` Hx8;BgdJu5aN3{‡HB{j7%+"n)>Hƚ+Pu=Z+ + +3 2/ְ2 2 +@ + +@ ++  9 9015754632&#"3##=/T#%79ҨZ Z\57IYD+* +W+3/;!OD +! Z/ֱJ'2 8J/JT+T +@ +@T+.[+J 99T !+3;C$99D;.8999*G999!'99O $999JT$9014675.54675.54>32!##"&';2#".732>54&+"&'32>54&#"\ND%3E'1P;gL)GZ#/9bL%N#$JfFu\l32#4&#"HiZcNvLsD``}ML/s < + + //ֱ  + +  99014632#"&3D11DD11D1;;1/>>DsH+ / //ֱ + + 99 9901732653#"&4632#"&R#1J1{/JD1/DD/1D^ f\T1;;1/>> 0+3+/ /ֱ 2+ 99013333 #{ݺ% q +//ֱ +01733:7#"&-#`R )  s!m+33++ 32"/ֱ! !+ + #+!9 9 9 99901333>32>32#4&#"#4&#"BZsN\Z^qZ`qH`d[Vi`}/`}/P+ 3++/ֱ  + +9 99901333>32#4&#"HiZcNvLH``}ML/^'D++# (/ֱ+ )+99# 99014>32#".732>54.#"^L\\LL\\L)Lk??kL))Lk??kL)}‡FF}{ÅFF{Vd77dVVf88f\'e+++$/(/ֱ 2+ )+9999$ 9990133>32#"&'32>54.#"DX`b3EwVFED~2=hL+@dF?J\r9RHuNjH>59/7d\R`6FB`\#i+ ++ /$/ֱ +2   /%+ 99 999 9014>32373#7#"73267.#"`HwVVD;VஐFz>?v=;iN-y‡J;<^yb7QCF908dG+++ + /ֱ +9 99901333>32.#"3V;0!)?3^of91a/++2/ֱ  +*3+ 9 $/$9*99*$9901?32654.'.54>32.#"#"&9TBZbc)@R)5jT60XP^:P3oA^Y%>O+5mV80\Xjqp5B[A'9+!/DZ?;iL+B/j'1V:#3&-DbF=kQ0N1t+ +3 2 +@ ++/ֱ 2  +@  + +@ + /+9 9901573!!3267#".51 CV=!)a/PlDZ \d 2VzJ'V +++ 3/ֱ  +   /+ 9 99901332673#'##"&XbNwGFhmv}PXRc ! ++ 3/+ 90133>73#/-JHHJ51! +!3322+ $3"/ֱ +#+6 + !>[+ .  <>+ . . =+  + +  +$+  + + ++++>6+  + + + #99 9 999  #9 99999@  ...............@  ! ......................@90133>733>73#.'##1!#͏!HFFF?HFFH?HLLHu&+3+ 3/+99013 33>?3 #'.'#Eӷ0-yD5 0)T))T) -[++X0Tx+ 33/ / ֱ +673#"&'7326?3(AZsL#9 *VmBEDA'J\5  y\J?1 .+ +  / +990135!5!!? -ZZF/1u+ +%/" +/ 2/(ְ 22--/3- +@$ + 23+-99"(9999 990152>54&546;#";#"&54>54.F3E'wy\7T7 :AB9 7T7\yw'Ek+:hqr`Ve^hdikbh_dV`r7e^^37-3/ִ"+"++013w?'3m+ +3/ +#/" 4/ְ2-2(2( +@3 +25+( 9#-99" 99990132654&54675.54654&+532"+?6T7 7BB7 7T6[=Z<Jf3D)J92///+999 99901>323267#".#"J7B=`TN+-N#^7B=aTM+-N#bV5A6753.'>7#5.7}?oVjZ/R)\5Bj)J;Pj\m;uq{j{L E-k%-@7%k5E L{mm3,%+",/322/ -/ְ22 +@ +)+) +@ +@$ +,,/.+6³+ .–+ ++ #99........@,!"99"%&9,)999901573.54>32.#"!!!!5>54&'m%$8dVo6c'bEouFA>@hq HjB}AVb5XAa/>kBxBr7m? f9u75u!5r/'1/ 6/ֱ"",+7+" !$9,  $9$9' $91$9  $9017.5467'76327'#"'32>54.#"5#&'"Zb;w/[#))#[/w;`{'BZ11XB''BX11ZB'//wHHx/\L'%\/yGHw/\''N=eJ''Jd>=eI''Ie/r+/3 +2/3 + 2/ 3/ְ2 2 +@ + 2 +@ +2+9990133>73!!!!#!5!5!5!/;!#;#NL!DHHC_p`bDb`3#/ְ2"+2"+ +013#3wwwJTT\}y7G.+'/ H/ֱ88+8@+"@+11/"I++59991 '.<=DE$9"999."*+=E$9 901467.54>32.#"#"&'732654.7>54.'\bN"'PrNb;Q1oDVLTTaM 1XyHo@f3wRR\T|}TR|?;@R{?;BZ+!Q65`J+F/l)5L57J>=X}^bz-#O5=gJ+NC\19R;9N>;V}iDXA<%NCFZD9%!R?} / /32/ֱ ++014632#"&%4632#"&7-+99+-7`9+-77-+9+99++::++99++::d9'Ew+ +A/: 4/- #/ +F/ִ+(+77+ +G+7#-0>A$94:@ (01=>$9014>32#".732>54.#"4>32.#"3267#".dkjjkaZuu̚ZZuu͙Z?hIVy1G)T5qnBb->9\Nf9^^aaܝWWۈۛTTۅXf6D1P)+x3'V1D7iLb"/ / +/ #/ֱ+22+/$+ 99 999999 9 9  901467.#"'>32#'##"&73275L5H5q(03P{pf )f?\o}=5PX|mpBU+V!7oL%8kb51RN\ %/ִ + 2+  9990155\II-II==:>==:F0/ +@ +/ֱ +@ ++015!#FndT+B"//+ ++015!T/3'5=4+6 +46 +@4( +12/ +=/* +#/ +>/ִ+(+5+6259+-+-+ +?+95#3$9-02991964 0$9=-9014>32#".732>54.#"32#'#53254&+/>hPPi==iPPh>R/PnB?qR//Rp@BnP/B^)#^^GT5X%/9!Zk;;kZZj<32#".732654&#"T)H\33\H))H\33\H)fVDDVVDDVs=`F%%F`=;aD$$D`32!!5>54&#"R/Ry-Pl@R\^1RG3V#!FU9klsAqLTna-NZD1Hl*R + +(/ / +/ֱ# ,+ #999  999901732654춮&#"'>32#"&HX%f?B^uhrPB-R#P5~T3\F)N>Dh-Nh9bD7@JEFHTQ>9F7)E;H8P3H`eP7X@!X /+/ִ ++013 fe ++ + 3/ֱ 2 +    /+9 9 9 99901332673#'##"&'ZbNuH;V;_" f}}PXP\"6T\? )+3/ִ + + +014>;#".3TJkZDoNyh-3mEy ( /++ /ֱ  +014632#"&H31HH13H;HG<7HHL'/ +/ֱ +  9901>54&'73RdC>Rm41H1Rl: /))+lB@-A-;/ + +@ + /ֱ +@ + +9015>73#DZ)jV 'w=@/ /  /ֱ+ !+99 99014>32#".732654&#"=2Vp@?qV11Vq??qV2aVV^^VVajRY//YRRY//YQmloo %/ְ2 ++ 999017777oGGC@=:C@=X + 3 +3  +3 +2 +@ +  / +/ֱ +@ ++2"+2 +@ + +@ ++ 99 $9 999015>73#3%533##5'357#DZ)j@sPwwvgV 'wOqD^^ߦX ' ++ +3$ +   / +(/ֱ +@ +!+! +@ +! +@! +)+ 99! $99$ !'$9015>73#3 >32!!5>54&#"DZ)js /Ry-Pl@R\^1RG3V#V 'wOqFU9klsAqLTna-NZD1HX*.9?8++3+,3 + +/:+ +33/ +52:/ +@:2 +(+ + @/ֱ# #8+;27"+2278 +@75 +87 +@8/ +A+.98#,-1:>$9:/09 #=>$9  999901732654춮&#"'>32#"& 3%533##5'357#HX%f?B^uhrPB-R#P5~T3\F)N>Dh-Nh9bEsPwwvgD7@JEFHTQ>9F7)E;H8P3H`eP7X@!XqD^^ߦbo'h+%+/(/ֱ++" )+9 9%$9" 9%$9014>'33267#"&4632#"&b1HPB$ !=PF/beDv/cBnH31HH13HJDnc`fuHPm^\`5Rs=8XHb`7HH7;HHT M+3+  + /ֱ++ $9 90133#!3#!'.'#Ƕk@%A!A%?f}quupTM+3+ + /ֱ++ $9 90133#!!'.'#73Ƕ@%A!A%#?f#quupTM+3+ + /ֱ++ $990133#!73#'#!'.'#Ƕ`ŤŊ>@%A!A%?f勋}quupT)+3+  + / 2 +2*/ֱ++ 2+!2++++9 $99 %90133#!>3232673#".#"!'.'#ǶN ZJ)B75-^ ZJ)B75-@%A!A%?f`} )!73^!)!65squupT)+3+ + /'3 !2*/ֱ++$$+++99999$99990133#!4632#"&!'.'#4632#"&Ƕc7-+99+-7I@%A!A%9+-77-+9?f-77-+::1quup--77-+::T)+3+ + /! +'/ +*/ֱ++$+++++99$ $99 99 9'!990133#!!'.'#4632#"&732654&#"Ƕ@%A!A%3jTRllRTj\9)'99')9?f#quup\RbbRT``T3883/99/?^ +3 +2  +   +/ ְ2 2 +@  +@  +@ ++013!!!!!!!!#J%NZ`mn?ZyjLPX!3q+) ++ 3/" +4/ֱ%+.5+% "()3$9.*+99"(+.999 ) $9014>32.#"3267#".>54&'73j[ۂ{;`5V`o=;k`bB`PɁםYRdC>Rm41H1Rl:`dBl9DL}ˏNNGh\g_ /))+lB@-A- R+ + +/ֱ 2 +@ +@  +@  ++  9013!!!!!3#qg?Z J+ + +/ֱ 2 +@ +@  +@  ++013!!!!!73q ?Z R+ + +/ֱ 2 +@ +@  +@  ++  9013!!!!!73#'#q\ŤŊ?Z勋 #s+ + +/!32$/ֱ 2 +@ +@  + + +2%+ 99013!!!!!4632#"&%4632#"&q_7-+99+-7`9+-77-+9?Z-77-+::+-77-+::t'++/ֱ +99013#3/Z?'++/ֱ +9901733yZ?# *+ + /ֱ + $90173#'#3 ŤŊ9勋Z?  Y + + /32/ ֱ  +/ ++  9999014632#"&34632#"&7-+99+-7 9+-77-+9-77-+::?-77-+::D?j + +   +3 +2/ ְ2 2 +@ +  +@ +++990157! #!32+!!DP7DR2X M\>au++ 3+ 3(/2(+#2,/ֱ+++++ + + -+9+#99  99901333.53##>3232673#".#" ZJ)B75-^ ZJ)B75-?fjNfkB`} )!73^!)!65j'+G+ +# ,/ֱ+ -+(*$9# 99014>32#".732>54.#"3#jTәTTӘT9hZZi99iZZh9^`ccˑNN}ɋLLhj'+G+ +# ,/ֱ+ -+(*$9# 99014>32#".732>54.#"73jTәTTӘT9hZZi99iZZh9%^`ccˑNN}ɋLLj'/G+ +# 0/ֱ+ 1+(+$9# 99014>32#".732>54.#"73#'#jTәTTӘT9hZZi99iZZh9vŤŊ^`ccˑNN}ɋLL勋j'?|+ +# 32#".732>54.#">3232673#".#"jTәTTӘT9hZZi99iZZh9d ZJ)B75-^ ZJ)B75-^`ccˑNN}ɋLL`} )!73^!)!65j'3?j+ +# 1/=3+72@/ֱ(+..4+::+ A+4.#$9# 99014>32#".732>54.#"4632#"&%4632#"&jTәTTӘT9hZZi99iZZh9y7-+99+-7`9+-77-+9^`ccˑNN}ɋLL-77-+::+-77-+::fD  7   f>[=;Z=Z^FC]F]\Hf}$0n+( + 1/ֱ-+2+99-  %$9 99(99 0$9  9901?.54>327#"&'&#"32>54&'fBETՑ^?GT}jGZENhZi93NZh9"! Z^HX쓢cDBŋoL553#".3#1TsBDrV1JffJ+yb++by݉<<w;+ +3/ֱ  ++ 99901332>53#".731TsBDrV1JffJy+yb++by݉<<w!;+ +3"/ֱ  +#+ 99901332>53#".73#'#1TsBDrV1JffJŤŊ+yb++by݉<<勋w%1\+ +3#//3)22/ֱ +  &+,, +3+& 9901332>53#".4632#"&%4632#"&1TsBDrV1JffJ7-+99+-7`9+-77-+9+yb++by݉<<-77-+::+-77-+::5++ 3/ֱ + $990133>73#73!>" #El?JLLJzD?K++ +  + /ֱ 22+ + 9013332+32654&+oHHoݰ?)^ojg1o`7{++!3/ 8/ֱ7 7++0+  $+9++79(.3$9 0 !999!93 9990134632#"&'732654.54>54&#"P}V+9H9;ZiZ;-VyKV?C5i;VW32#'##"&732673#w%?/N>XPyw'+++ + # + ,/ֱ"+22 /-+ 99"()+$99*99 9 9014$%4.#"'>32#'##"&732673w%?/N>XPY w'/++ + # + 0/ֱ"+22 /1+ 99"(*,$99+99 9 9014$%4.#"'>32#'##"&732673#'#w%?/N>XPY ຺w{1=++5 + 9 + // &2$/+* 2>/ֱ22+1+28+&222 '+/?+198$*5$9' 99999 9 9014$%4.#"'>32#'##"&>323273#".#"3267w%?/N>XPw}'3?+++ + / + %/=372@/ֱ((+"(.+22 : 44/:/A+"+99499.7=99: 9/999 9 9014$%4.#"'>32#'##"&4632#"&32674632#"&w%?/N>XP+99++::w'3?++ + # + 1/7 +=/+ +@/ֱ(+4+4"+22 ."+:+:/.+/A+4(9:1+$9.9 9#999 9 9=7.(99014$%4.#"'>32#'##"&732674632#"&732654&#"w%?/N>XPVggVVhhV5==53>=w1@G/+)35 "2+3 E2A/ +A 32>32!3267#"&'#"&73267.'5%!4&#"w#70M>RqJ\_VIOJ'm93->P^Lu!3u+) ++ 3/" +4/ֱ%+.5+%"()3$9. *+$9"(+.999 ) 9999014>32.#"3267#".>54&'73^N`b3T-`;DsR/-PsCHu-LDZb}H!RdC>Rm41H1Rl:}‡FH/l'18fVVd7;)o;FF+ /))+lB@-A-^$(l+ +   + )/ֱ 2 + *+ %'$9  9999 9 99014>32!3267#".7!4&#"3#^L}V^e5` Hx8;BgdJu5aN32{‡HB{j7%+"n)>Hƚ+Pu/^$(l+ +   + )/ֱ 2 + *+ %'$9  9999 9 99014>32!3267#".7!4&#"3^L}V^e5` Hx8;BgdJu5aN3{‡HB{j7%+"n)>Hƚ+Pu ^$,n+ +   + -/ֱ 2 + .+ %')$9  ($99 9 99014>32!3267#".7!4&#"3#'#^L}V^e5` Hx8;BgdJu5aN3 Œ{{‡HB{j7%+"n)>Hƚ+Pu ຺^}$0<+ +   + ./:3(42=/ֱ 2 %++++ 7 +11/7>++%91 $9 9 99014>32!3267#".7!4&#"4632#"&%4632#"&^L}V^e5` Hx8;BgdJu5aN37-+99+-7`9+-77-+9{‡HB{j7%+"n)>Hƚ+Pu+99++::++99++::'++/ֱ +99013#3Xjw'++/ֱ +99013 3wP j *+ + /ֱ + $9013#'#3 Œ{9 ຺j} Y + + /32/ ֱ  +/ ++  9999014632#"&34632#"&7-+99+-79+-77-+9+99++::+99++::m#8j+)4//9/ֱ$$.+:+$ 9. $9994)999 $9014>32.''%&'7%#".732>54&'.#"mAqZN5pN1j{MJB#1{?udV{I-Pg;FfF"DFDjJ'hyAAFNTRBj)Z7T}{ʒPB}oN}X1;kZ9Z=1Zy{*+ 3++(/ 2(+# 2+/ֱ +*+ +2 +,+99*9 #$9 !901333>32#4&#">323273#".#"HiZcNvLRL'B719_RL'@719H``}ML/\}!'!i\}!&!h^'+G++# ,/ֱ+ -+(*$9# 99014>32#".732>54.#"3#^L\\LL\\L)Lk??kL))Lk??kL)<}‡FF}{ÅFF{Vd77dVVf88fp^'+G++# ,/ֱ+ -+(*$9# 99014>32#".732>54.#"3^L\\LL\\L)Lk??kL))Lk??kL)}‡FF}{ÅFF{Vd77dVVf88fP ^'/G++# 0/ֱ+ 1+(+$9# 99014>32#".732>54.#"3#'#^L\\LL\\L)Lk??kL))Lk??kL)Œ{}‡FF}{ÅFF{Vd77dVVf88fP ຺^{'=++# ;/+ 220+;+6 (2>/ֱ( +=+=2+3+3 + ?+=)92#+6$9349# 99014>32#".732>54.#">323273#".#"^L\\LL\\L)Lk??kL))Lk??kL)RL'B719_RL'@719}‡FF}{ÅFF{Vd77dVVf88f\\}!'!i\}!&!h^}'3?j++# 1/=3+72@/ֱ(+..4+::+ A+4.#$9# 99014>32#".732>54.#"4632#"&%4632#"&^L\\LL\\L)Lk??kL))Lk??kL) 7-+99+-7`9+-77-+9}‡FF}{ÅFF{Vd77dVVf88f+99++::++99++::F. ////ְ2 2+015!4632#"&4632#"&FnB//@@//BB//@@//Bd/>>/1==/>=01==^$.u+' + //ְ2,+20+99,  %$9 99'99 %.$9  9901?.54>327#"'&#"72>54'^o373#"&'7326?33(AZsL#9 *Vm=BEDA'J\5  y\J \'Y++$//(/ֱ 22+ )+999$ 99013>32#"&'32>54.#"BRbf3EwVHCD~2=hL+@dF?J\Vs5LHuNjH:59/7d\R`6FBT}(4+ 33/ &/23 ,25/ֱ## + / +))//6+673#"&'7326?4632#"&%4632#"&3(AZsL#9 *Vm7-+99+-7`9+-77-+9BEDA'J\5  y\J+99++::++99++::TJ T+3+  + / /ֱ++ $9 90133#!5!!'.'#Ƕy7@%A!A%?fuuNquupwD'+++ )+(+ # + ,/ֱ"+22 /-+ 99"()$99*+99#999 9 9014$%4.#"'>32#'##"&732675!w%?/N>XPuuT#|+3+ + / +  +@  +2$/ֱ+ + +%+ 99 $990133#!332673#".!'.'#Ƕ{f FFFE f!=[==[=!+@%A!A%?f1PP1+R=''=Rquupw'9++ + # + 5/, ,5 +@,( +/2:/ֱ(+)+)"+22 / 0+/;+/)5$90 9#999 9 9014$%4.#"'>32#'##"&73267332673#".w%?/N>XPa;a`<-]K//K]N?%k+33+/  + &/ֱ+'+$99  9 99!90133327#"&54>7#!!'.'#H\9%/'/[)Rs-5'@%A!A%??//\"ZX)NA6f#quupwZ/;-+3 ++ / 7- + 323267#"&54>7'##"&73267w%?/N>XPjP!%3+ + &/ֱ'+  $9014>32.#"3267#".73j[ۂ{;`5V`o=;k`bB`PɁםYҴ`dBl9DL}ˏNNGh\g_^u!%=++ &/ֱ'+9  9999014>32.#"3267#".3^N`b3T-`;DsR/-PsCHu-LDZb}HX}‡FH/l'18fVVd7;)o;FF! jP!)3+ + */ֱ++  $9014>32.#"3267#".73#'#j[ۂ{;`5V`o=;k`bB`PɁםY#ŤŊ`dBl9DL}ˏNNGh\g_勋^u!)=++ */ֱ++9  9999014>32.#"3267#".3#'#^N`b3T-`;DsR/-PsCHu-LDZb}HŒ{}‡FH/l'18fVVd7;)o;FF! ຺jP!-R+ + +/%./ֱ"+( /+(" $9  $9014>32.#"3267#".4632#"&j[ۂ{;`5V`o=;k`bB`PɁםYD11DD11D`dBl9DL}ˏNNGh\g_)/==/1>>^u!-\++ +/%./ֱ"+( /+(" $99  9999014>32.#"3267#".4632#"&^N`b3T-`;DsR/-PsCHu-LDZb}Hn@//@@//@}‡FH/l'18fVVd7;)o;FF/??/1>>jP!)3+ + */ֱ++  $9014>32.#"3267#".3373#j[ۂ{;`5V`o=;k`bB`PɁםY#Ť`dBl9DL}ˏNNGh\g_^u!)=++ */ֱ++9  9999014>32.#"3267#".3373#^N`b3T-`;DsR/-PsCHu-LDZb}H{{Œ}‡FH/l'18fVVd7;)o;FFA J+ + /ֱ ++ 9 9999013! #3373#32+P7DR防Ť?\`#( +++ /)/ֱ+2   / $+&"+'+*+99 9 9999 '(99014>32'3#'##"73267.#"3#`HwVVB;XஐFz>?v=;iN-(xRy‡J>5Nu9UCF908dtD?j + +   +3 +2/ ְ2 2 +@ +  +@ +++990157! #!32+!!DP7DR2X M\>a`\+++ '/ /3 +2/,/ֱ#+ 22 2# +@ +# +@# +/-+#999'9999014>32'5!5!533#'##"73267.#"`HwVVBJ 9ZஐFz>?v=;iN-uF=6cX oq9QCF904`J [+ + + / /ֱ 2 +@ +@  +@  ++  99013!!!!!5!qu?Zuu^D$(q+ &+%+   + )/ֱ 2 + *+ %&$9  '($9 9 99014>32!3267#".7!4&#"5!^L}V^e5` Hx8;BgdJu5aN3{‡HB{j7%+"n)>Hƚ+PuHuu o+ + +/ + +@ +2/ֱ 2 +@ +@  +@  + + ++013!!!!!332673#".qwf FFFE f!=[==[=!?Z1PP1+R=''=R^$6+ +   + 2/) )2 +@)% +,27/ֱ 2 %+&+&+ - +,+,/-+8+% 9,& 2$9 9 99014>32!3267#".7!4&#"332673#".^L}V^e5` Hx8;BgdJu5aN3hJHHI h=`BB`=!{‡HB{j7%+"n)>Hƚ+Pu;a`<-]K//K] \+ + +//ֱ 2 +@ +@  +@  +  + +013!!!!!4632#"&qD11DD11D?Z%/==/1>>^$0+ +   + ./(1/ֱ 2 %++ ++ 2+% 9+ $9  999 9 99014>32!3267#".7!4&#"4632#"&^L}V^e5` Hx8;BgdJu5aN3@//@@//@{‡HB{j7%+"n)>Hƚ+Pu/??/1>>N? i+ 3 +/ +!/ֱ 2 + +@ +@ +@ +"+99013!!!!!#327#"&5467q#D5!>%+'/^)Rsa9?Z';L)//\"ZXV%^Z2;.+ +7#/ 3 . +3 32!32673267#"&54>7#".7!4&#"^L}V^e5` Hx8;DV59'&+\'Nj%+1dJw5aN3{‡HB{j7%+"n/PF?!// T XV'F=1 Hƚ+Pu R+ + +/ֱ 2 +@ +@  +@  ++  9013!!!!!3373#q\Ť?Z^$,n+ +   + -/ֱ 2 + .+ %)+$9  *$99 9 99014>32!3267#".7!4&#"3373#^L}V^e5` Hx8;BgdJu5aN3 {{Œ{‡HB{j7%+"n)>Hƚ+Pu/jf%-w!+ + ! +./ֱ+ +@ +/+ !&(*$9 )999999  99014>32.#"3267!5!#".73#'#j]ᇋ;`3ffs?;qlH)Bևޟ[RŤŊ`h>l5HL}ˏN+%^DX_勋\57?QaL+* +_+3/C!WL +! b/ֱR'2 @R/R\+\ +@ +H\+.c+R 8999\@ !+3:32!##"&';2#".3#'#32>54&+"&'32>54&#"\ND%3E'1P;gL)GZ#/9bL%N#$JfFu\l<Œ{lHuR-gbC!515!;L++L;!{XX{?s/O32.#"3267!5!#".332673#".j]ᇋ;`3ffs?;qlH)Bևޟ[mf FFFE f!=[==[=!`h>l5HL}ˏN+%^DX_1PP1+R=''=R\57I[k$V+* +i+3/M!aV +! E/< 32!##"&';2#".332673#".32>54&+"&'32>54&#"\ND%3E'1P;gL)GZ#/9bL%N#$JfFu\l32.#"3267!5!#".4632#"&j]ᇋ;`3ffs?;qlH)Bևޟ[D11DD11D`h>l5HL}ˏN+%^DX_)/==/1>>\57IYeD+* +W+3/;!OD +! c/]f/ֱJ'2 8J/JZ+` `T+T +@ +@T+.g+J 99Z $G999`!*3;DOW$9TC+9999D;.8999*G999!'99O $999JT$9014675.54675.54>32!##"&';2#".732>54&+"&'32>54&#"4632#"&\ND%3E'1P;gL)GZ#/9bL%N#$JfFu\l>jFfX%5!+ + 5/& +,/- +! +6/ֱ)+00+ +@ +7+)!&,-5$90 999 99,&09999  99014>32.#"3267!5!#".>54&'7j]ᇋ;`3ffs?;qlH)Bևޟ[Rd=+%h^1Rl:`h>l5HL}ˏN+%^DX_ +))' NHF-B-\57IYi D+* +W+3/;!OD +! g/f +`/_ +j/ֱJ'2 8J/JZ+ccT+T +@ +@T+.k+J 99Z G99c$D*999T@ !+3;OCW_`fg$99D;.8999*G999!'99O $999JT$9`fZ9014675.54675.54>32!##"&';2#".732>54&+"&'32>54&#"4>7.\ND%3E'1P;gL)GZ#/9bL%N#$JfFu\l32#4&#"ŤŊ7HiZcNvL勋sD``}ML/B;?u+ 3+3+ 33 + 22 + /ְ2 22 +@ ++22 2  +@ ++015753!533##!#!5!BqqV `yn+3/ /3 +2//ְ2 22 +@ + +@ ++ + 9 9015753!!>32#4&#"#uHiZcNvLX cD`7~NLX5j++/ 2+2/ִ++  + ++9999 9901>3232673#".#"3 ZJ)B75-^ ZJ)B75-w`} )!73^!)!65P?{v++/ 2+ 2/ִ++  + ++99999 99  901>323273#".#"3!RL'B719_RL'@719j\}!'!i\}!&!h^ J$++//ֱ +015!3uu+?D&+++/ֱ +015!3uu1M++ / + +@ +2/ִ++ + 9901332673#".3f FFFE f!=[==[=!1PP1+R=''=R?X++ /  +@ +2/ִ++ +++ 9901332673#".3hJHHI h=`BB`=!;a`<-]K//K]XN?L+/ /ֱ +/ +  999 99901467#3327#"&XX1)?F>"-'0\)RsX{-?1k?//\"ZNZ"i+/ /#/ֱ +/ + / $+   $9 99901467#33267#"&4632#"&NX+)=H9'&+\'Nl9D1/DD/1DR{+-o;// T Xk1;;1/>> C + + //ֱ  + / +  99014632#"&3D11DD11D!%/==/1>> ?P!++/ֱ  +0133?7+ +/ֱ + 9999901?32653#"73#'#?{-sHmj+XbŤŊVPGLVsB勋D:+ / /ֱ + $9 9901732653#"&3#'#R#1J1{/J+Œ{^ f\TB ຺F? l+3+3/ +/ +/ֱ 2 ++  $99 9 99013333 #>54&'70\oRd=+%h^1Rl:?_V +))' NHF-B-F l+3+/ +/ +//ֱ 2 ++  $99 9 99013333 #>54&'7{ݺ/Rd=+%h^1Rl:% q +))' NHF-B- 0+3+3 /ֱ 2+ 99013333 #vݸq 6++ /ֱ  +@ + +9901733!LZ?R)+ //ֱ +99017333:7#"&q-#`R )  sF?`++/ + / +/ֱ  +@ + ++  $9 90133!>54&'7LRd=+%h^1Rl:?R +))' NHF-B-Fc +/ +/ +/ /ְ2 +!+999 9 99901733:7#"&>54&'7-#`RRd=+%h^1Rl: )  s> +))' NHF-B- K++ /ֱ  +@ ++"+ + + 990133!3#LxR?Rt5H +//ֱ +"+++ 999901733:7#"&3#-#`RxR )  st?E++  ++/ֱ  +@ ++ +0133!4632#"&LH31HH13H?R;HG<7HH> +/+//ֱ + + 9901733:7#"&4632#"&-#`RLH31HH13H )  s?;HG<7HH? G + +/ ְ2 2 +@ + +@  ++  9901573%!!zI `̋X/M+ +//ְ2 2  +@  + +@ ++ $90157373:7#"&5/.#^TTR}\\)  souU+ 3+ 3/ֱ+ +99 $9 999901333.53##73ڴ?fjNfkB[+ 3++/ֱ  + +9 $9 99901333>32#4&#"3HiZcNvLH``}ML/ Fu?#+ 3+ 3#/ +/ +$/ֱ++ %+99#$9 9 9999901333.53##>54&'7Rd=+%h^1Rl:?fjNfkB +))' NHF-B-F$~+ 3++$/ +/ +%/ֱ + + &+9$999901333>32#4&#">54&'7HiZcNvL=Rd=+%h^1Rl:H``}ML/ +))' NHF-B-uU+ 3+ 3/ֱ+ +99 $9 999901333.53##3373#+Ť?fjNfkB^+ 3++/ֱ  + +99 $9 99901333>32#4&#"3373#HiZcNvL{{ŒH``}ML/&+3++"/ '/ִ+ +@ ++& &+ (+&99"9999 901>5"&5463233>32#4&#"NL +A=/;FpkHiZcNvL3r[615>aZ{=H``}ML/jJ'+N+ +# (/),/ֱ+ -+(*$9# 99014>32#".732>54.#"5!jTәTTӘT9hZZi99iZZh9^`ccˑNN}ɋLLuu^D'+P+)+(+# ,/ֱ+ -+(*$9# 99014>32#".732>54.#"5!^L\\LL\\L)Lk??kL))Lk??kL)#}‡FF}{ÅFF{Vd77dVVf88fuuj'9o+ +# 5/, +,5 +@,( +/2:/ֱ(+)+)+ ;+)#05$9# 99014>32#".732>54.#"332673#".jTәTTӘT9hZZi99iZZh9f FFFE f!=[==[=!^`ccˑNN}ɋLLh1PP1+R=''=R^'9y++# 5/, ,5 +@,( +/2:/ֱ(+)+)/+0+0+ ;+/)#5$9# 99014>32#".732>54.#"332673#".^L\\LL\\L)Lk??kL))Lk??kL)hJHHI h=`BB`=!}‡FF}{ÅFF{Vd77dVVf88fX;a`<-]K//K]j'+/I+ +# 0/ֱ+ 1+(*,.$9# 99014>32#".732>54.#"73373jTәTTӘT9hZZi99iZZh9Ȉ^`ccˑNN}ɋLL^'+/P++# 0/ֱ+ 1+(*,-/$9 .9# 99014>32#".732>54.#"333^L\\LL\\L)Lk??kL))Lk??kL)V}‡FF}{ÅFF{Vd77dVVf88fK%%jb?e+ 2+ 2  +/ֱ+ 2  +@  +@ +@ ++ 9901)!!!!!".7;#"jY9R$NYbbBWZ\)^h(<C$+3.2+ 38 A2=$ += D/ֱ) )3+=2>+E+3)$99"99> 999999.$9"99=)3$989014>32>32!3267#"&'#".732>54.#"!4&#"^J{Zs59n\b3s3Tq?Hw7>Bfu:uZ{H)Jf>=gI))Ig==gJ)sh}‡F{uB{j9%NZ1/#u)>uF{Vd77dVVf88f Z^+ 3+  +/ֱ 2+ + $9 9 99013!2##32654&+?3f}ET➧␴?&[h#7ÁjI+++ + /ֱ +99 99901333>32.#"33V;0!)?3^of FZ?(+ 3+ (/ +/ + +)/ֱ 2+# 2#+ *+  ($9 9#9 99013!2##32654&+>54&'7f}ET➧iRd=+%h^1Rl:?&[h#7Áj +))' NHF-B-JF!~+++ + / +/ +"/ֱ! ! / #+9!9 9 99901>54&'733>32.#"JRd=+%h^1Rl:N3V;0!)?3 +))' NHF-B-^ofZ e+ 3+  +!/ֱ 2+ "+9 $9 9 9 9013!2##3373#32654&+f}ETŤ➧?&[h#7jO+++ + /ֱ +999 99901333>32.#"3373#3V;0!)?3{{Œ^ofV37^1+ + 8/ֱ! !+,9+!9(146$9,99,$901?32654./.54>32.#"#"&73VfHh#32.#"#"&39TBZbc)@R)5jT60XP^:P3oA^Y%>O+5mV80\Xjqp5B[A'9+!/DZ?;iL+B/j'1V:#3&-DbF=kQ0Na V3;e1+ + 32.#"#"&73#'#VfHh#32.#"#"&3#'#9TBZbc)@R)5jT60XP^:P3oA^Y%>O+5mV80\Xj8Œ{qp5B[A'9+!/DZ?;iL+B/j'1V:#3&-DbF=kQ0Na ຺VLX3E1+; ++ E/4 +F/ֱ! !7+@@+,G+!97@  &14:;E$9@ <=$9'(99,9914:=@999;,$901?32654./.54>32.#"#"&>54&'73VfHh#Rm41H1Rl:wL\yb3H3)T9RqJL`5\Jn;Di\1D3'R?TqJPh>+*E+ 95@ $/289C$9>:;99*99/28;>9999*$9901?32654.'.54>32.#"#"&>54&'739TBZbc)@R)5jT60XP^:P3oA^Y%>O+5mV80\XjRdC>Rm41H1Rl:qp5B[A'9+!/DZ?;iL+B/j'1V:#3&-DbF=kQ0Nk /))+lB@-A-V3;e1+ + 32.#"#"&3373#VfHh#32.#"#"&3373#9TBZbc)@R)5jT60XP^:P3oA^Y%>O+5mV80\Xj8{{Œqp5B[A'9+!/DZ?;iL+B/j'1V:#3&-DbF=kQ0N9L?z+ ++2/ +/ֱ  +@ + +@ +   /+ 999999015!!#>54&'739k`RdC>Rm41H1Rl:P /))+lB@-A-1L++ +! ++3 2 +@ +++/ +,/ֱ 2  +@  + +@ + / +&-+9  +999!9& "#$9 #&999 +9901573!!3267#".5>54&'731 CV=!)a/PlDGRdC>Rm41H1Rl:Z \d 2VzJ'F /))+lB@-A-9G++2/ֱ  +@ + +@ ++ $9015!!#3373#9kÊŤPۋ1+ +3 2 +@ ++/ֱ 2 +@ + / +"+2+ +9 9 99 9901573!!3267#".53#1 CV=!)a/PlDBxRZ \d 2VzJ'tw1o+ +3./%2".+)22/ֱ +1+1%+&+& +3+%1)$901332>53#".>3232673#".#"1TsBDrV1JffJ ZJ)B75-^ ZJ)B75-+yb++by݉<<'`} )!73^!)!65{* +++ 3(/ 2(+# 2+/ֱ * +/*+ +   +   /,+*9#$9 9901332673#'##"&>323273#".#"XbNwGFhvRL'B719_RL'@719mv}PXRc\}!'!i\}!&!hwJB+ +3//ֱ  ++ 99901332>53#".5!1TsBDrV1JffJ+yb++by݉<<LuuDk ++++ 3/ֱ  +   /+99 9 9999901332673#'##"&5!XbNwGFhmv}PXRc#uuw+b+ +3'/ +' +@ +!2,/ֱ ++ +-+ "'$901332>53#".332673#".1TsBDrV1JffJf FFFE f!=[==[=!+yb++by݉<<1PP1+R=''=R& +++ 3"/ " +@ +2'/ֱ ++ +  ++/+   /(+"9999901332673#'##"&332673#".XbNwGFhhJHHI h=`BB`=!mv}PXRc;a`<-]K//K]w%1v+ +3#/) +// +2/ֱ +&+&,+ +  +3+,&#$9/) 9901332>53#".4632#"&732654&#"1TsBDrV1JffJ#jTRllRTj\9)'99')9+yb++by݉<<RbbRT``T3883/99 , +++ 3/$ +*/ +-/ֱ +!+!'++ +   /.+!9'999 99*$9901332673#'##"&4632#"&732654&#"XbNwGFhjTTjjTTj\9))99))9mv}PXRchVggVVhhV5==53>=w!D+ +3"/ֱ  +#+ !$9 901332>53#".733731TsBDrV1JffJȈ+yb++by݉<<a +++ 3/ֱ  + 2   /+ $9 999901332673#'##"&333XbNwGFhʐmv}PXRc%%Nw?-k)+ ++3!/./ֱ $+ +/+$)9 !$9!9)$99901332>53327#"&54>7.1TsBDrV1/VyJPR>%+'/^)Rs'/h}F+yb++by쇻T"'s3//\"ZX+D9/BZ&~$+ ++ 3/ '/ֱ + + (+$99 !$99$9999 !99013326733267#"&5467'##"&VdNwG\V;#)+\'NldBFhmv}PX-o;// T XVT}/Rc/!)6!+3+ 333*/ֱ+++6-+ !8+ . -+ ++++  + + ++++ #999  #9 99999@   ............@ ! ...............@"%9990133>733>73#.'##73#'#/) 01 %#ŤŊ?%oool%jool)NNNN勋1!) +!3322+ $3*/ֱ +++6 + !>[+ .  <>+ . . =+  + +  +$+  + + ++++>6+  + + + #99 9 999  #9 99999@  ...............@  ! ......................@"%9990133>733>73#.'##3#'#1!#͏!ēŒ{HFFF?HFFH?HLLH ຺7++ 3/ֱ + $990133>73#73#'#!>" #ElŤŊ?JLLJz勋T$x+ 33/ %/ ֱ &+673#"&'7326?3#'#3(AZsL#9 *VmŒ{BEDA'J\5  y\J ຺'p++ 3/%32(/ֱ  +/ +")+9999" %99990133>73#4632#"&%4632#"&!>" #El7-+99+-7`9+-77-+9?JLLJz-77-+::+-77-+::\ .++/+990135!5!!73\}X;۴fJd?1 .+ + /+990135!5!!3? -ZZ \ <++/ / ֱ +990135!5!!4632#"&\}X;D11DD11DfJd%/==/1>>?1 <+ + / / ֱ +990135!5!!4632#"&? -3@//@@//@ZZ/??/1>>\ .++/+990135!5!!3373#\}X;,ŤfJd?1 .+ + /+990135!5!!3373#? -{{ŒZZ,++"*/ /3 +2/-/ְ2 22 +@ + +@ +'+.+9' 99*99  9015753!!>32#"&'##32>54&#"uDT`d3EwVFAB2=hL+yyX c;PF}n{F@;bL9/3`YwX%P+"+ +&/%ְ2% +% +'+99 9901467!&#"'>32#".73267w Ͼd;RH׉ёPT}ˑN;eP J;tFX`ccLoy?%9X'+ %/  /3 2(/ ֱ +@ +  +@  +)+6?5+ .  .. ....@ 990173267#5737>32.#"!!#"&%/7`T13 -W%4'/B+6 -NwV/Nx r -J`3^n>o/ 4l+& +0 +5/ֱ!!++ 22  /6++!$9 90&9999014>32>54&'7#".732>54.#"oTwVP xp`bqT}әT9iZZh99hZZi9^A?:(;A'XiZ红ccˑNN}ɋLL^ 4o+&+0 5/ֱ!!++   /6++!999  9990&9999014>32>54&'7#".732>54.#"^L\f[HO{rLL\L\\L)Lk??kL))Lk??kL)}‡F+ @9+;A'\`DЋ{ÅFF{Vd77dVVf88fXX(X$+ +3)/ֱ  ++*+ $999901332>53>54&'7#".1TsBDrV1DVby%=R-JffJ+yb++by:H(;A'3J5! 5݉<<m#k+!++ 3$/ֱ  + /+%+ !99999901332673>54&'7#'##"&XbNwG+Hd x!3D#Fhmv}PX:E+;A'/F3! \RcTM+3+ + /ֱ++ $990133#!3373#!'.'#Ƕ`Ťy@%A!A%?f}quupw'/++ + # + 0/ֱ"+22 /1+ 99"(,.$99-99 9 9014$%4.#"'>32#'##"&732673373#w%?/N>XPy# *+ + /ֱ + $9013373#3 ŤZ? *+ + /ֱ + $9013373#3 {{Œjj'/G+ +# 0/ֱ+ 1+(-$9# 99014>32#".732>54.#"3373#jTәTTӘT9hZZi99iZZh9vŤ^`ccˑNN}ɋLLh^'/G++# 0/ֱ+ 1+(-$9# 99014>32#".732>54.#"3373#^L\\LL\\L)Lk??kL))Lk??kL){{Œ}‡FF}{ÅFF{Vd77dVVf88fpw!;+ +3"/ֱ  +#+ 99901332>53#".3373#1TsBDrV1JffJʊŤ+yb++by݉<<h +++ 3/ֱ  +   /+9 $9 9 99901332673#'##"&3373#XbNwGFh{{Œmv}PXRc wB%)5y+ +3#/33++-2&/' +6/ֱ +  *+00 +7+ &'99*990)(9901332>53#".4632#"&75!4632#"&1TsBDrV1JffJ5))33))53))55))3+yb++by݉<<)34()66__)34()66` $0 +++ 3/.3++(2!/" +1/ֱ + + + +%%/+   /2+!"999%9 (.99+#9 9901332673#'##"&4632#"&5!4632#"&XbNwGFh5))33))53))55))3mv}PXRcd)66)'55``)66)'55w%)5k+ +3#/33++-26/ֱ +  *+0(20 +7+ &9*')$901332>53#".4632#"&?34632#"&1TsBDrV1JffJ5))33))513))55))3+yb++by݉<<)34()66)34()66 $0 +++ 3/.3++(21/ֱ + + + +%%/+   /2+!99%"$999 #(.9999901332673#'##"&4632#"&?34632#"&XbNwGFh5))33))5J3))55))3mv}PXRcd)66)'55ӳ)66)'55w!-9|+ +3+/73%++12:/ֱ "+((.+44 +;+"9(9. !$949 901332>53#".3373#4632#"&%4632#"&1TsBDrV1JffJʊŤ5))33))5b3))55))3+yb++by݉<<)34()66))34()66 (4 +++ 3/23++,25/ֱ + + / +))//   /6+!"999)#$'($9 %,2999/&99901332673#'##"&4632#"&3373#4632#"&XbNwGFh5))33))5 }}3))55))3mv}PXRcd)66)'55ӳ)66)'55w%)5k+ +3#/33++-26/ֱ +&2  *+00 +7+* ')$90(901332>53#".4632#"&3#4632#"&1TsBDrV1JffJ5))33))5w3))55))3+yb++by݉<<)34()66)34()66 $0 +++ 3/.3++(21/ֱ + + + +%%/+   /2+!99%"$999 #(.9999901332673#'##"&4632#"&3#4632#"&XbNwGFh5))33))51w^3))55))3mv}PXRcd)66)'55ӳ)66)'55jf%-w!+ + ! +./ֱ+ +@ +/+ !&*,$9 +999999  99014>32.#"3267!5!#".3373#j]ᇋ;`3ffs?;qlH)Bևޟ[RŤ`h>l5HL}ˏN+%^DX_\57?QaL+* +_+3/C!WL +! b/ֱR'2 @R/R\+\ +@ +H\+.c+R 8999\@ !+3<>CK$9=99LC.@999*O999!'99W $999R\$9014675.54675.54>32!##"&';2#".3373#32>54&+"&'32>54&#"\ND%3E'1P;gL)GZ#/9bL%N#$JfFu\l<{{ŒHuR-gbC!515!;L++L;!{XX{?s/O323267#"&5467.732>54.#"jTәT7ldTL=%'/^)RpG6єN9hZZi99iZZh9^`٨}-%s5//\"ZXDx-gˑNN}ɋLL^Z(<x$+. ++8 / =/ֱ))+3+ >+$93.8$99$9998. 99014>323267#"&54>7.732>54.#"^L\\L/VwJFK9%&+\)Nj#'ZyF)Lk??kL))Lk??kL)}‡FF}hxX!!s;// T XV'D;-LwVd77dVVf88fVFX3C1+ + C/4 +:/; +D/ֱ! !7+>>+,E+!97@  &14:;C$9> 999'(99,99:4>9,$901?32654./.54>32.#"#"&>54&'7VfHh#32.#"#"&>54&'79TBZbc)@R)5jT60XP^:P3oA^Y%>O+5mV80\XjRd=+%h^1Rl:qp5B[A'9+!/DZ?;iL+B/j'1V:#3&-DbF=kQ0Nc +))' NHF-B-9F?q++2/ +/ +/ֱ  +@ + +@ +   /+ 99015!!#>54&'79kVRd=+%h^1Rl:P +))' NHF-B-1F)+ +3 2 +@ ++)/ + /! +*/ֱ 2  +@  + +@ + / +$++9  )999!9$ 99 $9 9901573!!3267#".5>54&'71 CV=!)a/PlDARd=+%h^1Rl:Z \d 2VzJ'> +))' NHF-B-DR-+ / /ֱ + 9901732653#"&R#1J1{/J^ f\T=?$-++- +!3 +#2%  +% ./ְ2 %22 +@# + +@ ++)  /+) 9999%  99- 90157!2#!32654&+!!32654&+=fyCrwJqR7ɬjYt$N{Vbfe1j鉐{auqob`#q ++ ++$/ֱ+   / 3%+99  999 999 9014>32373#'##"73267.#"`HyVTD;XஐFz>?v=;iN-y‡J>;`u9UCF908dL#]+ + + $/ֱ +@ +%+ 99999 9 901467!.#"'>32#".73267LL{;F{{ÇHB}\fF!0| ++,/ /%1/ֱ" "+ (22   /2+"99$9 99,99 9014>32373#"&'7326?#".73267.#"fHwTV?\N>JG9X^j:FxBBt>;iN-uH;:\75w1+y7NFwCF906bj!Q/  +@ + 2 +@ +/ֱ2 + + 99013>32#4&#"j)sBs]/MLa!+Br^NZ`)N /  +@ +/ /ֱ + + 99 9901732653#"&4632#"&5 /!Wh#+y1%%11%%1 c@;1o|#--##--j!5 //ֱ++9 9990133672.#"jgNm1 %+Z"!up@M^!!6/33+ 222/ֱ + v++6+ >B-+ .Y+ . >>+ +)+  ++>l+ + #99 #99@  ..........@ ..............@ 99013373373#'##!Z'-`sf.+XyX++XnnmP}"/ / ֱ +90133>73#"'7326? j}%vi/%5J-^31^/ZHh f J;)y{/+/ֱ +013/!Fy um0/ /ִ+ + ++ 901467632#"&unk1NN )C=/=D%{=O3sX635;^s0/ /ִ+ +@ ++ 901>5"&54632NL +A=/;Fpk3r[615>aZ{==R! @/ +/ +/ִ + +@ +2+ 901526548=H<>mV L / +/ +/ִ + +++  9999014632#"&732654&#"mjTTjjTTj\9))99))9VggVVhhV5==53>=Z"/ /ֱ+  9014673327#"&^3wBI9%-%-^'NjT'1q;//T XH{Q/ 2+ 2/ִ+ + ++9 99  901>323273#".#"RL'B719_RL'@719\}!'!i\}!&!hb0/3+2/ִ + +9901333b%%j9- /  +@ +/ֱ+  90133:7#"&j! !J<)3^ Z'-k+/ +/ +./ִv++(/+9 "+$9(99+9($9901732654.'.54632.#"#"&'=-a79>+5#E8"vmHj)?%D/77)5#G:#qJjT#(5)" !-=+Lq-R3!  +@-Xs6!b0/ 3+2/ִ ++990133?3#/#ˋT@7L׋XHCT!Z9hhqq$/+/ִ +9013#㰸{/+/ִ +013 '/3+/ִ +9013#'#Œ{ ຺{M/ 2+ 2/ִ+ + +9 99  901>323273#".#"RL'B719_RL'@719\}!'!i\}!&!hD%++/+ +015!uu= /  +@ +2/ִ+++ 901332673#".hJHHI h=`BB`=!;a`<-]K//K]o  / /ֱ  014632#"&o@//@@//@/??/1>>} + /32/ֱ +014632#"&%4632#"&7-+99+-7`9+-77-+9+99++::++99++::}m+ / +/ +/ ֱ 9017'>54%?R-1BobTN-@/M*'PBV H / +/ +/ִ + ++  9999014632#"&732654&#"jTTjjTTj\9))99))9VggVVhhV5==53>=7,/3+2/ִ +9901333ɐ%%)/+2/ִ +99013373#{{Œw4/3+2/ִ +999013#3#wqyq%\^#/ +/ֱ  9901467632#"mNX%;5 5/#hH)AH/')/-Zh-/ +/ֱ  999  90167#"&54632`o 51#fMX5^')--H)y%!/ +/ֱ  901>54&'7VV y-Pk? =@+9A%7R7!Zo5  / /ֱ  014632#"&o@//@@//@/==/1>>d- + /32/ֱ +014632#"&%4632#"&7-+99+-7`9+-77-+9+99+)<<)+99+)<<RF+/ +/ +/ֱ  901>54&'7Rd=+%h^1Rl: +))' NHF-B-RL#/ +/ֱ   9901>54&'73RdC>Rm41H1Rl: /))+lB@-A-yZ/ /ֱ  9014673327#"&^3wBI9%-%-^'NjT'1q;//T XZ^= /  +@ +2/ִ+++ 901332673#".hJHHI h=`BB`=!;``;-\L//L\//+ +01!!w1=[+ 3+ + 22/ֱ +@ ++  +@ ++  90157!#3267"&5!#1## /AoXX 17vqXLb"/ / +/ #/ֱ+22+/$+ 99 999999 9 9  901467.#"'>32#'##"&73275L5H5q(03P{pf )f?\o}=5PX|mpBU+V!7oL%8kb51RNj g/ /  +@ +!/ֱ2++ "+99999 99013>32#"&'#732654&#"j/e9/Pf9/c) )T#JdPVRV!w'6V]/+)C#{jyVD!b/ / "/ֱ+2   + /#+99 9 9999014>32'53#'##"&73267.#"D/Ph75[)f)[9V\)J()O%HhwL|W/'#q@G#5{-)L#9{%[/ / +#/ &/ִ + +@ +'+  99999 99014>32!3267#".7!4.#"91Tq>Lh?Cs\/V#1/tDDvV4{V%;-JbjPX2:Zj1fqP+-[!E5#d=3BN1/7 +>/( /F +L/ +  +O/ְ 2%+C2%4 +/4+%I+"+:I+,P+% 999I)17=A$99>7,4999(A999%99F "999 CI$901475.54675.54>323##"&';2#"&732654&+"&'32654&#"=_!-#5)H\59/'D\331Ays/ZP{mbXZoD=m/?!N;7PP7;NV96''=Z;7X32>32#4&#"#4&#"jg )cC//mBo`2G%L/1H#K0!^/@{1Jt^NZ-3)NZ-3)=@/ /  /ֱ+ !+99 99014>32#".732654&#"=2Vp@?qV11Vq??qV2aVV^^VVajRY//YRRY//YQmloj ^/ / !/ֱ2++ "+99999 9990133>32#"&'32654&#"je)i;/Pf9-e))T#JdPVRVL#:V]/)##{jyV!ot/ /3 2 +@ +/ֱ 2  +@  + +@ + +/+9 9 99015?33#327#"&5!fjd)#F"mXN`f^ gVfX/  +@ + 2/ֱ+   + /+9 9 990133273#'##"&f/NP\d)pBs`qNX^m\+B! - /+2 /ִ + + 99013373#w@?w}hm=R9/ / /ֱ+9  9999014>32.#"3267#"&=4Xt@Hd>9-VqoX5F5#hNjRY/-Tmj#T1'!\/3 2 +@ + / /ְ22 +@ + +@ ++  99015754632.#"3##'\bkD/%--P^Vf^C<^d/+!- @/ /  /+ +2 + 999015!5!!+X`!EfGhb?%)q+ +% )/& +*/ֱ 2+ ! ++! &'$99 99%9013!2#%32654&+532654&+!!fyCrwIqǮ?$N}Xdbb1}uwpo`aw*s+++(//+/ֱ 2#+ ,+999#$99( 990133>32#"&'#!!32>54.#"DT`d3EwVFA B2=hL+@dFys;PHsɋH@;bw;9/7d\R`6Z? J+ + / /ֱ + +!+ 9013! #'32+4632#"&P7DR阮뚞@//@@//@?\/==/1>>`Z#/ +++-/' /0/ֱ$+* *+2   /1+99 99 999014>32'3#'##"73267.#"4632#"&`HwVVB;XஐFz>?v=;iN-@//@@//@y‡J>5Nu9UCF908d/==/1>>? I+ + //ֱ ++ 99 9013! #'32+!!P7DR阮?\ew`#' +++'/$ /(/ֱ+2   /)+$'$9 9 %&999 999014>32'3#'##"73267.#"!!`HwVVB;XஐFz>?v=;iN-\y‡J>5Nu9UCF908dw [+ + + / /ֱ 2 +@ +@  +@  ++  99013!!!!!5!%73qq?Zuu^$(,s+ &+%+   + -/ֱ 2 + .+ %&)+$9  '($9 9 99014>32!3267#".7!4&#"5!%73^L}V^e5` Hx8;BgdJu5aN3{‡HB{j7%+"n)>Hƚ+PuHuujfJ%)~!+ + ! +&/'*/ֱ+ +@ +++ !&'$9 ()$9999  99014>32.#"3267!5!#".5!j]ᇋ;`3ffs?;qlH)Bևޟ[k`h>l5HL}ˏN+%^DX_uu\5D7;M]H+* 9+8+[+3/?!SH +! ^/ֱN'2 <N/NX+X +@ +DX+._+N 89$9X !+3?G$9:;999H?.<999*K999!'99S $999NX$9014675.54675.54>32!##"&';2#".5!32>54&+"&'32>54&#"\ND%3E'1P;gL)GZ#/9bL%N#$JfFu\l< HuR-gbC!515!;L++L;!{XX{?s/O>Z Y+ 3+//!/ֱ 2+  + "+9990133>32#4&#"4632#"&HiZcNvL@//@@//@sD``}ML//==/1>>Z? x+3+3/  +@ +2  + /ֱ 2  + + +++2 + 90133!3#!332673#".q8hJHHI h=`BB`=!?3y;``;-\L//L\Z&+ 3+"/ " +@ +2/'/ֱ 2++ +  ++/+(+"99990133>32#4&#"332673#".HiZcNvL hJHHI h=`BB`=!sD``}ML/;``;-\L//L\? 7+3+3/ /ֱ 2+ 99013333 #!!0\o:?_Vw A+3+/ //ֱ 2+  99 99013333 #!!{ݺ!% qwZ?>++/ /ֱ  +@ ++ +0133!4632#"&L1@//@@//@?R/==/1>>Z< +///ֱ   + $901733:7#"&4632#"&-#`RE@//@@//@ )  so/==/1>>ZJ O++/ //ֱ  +@ + + + 99015!3!4632#"&L1@//@@//@uu+?R/==/1>>Z C+ /// /ֱ   !+$9015!33:7#"&4632#"&-#`RE@//@@//@uu5 )  so/==/1>>? =++ / /ֱ  +@ + + 990133!!!L?Rw^X&+ ///ֱ +01!!33:7#"&^J-#`Rw' )  sZ?%s+ 3+3#/&/ֱ+  + '+999 $9 9 9999013333#467###4632#"&b ^ɢlaj $@//@@//@?0ZZA+ZZ/==/1>>Z!-+33++ 32+/%./ֱ! !+"2 ( + /+!999( 9 9 99901333>32>32#4&#"#4&#"4632#"&BZsN\Z^qZ`q@//@@//@H`d[Vi`}/`}//==/1>>uj+ 3+ 3/ /ֱ+ + !+999 9 999901333.53##4632#"&D11DD11D?fjNfkB%/==/1>> f+ 3++/!/ֱ +  + "+9999901333>32#4&#"4632#"&HiZcNvL@//@@//@H``}ML//??/1>>Zu?j+ 3+ 3/ /ֱ+ + !+999 9 999901333.53##4632#"&@//@@//@?fjNfkB/==/1>>Z f+ 3++/!/ֱ +  + "+9999901333>32#4&#"4632#"&HiZcNvL|@//@@//@H``}ML//==/1>>u?\+ 3+ 3//ֱ+ +99 $9 999901333.53##!!H?fjNfkBwc+ 3++//ֱ  + +999 9 999901333>32#4&#"!!HiZcNvLH``}ML/wj'+/P+ +# (/)0/ֱ+ 1+(*,.$9# 99014>32#".732>54.#"5!%73jTәTTӘT9hZZi99iZZh9^`ccˑNN}ɋLLuu^'+/R+)+(+# 0/ֱ+ 1+(*,.$9# 99014>32#".732>54.#"5!%73^L\\LL\\L)Lk??kL))Lk??kL)#}‡FF}{ÅFF{Vd77dVVf88fuuZZ?$q+ 3+ "/ +%/ֱ 2+ + &+ 9 9 9" 99013!2##32654&+4632#"&f}ET➧@//@@//@?&[h#7Áj/==/1>>Z k + ++ + // ֱ + / +  999 99014632#"&33>32.#"@//@@//@3V;0!)?3/==/1>>h^ofZZJ(+ 3+ &/  +/)/ֱ 2+# #+ *+99# 9 999 9 99013!2##5!32654&+4632#"&f}ET ➧@//@@//@?&[h#7uuj/==/1>>ZD !y ++ ++ + /"/ ֱ + / #+  $99 999014632#"&33>32.#"5!@//@@//@3V;0!)?3/==/1>>h^ofuuZ?e+ 3+ / +/ֱ 2+ + $9 9 99013!2##32654&+!!f}ET➧?&[h#7ÁjcwL++ + + //ֱ +99901!!33>32.#"3V;0!)?3w^^ofV3?~1+ + =/7@/ֱ! !4+: :+,A+!94 99: &1$9'(99,99,$901?32654./.54>32.#"#"&4632#"&VfHh#>91=w/++;/5>/ֱ  2+8 8+*?+ 982 $/$9*99*$9901?32654.'.54>32.#"#"&4632#"&9TBZbc)@R)5jT60XP^:P3oA^Y%>O+5mV80\Xj@//@@//@qp5B[A'9+!/DZ?;iL+B/j'1V:#3&-DbF=kQ0N/??/1>>VZX3?~1+ + =/7@/ֱ! !4+: :+,A+!94 99: &1$9'(99,99,$901?32654./.54>32.#"#"&4632#"&VfHh#>9Z1=w/++;/5>/ֱ  2+8 8+*?+ 982 $/$9*99*$9901?32654.'.54>32.#"#"&4632#"&9TBZbc)@R)5jT60XP^:P3oA^Y%>O+5mV80\Xj@//@@//@qp5B[A'9+!/DZ?;iL+B/j'1V:#3&-DbF=kQ0N/==/1>>9Z?X++2/ /ֱ  +@ + +@ ++ + 99015!!#4632#"&9k@//@@//@P/==/1>>1Z%+ +3 2 +@ ++#/&/ֱ 2  +@  + +@ + / + '+9  #$9 9901573!!3267#".54632#"&1 CV=!)a/PlD@//@@//@Z \d 2VzJ'o/==/1>>9? A++2 / /ֱ  +@ + +@ + +015!!#!!9kPiw1{+ +3 2 +@ ++//ֱ 2  +@  + +@ + /+9 9901573!!3267#".5!!1 CV=!)a/PlDZ \d 2VzJ'w/!%6!+3+ 333&/ֱ+'+6-+ !8+ . -+ ++++  + + ++++ #999  #9 99999@   ............@ ! ...............@"$9990133>733>73#.'##3#/) 01 %#?%oool%jool)NNNN1!% +!3322+ $3&/ֱ +'+6 + !>[+ .  <>+ . . =+  + +  +$+  + + ++++>6+  + + + #99 9 999  #9 99999@  ...............@  ! ......................@"$9990133>733>73#.'##3#1!#͏!ĸHFFF?HFFH?HLLH/!%6!+3+ 333&/ֱ+'+6-+ !8+ . -+ ++++  + + ++++ #999  #9 99999@   ............@ ! ...............@"$9990133>733>73#.'##73/) 01 %#q?%oool%jool)NNNN1!% +!3322+ $3&/ֱ +'+6 + !>[+ .  <>+ . . =+  + +  +$+  + + ++++>6+  + + + #99 9 999  #9 99999@  ...............@  ! ......................@"$9990133>733>73#.'##31!#͏!HFFF?HFFH?HLLH /!-91!+3+ 333+/73%12:/ֱ"+((.+24 24+;+6-+ !yZ+ .  -+ +++  + + #999 99@   .........@ ! .........@"9( 9. 994 99!90133>733>73#.'##4632#"&%4632#"&/) 01 %#7-+99+-7`9+-77-+9?%oool%jool)NNNN-77-+::+-77-+::1}!-9 +!3322+ $3+/73%12:/ֱ "+((.+44+;+6 + !>[+ .  <>+ . . =+  + +  +$+  + + ++++>6+  + + + #99 9 999  #9 99999@  ...............@  ! ......................@490133>733>73#.'##4632#"&%4632#"&1!#͏!ć7-+99+-7`9+-77-+9HFFF?HFFH?HLLH+99++::++99++::L++ 3//ֱ + + $9990133>73#4632#"&!>" #ElD11DD11D?JLLJz/==/1>>T(+ 33/ &/ )/ֱ# # + *+673#"&'7326?4632#"&3(AZsL#9 *Vm'@//@@//@BEDA'J\5  y\J!/??/1>>\Z? <++/ / ֱ +990135!5!!4632#"&\}X;@//@@//@fJd/==/1>>?Z1 <+ + / / ֱ +990135!5!!4632#"&? -3@//@@//@ZZ/==/1>> %1+ + 3 2 +@ ++ //3)22/$ֱ 2$ +@ +$ +@$ +$+//& +,3+$ 999,9999014632#"&573!!3267#".54632#"&7-+99+-7 CV=!)a/PlD9+-77-+90+99++::U \d 2VzJ'+99++::X(U+++$)/ֱ( (+ *+($9 9$ $9013432#"&'732654./.#"7׿7gXw@b;|Kmw#Zt #hV+ȔPd:VFoB9f/VJ9n:FbZT?m+3+/ + /ֱ+ ++99 $9 99 90133#!!'.'#4632#"&Ƕ@%A!A%@//@@//@?f#quup/==/1>>wZ'3++ + 1/+# + 4/ֱ(+. ."+22 /5+" 9999#999 9014$%4.#"'>32#'##"&732674632#"&w%?/N>XP/==/1>>T +3+ + / +/ +!/ֱ++"+ $99 99 990133#!!'.'#7'>54Ƕ@%A!A%%?R-1B?f#quupbTN-@/M*'Pw'6++ + # + 1/2 +(/) +7/ֱ5+,,"+22 /8+5()12$9" 99#999 9 9(2,9014$%4.#"'>32#'##"&732677'>54w%?/N>XP2bTN-@/M*'PT W+3+ + /ֱ++@  $9990133#!73#'#!'.'#73ǶqF@%A!A%E?f}quup9w'/3++ + # + 4/ֱ"+22 /5+ 99"(*,$9099+139999 9 9014$%4.#"'>32#'##"&7326773#'#%73w%?/N>XPY󕕉T W+3+ + /ֱ++@  $9990133#!73#'#!'.'#3#ǶqF@%A!A%ߓk?f}quupw'/3++ + # + 4/ֱ"+22 /5+ 99"(*,0$99+139999 9 9014$%4.#"'>32#'##"&7326773#'#3#w%?/N>XPYrT?'+3+ + !/" +/ +(/ֱ%+"+%+)+%@  !"$99! $9" 99 9990133#!73#'#!'.'#7'>54&ǶqF@%A!A%+y}sI'5C?f}quupVIHNH H !)"wF'/?++ :+9 ++ # + 0/1 +@/ֱ"+22 /="+4A+"(*,01$9 9=+9:999#999 9 99(+,/$9:.-990*)4999014$%4.#"'>32#'##"&7326773#'#7'>54&w%?/N>XPY\TJH)9'H %!)'T&0+3+' + / +2 + +21/ֱ+++++2+'999@   !#&,-$9"(999',9 990133#!>3232673#".#"73#'#!'.'#ǶiRG%:/-+VRG%:/-BNF@%A!A%?fRl"1+Pn#\}quupwj1=E++5 + 9 + // +&2$/+* +2F/ֱ22+1+2+& 833'+G+12>9 *@B$9'A99999 9 9*>?99014$%4.#"'>32#'##"&>323273#".#"326773#'#w%?/N>XPTՆZT%w+3+#/ + &/ֱ+ +'+$9   $9 $990133#!73#'#!'.'#4632#"&Ƕ`ŤŊ>@%A!A%@//@@//@?f勋}quup/==/1>>wZ'/;++ + 9/3# + 32#'##"&732673#'#4632#"&w%?/N>XPY ຺3/==/1>>TB#'g+3+ + / +  +@ +2(/ֱ+)+ $&$990133#!'332673#".!'.'#73Ƕ\ HJJG \#>X;;X>@%A!A%;?fZ+5NN5+N=%%=quupzwP'9=++ + # + 5/, +,5 +@,( +/2>/ֱ(+)+)"+22 / 0+/?+/)5:;=$90 <99#999 9 9014$%4.#"'>32#'##"&73267332673#".73w%?/N>XPa?ed@-]K//K]TB'g+3+ + / +  +@ +2(/ֱ+)+ $9#90133#!'332673#".3#!'.'#Ƕ\ HJJG \#>X;;X> d@%A!A%?fZ+5NN5+N=%%=6quupwP'9=++ + # + 5/, +,5 +@,( +/2>/ֱ(+)+)"+22 / 0+/?+)(:9/5;<=$90 9#999 9 9014$%4.#"'>32#'##"&73267332673#".73#w%?/N>XPa?ed@-]K//K]T#3+3+ + / +  +@  +2-/. +$/% +4/ֱ1+("+(+5+1@  $%-.$9(9$99$.(90133#!332673#".!'.'#7'>54&Ƕ}\ HJJG \#>X;;X>#)@%A!A%y~ 4E%%6D?f5NN5+N=%%=NquupXVJH'7'H !)#w'9I++ + # + 5/, +,5 +@,( +/2:/; +J/ֱ(+)+)G+>>"+22 / 0+/K+G)@ ,5:;CD$90 9#999 9 9:,>C99014$%4.#"'>32#'##"&73267332673#".?'>54&w%?/N>XPa?ed@-]K//K]THI):&G & )'T0:+3+1 + ,/# +#, +@# +&2/ +2 + +2;/ֱ+++++<+1999@   &,67$9'29991690133#!>3232673#".#"332673#".!'.'#ǶiRG%:/-+VRG%:/-BB\ HJJG \#>X;;X>#)@%A!A%?fRl"1+Pn#\@5NN5+N=%%=Nquupwj1=O++5 + 9 + K/B +BK +@B> +E2// +&2$/+* +2P/ֱ22>+2?+1+?+& 833'+Q+&?@ */5EK$9'F999999 9 9014$%4.#"'>32#'##"&>323273#".#"3267332673#".w%?/N>XP81NN1)N=''=NZT#/+3+-/' + / +  +@  +20/ֱ+ + $+* *+1+ 99*$ $9$990133#!332673#".!'.'#4632#"&Ƕ{f FFFE f!=[==[=!+@%A!A%@//@@//@?f1PP1+R=''=Rquup/==/1>>wZ'9E++ + C/=# + 5/, ,5 +@,( +/2F/ֱ(+)+):+@ @"+22 / 0+/G+@:,5$90 9#999 9 9014$%4.#"'>32#'##"&73267332673#".4632#"&w%?/N>XPa;a`<-]K//K]X/==/1>>Z? \+ +/ +/ֱ 2 +@ +@  +@  +  + +013!!!!!4632#"&q@//@@//@?Z/==/1>>^Z$0+ + ./(  + 1/ֱ 2 %++ ++ 2+% 9+ $9  9999 9 99014>32!3267#".7!4&#"4632#"&^L}V^e5` Hx8;BgdJu5aN3@//@@//@{‡HB{j7%+"n)>Hƚ+PuB/==/1>> ~+ + +/ + / +/ֱ 2 +@ +@  +@  + ++  $9 9013!!!!!7'>54q%?R-1B?ZbTN-@/M*'P^$3+ +   + .// +%/& +4/ֱ 2 2+))+ 5+2  %&./$9)9  999 9 99%/)9014>32!3267#".7!4&#"7'>54^L}V^e5` Hx8;BgdJu5aN3%?R-1B{‡HB{j7%+"n)>Hƚ+PubTN-@/M*'P #+ + + /2 + 2$/ֱ 2 +@ +@  +@  + #  + /#+ ++%+#99013!!!!!>3232673#".#"qJ ZJ)B75-^ ZJ)B75-?Z`} )!73^!)!65^{$:+ +   + 8/( /2-(8+3 %2;/ֱ 2% +:+ + 0 +/+//0+<+: &993$9019  999 9 99014>32!3267#".7!4&#">323273#".#"^L}V^e5` Hx8;BgdJu5aN3RL'B719_RL'@719{‡HB{j7%+"n)>Hƚ+Pu\}!'!i\}!&!h% R+ + +/ֱ 2 +@ +@  +@  ++  9013!!!!!73#'#%73qm??Z^$,0o+ +   + 1/ֱ 2 + 2+ %(-$9  .0$99 9 99014>32!3267#".7!4&#"73#'#%73^L}V^e5` Hx8;BgdJu5aN3'sww1{‡HB{j7%+"n)>Hƚ+Pu󕕉 R+ + +/ֱ 2 +@ +@  +@  ++  9013!!!!!73#'#3#qmٓk?Zf^$,0o+ +   + 1/ֱ 2 + 2+ %(-$9  .0$99 9 99014>32!3267#".7!4&#"73#'#3#^L}V^e5` Hx8;BgdJu5aN3'swwi{‡HB{j7%+"n)>Hƚ+Pur? !+ + +/ +/ +"/ֱ 2 +@ +@  +@  + +"+#+  9 $9 $999 999013!!!!!73#'#7'>54&qm%y}sI'5C?ZCVIHNH H !)"^F$,<+ 7+6 ++   + -/. +=/ֱ 2 +  1 ::/1>+ @ %(-.67$9:9  99 9 996%(),$97+*99-'&1999014>32!3267#".7!4&#"73#'#7'>54&^L}V^e5` Hx8;BgdJu5aN3'swwy!5D$'/A{‡HB{j7%+"n)>Hƚ+Pu\TJH)9'H %!)' "*+ + + / +2 + + 2+/ֱ 2 +@ +@  +@  + +"+ ++,+ #9"$%'*$9&9#$99013!!!!!>3232673#".#"73#'#qeRG%:/-+VRG%:/-BN?ZRl"1+Pn#\^j$:B+ +   + 8/( +/2-(8+3 +%2C/ֱ 2 %+:+:+ 0 +/+//0+D+% 9:;9/@  (3<=?B$90>9 9 993;<99014>32!3267#".7!4&#">323273#".#"73#'#^L}V^e5` Hx8;BgdJu5aN3 RH'7/+BVRH'7/+BHw{‡HB{j7%+"n)>Hƚ+Pu)Rh#XRh#XՆZ u+ +/ + /ֱ 2 +@ +@  +@  + + !+  99 $9013!!!!!73#'#4632#"&q\ŤŊ4@//@@//@?Z勋#/==/1>>^Z$,8+ + 6/0  + 9/ֱ 2 -+3 3+ :+- %,9993 &'*+$9)9  ($99 9 99014>32!3267#".7!4&#"3#'#4632#"&^L}V^e5` Hx8;BgdJu5aN3 Œ{@//@@//@{‡HB{j7%+"n)>Hƚ+Pu ຺3/==/1>>M++ / +/ +/ֱ ++  99 9017'>543%?R-1B{bTN-@/M*'Pn?yM++ / +/ +/ֱ ++  99 9017'>543y%?R-1B{obTN-@/M*'PZ}? < + + //ֱ  + +  99014632#"&3@//@@//@/==/1>>h?Zs L++/ // ְ2 2  + + $9014632#"&4632#"&3D11DD11D@//@@//@1;;1/>>/==/1>>hjZX'3Y+ +# 1/+4/ֱ(+. .+ 5+.(#$9# 99014>32#".732>54.#"4632#"&jTәTTӘT9hZZi99iZZh9@//@@//@^`ccˑNN}ɋLL/==/1>>^Z'3Y++# 1/+4/ֱ(+. .+ 5+.(#$9# 99014>32#".732>54.#"4632#"&^L\\LL\\L)Lk??kL))Lk??kL)@//@@//@}‡FF}{ÅFF{Vd77dVVf88f/==/1>>j'6r+ +# 1/2 +(/) +7/ֱ5+,,+ 8+5#()12$9# 99(2,9014>32#".732>54.#"7'>54jTәTTӘT9hZZi99iZZh9 %?R-1B^`ccˑNN}ɋLLubTN-@/M*'P^'6r++# 1/2 +(/) +7/ֱ5+,,+ 8+5#()12$9# 99(2,9014>32#".732>54.#"7'>54^L\\LL\\L)Lk??kL))Lk??kL)%?R-1B}‡FF}{ÅFF{Vd77dVVf88f)bTN-@/M*'Pj '/3P+ +# 4/ֱ+ 5+(+013$9 29# 99014>32#".732>54.#"73#'#%73jTәTTӘT9hZZi99iZZh9?^`ccˑNN}ɋLL^'/3O++# 4/ֱ+ 5+(+03$9 19# 99014>32#".732>54.#"73#'#%73^L\\LL\\L)Lk??kL))Lk??kL)1sww1}‡FF}{ÅFF{Vd77dVVf88fP󕕉j '/3I+ +# 4/ֱ+ 5+(+02$9# 99014>32#".732>54.#"73#'#3#jTәTTӘT9hZZi99iZZh9ٓk^`ccˑNN}ɋLLf^'/3Q++# 4/ֱ+ 5+(+01$9 2399# 99014>32#".732>54.#"73#'#3#^L\\LL\\L)Lk??kL))Lk??kL)1swwi}‡FF}{ÅFF{Vd77dVVf88fPrj?'/=+ +# 7/8 +0/1 +>/ֱ+ 4 +;"+;/4"+?+;@ #(+0178$9# 997(+,/$98.-990*)4999014>32#".732>54.#"73#'#7'>54&jTәTTӘT9hZZi99iZZh9%y}sI'5C^`ccˑNN}ɋLLCVIHNH H !)"^F'/?+:+9 ++# 0/1 +@/ֱ+ = +4A+(+019:$9# 999(+,/$9:.-990*)4999014>32#".732>54.#"73#'#7'>54&^L\\LL\\L)Lk??kL))Lk??kL)1swwy!5D$'/A}‡FF}{ÅFF{Vd77dVVf88fP\TJH)9'H %!)'j'>F+ +# +>3+4+4+ H+>(?93@ #+7@ACF$94B9# 997?@99014>32#".732>54.#">3232673#".#"73#'#jTәTTӘT9hZZi99iZZh9RG%:/-+VRG%:/-BN^`ccˑNN}ɋLLRl"1+Pn#\^j'=E++# ;/+ +220+;+6 +(2F/ֱ(+=+=2+3+3+ G+=(>92@ #+6?@BE$93A9# 996>?99014>32#".732>54.#">323273#".#"73#'#^L\\LL\\L)Lk??kL))Lk??kL)RH'7/+BVRH'7/+BHw}‡FF}{ÅFF{Vd77dVVf88fjRh#XRh#XՆjZ'/;m+ +# 9/332#".732>54.#"73#'#4632#"&jTәTTӘT9hZZi99iZZh9vŤŊ@//@@//@^`ccˑNN}ɋLL勋#/==/1>>^Z'/;m++# 9/332#".732>54.#"3#'#4632#"&^L\\LL\\L)Lk??kL))Lk??kL)Œ{ @//@@//@}‡FF}{ÅFF{Vd77dVVf88fP ຺3/==/1>>o 48n+& +0 +9/ֱ!!++ 22  /:++!57$9 90&9999014>32>54&'7#".732>54.#"73oTwVP xp`bqT}әT9iZZh99hZZi9!^A?:(;A'XiZ红ccˑNN}ɋLL^ 48q+&+0 9/ֱ!!++   /:++!57$9  9990&9999014>32>54&'7#".732>54.#"3^L\f[HO{rLL\L\\L)Lk??kL))Lk??kL)}‡F+ @9+;A'\`DЋ{ÅFF{Vd77dVVf88fP o 48n+& +0 +9/ֱ!!++ 22  /:++!57$9 90&9999014>32>54&'7#".732>54.#"3#oTwVP xp`bqT}әT9iZZh99hZZi9}^A?:(;A'XiZ红ccˑNN}ɋLLh^ 48q+&+0 9/ֱ!!++   /:++!57$9  9990&9999014>32>54&'7#".732>54.#"3#^L\f[HO{rLL\L\\L)Lk??kL))Lk??kL)<}‡F+ @9+;A'\`DЋ{ÅFF{Vd77dVVf88fpo 4C+& +0 +>/? +5/6 +D/ֱ!!B+99++ 22  /E+B!&056>?$9+99 90&9999?> 995 9999014>32>54&'7#".732>54.#"7'>54oTwVP xp`bqT}әT9iZZh99hZZi9%?R-1B^A?:(;A'XiZ红ccˑNN}ɋLLubTN-@/M*'P^ 4C+&+0 >/? +5/6 +D/ֱ!!B+99++   /E+B!&056>?$9+99 9990&9999> 99? 95999014>32>54&'7#".732>54.#"7'>54^L\f[HO{rLL\L\\L)Lk??kL))Lk??kL)%?R-1B}‡F+ @9+;A'\`DЋ{ÅFF{Vd77dVVf88f)bTN-@/M*'Po 4L+& +0 +I/8@2=8I+D52M/ֱ!!5+L+L@+A+A++ 22  /N+@L&08D$9A9+90&9999D 99= 9014>32>54&'7#".732>54.#">3232673#".#"oTwVP xp`bqT}әT9iZZh99hZZi9` ZJ)B75-^ ZJ)B75-^A?:(;A'XiZ红ccˑNN}ɋLL`} )!73^!)!65^{ 4J+&+0 H/8 ?2=8H+C 52K/ֱ!!5 +J+J?+@+@+ +   /L+J!69?&08C$9@A99 9990&9999C 99= 99014>32>54&'7#".732>54.#">323273#".#"^L\f[HO{rLL\L\\L)Lk??kL))Lk??kL)RL'B719_RL'@719}‡F+ @9+;A'\`DЋ{ÅFF{Vd77dVVf88f\\}!'!i\}!&!hoZ/ 4@}+& +0 +>/8A/ֱ!!5+; ;++ 22  /B++999 90&9999014>32>54&'7#".732>54.#"4632#"&oTwVP xp`bqT}әT9iZZh99hZZi9@//@@//@^A?:(;A'XiZ红ccˑNN}ɋLL/==/1>>^Z 4@+&+0 >/8A/ֱ!!5+; ;++   /B+;5&0$9+9 9990&9999014>32>54&'7#".732>54.#"4632#"&^L\f[HO{rLL\L\\L)Lk??kL))Lk??kL)@//@@//@}‡F+ @9+;A'\`DЋ{ÅFF{Vd77dVVf88f/==/1>>Zw?%K+ +3#/&/ֱ +  +'+ 9901332>53#".4632#"&1TsBDrV1JffJr@//@@//@+yb++by݉<<@/==/1>>Z j +++ 3/!/ֱ +  +   /"+9 99901332673#'##"&4632#"&XbNwGFhI@//@@//@mv}PXRc/==/1>>w(e+ +3#/$ +/ +)/ֱ '+ +*+'#$$9$901332>53#".7'>541TsBDrV1JffJ^%?R-1B+yb++by݉<<bTN-@/M*'P# +++ 3/ +/ +$/ֱ "+ +   /%+"$9 9 99901332673#'##"&7'>54XbNwGFh%?R-1Bmv}PXRcbTN-@/M*'PX(,\$+ +3-/ֱ  ++.+ $)+99999901332>53>54&'7#".731TsBDrV1DVby%=R-JffJy+yb++by:H(;A'3J5! 5݉<<m#'o+!++ 3(/ֱ  + /+)+ !$&9999999901332673>54&'7#'##"&3XbNwG+Hd x!3D#Fhmv}PX:E+;A'/F3! \Rc X(,\$+ +3-/ֱ  ++.+ $)+99999901332>53>54&'7#".3#1TsBDrV1DVby%=R-JffJ+yb++by:H(;A'3J5! 5݉<<m#'v+!++ 3(/ֱ  + /+)+ !%&'$9$99999901332673>54&'7#'##"&3#XbNwG+Hd x!3D#Fhmv}PX:E+;A'/F3! \Rc X(7$+ +32/3 +)/* +8/ֱ 6+-- ++9+6$)*23$9993$99)-99901332>53>54&'7#".7'>541TsBDrV1DVby%=R-JffJ^%?R-1B+yb++by:H(;A'3J5! 5݉<<bTN-@/M*'Pm#2+!++ 3-/. +$/% +3/ֱ 1+(( + /+4+1!$%-.$9 99999-9.9$(99901332673>54&'7#'##"&7'>54XbNwG+Hd x!3D#Fh%?R-1Bmv}PX:E+;A'/F3! \RcbTN-@/M*'PX(@$+ +3=/,421,=+8)2A/ֱ )+@+@4+5+5 ++B+4@$,8$999=$9919,901332>53>54&'7#".>3232673#".#"1TsBDrV1DVby%=R-JffJ ZJ)B75-^ ZJ)B75-+yb++by:H(;A'3J5! 5݉<<'`} )!73^!)!65m{#9+!++ 37/' .2,'7+2 $2:/ֱ 9 $+$/9+ + . /+/+;+9$%9.!'2$9/0999999299,9901332673>54&'7#'##"&>323273#".#"XbNwG+Hd x!3D#FhjRL'B719_RL'@719mv}PX:E+;A'/F3! \Rc\}!'!i\}!&!hZXX(4f$+ +32/,5/ֱ )+/ / ++6+/)$999901332>53>54&'7#".4632#"&1TsBDrV1DVby%=R-JffJr@//@@//@+yb++by:H(;A'3J5! 5݉<<@/==/1>>Zm#/+!++ 3-/'0/ֱ $+* * + /+1+$!9*9 9999901332673>54&'7#'##"&4632#"&XbNwG+Hd x!3D#Fh=@//@@//@mv}PX:E+;A'/F3! \Rc/==/1>>5++ 3/ֱ + $990133>73#3#!>" #El?JLLJzT x+ 33/ !/ ֱ "+673#"&'7326?3#3(AZsL#9 *VmBEDA'J\5  y\JZ?L++ 3//ֱ + + $9990133>73#4632#"&!>" #El@//@@//@?JLLJz/==/1>>T(+ 33/&3 )/ ֱ  #  /# *+673#"&'7326?4632#"&3(AZsL#9 *Vm @//@@//@BEDA'J\5  y\J/==/1>>c++ 3/ +/ +/ֱ  + +$9 9990133>73#7'>54!>" #El-%?R-1B?JLLJzbTN-@/M*'PT++ 33/ &/' +/ +,/*ֱ!! + -+673#"&'7326?7'>543(AZsL#9 *Vm;%?R-1BBEDA'J\5  y\JqbTN-@/M*'P'z++ 3$/2$+2(/ִ'+'+ ++)+'$99 "$999990133>73#>3232673#".#"!>" #El ZJ)B75-^ ZJ)B75-?JLLJz`} )!73^!)!65T{2+ 33/ 0/ '2% 0++ 23/ִ2+2 + ( +'+'/(+4+673#"&'7326?>323273#".#"3(AZsL#9 *VmRL'B719_RL'@719BEDA'J\5  y\J\}!'!i\}!&!hT+B5!TT+B5!TT=//+015!TTttT=//+015!T/ttT=//+015!TttT=//+015!Tttb$/ִ"++"+ +01333wvum0/ /ִ+ + ++ 901467632#"&unk1NN )C=/=D%{=O3sX635;^s0/ /ִ+ +@ ++ 901>5"&54632NL +A=/;Fpk3r[615>aZ{=0/ /ִ+ +@ ++ 901>5"&54632NL +A=/;Fpk3r[615>aZ{=um#Q/!3 2$/ִ+ + +++ + +%+ 9901467632#"&%467632#"&unk1NN )C=/=Dhnk1NN )C=/=D%{=O3sX635;^Z{=O3sX635;^s#]/3 2$/ִ+ +@ ++ + +@ +%+#999  9901>5"&54632%>5"&54632NL +A=/;Fpk9NL +A=/;Fpk3r[615>aZ{=N3r[615>aZ{=#]/3 2$/ִ+ +@ ++ + +@ +%+#999  9901>5"&54632%>5"&54632NL +A=/;Fpk9NL +A=/;Fpk3r[615>aZ{=N3r[615>aZ{=o\3 ++32/ / ְ2 2 +0153%%#o$ %  H no\3K+ 3 2+ 3 2/32//ֱ22 22+017553%%%%#o$ $ % % jk H  HR%./ + +/ִ + ++014>32#".R%?R/-T@%%@T-/R?%7\@$$@\77[A##AZ #K +!33+22 ++$/ֱ  + + %+0174632#"&%4632#"&%4632#"&H31HH13HH31HH13HH31HH13Hf;HG<7HH7;HG<7HH7;HG<7HHH HX '3?K%+=33+ C2+3 % + 1% +I3 72L/ֱ  ++((.+""4+@@F+:M+  $9.(%$9F@=799 +"(.4:@F$9 $9014632#"&732654&#"3 4632#"&732654&#"4632#"&732654&#"HbPNbbNPbsݨcNPbcONcybNPccPNb͠q̠̠y{/+/ֱ +013/!Fy y 0/3+2 /ִ + +9901333/!F/!Fy  \!/ִ +2+9015\II==:o!/ְ2 ++90177oGC@=7u".m,+&+///ֱ2#+) "+/+0+)&,$9 99&"$901>32+'3>54&#"4632#"&7DoR^53NXE)<+ ;5#qlJ5F33GG33FL^/VwFLzi``mA-PT\8Z}B;;HG<7HHX++/+013sqHl @ / / /ֱ  ++  9999014632#"&732654&#"HbPNbbNPb̠V! 2 / /ֱ  ++  99014632#"&3V1%%11%%1#--##--mV h/3 +2 +@ + +@  +/ ְ 2"+2 +@ +  +@ ++ 9 901533##5'357#VPwwvgZD^^ߦHl"r / / +/#/ֱ$+6?+ .!......@99  $901732654&#"'!!>32#"&HX'bFH[^J/G!@%B"5aH).Ki=jD7@bNR^%/s #Ee?=gH)X\l'Q/ %/ + / (/"ֱ)+" 99%999  99014>32.#"632#"&732654&#"\5_IFZ#5D)Z Xqy)H`:} bJBPNL-Rqo5%\Rr9cJ)Ձwv\HHZ'f-/ / ֱ +@ ++9015!#>7f0J\:!:X=3qJ\hhT\l!.:v/% +8/ ;/ֱ""/ v+//v+"5+( <+/95 %,-$98%-2$9014675.54>32#".732654.'>54&#"\\<5B'C[3m%+FO+Kg=?gJ){VHB]":I)ofH-)N75JLLp##T?/N8pc#91%#eG1T>##>R95VP9%1%B+=E#K)5>@Pl'T / / +%/ (/ִv+)+99 999%99014>32#"&'73267#"&73267.#"P)Ec75^JF\"7C)Z XpyyOJ/R/ bL?R9cI)վqn6%\TuHZ'1ww\A /ֱ+0147&\X]NDDN]X\}-y{-}P`A /ֱ +01654'7PNCCN`T\ZV{x-}}j!R/  +@ +2/ֱ+ + +9 9990133>32#4&#"je +qBs]/KNa!^/@r^NZ`)H? @ / / /ֱ  ++  9999014632#"&732654&#"HbPNbbNPb̠Xw;/ + +@ + /ֱ +@ + +90175>73#DZ)jV 'wRXJ/ / /ֱ +@ + +@ ++ 9$9017>32!!5>54&#"R/Ry-Pl@R\^1RG3V#FU9klsAqLTna-NZD1H?*P(/ / +/ +/ֱ# ,+ #999  999901732654춮&#"'>32#"&HX%f?B^uhrPB-R#P5~T3\F)N>Dh-Nh9bD7@JEFHTQ>9F7)E;H8P3H`eP7X@!XVXw h /3 +2 +@  + +@  +/ְ 2"+2 +@ + +@ ++9 90133##5!7357#VPwwvg^^ߦH?w"r / / +/#/ֱ$+6?+ .!......@99  $901732654&#"'!!>32#"&HX'bFH[^J/G!@%B"5aH).Ki=jD7@bNR^%/s #Ee?=gH)X\?'T%+ ++/ / (/"ֱ)+" 99%99  99014>32.#"632#"&732654&#"\5_IFZ#5D)Z Xqy)H`:} bJBPNL-R-qo5%\Rr9cJ)Ձwv\HHZ'fXw-/ / ֱ +@ ++9015!#>7f0J\:!:X=qJ\hhT\?!.:v/% +8/ ;/ֱ""/ v+//v+"5+( <+/95 %,-$98%-2$9014675.54>32#".732654.'>54&#"\\<5B'C[3m%+FO+Kg=?gJ){VHB]":I)ofH-)N75JLp##T?/N8pc#91%#eG1T>##>R95VP9%1%B+=E#K)5>@P?'T / / +%/ (/ִv+)+99 999%990174>32#"&'73267#"&73267.#"P)Ec75^JF\"7C)Z XpyyOJ/R/ bL?R9cI)վqn6%\TuHZ'1ww\ /ֱ+0147&\X]NDDN]X\}-y{-}P` / ֱ+017'654P`T\ZV`NCC-}}-{3u!h/ / +/ "/ִ+!+2#+ 999!99999 9 901467!.#"'>32#".732673a\1P%//mA/Rm?NkAqJXL`H^sR+P~Z27#7&'#&7.#"}ۼN  )!M1T!e'+zBh/bBiN9;N!w53oho3@[-G)^1H?ZTd N5H5N%1m34/+,4/&3 $2/!3 2/5/3ְ2($2(3 +@(& + 2@(. +(3+  /  +@ +26+3  99+,99("99  99901573.'#573.54>32.#"!!!!!!5>=mA | 8dVo6c'bEou b +A>@hqZ ;[ 'I'Vb5XAa/>k'G%e?9e m? f9u %+/+3/,333 +"(222/ &333 + 222/ 330/ֱ22 2 +@ +2*+ /22 22* +@ +21+6:+ ,.., +,+. ,......@99*#$%&($9-.99-9901575#573333#3####33'533'53d`p+!oPhM zL VzXm=-Mx^E5T!f+// 33 22!/"/ְ222 +@ ++2  2  +@ +#+0157323#+#3267!5!.+ZtJ  JvXVArAVh R%P\sZX+ VyusydR /+ +$ ++ +  /3 2 +@  +0/ֱ!!'+ 222' +@ +' +@' +"+/1+!99'999$9+99014>32'5!5!533#'##"&5!3267.#"8^wAL`3+v -uGh`5a13R9+L9!dTa31-EeZ X/>Xddf3:=-'%AX/350+) &/3# +2/3 2/ 6/ְ52 &2  +@ % +@  + +@ + 27+  9&),-99#99 9990157&45<7#57>32.#"!!!!3267#".'/yyWd\5d+gALLp5eDq\zTX %!Z yE\D`5Dɲd'cIHZZeDy#,2+//"33 +$22/ +33 + -222/3/ֱ22$-222 +@ +2(+( +@ + 24+(".99 9901575#575323#3#+#327!5!>54&'!5!.++)VABrZ#iAJ yLqT! T T "TF;`)$/ +// +*/ֱ $+2#2#+ 2 +@ +++#$99 9$"%99999 9999014>753.#"3267#5!#5.`>pd{V5d/iFTX-;eh;T{`r@mZ@^7DL{-[=J f}%k+3"2" +@ +/#3 2 +@ +&/ֱ+"22+22'+" $9014>753.'>7#5.7}?ufkV4e%X9;c-b;^kduAkZ@`1@ H;ZN` e-!x++3 2 + / /ְ 22 +@ +2 +@ +22+99990153267!57!.+5!!3## &G ;N w{Z ^NelHd/"Y!+ /#/!ֱ22  22! +@! +2+$+ 99"$901575573%%>54&'7'/OODsJlmbckdlj-T}P+%B3<0+7 *b+'+ +/ֱ!2!$+ ,+!99$ 999 99'  !$901>74>323267#"&'654&#"+/X)-Po?uӼkK?Y%C5Z 5yD37Rf> #wl2Hw7#i/R&y{fWd9'6?+ +5/7 57 +@5( +?/) #/ +@/ִ+(+6726;+//+ +A+;6#$9?7 /$9014>32#".732>54.#"!2+32654&+dkjjkaZuu̚ZZuu͙ZA?oR//Ro?\ee\^^aaܝWWۈۛTT9\>DdC!QLVJB7w)='/ +/ +>/ִ++""+"*+="+=4+3"+?+ '$9" 999=*:;994,189$9'*34=$9@ "./68:;$9+,12$901732654&/.54632.#"#"&33?3#7###7D%T3/5+-`/Lw`9g#32!!5>54.#"X+XE+TׅڙT+EY+;iL+9i_`k7+Lh;+sg\\fs+s-wmsJJrmw-s^H 2t+ + +@ ++, +#  +# +3/ִ +!2&+ +4+&999 99# 9014>$32!"32673#"$.%3!254'.#"^q ri T克Vkf԰q  VV mm  `m}i{m yZgm\   X 75+ 3 +35 + +%5 +%   / +8/ֱ +@ ++0 *9+ 999@ "%-5$9 0999-9!"*$9015>73#3%732654춮&#"'>32#"&DZ)jsX%f?B^uhrPB-R#P5~T3\F)N>Dh-Nh9bV 'wOqD7@JEFHTQ>9F7)E;H8P3H`eP7X@!XT-XIG+3# +3 )*G +) + G + 70G +7 J/ֱ +@ + +@ +&+B- <K+9-@ #)47?G$9)# B999*?9 -3<$90497$901>32!!5>54&#"3%732654춮&#"'>32#"&T/Ry-Pl@R\^1RG3V#sX%f?B^uhrPB-R#P5~T3\F)N>Dh-Nh9bFU9klsAqLTna-NZD1rqD7@JEFHTQ>9F7)E;H8P3H`eP7X@!XX .;G*+ 32 + +3E* +   / +H/ֱ +@ + +//< v+/<v+/B+5 %I+  9/ 9<9B!"*29: $9E2 %:?$9015>73#3%4675.54>32#".732654.'>54&#"DZ)js\<5B'C[3m%+FO+Kg=?gJ){VHB]":I)ofH-)N75JV 'wOqLp##T?/N8pc#91%#eG1T>##>R95VP9%1%B+=E#K)5>@H/X*.P]iL++3T ++,3 + +(L + ;gL +; j/ֱ# #/+QQ^ 6v+6/^v+Qd+>W Gk+#.9^6,299d;CDLT[\-$9(T/3CG\a$96>^d$9g9;#999  999901732654춮&#"'>32#"& 3%4675.54>32#".732654.'>54&#"HX%f?B^uhrPB-R#P5~T3\F)N>Dh-Nh9b#s\<5B'C[3m%+FO+Kg=?gJ){VHB]":I)ofH-)N75JD7@JEFHTQ>9F7)E;H8P3H`eP7X@!XqLp##T?/N8pc#91%#eG1T>##>R95VP9%1%B+=E#K)5>@H/X"&HUaD+#3L ++$+ D$ + 3_D$ +3  D$ + +b/ֱ'+IIV .v+./Vv+I\+6O ?c+6?+ .!......@V.$*99\3;32#"& 3%4675.54>32#".732654.'>54&#"HX'bFH[^J/G!@%B"5aH).Ki=j#s\<5B'C[3m%+FO+Kg=?gJ){VHB]":I)ofH-)N75JD7@bNR^%/s #Ee?=gH)XqLp##T?/N8pc#91%#eG1T>##>R95VP9%1%B+=E#K)5>@?X4AM0+38 ++ +K0 + N/ ֱ +@ ++55B v+/Bv+5H+"; +O+9959B9H'(08?@$9K8 "+@E$99015!#>73%4675.54>32#".732654.'>54&#"?0J\:!:X=s-\<5B'C[3m%+FO+Kg=?gJ){VHB]":I)ofH-)N75JqJ\hhTqLp##T?/N8pc#91%#eG1T>##>R95VP9%1%B+=E#K)5>@5' / / +99015!!5/Ve}V^^V7  /ֱ +99013#V!a -V}dP' / / +99015!7'PdX-X^^V7  /ֱ + 990173#V^aVdVR`!1g+'-/ / 2/ֱ"" +3+"9 *$9-'99 9999014>32>5&#"'>32#".73267.#"R=shT;Bt0MB`MxJg=%?R/!FCLqI%qd{EMF#71jBGìq8dg=aE%VE1Tu=H *++ / +99 901353%! #=}ڃffmf 3/  +@ +2/ֱ + +01!#!`{-  . / //+ 99901 5!! !!-0N9+mFd//+015!FndX++/+013squ ( /++ /ֱ  +014632#"&H31HH13H;HG<7HHT=}/ ֱ +01%3>73#T  l{D͑x323>32#"&'##".73267.#"32>54&#"R3X{H=iVC%TbqAL\66^L\ EXk??qT1qRV5BNTjmV`3S7zoXR[1'@K%1XF)6`NXe7uJ?+3XuJVsoMXk`32.#"#"j/X1!@nX5 #T2>nXBq sb}Hoqd}HJ5/P#+#+,//'/ 0/1+ 999 '*/999901>323267#".#">323267#".#"J7B=`TN+-N#^7B=aTM+-N#^7B=`TN+-N#^7B=aTM+-N#bV5A632#".732>54.#"4632#"&T;eLLd;;dLLe;m+I_33`J++J`33_I+F//GG//FVb55bVVb55bVBfH%%HfBBhG%%GiA7DD77FEs\3 #3 #sRR  HH5++++/ִ + ++011!^ P+ + /  /ִ++ +99 99017!%!!|mC h |Xq\ T+ +/ /ִ +  +  + 99  9  9 99017!>7%!&'7367!|5q9mTPmCJ7XsL|) Bև8 hH}9fN\|XC0Nw;&a$/ +$ +@ +'/ִ+ 2 +@ +++(+9999$90174>323'>54&'#"&;/WvH)Df1'FY6+H {9`FT{j/WC' K'1_`h:P/1T7b'TV+My7367 &sV/7yoyȨ:=3N슶mR+wgq%o) N/ + /  /ִ++ +99 990177!%!!oxdDdHwJR N +3 +/ +2 /ִ+ ++ +@ +2 +01!#3%3#b\\```!?F N+ 3 +/ +2 /ִ+ +@ +2 ++ +013#5!!%3#?BZZ!``!9/5+ + +@ +/ֱ +@ ++01!#n9q`?95+ + +@ +/ֱ +@ ++015!#?mJ`/93/ + +@ +/ֱ +@ ++0133~p`?93/ + +@ +/ֱ +@ ++0133!?=('+"3+ 3 2+33( $22)/'ְ2& 2'& +@' +&#+2" 2"# +@" +*+#& 99' 9 99015754632&#"!54632&#"3##!#=1`%#=HJQ/T##;6ӨcZ hcZZ=!%+"3 +  +++#33 2&/ְ2 2 +@ + +@ +"+% "+ '+ 99%"99  999 9015754632&#"3##4632#"&3=/T#%79Ҩ?D11DD11DZ Z1;;1/>>=%x+#+ + +3 2 +&/ְ2 2 +@ + +@ ++ '+ 99  9015754632&#"3##33:7#"&=/T#%79Ҩ9-#`RZ Zo )  sjf%=!+ + ! +:/)12.):+5&2>/ֱ&+=+=+ +@ +1 2+?+1= !)5$92 9999  99014>32.#"3267!5!#".>3232673#".#"j]ᇋ;`3ffs?;qlH)Bևޟ[@ ZJ)B75-^ ZJ)B75-`h>l5HL}ˏN+%^DX_`} )!73^!)!65\5{7M_oZ+* +m+3/Q!eZ +! K/; B2@;K+F 82p/ֱ`'M22 N`/`8+8/`j+j +@ +jB C+Vj+.q+` 9999B8@  !+3FQYem$9CD9j9ZQ.N999*]999!'99e $999`j$9014675.54675.54>32!##"&';2#".>323273#".#"32>54&+"&'32>54&#"\ND%3E'1P;gL)GZ#/9bL%N#$JfFu\l!)`/PmCZ \d 2VzJ'Z^^? G+ 2+2 /ֱ  +@ +2 +@ +2 +01353#5!#3^T^Q+ 2 + 2/ֱ  +@  + 2 +@ +2+ 99013#53#5!#3TݬZ^l Q+ 2+2/ֱ  +@ +2 +@ +2+  9901353#5!#373^IwT+ 2 + 2/ ֱ  +@ +2  +@  + 2+ $90173#'#53#5!#3IŤŊu勋Z7#+!2+2/ 2+2$/ִ++! ! +@!# +2! +@ +2! + +%+99!99 9901>3232673#".#"53#5!#37 ZJ)B75-^ ZJ)B75-7`} )!73^!)!65PLt # + 2+2 /!32$/ֱ  +@ +2 +@ +2+/+%+ 99!99014632#"&53#5!#34632#"&L7-+99+-79+-77-+9-77-+::-77-+::^^J W+ 2+2 / /ֱ 22 +22 + + / +01353#5!#35!^uu^^ e+ 2+2//ֱ  +@ +2 +@ +2 + + 9901353#5!#34632#"&^D11DD11D%/==/1>>IwT+ 2 + 2/ ֱ  +@ +2  +@  + 2+ $9013373#53#5!#3IŤZ^^ w+ 2+2/ + / +/ֱ  +@ +2 +@ +2 ++99 901353#5!#37'>54^%?R-1BbTN-@/M*'P^Z^? e+ 2+2//ֱ  +@ +2 +@ +2 + + 9901353#5!#34632#"&^@//@@//@/==/1>>^N^?+ 3 2+2/ /ֱ  +@ +2 +/ +@ +2!+  $999901353#5!#3#3267#"&5467^;F=%'/^)PrZ1/q;//\"ZXT)`#q ++ ++$/ֱ+   / 3%+99  999 999 9014>32373#'##"73267.#"`HyVTD;XஐFz>?v=;iN-y‡J>;`u9UCF908d`#'t ++ ++(/ֱ+   / 3)+$&$9  999 999 9014>32373#'##"73267.#"3#`HyVTD;XஐFz>?v=;iN-Qy‡J>;`u9UCF908dn`#'v ++ ++(/ֱ+   / 3)+$%'$9  &$9 999 9014>32373#'##"73267.#"3`HyVTD;XஐFz>?v=;iN-y‡J>;`u9UCF908dN `#+{ ++ ++,/ֱ+   / 3-+$&($9  999 '9 999 9014>32373#'##"73267.#"3#'#`HyVTD;XஐFz>?v=;iN-,Œ{y‡J>;`u9UCF908dN ຺`{#9 ++ ++7/' .2,'7+2 $2:/ֱ$+9+9+ . /+   / 3;+9$%9.'2$9 9999014>32373#'##"73267.#">323273#".#"`HyVTD;XஐFz>?v=;iN-RL'B719_RL'@719y‡J>;`u9UCF908dZ\}!'!i\}!&!h`}#/; ++ ++-/93'3232373#'##"73267.#"4632#"&%4632#"&`HyVTD;XஐFz>?v=;iN- 7-+99+-7`9+-77-+9y‡J>;`u9UCF908d+99++::++99++::`D#' ++%+$ ++(/ֱ+   / 3)+$%$9  999 &'99 9999014>32373#'##"73267.#"5!`HyVTD;XஐFz>?v=;iN-8y‡J>;`u9UCF908duu`#5 ++ ++1/( (1 +@($ ++26/ֱ$+%+%+ , ++++/,+   / 37++%1$9 9999014>32373#'##"73267.#"332673#".`HyVTD;XஐFz>?v=;iN-2hJHHI h=`BB`=!y‡J>;`u9UCF908dV;a`<-]K//K]`#/; ++ ++-/3 +9/' +32373#'##"73267.#"4632#"&732654&#"`HyVTD;XஐFz>?v=;iN-vjTTjjTTj\9))99))9y‡J>;`u9UCF908dVggVVhhV5==53>=`#+{ ++ ++,/ֱ+   / 3-+$(*$9  999 )9 999 9014>32373#'##"73267.#"3373#`HyVTD;XஐFz>?v=;iN-,{{Œy‡J>;`u9UCF908dn`Z#/ ++ ++-/'0/ֱ$+* *+   / 31+99  9999 99-9014>32373#'##"73267.#"4632#"&`HyVTD;XஐFz>?v=;iN-@//@@//@y‡J>;`u9UCF908d/==/1>>`#2 ++ ++-/. +$/% +3/ֱ1+((+   / 34+1$%-.$9  999 9999$.(9014>32373#'##"73267.#"7'>54`HyVTD;XஐFz>?v=;iN-%?R-1By‡J>;`u9UCF908d'bTN-@/M*'P`#+/ ++ ++0/ֱ+   / 31+$&(,$9  '$9 -/99 999 9014>32373#'##"73267.#"73#'#%73`HyVTD;XஐFz>?v=;iN-Fsww1y‡J>;`u9UCF908dN󕕉`#+/ ++ ++0/ֱ+   / 31+$&(,$9  '$9 -/99 999 9014>32373#'##"73267.#"73#'#3#`HyVTD;XஐFz>?v=;iN-Fswwiy‡J>;`u9UCF908dNr`F#+; ++6+5 + ++,/- +32373#'##"73267.#"73#'#7'>54&`HyVTD;XஐFz>?v=;iN-Fswwy!5D$'/Ay‡J>;`u9UCF908dN\TJH)9'H %!)'`j#9A ++ ++7/' +.2,'7+2 +$2B/ֱ$+9+9+ . /+   / 3C+9$:9.@ '2;<>A$9/=9 99992 :;99014>32373#'##"73267.#">323273#".#"73#'#`HyVTD;XஐFz>?v=;iN-(RH'7/+BVRH'7/+BHwy‡J>;`u9UCF908dhRh#XRh#XՆ`Z#+7 ++ ++5//8/ֱ,+2 2+   / 39+,$+99&($9  999 '99 9959014>32373#'##"73267.#"3#'#4632#"&`HyVTD;XஐFz>?v=;iN-,Œ{"@//@@//@y‡J>;`u9UCF908dN ຺3/==/1>>`P#59 ++ ++1/( +(1 +@($ ++2:/ֱ$+%+%+ , ++++/,+   / 3;++%1679$989 9999014>32373#'##"73267.#"332673#".73`HyVTD;XஐFz>?v=;iN-2X RNNR X=`BB`=!y‡J>;`u9UCF908dV?ed@-]K//K]`P#59 ++ ++1/( +(1 +@($ ++2:/ֱ$+%+%+ , ++++/,+   / 3;+%$69+1789$9 9999014>32373#'##"73267.#"332673#".73#`HyVTD;XஐFz>?v=;iN-2X RNNR X=`BB`=!5cy‡J>;`u9UCF908dV?ed@-]K//K]`#5E ++ ++1/( +(1 +@($ ++26/7 +F/ֱ$+%+%C+::+ , ++++/,+   / 3G+C%@ (167?@$9 99996(:?99014>32373#'##"73267.#"332673#".?'>54&`HyVTD;XஐFz>?v=;iN-2X RNNR X=`BB`=!y!5E%%1Ay‡J>;`u9UCF908dV?ed@-]K//K]THI):&G & )'`j#9K ++ ++G/> +>G +@>: +A27/' +.2,'7+2 +$2L/ֱ:+$2;+9+;+ . /+   / 3M+.;@ '27AG$9/B9 9999014>32373#'##"73267.#">323273#".#"332673#".`HyVTD;XஐFz>?v=;iN-(RH'7/+BVRH'7/+BJ\ LNNL \=^BB^=!y‡J>;`u9UCF908dhRh#XRh#X;1NN1)N=''=N`Z#5A ++ ++?/91/( (1 +@($ ++2B/ֱ$+%+%6+< <+ , ++++/,+   / 3C+<61($99 999014>32373#'##"73267.#"332673#".4632#"&`HyVTD;XஐFz>?v=;iN-2hJHHI h=`BB`=!@//@@//@y‡J>;`u9UCF908dV;a`<-]K//K]X/==/1>>`Z&5$+* + ++1/ 6/ֱ''+-+   /37+'$*1$9 -!99 999$9991 99 9014>323733267#"&5467'##"73267.#"`HyVTD\V9%(+\'NlbA;XஐFz>?v=;iN-y‡J>;`-o;// T XVT}/m9UCF908dfF!0| ++,/ /%1/ֱ" "+ (22   /2+"99$9 99,99 9014>32373#"&'7326?#".73267.#"fHwTV?\N>JG9X^j:FxBBt>;iN-uH;:\75w1+y7NFwCF906bfF!08 ++,/ /%9/ֱ" "+ (22   /:+"99135$9 9 499,99 9014>32373#"&'7326?#".73267.#"3#'#fHwTV?\N>JG9X^j:FxBBt>;iN-2Œ{uH;:\75w1+y7NFwCF906bD ຺fF!0B ++,/ /%>/5 5> +@51 +82C/ֱ" "1+2+2+ (22 9 +8+8/9+   /D+82%,>$99999%9,99014>32373#"&'7326?#".73267.#"332673#".fHwTV?\N>JG9X^j:FxBBt>;iN-8hJHHI h=`BB`=!uH;:\75w1+y7NFwCF906bL;a`<-]K//K]fF!0< ++,/ /%:/4=/ֱ" "1+7 7+ (22   />+$9 99%9,99014>32373#"&'7326?#".73267.#"4632#"&fHwTV?\N>JG9X^j:FxBBt>;iN-@//@@//@uH;:\75w1+y7NFwCF906b/??/1>>fF!0@ ++,/ /%>/= +7/6 +A/ֱ" "1+::+ (22   /B+7=$9 99%9,997=19014>32373#"&'7326?#".73267.#"4>7.fHwTV?\N>JG9X^j:FxBBt>;iN-1Rj:Pd;-%h^uH;:\75w1+y7NFwCF906b-A-T +')) NJfF!08 ++,/ /%9/ֱ" "+ (22   /:+"99157$9 9 699,99 9014>32373#"&'7326?#".73267.#"3373#fHwTV?\N>JG9X^j:FxBBt>;iN-2{{ŒuH;:\75w1+y7NFwCF906bdfFD!042+1 ++,/ /%5/ֱ" "+ (22   /6+"9912$9 9 34999%9,99014>32373#"&'7326?#".73267.#"5!fHwTV?\N>JG9X^j:FxBBt>;iN->uH;:\75w1+y7NFwCF906b}uufF{!0F ++,/ /%D/4 ;294D+? 12G/ֱ" "1+F+F+ (22 ; <+   /H+F129;%4,?$99<99%9,99014>32373#"&'7326?#".73267.#">323273#".#"fHwTV?\N>JG9X^j:FxBBt>;iN-RL'B719_RL'@719uH;:\75w1+y7NFwCF906bP\}!'!i\}!&!hP+//ֱ  +0133N%+//ֱ +9901733sN5:+/ /ֱ +"++ +9901333#mxRNt0+ /+//ֱ + +01334632#"&H31HH13HN;HG<7HHNFR+/ +/ +//ֱ  / +9 901>54&'73NRd=+%h^1Rl:J +))' NHF-B-NZk A + / //ֱ  + / +  99014632#"&3@//@@//@/==/1>>hNZ =+ ////ֱ + + 99015!4632#"&3@//@@//@uu5/==/1>>hN"+///ֱ +01!!3w^N/ F ++/ / ְ2 2 +@  + +@  + + 99015737#/yTNbb=x+3 + +3 2 +/ְ2 2 +@ + +@ ++ + 99  9 9015754632&#"3##3=/T#%79Ҩ^Z ZNq3B +//ֱ + + 99990132#".732&#"q;sffs;yyyyF\]]f5+/ / /ֱ  +@ + +9015>73#f\5Nl0!NL3C+/ /ֱ +@ ++ 99$901>32>3!!5>54&#"LV}Nq5s3k“PtR7m^hӮ\yd˪Pq\B533f/+ / / 4/ֱ* *!  /! ! +@ +5+ *999 $%99!99901?32654.#52>54&#"'>32#".5V;uw+bthX%yhR;[LuVh9j;gM+CuZNjTn=^n9aF$%BZ3`oJ;jH\-T{Pw)8TnDV`43BF \ +/3 2// ְ 22 +@ +  +@ ++ 99 9901533##%!467#F/f5hoDՈhz55/Z/3&q"+ //'/ ֱ (+6?<+ .......@ 99 $901?32>54&#"'!!>32#".3R9s;iN-D`;Z+#/_;To@J{VNhTn;Z+NnD)&9u}1djjp<1@}3 .g+$,/ ///ֱ!2)+0+) $9 99,$999  99014>32.#">32#".732>54&#"}Rbj7^)p>Dz_9=P>jP`yF}1R=#wz=\PP;i/89ҜLX^n>N6)KiAPZE +// ֱ +@ +  +@ ++  99015! #67Z-sT%/Vaiƾ4q3'7E`#+-C/F/ֱ( 8(@+0 G+@8#-5$9C- 5=$9014>75.54>32#".732654.'>54&#"q+DX/Ho:bPVa3#3@+Q@'>n^\pB+Kg;s9cENhC1Tm;BGvm\wN?mXD3hL{X13\L3^RB ?OgAJ^66`^7ZD%g?ZD75+;TB2;Hbrk3 .g+/$*///ֱ!!+'2 0+!99$999*$ 999014>32#"&'732>7#"&73267.#"k=iN`yDRbh6_)p>Fz^:=Rɞv{?B}/T>"^o=NPN73!+Z6@l0!JC+/ /ֱ +@ ++ 99$901>32>3!!5>54&#"JRLo5s3iRwzT9\kϬTgdyǪHmZB5P3d// / / 4/ֱ* *!  /! ! +@ +5+ *999 $%99!99901?32654.#52>54&#"'>32#".5V;uw+bthX%yhR;[LuVh9j;gM+CuZNjTo=]o9aE''DZ3`sJ;jH\-V}Pw':VqCVb53A#h d/3 2 +@ + +@  +/ ְ 22 +@ +  +@ ++ 99 9017533##%!467##/f38pgY55fc3P&o"/ //'/ ֱ (+6?a+ .......@ 99 $901?32>54&#"'!!>32#".3R9s;iN-D`;Z+#/_;To@J{VNhTk9[+PoE'):s1fkms;3Ad3 .g+$,/ ///ֱ!2)+0+) $9 99,$999  99014>32.#">32#".732>54&#"dRbj7^)p>Dz_9=P>jP`yF}1R=#wz=\PP;i/89ҜLX^n>N6)KiAPZh@// ֱ +@ +  +@ ++  99015! #67ZJuV'2X`i:T3'7E`#+-C/F/ֱ( 8(@+0 G+@8#-5$9C- 5=$9014>75.54>32#".732654.'>54&#"T+DX/Ho:bPVa3#3@+Q@'>n^\pB+Kg;s9cENhC1Tm;BGvm\wN?mXD3hL{X13\L3^RB ?OgAJ^66`^7ZD%g?ZD75+;TB2;Hbr=P-e//#)/./ֱ  +&2 /+ 99$999)# 999014>32#"&'732>7#"&73267.#"=@lRjw@JpbAGdHz\:?VŠwFD 3X@%`s?X떼Z=8v^7}͘NV͋P`-Poj B + / /ֱ  ++  99990132#"32654&#"j㤅{yy{L1341f=+/  +@ + /ֱ  +@ + +9015>73#f\5l0!hTC+/  /ֱ +@ +!+ 99$901>32>3!!5>54&#"TRZc3Ho5s3NՑޓJqzT:Zm7cVTgdyǪHmZB5P3d// / / 4/ֱ* *!  /! ! +@ +5+ *999 $%99!99901?32654.#52>54&#"'>32#".5V;uw+bthX%yhR;[LuVh9j;gM+CuZNjTo=]o9aE''DZ3`sJ;jH\-V}Pw':VqCVb53A3h d/3 2 +@ + +@  +/ ְ 22 +@ +  +@ ++ 99 9017533##%!467#3/f38pgY55fc3P&o"/ //'/ ֱ (+6?a+ .......@ 99 $901?32>54&#"'!!>32#".3R9s;iN-D`;Z+#/_;To@J{VNhTk9[+PoE'):s1fkms;3At3 .g+$,/ ///ֱ!2)+0+) $9 99,$999  99014>32.#">32#".732>54&#"tRbj7^)p>Dz_9=P>jP`yF}1R=#wz=\PP;i/89ҜLX^n>N6)KiAPZh@// ֱ +@ +  +@ ++  99015! #67Z-sV%/Zaiú<d3'7E`#+-C/F/ֱ( 8(@+0 G+@8#-5$9C- 5=$9014>75.54>32#".732654.'>54&#"d+DX/Ho:bPVa3#3@+Q@'>n^\pB+Kg;s9cENhC1Tm;BGvm\wN?mXD3hL{X13\L3^RB ?OgAJ^66`^7ZD%g?ZD75+;TB2;HbrMP-e//#)/./ֱ  +&2 /+ 99$999)# 999014>32#"&'732>7#"&73267.#"M@lRjw@JpbAGdHz\:?VŠwFD 3X@%`s?X떼Z=8v^7}͘NV͋P`-PohIW%+&3% +SE/> /* M4/ X/ִ9v+9+JJ/+ "+Y+6>r+ %.O&$'OPO%+PO% #9'OP...%&'OP.....@/J 4>BE$9>A9SM /9$9 #90146$32#"&'##".54>3237332>54.#"3267#".%327.#"hߠX?kFNb /H-P=#3`V1PsR+H'VC-A}}mTqH9/NZgF5Rd85)7Y=!R-uVۇ{DTJ;S%Fb7#"&54632D;F #99'3:f]P;+++3LI\#XH ( /4+4+ /ֱ +014632#"&X5))33))5-55-+55Dj' 3/ +/ִ+ + ++ 901>7#"&54632D;F #99'3:f]P;+++3LI\#H7 B + / /ֱ  ++  9999014632#"&732654&#"HbPNbbNPb̠@+/ + +@ + /ֱ +@ + +9015>73#DZ)jwV 'wR7L+ / /ֱ +@ + +@ ++ 9$901>32!!5>54&#"R/Ry-Pl@R\^1RG3V#FU9klsAqLTna-NZD1H7*R(+ / +/ +/ֱ# ,+ #999  999901?32654춮&#"'>32#"&HX%f?B^uhrPB-R#P5~T3\F)N>Dh-Nh9bD7@JEFHTQ>9F7)E;H8P3H`eP7X@!XV b +/3 +2 +@  +/ ְ 2"+2 +@ +  +@ ++ 9 9017533##5'357#VPwwvgD^^ߦH"t + / +/#/ֱ$+6?+ .!......@99  $901?32654&#"'!!>32#"&HX'bFH[^J/G!@%B"5aH).Ki=jD7@bNR^%/s #Ee?=gH)X\7'S+ %/ + / (/"ֱ)+" 99%999  99014>32.#"632#"&732654&#"\5_IFZ#5D)Z Xqy)H`:} bJBPNL-R{qo5%\Rr9cJ)Ձwv\HHZ'f2 +/ / ֱ +@ ++9015!#>7f0J\:!:X=qJ\hhT\7!.:x+% +8/ ;/ֱ""/ v+//v+"5+( <+/95 %,-$98%-2$90174675.54>32#".732654.'>54&#"\\<5B'C[3m%+FO+Kg=?gJ){VHB]":I)ofH-)N75JLp##T?/N8pc#91%#eG1T>##>R95VP9%1%B+=E#K)5>@P7'V + / +%/ (/ִv+)+99 999%99014>32#"&'73267#"&73267.#"P)Ec75^JF\"7C)Z XpyyOJ/R/ bL?R)9cI)վqn6%\TuHZ'1ww\^ /ֱ+0147&\X]NDDN]X\}-y{-}P^` /ֱ +01654'7PNCCN`T\ZVu{x-}}X / +4+ +4+ /ֱ +0174632#"&X5))33))5P-55-+55D'5+ +/ִ+ + ++ 901>7#"&54632D;F #99'3:f]P;+++3LI\#HX B+ / /ֱ  ++  9999014632#"&732654&#"HbPNbbNPb̠!@5+/ + /ֱ +@ + +9015>73#DZ)jV 'wR!XL+ / /ֱ +@ + +@ ++ 9$901>32!!5>54&#"R/Ry-Pl@R\^1RG3V#FU9klsAqLTna-NZD1HX*T+ + +(/ +/ֱ# ,+ #999  999901732654춮&#"'>32#"&HX%f?B^uhrPB-R#P5~T3\F)N>Dh-Nh9bD7@JEFHTQ>9F7)E;H8P3H`eP7X@!XV!@ h+/3 +2 +@ +/ ְ 2"+2 +@ +  +@ ++ 9 9901533##5'357#VPwwvgD^^ߦH@"t+ / / +#/ֱ$+6?+ .!......@99  $901732654&#"'!!>32#"&HX'bFH[^J/G!@%B"5aH).Ki=jD7@bNR^%/s #Ee?=gH)X\X'S+ / %/ +(/"ֱ)+" 99%999  99014>32.#"632#"&732654&#"\5_IFZ#5D)Z Xqy)H`:} bJBPNL-Rqo5%\Rr9cJ)Ձwv\HHZ'f!@/+ / ֱ +@ ++9015!#>7f0J\:!:X=qJ\hhT\X!.:x +8 /% +;/ֱ""/ v+//v+"5+( <+/95 %,-$98%-2$9014675.54>32#".732654.'>54&#"\\<5B'C[3m%+FO+Kg=?gJ){VHB]":I)ofH-)N75JLp##T?/N8pc#91%#eG1T>##>R95VP9%1%B+=E#K)5>@PX'V+% / / +(/ִv+)+99 999%99014>32#"&'73267#"&73267.#"P)Ec75^JF\"7C)Z XpyyOJ/R/ bL?RJ9cI)վqn6%\TuHZ'1ww\ /ֱ+0147&\X]NDDN]X\}-y{-}P` /ֱ +01654'7PNCCN`T\ZV{x-}}X ( /4+4+ /ֱ +014632#"&X5))33))5q-55-+55D3'3/ +/ִ+ + ++ 901>7#"&54632D;F #99'3:f]P;+++3LI\#D!j/ / "/ֱ+   + / 3#+99  999 999 999014>32373#'##"&73267.#"D1Ph75[) bh )Z:V\)J()O%HhsN|Y/)'?mG#5{))L#Dd/ /  /ֱ +2   + /!+ 99 999 999014>32373#57#"&7327.#"D1Ph7jO b%c5V\NM)O%HhjR[/RATx%/qLR#9{%)[/ / +#/ */ִ + +@ +++  99999 99014>32!3267#".7!4.#"3#91Tq>Lh?Cs\/V#1/tDDvV4{V%;-Jb yeyPZ1;Yl1fqR(-Z!E6#c9{%)\/ / +#/ */ִ + +@ +++  ($999 99014>32!3267#".7!4.#"7391Tq>Lh?Cs\/V#1/tDDvV4{V%;-JbM{yPZ1;Yl1fqR(-Z!E6#cD!j/ / "/ֱ+   + / 3#+99  999 999 999014>32373#'##"&73267.#"D1Ph75[) bh )Z:V\)J()O%HhsN|Y/)'?mG#5{))L#F,/ /# */ -/ֱ  +&2   + /.+ 99$9 999#9*9 999014>32373#"&'7326=7#"&73267.#"F1Ph7hQ e;5//d/X]-Z6V\)J+)R%HhwL|W/P?X'#XeMZ'/fy)+)#{j!/ֱ+013j!@X++/+013sqh!//ִ +9013# //ִ +0173h$/3/ִ +90173#'#ŤŊ勋)A/ 2+2/ִ+ + + 9901>3232673#".#" ZJ)B75-^ ZJ)B75-`} )!73^!)!65J//+ +015!uu* / + +@ +2/ִ+01332673#".f FFFE f!=[==[=!1PP1+R=''=Ru  / /ֱ  014632#"&uD11DD11D%/==/1>> + /32/ֱ +014632#"&%4632#"&7-+99+-7`9+-77-+9-77-+::+-77-+::}+ / +/ +/ ֱ 9017'>54%?R-1BbTN-@/M*'PB H / +/ +/ִ + ++  9999014632#"&732654&#"jTRllRTj\9)'99')9LRbbRT``T3883/99!)/32/ִ +990173373߇Ȉ&/2/ִ +99013373#銉Ťw1/32/ִ +999013#73#wy{RL#/ +/ֱ   9901>54&'73RdC>Rm41H1Rl: /))+lB@-A-yN/ /ֱ  9014>733267#"&+6{BI=%'/^)Rp+NC81u;//\"Z` H /3++2 / +/ֱ+ 9999014632#"&5!4632#"&5))33))53))55))3)66)'55``)66)'55B H /3++2 / +/ֱ+ 9999014632#"&75!4632#"&5))33))53))55))3)34()66__)34()66 @ /3++2/ֱ+ 9 999014632#"&?34632#"&5))33))5J3))55))3)66)'55ӳ)66)'55 = /3++2/ֱ+2 9 99014632#"&?34632#"&5))33))513))55))3)34()66)34()66 G /3++2 /ֱ+ 99$999014632#"&3373#4632#"&5))33))5 }}3))55))3)66)'55ӳ)66)'55C/3 ++2 /ֱ+9$99013373#4632#"&%4632#"&銉Ť5))33))5b3))55))3)34()66))34()66 @ /3++2/ֱ+ 9 999014632#"&3#4632#"&5))33))51w^3))55))3)66)'55ӳ)66)'55 = /3++2/ְ 2+ 999014632#"&3#4632#"&5))33))5w3))55))3)34()66)34()66 !/3  + / 9990173#'#%73sww1󕕉  !/3  + / 9990173#'#%73? 5/3 + /ִ + 99 9990173#'#3#swwiry  5/3 + /ִ + 99 9990173#'#3#ٓkfF9+ +/ +/ֱ 99 9990173#'#7'>54&swwy!5D$'/A\TJH)9'H %!)'?:/ +/ +/ִ "+99 9990173#'#7'>54&%y}sI'5CCVIHNH H !)" jX/ + 2+ +2/ִ+ + +9 $9 901>323273#".#"73#'#RH'7/+BVRH'7/+BHwRh#XRh#XՆX/ + 2+ +2/ִ+ + +9 $9 901>3232673#".#"73#'#RG%:/-+VRG%:/-BNRl"1+Pn#\PK / + +@ +2/ִ+++ $9901332673#".73X RNNR X=`BB`=!?ed@-]K//K]B4 / + +@ +2/ִ +9901332673#".?3\ HJJG \#>X;;X>#5NN5+N=%%=NPK / + +@ +2/ִ+++9 $901332673#".73#X RNNR X=`BB`=!5c?ed@-]K//K]B4 / + +@ +2/ִ +9901332673#".73#\ HJJG \#>X;;X>#d5NN5+N=%%=N!f / + +@ +2/ +"/ִ++++ $99901332673#".?'>54&X RNNR X=`BB`=!y!5E%%1A?ed@-]K//K]THI):&G & )'!F / + +@ +2/ +/ +"/ִ"+901332673#".?'>54&\ HJJG \#>X;;X>#{y~ 4E%%6D5NN5+N=%%=NVJH'7'H !)# j's#/ +# +@ +2/ + 2+ +2(/ְ2++ + + #$9 901>323273#".#"332673#".RH'7/+BVRH'7/+BJ\ LNNL \=^BB^=!Rh#XRh#X;1NN1)N=''=N(o$/ +$ +@ +2/ + 2+ +2)/ִ+ + +9 $$9 901>3232673#".#"332673#".RG%:/-+VRG%:/-BB\ HJJG \#>X;;X>#Rl"1+Pn#\@5NN5+N=%%=Nb=./ +/ִ"+"+++013#;xRtsT+ / +/ +/ֱ  9014>7.1Rj:Pd;-%h^-A-T +')) NJjF/ +  +@  +2/ִ + ++ $90173#'#332673#".we]CDDC]>/RuuZ3 #] + !/+/ $/ֱ  + +%+ $9! $90132#"32#"4632#"&ZݜussuH53HH35HJXaI BEFABFFZ3 !H +/"/ֱ  +#+  $9$90132#"3267>54.#"ZݜuBh#? 9 'Ea9BjJXaIRX535K΅?Nq3'] +%/+/(/ֱ+" "+)+" $9%$90132#".732&#"4632#"&q;sffs;}J33JJ33JF\]]BEFABFFq3#H +!/$/ֱ+%+ $9!$90132#".73267765#"q;sffs;)Lh>Hp%!>}FpF\]]чBTVo}oNs < + + //ֱ  + +  99014632#"&3D11DD11D1;;1/>>%:+3//ֱ ++ $90133#!!'.'#{|blb@111%+XXZX%%a+/%/&/ֱ 2+! '+! 999 99%9013!2#'32654&+532654&+\Xj<\\q?u^͹w%=eGN}xoPrN%Xh\WrVRRHj=6+ //ֱ+  $99014>32.#"3267#".jPof5`-iEPy3_FomLϒKQ6h-3;5fLNJ%6+ / /ֱ  ++ 9013! !'32654&+%!%Ǻh% D+ //  /ֱ 2 +@ +@  +@  + +013!!!!!Z%́V% :+//  /ֱ 2 +@  +@  + +013!!!! X%7j=!r+/ /"/ֱ+ +@ +#+ 999 99999  99014>32.#"3267#5!#".jPsu5^+mRĸ;c!;tsNϐKT1h)5}15DJ% A+3 /  +@ +2 /ֱ 2 +2 +0133!3#!%Pb%+/ֱ  +0133%?%'+ +@ +/ֱ +01?32653#"?wJuVX'P}VۜTw`uH}^8% +3 /ֱ 2+013333 #%fuH%2+ +@ +/ֱ  +@ ++0133!%hu%C+ 3/ֱ + +99 $9 990133373#4>7##'#K MͿ \Q\  % %VXX%%VZV%%@+ 3/ֱ+ +99 99 9901333.53#'#z w{ %PVsTV jN=B+/ /ֱ+ !+99 99014>32#".732654&#"jJnmJJmoJ̎KḰѐNNс%<+ // /ֱ 2++9013!2+32654&+k^p@@r^%!L{ZVR)o ghmVh`= ,V/ */-/ֱ!!'+ .+'!999 9999* $$9014>323267#"&'.732654&#"hJnmJ32.#"#"&VZD^hq/?%7aH+8bPu;X5N\i]R9bH'7g\ρu=JZG'6&56CZ:BlK+M4n/9NG?F!5/D\CBsQ0V9%8+/3 /ֱ  +@ + +@ + +015!!#9Jf%=+ +@ +2/ֱ  ++ 901332>53#".%D\77]C'>n\Zp@k\{I!!I{\mn00n% + 3/ֱ + +6+ . <+ .  + +++=+.+  + +  + #999 #99 9@  ............@  ..........@0133>73#1/%\\\\%/H%!!+3"/ֱ +#+6L0+ !.%>B,+  -t+ .& ;+ +++=~+  +  ++  + +++>o+ ++ #999 #9 999  #9999@  .....................@ ! .....................@90133>733>73#.'##/q!,)qƤ %VVVV)VVVV)R?y<;z?%+3/+013 33>?3 #.'#Iͻ''J-+##L//L#)T11T)T%"+/ֱ + 990133>73#73%;q;;q;lo\w% ,+/  / +990135!5!!\DLd6d̍ <+3/ /ֱ ++ $90133#!3#!'.'#{|blb!{@111%+XXZX<+3//ֱ ++ $90133#!!'.'#73{|blb@111%+XXZXx<+3//ֱ ++ $90133#!73#'#!'.'#{|blbŤŊ@111%+勋XXZX)+3/ / 2 +2*/ֱ  ++++ +++9  !$9%990133#!>3232673#".#"!'.'#{|blb ZJ)B75-^ ZJ)B75-+@111%+`} )!73^!)!65XXZX){+3//'3 !2*/ֱ ++$$+++$999$9999990133#!4632#"&!'.'#4632#"&{|blb7-+99+-7t@1119+-77-+9%+1-77-+::XXZX-77-+::^ O+3/ / /ֱ ++ $9 9990133#!5!!'.'#{|blb/b@111%+uuXXZX#w+3// +  +@  +2$/ֱ + + +%+ 99"$99990133#!332673#".!'.'#{|blb1f FFFE f!=[==[=!V@111%+1PP1+R=''=R6XXZX)+3//! +'/ +*/ֱ ++$+++++99$ $9999!99'990133#!4632#"&!'.'#32654&#"{|blbojTRllRTj@111 9)'99')9%+`RbbRT``XXZX3883/99<+3//ֱ ++ $90133#!3373#!'.'#{|blbŤN@111%+XXZXZ%\+3///ֱ + ++99 $9 990133#!!'.'#4632#"&{|blb@111@//@@//@%+XXZX/==/1>> {+3// +/ +!/ֱ ++"+ $9 999 9990133#!!'.'#7'>54{|blb@111%?R-1B%+XXZXjbTN-@/M*'P G+3//ֱ +2+ $990133#!73#'#!'.'#73{|blb'@111(%+XXZX F+3//ֱ ++@  $990133#!73#'#!'.'#3#{|blb'@111“k%+XXZXS'w+3/!/" +/ +(/ֱ %+2"+)+%@  !"$9" $9 9990133#!73#'#!'.'#7'>54&{|blb'@111y}sI'5C%+XXZXVIHNH H !)"&0+3/'/ +2 + +21/ֱ +++++2+99@   !#&'($9"99 ,$90133#!>3232673#".#"73#'#!'.'#{|blbRG%:/-+VRG%:/-BN@111%+Rl"1+Pn#\XXZXZ%f+3#//&/ֱ + +'+$9   $9 $90133#!73#'#!'.'#4632#"&{|blbŤŊ@111@//@@//@%+勋XXZX/==/1>>V#'b+3// +  +@ +2(/ֱ +)+ $&$99990133#!'332673#".!'.'#73{|blb9\ HJJG \#>X;;X>1@111%+n+5NN5+N=%%=XXZX<V'b+3// +  +@ +2(/ֱ +)+ $9#9990133#!'332673#".3#!'.'#{|blb9\ HJJG \#>X;;X> d@111%+n+5NN5+N=%%=6,XXZX#3+3// +  +@  +2-/. +$/% +4/ֱ 1+("+(+5+1@  $%-.$9(99$9999$.(90133#!332673#".!'.'#7'>54&{|blb3\ HJJG \#>X;;X>#T@111 y~ 4E%%6D%+5NN5+N=%%=N3232673#".#"332673#".!'.'#{|blbRG%:/-+VRG%:/-BB\ HJJG \#>X;;X>#T@111%+Rl"1+Pn#\@5NN5+N=%%=N>N%%\+33/ /&/ֱ +'+$999  9 990133327#"&54>7#!!'.'#{|H[9%/'-\)Rr-5%blb@111%?//\"ZX)NA6+XXZXN%\ +3 ///3 / ְ2 2 +@  +@  +@ ++9013!!!!!!!!#J/zn-X-%́!TPD %$-+ /#3 +!2 /% -/ ./ְ2 %22 +@# + +@ ++)  /+) 9999%  99- 90157!2#!32654&+!!32654&+D\Xj<\_s?u^yJ=eGN}xoPrN%\l`]RR\VVL% )z+/ /!)/*/ֱ !2+% ++99% 9999 9! 99)9013!2#!!32654&+532654&+\Xj<\\q?u^w%=eGN}xoPrN%wXh\WrVRRHjL=/u+% +// + /0/ֱ!+*1+!$%/$9* &'$9$'*999 % $99014>32.#"3267#".>54&'73jPof5`-iEPy3_FomLBRdC>Rm41H1Rl:ϒKQ6h-3;5fLNJ /))+lB@-A-j!6+ /"/ֱ#+  $99014>32.#"3267#".73jPof5`-iEPy3_FomLϒKQ6h-3;5fLNJ/j%6+ /&/ֱ'+  $99014>32.#"3267#".73#'#jPof5`-iEPy3_FomLŤŊϒKQ6h-3;5fLNJ/勋j%6+ /&/ֱ'+  $99014>32.#"3267#".3373#jPof5`-iEPy3_FomLيŤϒKQ6h-3;5fLNJj)U+ /'/!*/ֱ+$ ++$ $9  $99014>32.#"3267#".4632#"&jPof5`-iEPy3_FomL{D11DD11DϒKQ6h-3;5fLNJ/==/1>>O+/ /ֱ ++ 9 $999013! !3373#32654&+%!Ť%ǺZ%H+ // /ֱ +  ++ 9013! !'32654&+4632#"&%!l@//@@//@%Ǻ+/==/1>>% O+  / / /ֱ ++  99 99 9013! !!!32654&+%!#%wǺD/% d +  /3 +2/ / ְ2 2 +@  + +@ + ++ 990157! )32654&+!!D'!ѬXǺ`h L+ // /ֱ 2 +@ +@  +@  ++  9013!!!!!3#Z%́h D+ // /ֱ 2 +@ +@  +@  ++013!!!!!73ZM%́h L+ // /ֱ 2 +@ +@  +@  ++  9013!!!!!73#'#ZŤŊ%́勋h L+ // /ֱ 2 +@ +@  +@  ++  9013!!!!!3373#ZŤ%́h #r+ // /!32$/ֱ 2 +@ +@  +@  +  +%+ 99013!!!!!4632#"&%4632#"&Z7-+99+-7`9+-77-+9%́1-77-+::+-77-+::h^ U+ // / /ֱ 2 +@ +@  +@  ++  99013!!!!!5!Z%́uuh u+ // / + +@ +2/ֱ 2 +@ +@  +@  +   + / ++013!!!!!332673#".Zf FFFE f!=[==[=!%́1PP1+R=''=Rh V+ // //ֱ 2 +@ +@  +@  +  + +013!!!!!4632#"&Z@D11DD11D%́9/==/1>>Zh% V+ /// /ֱ 2 +@ +@  +@  +  + +013!!!!!4632#"&ZJ@//@@//@%́/==/1>>h x+ // / + / +/ֱ 2 +@ +@  +@  + ++  $9 9013!!!!!7'>54Z2%?R-1B%́bTN-@/M*'Ph #+ // /2 + 2$/ֱ 2 +@ +@  +@  +# + + /#+ ++%+  999013!!!!!>3232673#".#"Z ZJ)B75-^ ZJ)B75-%́`} )!73^!)!65 L+ // /ֱ 2 +@ +@  +@  ++  9013!!!!!73#'#%73Z?%́ L+ // /ֱ 2 +@ +@  +@  ++  9013!!!!!73#'#3#Zٓk%́fS !+ // / +/ +"/ֱ 2 +@ +@  +@  + +"+#+  9 $9 $999 999013!!!!!73#'#7'>54&Z%y}sI'5C%́CVIHNH H !)"h "*+ // / +2 + + 2+/ֱ "22 +@ +@  +@  +  + / ++,+ #9$%'*$9&9#$99013!!!!!>3232673#".#"73#'#ZRG%:/-+VRG%:/-BN%́Rl"1+Pn#\Zh o+ ///  /ֱ 2 +@ +@  +@  + + !+  99 $9013!!!!!73#'#4632#"&ZŤŊ"@//@@//@%́勋/==/1>>N%!c+ 3 /// "/ֱ 2 + +@ +@ +@ +#+99013!!!!!#3267#"&5467Z#C5!=%'/^)Rp^9%́';L)//\"ZXV%h U+ // / /ֱ 2 +@ +@  +@  ++  99013!!!!!5!%73Z%́uuj!)w+/ /*/ֱ+ +@ +++ "$&$9 %999999  99014>32.#"3267#5!#".73#'#jPsu5^+mRĸ;c!;tsNŤŊϐKT1h)5}15DJ/勋j!3+/ ///& +&/ +@&" +)24/ֱ"+#+#+ +@ +5+# )/$9 *99999  99014>32.#"3267#5!#".332673#".jPsu5^+mRĸ;c!;tsNf FFFE f!=[==[=!ϐKT1h)5}15DJ1PP1+R=''=Rj!-+/ /+/%./ֱ"+( (+ +@ +/+(" $9 9999  99014>32.#"3267#5!#".4632#"&jPsu5^+mRĸ;c!;tsND11DD11DϐKT1h)5}15DJ/==/1>>jF=!1+1/" +(/) +/ /2/ֱ%+,,+ +@ +3+%"()1$9, 999 99(",9999  9014>32.#"3267#5!#".>54&'7jPsu5^+mRĸ;c!;tsNYRd=+%h^1Rl:ϐKT1h)5}15DJ +))' NHF-B-j!)w+/ /*/ֱ+ +@ +++ "&($9 '999999  99014>32.#"3267#5!#".3373#jPsu5^+mRĸ;c!;tsNŤϐKT1h)5}15DJj^!%v+/ /"/#&/ֱ+ +@ +'+ "#$9 $%$999  99014>32.#"3267#5!#".5!jPsu5^+mRĸ;c!;tsNϐKT1h)5}15DJ^uuj!9+/ /6/%-2*%6+1"2:/ֱ"+9+9+-2 +@ +.+;+ 1$9. 9999  99014>32.#"3267#5!#".>3232673#".#"jPsu5^+mRĸ;c!;tsN ZJ)B75-^ ZJ)B75-ϐKT1h)5}15DJ9`} )!73^!)!65 Z+3 /  +@ +2/ֱ 2 +2 +  9 $990133!3#!73#'#ŤŊ%P勋Z% S+3/ /  +@ +2/ֱ 2  + +2 +0133!3#!4632#"&@//@@//@%P/==/1>>Z% +3/  +@ +2 /  +@ +2/ֱ 2 + + +2 ++/++ 90133!3#!332673#".hJHHI h=`BB`=!%P;``;-\L//L\B%u+ 3// 33 + 22 +@ +2/ְ2 22 +@ ++22 2  +@ ++015753!533##!#!5!BT _t"+/ֱ +99013#3/F%"+/ֱ +9901733yF%# %+ /ֱ + $90173#'#3 ŤŊ9勋F%5m+/ 2+2/ִ++  + ++9999 99901>3232673#".#"3 ZJ)B75-^ ZJ)B75-w`} )!73^!)!65<%  \ + /32/ ֱ  +/ ++  9999  9014632#"&34632#"&7-+99+-7 9+-77-+91-77-+::%1-77-+:: ^'+//ֱ +9015!3uu% F + //ֱ  + / +  99  9014632#"&3D11DD11D!9/==/1>>%# %+ /ֱ + $9013373#3 ŤF%P+ / +/ +/ֱ ++  99 9 9017'>543%?R-1B{bTN-@/M*'PZ%Z{% > + //ֱ  + / +  99014632#"&3@//@@//@/==/1>>h%XN%?/ /ֱ +/ +  999 901467#3327#"&XX1)?F>"-'0\)RsX{-%1k?//\"ZP+ / + +@ +2/ִ++ + 99 901332673#".3f FFFE f!=[==[=!1PP1+R=''=R%?3+ +@ +/ֱ + 99901?32653#"73#'#?wJuVX'P}V۬ŤŊTw`uH}^8勋F% Z+3/ +/ +/ֱ 2 ++  $99 9013333 #>54&'7TRd=+%h^1Rl:%fu +))' NHF-B-% %+3/ /ֱ 2+013333 #!!%fuwH =+ +@ + /ְ2  +@ + +901733!熪F%hH G+ +@ + /ֱ  +@ ++"+ + +0133!3#xR%htFH%f+ +@ +/ + / +/ֱ  +@ + ++  $9 90133!>54&'7Rd=+%h^1Rl:%h +))' NHF-B-H%C+ +@ +  + +/ֱ + 2+0133!4632#"&H31HH13H%hK;HG<7HHZH%D+ +@ +/ /ֱ  +@ ++ +0133!4632#"&]@//@@//@%h/==/1>>ZH^ U+ +@ +/ //ֱ  +@ + + + 99015!3!4632#"&]@//@@//@uu%h/==/1>>H% C+ +@ + / /ֱ  +@ + + 990133!!!%hwR% C +  +@  +/ ְ2 2 +@ + +@  ++01573%!!=q^<ۍdZu%)a+ 3'/!*/ֱ+$ $ + ++999$$9 9 990133373#4>7##'#4632#"&K MͿ \Q\  @//@@//@% %VXX%%VZV%/==/1>>F+ 3/ֱ+ +99 $9 99901333.53#'#73z w{ %PVsTV I+ 3/ֱ+ +999 $9 99901333.53#'#3373#z w{ Ť%PVsTV +~+ 3(/2(+#2,/ֱ++++   +-++999#99  999#9901333.53#'#>3232673#".#"z w{  ZJ)B75-^ ZJ)B75-%PVsTV `} )!73^!)!65F%#s+ 3#/ +/ +$/ֱ++ %+99#$9 9 99901333.53#'#>54&'7z w{ `Rd=+%h^1Rl:%PVsTV +))' NHF-B-b+ 3/ /ֱ+ + !+999 9 999901333.53#'#4632#"&z w{ D11DD11D%PVsTV 9/==/1>>Z%X+ 3/ /ֱ+ + !+999 9 9901333.53#'#4632#"&z w{ @//@@//@%PVsTV /==/1>>%M+ 3//ֱ+ +99 $9 $901333.53#'#!!z w{ %PVsTV wjN#E+/$/ֱ+ %+ "$9 99014>32#".732654&#"3#jJnmJJmoJ3̎KḰѐNNсjN#E+/$/ֱ+ %+ "$9 99014>32#".732654&#"73jJnmJJmoJ״̎KḰѐNNсjN'E+/(/ֱ+ )+ #$9 99014>32#".732654&#"73#'#jJnmJJmoJ(ŤŊ̎KḰѐNNс勋jN7z+/4/#+2(#4+/ 28/ֱ +7+7++,+,+ 9++7#/$9 99014>32#".732654&#">3232673#".#"jJnmJJmoJ ZJ)B75-^ ZJ)B75-̎KḰѐNNс`} )!73^!)!65jN+7h+/)/53#/28/ֱ +&&,+22+ 9+,&$9 99014>32#".732654&#"4632#"&%4632#"&jJnmJJmoJ+7-+99+-7`9+-77-+9̎KḰѐNNсZ-77-+::+-77-+::jN^#L+/ /!$/ֱ+ %+ "$9 99014>32#".732654&#"5!jJnmJJmoJA̎KḰѐNNсuujN#'N+/(/ֱ+ )+ "$%'$9 &9 99014>32#".732654&#"73373jJnmJJmoJ`Ȉ̎KḰѐNNсjN'E+/(/ֱ+ )+ %$9 99014>32#".732654&#"3373#jJnmJJmoJ(Ť̎KḰѐNNсȋjZN=+W+)/#/,/ֱ +& &+ -+& $9 99014>32#".732654&#"4632#"&jJnmJJmoJ@//@@//@̎KḰѐNNс/==/1>>jN.p+/)/* + /! +//ֱ-+$$+ 0+- !)*$9 99 *$9014>32#".732654&#"7'>54jJnmJJmoJ%?R-1B̎KḰѐNNсbTN-@/M*'PjN '+O+/,/ֱ+ -+ #(+$9 )*99 99014>32#".732654&#"73#'#%73jJnmJJmoJ9?̎KḰѐNNсjN '+N+/,/ֱ+ -+ #()+$9 *9 99014>32#".732654&#"73#'#3#jJnmJJmoJ9ٓk̎KḰѐNNсfjNS'5+///0 +(/) +6/ֱ+ 3 ,"+7+3@  #()/0$9 99/ #$'$90&%99("!,999014>32#".732654&#"73#'#7'>54&jJnmJJmoJ9%y}sI'5C̎KḰѐNNсCVIHNH H !)"jN6>+/4/# ++2(#4+/ + 2?/ֱ +6+6++,+,+ @+6 79+@ #/89;>$9,:9 99/7899014>32#".732654&#">3232673#".#"73#'#jJnmJJmoJ1RG%:/-+VRG%:/-BN̎KḰѐNNсRl"1+Pn#\jZN'3k+1/+/4/ֱ(+. .+ 5+( '99.!"%&$9#$99 99014>32#".732654&#"73#'#4632#"&jJnmJJmoJ(ŤŊ @//@@//@̎KḰѐNNс勋/==/1>>`XV"*l+% / +/ֱ (+ ,+99(  #$9 99%99 *$9  9901?.54>327#"'&#"32654'`{532>54&'7#".732654&#"jJnyDEyjVBEJmoJ̎KO;8*;A'ViHѐNNсj ,0q+$*/1/ֱ!!'+   /2+'!-/$9  999*$9999014>32>54&'7#".732654&#"73jJnyDEyjVBEJmoJ״̎KO;8*;A'ViHѐNNсj ,0q+$*/1/ֱ!!'+   /2+'!-/$9  999*$9999014>32>54&'7#".732654&#"3#jJnyDEyjVBEJmoJ3̎KO;8*;A'ViHѐNNсj ,;+$*/6/7 +-/. +32>54&'7#".732654&#"7'>54jJnyDEyjVBEJmoJ%?R-1B̎KO;8*;A'ViHѐNNсbTN-@/M*'Pj ,D+$*/A/08250A+<-2E/ֱ!!-+D+D8+9+9'+   /F+8D$*0<$999' 99*$9999< 995 99014>32>54&'7#".732654&#">3232673#".#"jJnyDEyjVBEJmoJ ZJ)B75-^ ZJ)B75-̎KO;8*;A'ViHѐNNс`} )!73^!)!65jZ ,8+$6/0*/9/ֱ!!-+3 3'+   /:+3-$*$9'9 99*$9999014>32>54&'7#".732654&#"4632#"&jJnyDEyjVBEJmoJ@//@@//@̎KO;8*;A'ViHѐNNс/==/1>>jNN=$0v +( +/./1/ֱ%%+++ 2+ 9+ (.$99 999.( 99014>323267#"&5467.732654&#"jJnmJTL>$'/])RqH5qD̎KḰE%s5//\"ZXDx-PjN1m+/-/$ +$- +@$ +'22/ֱ +!+!+ 3+!(-$9 99014>32#".732654&#"332673#".jJnmJJmoJCf FFFE f!=[==[=!̎KḰѐNNс1PP1+R=''=RjN#'N+/ /!(/ֱ+ )+ "$&$9 99014>32#".732654&#"5!%73jJnmJJmoJA̎KḰѐNNсuu[+ 3// /ֱ 2++ $9 99 99013!2##3 74&+73oXm=nŲx%JvVyBV%fSb+ 3//  /ֱ 2+!+9 $9 99 99013!2##3373#3 74&+oXm=n7Ť%JvVyBVkfSF%'+ 3'/ +/ +// (/ֱ 2+""+)+ '$9" 9 9"9 99013!2##3 74&+>54&'7oXm=nŲ8Rd=+%h^1Rl:%JvVyBV%fS +))' NHF-B-Z%#k+ 3!/// $/ֱ 2+ +%+ 9 9 9! 99013!2##3 74&+4632#"&oXm=nŲw@//@@//@%JvVyBV%fS+/==/1>>Z^'+ 3%/// /(/ֱ 2+" "+)+99" 9 9 999 99013!2##5!3 74&+4632#"&oXm=n"w@//@@//@%JvVyBVuu>%h+ 3/// /ֱ 2++99 99 999 99013!2##!!3 74&+oXm=n%JvVyBVwfSV}15e/+ / 6/ֱ! !+* 7+!9@ &/235$9*4999*$9901?32654./.54>32.#"#"&73VZD^hq/?%7aH+8bPu;X5N\i]R9bH'7g\u=JZG'6&56CZ:BlK+M4n/9NG?F!5/D\CBsQ0V}V}19h/+ / :/ֱ! !+* ;+!299@ &/3469$9*5999*$9901?32654./.54>32.#"#"&73#'#VZD^hq/?%7aH+8bPu;X5N\i]R9bH'7g\OŤŊu=JZG'6&56CZ:BlK+M4n/9NG?F!5/D\CBsQ0V}勋V}19h/+ / :/ֱ! !+* ;+!299@ &/3689$9*7999*$9901?32654./.54>32.#"#"&3373#VZD^hq/?%7aH+8bPu;X5N\i]R9bH'7g\OŤu=JZG'6&56CZ:BlK+M4n/9NG?F!5/D\CBsQ0VbVL}=1C/+9 +C/2 +/ D/ֱ! !5+>>+* E+!95@  $/289C$9>% :;$9&9*99/28;>9999*$9901?32654./.54>32.#"#"&>54&'73VZD^hq/?%7aH+8bPu;X5N\i]R9bH'7g\ϤRdC>Rm41H1Rl:u=JZG'6&56CZ:BlK+M4n/9NG?F!5/D\CBsQ0Vc /))+lB@-A-VF}=1A/+ A/2 +8/9 +/ B/ֱ! !5+<<+* C+!95@  $/289A$9< %99&9*9982<9*$901?32654./.54>32.#"#"&>54&'7VZD^hq/?%7aH+8bPu;X5N\i]R9bH'7g\Rd=+%h^1Rl:u=JZG'6&56CZ:BlK+M4n/9NG?F!5/D\CBsQ0V[ +))' NHF-B-V}1=/+ / ;/5>/ֱ! !2+8 8+* ?+!9298 $%/$9&9*99*$9901?32654./.54>32.#"#"&4632#"&VZD^hq/?%7aH+8bPu;X5N\i]R9bH'7g\D11DD11Du=JZG'6&56CZ:BlK+M4n/9NG?F!5/D\CBsQ0V/==/1>>VZ}=1=/+ ;/5/ >/ֱ! !2+8 8+* ?+!92 998 $%/$9&9*99*$9901?32654./.54>32.#"#"&4632#"&VZD^hq/?%7aH+8bPu;X5N\i]R9bH'7g\@//@@//@u=JZG'6&56CZ:BlK+M4n/9NG?F!5/D\CBsQ0V/==/1>>VH=1c/+a3 62/P3 I2d/ֱ! !+* *D+S S9+\ e+!&/$9*99D29S3996@IPXa$9@ *23DM\$9L9901?32654./.54>32.#"#"&%732654./.54>32.#"#"&VZD^hq/?%7aH+8bPu;X5N\i]R9bH'7g\ZD^hq/?%7aH+8bPu;X5N\i]R9bH'7g\ρu=JZG'6&56CZ:BlK+M4n/9NG?F!5/D\CBsQ0VDu=JZG'6&56CZ:BlK+M4n/9NG?F!5/D\CBsQ0Vh=*X++ &/ +/ֱ* *+ ,+* $9  99& 9990134>32#"&'732654./7.#">um-笟/V{Mf5X1i;TZH{\ nV^l;y#v=pS0H5g/+^J%A7) ^5L9E+/3 /ֱ  +@ + +@ ++ $9015!!#3373#9JÊŤf9L%x+ +/ +/3 /ֱ  +@ + +@ +   /+ 999999015!!#>54&'739JdRdC>Rm41H1Rl:f /))+lB@-A-9F%o+/ +/ +/3 /ֱ  +@ + +@ +   /+ 99015!!#>54&'79JZRd=+%h^1Rl:f +))' NHF-B-9Z%]+/ /3 /ֱ  +@ + +@ ++ / + 99015!!#4632#"&9J@//@@//@f//==/1>>9% ?+ //3  /ֱ  +@ + +@ + +015!!#!!9JfwH+ +@ +2/ֱ  ++9 $901332>53#".3#%D\77]C'>n\Zp@k\{I!!I{\mn00nhH+ +@ +2/ֱ  ++ $9901332>53#".73%D\77]C'>n\Zp@:k\{I!!I{\mn00n!O+ +@ +2"/ֱ  +#+9 !$9901332>53#".73#'#%D\77]C'>n\Zp@ŤŊk\{I!!I{\mn00n勋1+ +@ +2./%2".+)22/ֱ 1 +/1+ +& +%+%/&+3+%1)$901332>53#".>3232673#".#"%D\77]C'>n\Zp@y ZJ)B75-^ ZJ)B75-k\{I!!I{\mn00n`} )!73^!)!65%1g+ +@ +2#//3)22/ֱ +  +, +&&/,3+& 9901332>53#".4632#"&%4632#"&%D\77]C'>n\Zp@7-+99+-7`9+-77-+9k\{I!!I{\mn00n-77-+::+-77-+::^P+ +@ +2//ֱ  ++99 99901332>53#".5!%D\77]C'>n\Zp@k\{I!!I{\mn00nuu+g+ +@ +2'/ +' +@ +!2,/ֱ ++ +-+ "'$901332>53#".332673#".%D\77]C'>n\Zp@f FFFE f!=[==[=!k\{I!!I{\mn00nh1PP1+R=''=R%1|+ +@ +2#/) +// +2/ֱ +&+&,+ +  +3+,&#$9/) 9901332>53#".4632#"&732654&#"%D\77]C'>n\Zp@jTRllRTj\9)'99')9k\{I!!I{\mn00n)RbbRT``T3883/99!J+ +@ +2"/ֱ  +#+ !$9 901332>53#".73373%D\77]C'>n\Zp@ÇȈk\{I!!I{\mn00n!O+ +@ +2"/ֱ  +#+9  !$9901332>53#".3373#%D\77]C'>n\Zp@Ťk\{I!!I{\mn00nhV%)5+ +@ +2#/33++-2&/' +6/ֱ +  +0 +**/07+ &'99*990()9901332>53#".4632#"&75!4632#"&%D\77]C'>n\Zp@5))33))53))55))3k\{I!!I{\mn00n)34()66__)34()66%)5v+ +@ +2#/33++-26/ֱ +  +0 +**/0(27+ &9*')$901332>53#".4632#"&?34632#"&%D\77]C'>n\Zp@5))33))513))55))3k\{I!!I{\mn00n)34()66)34()66!-9{+ +@ +2+/73%++12:/ֱ "+( +4 +../4;+("9. !$94901332>53#".3373#4632#"&%4632#"&%D\77]C'>n\Zp@Ť5))33))5b3))55))3k\{I!!I{\mn00nw)34()66))34()66%)5v+ +@ +2#/33++-26/ֱ +&3  +0 +**/07+* ')$90(901332>53#".4632#"&3#4632#"&%D\77]C'>n\Zp@5))33))5w3))55))3k\{I!!I{\mn00n)34()66)34()66Z%%Q+ +@ +2#/&/ֱ +  +'+ 9901332>53#".4632#"&%D\77]C'>n\Zp@3@//@@//@k\{I!!I{\mn00n/==/1>>(k+ +@ +2#/$ +/ +)/ֱ '+ +*+'#$$9$901332>53#".7'>54%D\77]C'>n\Zp@%?R-1Bk\{I!!I{\mn00nubTN-@/M*'PN%-c)++!/./ֱ $+ +/+$)9 !$9!9)$99901332>53327#"&54>7.%D\77]C''D`9PR=#-'-\)Rr'/\n<k\{I!!I{\mmfF's3//\"ZX+D9/4l='H#+(/ֱ  ++)+ #99901332>53>54'7#".%D\77]C'@Vby%=R->n\Zp@k\{I!!I{\m9F-);A'3L3#߃n00n'+Q#+,/ֱ  ++-+ #()+$9*99901332>53>54'7#".73%D\77]C'@Vby%=R->n\Zp@:k\{I!!I{\m9F-);A'3L3#߃n00n'+S#+,/ֱ  ++-+(9 #)*+$99901332>53>54'7#".3#%D\77]C'@Vby%=R->n\Zp@k\{I!!I{\m9F-);A'3L3#߃n00nh'6#+1/2 +(/) +7/ֱ 5+,, ++8+5#()12$991$9299(,99901332>53>54'7#".7'>54%D\77]C'@Vby%=R->n\Zp@%?R-1Bk\{I!!I{\m9F-);A'3L3#߃n00nubTN-@/M*'P'?#+53>54'7#".>3232673#".#"%D\77]C'@Vby%=R->n\Zp@y ZJ)B75-^ ZJ)B75-k\{I!!I{\m9F-);A'3L3#߃n00n`} )!73^!)!65Z='3V#+1/+4/ֱ (+. . ++5+.(#99901332>53>54'7#".4632#"&%D\77]C'@Vby%=R->n\Zp@3@//@@//@k\{I!!I{\m9F-);A'3L3#߃n00n/==/1>>/H!%!+3&/ֱ +'+6L0+ !.%>B,+  -t+ .& ;+ +++=~+  +  ++  + +++>o+ ++ #999 #9 999  #9999@  .....................@ ! .....................@"$9990133>733>73#.'##3#/q!,)qƤ ē%VVVV)VVVV)R?y<;z?/H!%!+3&/ֱ +'+6L0+ !.%>B,+  -t+ .& ;+ +++=~+  +  ++  + +++>o+ ++ #999 #9 999  #9999@  .....................@ ! .....................@"$9990133>733>73#.'##73/q!,)qƤ 7%VVVV)VVVV)R?y<;z?/H!)!+3*/ֱ +++6L0+ !.%>B,+  -t+ .& ;+ +++=~+  +  ++  + +++>o+ ++ #999 #9 999  #9999@  .....................@ ! .....................@"%9990133>733>73#.'##73#'#/q!,)qƤ ĈŤŊ%VVVV)VVVV)R?y<;z?勋/H!-9!+3+/73%12:/ֱ "+((.+44+;+6L0+ !.%>B,+  -t+ .& ;+ +++=~+  +  ++  + +++>o+ ++ #999 #9 999  #9999@  .....................@ ! .....................@(" 94. 99+!990133>733>73#.'##4632#"&%4632#"&/q!,)qƤ ċ7-+99+-7`9+-77-+9%VVVV)VVVV)R?y<;z?1-77-+::+-77-+::T%+/ֱ + $90133>73#3#73%;q;;q;loT%+/ֱ + $90133>73#7373%;q;;q;lo)T'+/ֱ + $90133>73#73#'#73ŤŊ%;q;;q;lo)勋T'k+/%32(/ֱ  +/ +")+99999"  %$990133>73#4632#"&%4632#"&737-+99+-7`9+-77-+9%;q;;q;lo-77-+::+-77-+::TD+//ֱ + + $9990133>73#4632#"&73D11DD11D%;q;;q;lo/==/1>>ZT%F+//ֱ  + / + $990133>73#4632#"&73@//@@//@%;q;;q;lo8/==/1>>T[+/ +/ +/ֱ  + +$9 9990133>73#7'>5473-%?R-1B%;q;;q;lobTN-@/M*'PT'~+$/2$+2(/ִ'+'+ ++)+'9$99 "$9999 990133>73#>3232673#".#"73 ZJ)B75-^ ZJ)B75-%;q;;q;lo3`} )!73^!)!65\w ,+/ /+990135!5!!73\DL!d6d̍\w ,+/ /+990135!5!!3373#\DLrŤd6d̍\w :+/ / / ֱ +990135!5!!4632#"&\DLD11DD11Dd6d̍9/==/1>>\Zw% :+/ / / ֱ +990135!5!!4632#"&\DL @//@@//@d6d̍/==/1>>D/% d +  /3 +2/ / ְ2 2 +@  + +@ + ++ 990157! )32654&+!!D'!ѬXǺ`%I+// +@ +/ֱ 22+ + 9013332+32654&+^r@@r\%!J{ZVT'fclmRw==#N+ // $/#ְ2# +# +%+99 9 901467!.#"'>32#".73267w P4Q=wmEIjm}C  ?+p7NK̂̒NN6B'=,8Dq(+#30B/ E/ֱ9-9+/-9?+F+9-9? (06$9390(%9B"6<$9014>7.54>32>73&'#".73267.'>54&#"B$>R+#)'Hd=oy-H\/9M3N#`D9k/+BhP\1{\5i/R<9JNm/8=L5YG>?{95aG+b3TJAL73#fTw5fm'fFD=C+/  /ֱ +@ +!+ 99$901>32>3!!5>54&#"FLlR\1G{b-l8-ˋHijL}1NU-TtFLZbq>ZhG2/B=/Q-+ / /0/ֱ(  ! 1+ (999 $%99!99901?32654.#52>54&#"'>32#"&/R5lb%Vh\}L#g\H5VFhN`6u^j>lRj1IbR-H3{1D'JU93h;L$HiA\{#nHsP)[J% \ +/3 2 +@  +/ ְ 22 +@ +  +@ ++ 9 901533##%!467#Jb)nw-y-)=+?P%$q"+ // %/ ֱ &+6?+ .......@ 99 $901?32>54&#"'!!>32#"&?N5h3[A%i?X3V%V7'T3Je9DnN{l/I32.#">32#".732654&#"L\b6\%i;=kT37M9bIZq?oTumm5AC1g%-+dw;HNZ2@'u``u;D+%: +/ / ֱ  +@ ++  99015!#>7DhJ#)LwVdwmo=%3Aj!+)?/B/ֱ&&4   /4&<+, C+<4!)1$9?) 19$9014>75.54>32#".732654.'>54&#"o'?P)Dd5\}H/9)J9#7gXVj;jh}1Rr@Dd5+Ja5;@k`Ri5YE7)yT?iJ&{+N@51BT5=kN-+NkTTk^P/F5+%l+D3'-h5LeVdh= +g+ /$)/,/ֱ!!+'2 -+!99$999)$ 999014>32#"&'732>7#"&73267#"d:`HXq?K}Xd1Z%h<;kQ25Lkh5:PuNZ1?ŃߏBD/g#--du;Fdq32.#"3267#".B=mVT})H%T5{{=a)G5XTj;jx@@/N#+1/N=D>uu!4/ / /ֱ   ++ 90132#'3265!#ujb^!uhPu! ?/ / /  /ֱ 2 +@ +2@  + +01!!!!!u uP!ukklu! @/  +@ +/  /ֱ 2 +@  +@  + +01!!!!usR!ukl}B!u+ / / "/ֱ+"+ +@ +#+ 999 99999  99014>32.#"32675#5!#".B?qZ\(I!XB/R+/\Xo=jv@B)R#-k+>>wu! G /  +@ +2 +@ +2 /ֱ 2 +2 +013!3#!uq!umeu!/ֱ+013u!u%!%/  +@ +/ֱ +01732653#"&%Z9\FF?cCXy?bTd_;iL-Ju!  /ֱ 2+01333 #udB!uS¬u!w0/  +@ +/ֱ +@ ++013!u!ulu!qA/ִ"+ + v++99 $9 99013373#467##'#u@=y HCJ !u5;/ִ"++ "++99 99 990133.53#'#u5^ wa !uBGDFFBJ@/ /  /ֱ+ !+99 99014>32#".732654&#"B9fVVf::fVVf9uutujt>@tkjwBBwju! B / +@ +/ /ֱ  2 ++ 901!2+3254&+u1ZyJno!uuHhE!\D?D^(T/  &/ )/ֱ#+ *+# 999 999&  $9014>323267#"&'.732654&#"?:fVVf:!qG-F+)uutujt>@ti74` t\Ƥu!]+  +@ + 2/ /ֱ2++ 99 9 9901!2##3254&+u!DtV/kXϛhg!u<^Eh|nբTC5-Z+/ / ./ֱ+(/+9 %+$9(&999($901732654&/.54>32.#"#"&5L1DVXR?!A3!+Nk?N1C+c?HT)3V`^V38L;?:9'5H13Y?%>1P%-C7+! 7%b\qF#!>/3  +@ +/ֱ +@ + +@ + +015!!##+kk s;/  +@ +2/ֱ ++ 901332>53#".s6K++J7{1VyFJxX/Nj??kMm_))_! /ֱ + +6n+ .  =' +  . ( ©+ +++=s+  + +  + #999 #99 9@ ..............@  ..........@0133>73#%#/NNNN!! /!3322"/ֱ+#+6&+ !.>+ .   + .  ^+ +++>+  + ++  + + +++><+  + #999 #99 9  #9 9999@  .................@  ! .....................@90133>733>73#.'##X xsy Z{    }-HHHH-HHHH3b33b3!/ִ ++0133>?3#'.'#so{%%z!;))<O?3#q(*l3\43]3T7! @/ /  /+ +2 + 999015!5!!7ZD3!NkLClXu 0+ /4+/ְ 22+014632#"&4632#"&X5))33))55))33))5-55-+55+77+-55TF/+ ++ +/+ ++015!T?__TuB/+ ++ +/+ ++015!T!TTT-B$+ ++ +/+015!TTT&+/+ +99015!%73uu#//ִ +99015!%73uu ta_<ѻhѻhwj HB w! Hk9OfHjHBllNXwF`|TZJ5#3bZTR`FFFfNhZj7j7?-OjOjEVI9(I/O\ll?{VHwp^p`^V=\Z `V^pf`Z91Z1f?lFl?JO}m5/\VdLn\F|Tb/V/TFRHVfzTV=no?v^HfbZZZZZZj7777D-OjOjOjOjOjfOf((((wwwwwwGw^^^^^w\m`V^V^V^V^V^FV^ZZZZpZwZwZwj^j^j^j^`Dp`7^7^7^7^7^j\j\j\j\7Z~BZXN?  /-`-`-`3OjV^OjV^OjV^j^JEVZ9EVZ9EVZ9EVZ9I91I91(Z(Z(Z(Z(Z(ZI/1O\f?O\f?O\f?ZEw%OoV^EZZwOjV^(Z(Z(Z(Z(Zj\OjV^EVZ9I91=p`LxfjZj!u3=K)V#V#-7!^-V)VVmVVVbdjC't{}B7wRRy|1LjD9=jxj=j!fr='Q+pp`p`7^j\7Z7Z   ^-`-`-`OjV^EVZ9EVZ9I91I91I/1I/1I/1O\f?VZwZwZwZwZwZwZwZwZwZwZwZw7^7^7^7^7^7^7^7^yOjV^OjV^OjV^OjV^OjV^OjV^OjV^OoV^OoV^OoV^OoV^OoV^(Z(ZEZEZEZEZEZEl|T|TTTfTfTufuffoonR Hh+\+ot7HSVVH\f\PPjHRHVH\f\PP3}m/`}/E+d7|Xf^nTnHHh?5VPV9R=b-FtTARjJFFFll?ll?ro//uu//%%rT"sdd;o?ll?ll?=r=`=j\N=^T^I7L^^I^^^p`p`p`p`p`p`p`p`p`p`p`p`p`p`p`p`p`p`p`p`p`p`p`xfxfxfxfxfxfxfxfN/r=MqfL5&F33}Z3q3kZJ5#3dZT=$jfT5$33$tZ&d$MAhjXjDjXjDHRHVH\f\PPjXjDHRHVH\f\PPjXjDDD99DFSj}B!wRy$sZZMqMq5jpdj?~-j$h/V9x/Q\\D5jjjjjnnnDdjdjdjdjdjdjdj BX?~~~~~~~~-jjjjjjjjjjjjjjj`jjjjjjjjjj//////VVVVVVVV99999x/x/x/x/QQQQQQQQ\\\\D3wEB qfF/J?rDod9TOT~T"uBIuuuIBxuhu%uuuruBu?u5#rs57jXTT~T``````\$0dP <  ( hPD` <P\TT$p$ !""#h%%& &h&'8''((L)D**+,x-./d/0|01<223\485567L78D:\:;<==L>D>>?\@HABCCEDEFGHPHHJ4JxK$KL`M0MpN$NNOHOPLPQRTtUPUVWHX`YhZ[@\P\]h^^_8__`adbpc@ddf(gPghi4ijtk`kl|mnopr,su(vwxyz{||p|}~l8 DdX ,8T<4`@$DP0tP,$, P4x<0lTxL4x (¨DĠŜƌ@ʜ˸ʹΘ`м| Հրׄؔ٤XhxL(lpx@thX,<$4 l<Xl $ , P T4X|LXD$ ` 4 p  !t!"\"#X#$%%|%%&D&'''(X()P))*X*++x+,<,--h-../01L234456T77889<9:;?@ACxDDEFG(GH,HI`J JtJKLMN|OPPPQRlSLT0TVVWXLYZ[\]^__acegil$lmnpnp<qqs tuXv wLxy@z\{}0~\L (Ld<ptx(,@d@|$4Ph l\@4dǨll̀ΘАѸҴ4PԀ԰\<֨h4dx00pݸ,,߸$lTtt@(tHt 4 0    , | , T lL \@Hl0P p\\X !""$&P&((x))*(+(,,-X-./l0H1(23 45X678:,;0?A BCE8FH$IK@LtMNP,QdRSU$VVW0WWXYYYZ\[([\$\]^d_L`@`abctcdef8ghhijk<klDm8mnop<q`rPt tttu8uv8vw@x xyzTz{||}D}~~p$HdtHL\H$TxXDx ||(t$DHd@x`P08dl\(X ,0L<øĤTȄ\ $$t РLҬ4ӸLX,|PLېܜޜd(0h\H0x d,4 @\0@D,TxTT    t x|Lptp8ll| 4!`"$<%%&d'('(@()*H+d,\- -//0l1234567l8,99;<`=L?hACF8FG GHI0IJKLLxMMNHNOPQ|QRS\TTUV@WdXPXXXYZ[H[\(\]p]^^|^__`@`ahb8bcd(deghdhi0iij<j|jklp>     ) 5   L .7 e *  4  2 #O H' 'M 0'c ' ' ' ' ' 'Straight lAlternate aAlternate gSerifed ISlashed zeroCopyright 2010, 2012 Adobe Systems Incorporated. All Rights Reserved.Source Sans ProRegular1.050;ADBE;SourceSansPro-Regular;ADOBESource Sans Pro RegularVersion 1.050;PS Version 1.000;hotconv 1.0.70;makeotf.lib2.5.5900SourceSansPro-RegularSource is a trademark of Adobe Systems Incorporated in the United States and/or other countries.Adobe Systems IncorporatedPaul D. Hunthttp://www.adobe.com/typeCopyright 2010, 2012 Adobe Systems Incorporated (http://www.adobe.com/), with Reserved Font Name 'Source'. All Rights Reserved. Source is a trademark of Adobe Systems Incorporated in the United States and/or other countries. This Font Software is licensed under the SIL Open Font License, Version 1.1. This license is copied below, and is also available with a FAQ at: http://scripts.sil.org/OFL ----------------------------------------------------------- SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 ----------------------------------------------------------- PREAMBLE The goals of the Open Font License (OFL) are to stimulate worldwide development of collaborative font projects, to support the font creation efforts of academic and linguistic communities, and to provide a free and open framework in which fonts may be shared and improved in partnership with others. The OFL allows the licensed fonts to be used, studied, modified and redistributed freely as long as they are not sold by themselves. The fonts, including any derivative works, can be bundled, embedded, redistributed and/or sold with any software provided that any reserved names are not used by derivative works. The fonts and derivatives, however, cannot be released under any other type of license. The requirement for fonts to remain under this license does not apply to any document created using the fonts or their derivatives. DEFINITIONS "Font Software" refers to the set of files released by the Copyright Holder(s) under this license and clearly marked as such. This may include source files, build scripts and documentation. "Reserved Font Name" refers to any names specified as such after the copyright statement(s). "Original Version" refers to the collection of Font Software components as distributed by the Copyright Holder(s). "Modified Version" refers to any derivative made by adding to, deleting, or substituting -- in part or in whole -- any of the components of the Original Version, by changing formats or by porting the Font Software to a new environment. "Author" refers to any designer, engineer, programmer, technical writer or other person who contributed to the Font Software. PERMISSION & CONDITIONS Permission is hereby granted, free of charge, to any person obtaining a copy of the Font Software, to use, study, copy, merge, embed, modify, redistribute, and sell modified and unmodified copies of the Font Software, subject to the following conditions: 1) Neither the Font Software nor any of its individual components, in Original or Modified Versions, may be sold by itself. 2) Original or Modified Versions of the Font Software may be bundled, redistributed and/or sold with any software, provided that each copy contains the above copyright notice and this license. These can be included either as stand-alone text files, human-readable headers or in the appropriate machine-readable metadata fields within text or binary files as long as those fields can be easily viewed by the user. 3) No Modified Version of the Font Software may use the Reserved Font Name(s) unless explicit written permission is granted by the corresponding Copyright Holder. This restriction only applies to the primary font name as presented to the users. 4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font Software shall not be used to promote, endorse or advertise any Modified Version, except to acknowledge the contribution(s) of the Copyright Holder(s) and the Author(s) or with their explicit written permission. 5) The Font Software, modified or unmodified, in part or in whole, must be distributed entirely under this license, and must not be distributed under any other license. The requirement for fonts to remain under this license does not apply to any document created using the Font Software. TERMINATION This license becomes null and void if any of the above conditions are not met. DISCLAIMER THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM OTHER DEALINGS IN THE FONT SOFTWARE. http://www.adobe.com/type/legal.htmlWebfont 1.0Tue Jan 6 11:18:48 2015Straight lAlternate aAlternate gSerifed ISlashed zeroFont Squirrelgfl  !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`a bcdefghjikmlnoqprsutvwxzy{}|~     !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwNULLCRuni00A0uni00ADtwo.sups three.supsuni00B5one.supsAmacronamacronAbreveabreveAogonekaogonek Ccircumflex ccircumflex Cdotaccent cdotaccentDcarondcaronDcroatEmacronemacronEbreveebreve Edotaccent edotaccentEogonekeogonekEcaronecaron Gcircumflex gcircumflex Gdotaccent gdotaccentuni0122uni0123 Hcircumflex hcircumflexHbarhbarItildeitildeImacronimacronuni012Cuni012DIogonekiogonek Jcircumflex jcircumflexuni0136uni0137 kgreenlandicLacutelacuteuni013Buni013CLcaronlcaronLdotldotNacutenacuteuni0145uni0146Ncaronncaron napostropheOmacronomacronuni014Euni014F Ohungarumlaut ohungarumlautRacuteracuteuni0156uni0157RcaronrcaronSacutesacute Scircumflex scircumflexuni015Euni015Funi0162uni0163TcarontcaronUtildeutildeUmacronumacronUbreveubreveUringuring Uhungarumlaut uhungarumlautUogonekuogonek Wcircumflex wcircumflex Ycircumflex ycircumflexZacutezacute Zdotaccent zdotaccentuni0180uni018Funi0192OhornohornUhornuhornuni01CDuni01CEuni01CFuni01D0uni01D1uni01D2uni01D3uni01D4uni01D5uni01D6uni01D7uni01D8uni01D9uni01DAuni01DBuni01DCGcarongcaronuni01EAuni01EBuni0218uni0219uni021Auni021Buni0237uni0243uni0251uni0259uni0261h.supsj.supsr.supsw.supsy.supsuni02B9uni02BBuni02BCuni02BEuni02BFuni02C8uni02C9uni02CAuni02CBuni02CCl.supss.supsx.supsuni0300uni0301uni0302uni0303uni0304uni0306uni0307uni0308uni0309uni030Auni030Buni030Cuni030Funi0312uni0313uni031Buni0323uni0324uni0326uni0327uni0328uni032Euni0331a.supsb.supsd.supse.supsg.supsk.supsm.supso.supsp.supst.supsu.supsv.supsc.supsf.supsz.supsuni1E06uni1E07uni1E0Cuni1E0Duni1E0Euni1E0Funi1E16uni1E17uni1E20uni1E21uni1E24uni1E25uni1E2Auni1E2Buni1E34uni1E35uni1E36uni1E37uni1E38uni1E39uni1E3Auni1E3Buni1E42uni1E43uni1E44uni1E45uni1E46uni1E47uni1E48uni1E49uni1E52uni1E53uni1E5Auni1E5Buni1E5Cuni1E5Duni1E5Euni1E5Funi1E60uni1E61uni1E62uni1E63uni1E6Cuni1E6Duni1E6Euni1E6FWgravewgraveWacutewacute Wdieresis wdieresisuni1E8Euni1E8Funi1E92uni1E93uni1E97uni1E9Euni1EA0uni1EA1uni1EA2uni1EA3uni1EA4uni1EA5uni1EA6uni1EA7uni1EA8uni1EA9uni1EAAuni1EABuni1EACuni1EADuni1EAEuni1EAFuni1EB0uni1EB1uni1EB2uni1EB3uni1EB4uni1EB5uni1EB6uni1EB7uni1EB8uni1EB9uni1EBAuni1EBBuni1EBCuni1EBDuni1EBEuni1EBFuni1EC0uni1EC1uni1EC2uni1EC3uni1EC4uni1EC5uni1EC6uni1EC7uni1EC8uni1EC9uni1ECAuni1ECBuni1ECCuni1ECDuni1ECEuni1ECFuni1ED0uni1ED1uni1ED2uni1ED3uni1ED4uni1ED5uni1ED6uni1ED7uni1ED8uni1ED9uni1EDAuni1EDBuni1EDCuni1EDDuni1EDEuni1EDFuni1EE0uni1EE1uni1EE2uni1EE3uni1EE4uni1EE5uni1EE6uni1EE7uni1EE8uni1EE9uni1EEAuni1EEBuni1EECuni1EEDuni1EEEuni1EEFuni1EF0uni1EF1Ygraveygraveuni1EF4uni1EF5uni1EF6uni1EF7uni1EF8uni1EF9uni2000uni2001uni2002uni2003uni2004uni2005uni2006uni2007uni2008uni2009uni200Auni2010uni2011 figuredashuni2015uni2016uni202Funi2032uni2033uni203Duni205F zero.supsi.sups four.sups five.supssix.sups seven.sups eight.sups nine.supsparenleft.supsparenright.supsn.sups zero.subsone.substwo.subs three.subs four.subs five.subssix.subs seven.subs eight.subs nine.subsparenleft.subsparenright.subs uni0259.sups colonmonetarylirauni20A6pesetadongEurouni20B1uni20B2uni20B5uni20B9uni20BAuni2113uni2117uni2120uni2126 estimatedonethird twothirds oneeighth threeeighths fiveeighths seveneighthsuni2190arrowupuni2192 arrowdownuni2206uni2215uni2219uni231Cuni231Duni231Euni231Funi25A0triagupuni25B3uni25B6uni25B7triagdnuni25BDuni25C0uni25C1uni25C6uni25C9uni25FCuni2610uni2611uni266Auni2713uni2752uni27E6uni27E7uni2E22uni2E23uni2E24uni2E25f_funiFEFF uni00470303 uni00670303 iogonek.df_tI.aIgrave.aIacute.a Icircumflex.aItilde.a Idieresis.a Imacron.a Idotaccent.a uni01CF.a uni1EC8.a uni1ECA.a Iogonek.aa.aagrave.aaacute.a acircumflex.aatilde.a adieresis.a amacron.aabreve.aaring.a uni01CE.a uni1EA1.a uni1EA3.a uni1EA5.a uni1EA7.a uni1EA9.a uni1EAB.a uni1EAD.a uni1EAF.a uni1EB1.a uni1EB3.a uni1EB5.a uni1EB7.a aogonek.ag.a gcircumflex.agbreve.a gdotaccent.a uni0123.agcaron.a uni1E21.a uni00670303.al.alacute.alcaron.aldot.a uni013C.a uni1E37.a uni1E39.a uni1E3B.alslash.afl.a zero.pnumone.pnumtwo.pnum three.pnum four.pnum five.pnumsix.pnum seven.pnum eight.pnum nine.pnum zero.tnumone.tnumtwo.tnum three.tnum four.tnum five.tnumsix.tnum seven.tnum eight.tnum nine.tnum zero.onumone.onumtwo.onum three.onum four.onum five.onumsix.onum seven.onum eight.onum nine.onumat.case period.sups comma.sups period.subs comma.subs zero.dnomone.dnomtwo.dnom three.dnom four.dnom five.dnomsix.dnom seven.dnom eight.dnom nine.dnomparenleft.dnomparenright.dnom period.dnom comma.dnom zero.numrone.numrtwo.numr three.numr four.numr five.numrsix.numr seven.numr eight.numr nine.numrparenleft.numrparenright.numr period.numr comma.numr ordfeminine.aq.sups egrave.sups eacute.supsa.supag.supal.supa slash.frac uni0300.cap uni0301.cap uni0302.cap uni0303.cap uni0304.cap uni0306.cap uni0307.cap uni0308.cap uni0309.cap uni030A.cap uni030B.cap uni030C.cap uni030F.cap uni0327.cap uni0328.cap uni03080304uni03080304.cap uni03080301uni03080301.cap uni0308030Cuni0308030C.cap uni03080300uni03080300.cap uni03020301uni03020301.cap uni03020300uni03020300.cap uni03020309uni03020309.cap uni03020303uni03020303.cap uni03060301uni03060301.cap uni03060300uni03060300.cap uni03060309uni03060309.cap uni03060303uni03060303.cap uni030C.a uni0326.a space.frac nbspace.frac uni03020306uni03020306.capzero.0zero.0szero.0pzero.0psi.trkA.scB.scC.scD.scE.scF.scG.scH.scI.scJ.scK.scL.scM.scN.scO.scP.scQ.scR.scS.scT.scU.scV.scW.scX.scY.scZ.sc Agrave.sc Aacute.scAcircumflex.sc Atilde.sc Adieresis.sc Amacron.sc Abreve.scAring.sc uni01CD.sc uni1EA0.sc uni1EA2.sc uni1EA4.sc uni1EA6.sc uni1EA8.sc uni1EAA.sc uni1EAC.sc uni1EAE.sc uni1EB0.sc uni1EB2.sc uni1EB4.sc uni1EB6.sc Aogonek.scAE.sc uni0243.sc uni1E06.sc Ccedilla.sc Cacute.scCcircumflex.sc Ccaron.sc Cdotaccent.sc Dcaron.sc uni1E0C.sc uni1E0E.sc Dcroat.sc Egrave.sc Eacute.scEcircumflex.sc Ecaron.sc Edieresis.sc Emacron.sc Ebreve.sc Edotaccent.sc uni1EB8.sc uni1EBA.sc uni1EBC.sc uni1EBE.sc uni1EC0.sc uni1EC2.sc uni1EC4.sc uni1EC6.sc Eogonek.sc uni1E16.scGcircumflex.sc Gbreve.sc Gdotaccent.sc uni0122.sc Gcaron.sc uni1E20.scuni00470303.scHcircumflex.sc uni1E24.sc uni1E2A.scHbar.sc Igrave.sc Iacute.scIcircumflex.sc Itilde.sc Idieresis.sc Imacron.sc Idotaccent.sc uni01CF.sc uni1EC8.sc uni1ECA.sc Iogonek.sc uni012C.scJcircumflex.sc uni0136.sc uni1E34.sc Lacute.sc Lcaron.sc uni013B.scLdot.sc uni1E36.sc uni1E38.sc uni1E3A.sc Lslash.sc uni1E42.sc Nacute.sc Ncaron.sc Ntilde.sc uni0145.sc uni1E44.sc uni1E46.sc uni1E48.sc Ograve.sc Oacute.scOcircumflex.sc Otilde.sc Odieresis.sc Omacron.scOhungarumlaut.sc uni01D1.sc uni1ECC.sc uni1ECE.sc uni1ED0.sc uni1ED2.sc uni1ED4.sc uni1ED6.sc uni1ED8.sc Oslash.scOE.scOhorn.sc uni1EDA.sc uni1EDC.sc uni1EDE.sc uni1EE0.sc uni1EE2.sc uni01EA.sc uni014E.sc uni1E52.sc Racute.sc Rcaron.sc uni0156.sc uni1E5A.sc uni1E5C.sc uni1E5E.sc Sacute.scScircumflex.sc Scaron.sc uni015E.sc uni0218.sc uni1E60.sc uni1E62.sc germandbls.sc uni1E9E.sc Tcaron.sc uni0162.sc uni021A.sc uni1E6C.sc uni1E6E.sc Ugrave.sc Uacute.scUcircumflex.sc Utilde.sc Udieresis.sc Umacron.sc Ubreve.scUring.scUhungarumlaut.sc uni01D3.sc uni01D5.sc uni01D7.sc uni01D9.sc uni01DB.sc uni1EE4.sc uni1EE6.sc Uogonek.scUhorn.sc uni1EE8.sc uni1EEA.sc uni1EEC.sc uni1EEE.sc uni1EF0.sc Wgrave.sc Wacute.scWcircumflex.sc Wdieresis.sc Ygrave.sc Yacute.scYcircumflex.sc Ydieresis.sc uni1E8E.sc uni1EF4.sc uni1EF6.sc uni1EF8.sc Zacute.sc Zcaron.sc Zdotaccent.sc uni1E92.scEth.scThorn.sc uni018F.sc ampersand.sczero.scone.sctwo.scthree.scfour.scfive.scsix.scseven.sceight.scnine.sc hyphen.sc endash.sc emdash.scA.supsB.supsC.supsD.supsE.supsF.supsG.supsH.supsI.supsJ.supsK.supsL.supsM.supsN.supsO.supsP.supsQ.supsR.supsS.supsT.supsU.supsV.supsW.supsX.supsY.supsZ.sups colon.sups hyphen.sups endash.sups emdash.sups uni03040301uni03040301.capKPXYF+X!YKRX!Y+\X E+D E++D E++D E++D Eq++D E^++D E<++D E )++D E 0++D E+D E +Fv+D E +Fv+D ES+Fv+D E6+Fv+D E'+Fv+D E&+Fv+D E%+Fv+D E+Fv+D E$+Fv+D E#+Fv+D E"+Fv+D E++Fv+DY+T PK!͔]kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-regular.woffwOFFeBASE>PsFFTMoGDEFG/KGPOSX[XGSUBLOS/2*X`jcmap*`G6|\cvt .RRfpgm.eS/gasp0glyf0[kl/]head46͢hhea!$` \hmtx :cloca Xmaxpt Ename )UM؛ipost(>prep\webf Txc`d``b>̔<&7Ē<6`d`a` ( МK͗ѻhx%MQjvn`k\HŒ'(6ߌ3 {*/K^u?@ýB}u 7%<_.H_!-;ab9\!TN]KYJGtiv===ͼuZR=}g{~%x\ pTU>!&? (! 1"DP(FGttqde(d)eb,d)*eGYwYVcآmT6b=NwTjޭs=s}IHQͥH,oݷPNZ[$EH,5z͘xcX+nZy;4jE y-DcE/ږs>~/%B9t濘FD*vZM]Sp e`!¿#OOzFkj0 KdKb+&bQ&bQ,_{oă&U/b/S])cU$3_ "9\TY*g˹r\$e6RZV^>"fMY-"K&[+?e<.O*2US}5T].WUV:dEiJ࿥j?Ea,IXd1Ǻi?%UcuY)q*[nYɸ"@PP9WUF_c^>Tb{R'|XPXL`%kăߕ}qx;i?5ú%lٲ*'rP.3sDT6G]ڬdkjU[oZXYZ!븯ooooV^ߛAɰEuMVYzl@^ruK8GcD.4w.3M:@7ZBZW9} _"|f2n}Zih٬bي1jPD/$ƹ|cgǺb:^BڅfLi3о3PFJ-U=0(s1JkJS.][n_gu#x5oI~yJC/<ꩃcgަtChUϴւZ&-3EOCBz5z=Ձ{rƕz飠}o]-{§˗_^߀x NRwg㝣h-hFCms#'smgto5j 3OjAYZТ-AzÞI @^?c qhr䴎9CkqjZ+!&bj5bbU }ؚPd]YsEjè}՚вL7QP{kgPY ]M7nQRܭ0KJz'B{3z#ZAsVPyŒdj()K9pCdm2,'<%TW)ꮲUz\uz@UVUbZ3,̺šm!+j,謉h|*&7btzryɹCɳge<􎥻\+&C.xo='?,eNfPi( V=tH0 uި۳$Φyj: `C B#y(E>ptORmHaӲެZC]W#dxīYa6pm 1E].!_!_-)˽ʯwqaXv{دSe<~sG#22%~Csg32bsM$iVٝ?qeZՋ\mnvԡ%3&$t>h\/{'OOqޣ9{}ۀ5zg]I$իQd@oo*B bD֙>涙R ɥ^lJ}v\|GÅ:;LZ 2X"3k0oMEYٹ1Y-WF3ɑvmXZoJStd'0=zq(-6'&(2N?l9e5z5ƫ[F24&#y&]5fUJ/1B0zfҡ ~oIf)@̩bXiAK1mpd,a5˯I!Uc9y59}W:.mzg Aؚqu)ᙌZІGtj#/ƴv87nDǷ ZgVRw<Ǒ39meGlZ)'Fu4Nb%c#t.[)KQ'TH+y\͜LyijGt~ FNt-8{BѵJor~$r0#dQVr}dp,А:>s~Ӎ 7Fl`gMnwGVdmk^΍8 ޜ[Y3esp3=㒔d`o<Gr"&P(JYԻ^0P}4~ vs(5m>QR&9NK^y֮z|TǮ>)Z;=7"L⳧ +!7[Dމդ{ښabGܼ-9AVwtx 6.#D$;j^g')זr˒ݜXh$ToSɺ)?9,G8XihQ}e9i1{}8ra9p0"%ӕl[W~[v0->ؐ×1~qwEP D'>.טTƑG;xZV"9c"qj?^7 MU{(#mIØ/ŞsăحAXkMQ.a;Ys#x*΂#w zbxCùq|ֆd x=^ł?fc($~9A>zNg~md|*MƟQ2N"?b^Ol/ DE?|Εl@>~TNsͥ4}ROMeNJ.%{ 6{RS$kI1軩3_{zbJ}AX3ta1<^7~u2 ee6L.f΄V }ny.CTɎq.qޗh .u+'ڽw$;ML:=ʺ'zZ/yB}D(ny# \$Āj⁅af#Eonӓw??s,#gKyI⧨$S;  Y;?-ӁD{n(tf7\nws<$DIJGnZRyMGq|ϐv&1>KޝybRFW ;"l~H1z4]r{&zZN+uwRvL$"4 \OFS`[e7˃돓 YDأ?j5H+AMHEttV!jRZKl?oTV56ޡ&zmcH۩_[V:N0}K)]? %>QD/G_zj7"S, &l)v\؋t'2Cf2SLlbJ[5MVȅr'v?OK8,OʓrD@ݮ請uO|~GԿ?Ij+2[ޑwUWdu.GY=d5š"+i4yUlVU&o1B hxYwtUʄ${[ % " Hi""""{/Bh;Ho.xe9gs937ŋ/IкM'*O4 zJL$?LBJF^SPJJE>PZt2i5Rꍛ6}+2 \1""}I"#b;ȞhN蘞KHZսk}{1(h_LNts|*ֹOBl.t3gd/[=gop N.~};rPl^}`1\) }qRqzpJˮr@DA֤OpI)R p& QQpf* Θ$3"dſlԔR'8JXBi-v:A t6s\+p m Ƿsy@)BR4wJ18NUm?Ti\=Bz t@%Ɋ։=؛:#WU\kLMi.76s8qG+]EhCy<<'6 )奴2:y9|Nq>A@|`> '×HWOxM 9(L)%9HVJղ=zawڀ#6NDpgm͸U[i+m wp 緵]+Tk G%˛r'yC7r2IfdzxOrhՇ'9'BYO's8'WytvbiNtbdCy#OwbN<ӉF@'Fv0ou୲M6&.Dz*{cx/dxϐ^%x\F +;e \r |TOX9%[kjEur|Ln- \ax9 GxOh4"'Sx!g7n#xb ffgKcZUY)7塼S*H@f-Z:4Y*GUJTB\[_ LQ}j}&Щͨ9vԊZc'hKԎC~Nh<ͣh>} }K&B7:G"uXdnh`d͸=/'Oiyȗ _|@$C)dwzA,*`p u,7ؚ!!~ECmسR4ުغƎC_6lyV;ޟ\wm6wܟ2 ޺J_ ڕ* "<xcǻۢmn[[FyGj=3 ;oFy0a8څ1wG$)˜+T/>N:ntT4mIGXI[')1}yN=y{nT+XR$ϯu+5gBl~5 F>T(3&A*F!x+0{ɣPtA3V#0RLh-4F~D')}Y8&iM4&c^NڛN3h&͂w`<6c4wy1)轳y~]!4SJR('OiŏS8rvܜÅRKsY.ϕA˄rmu>7P6͹%m3BhżB,Wj^{6Vh g:(>3B PwB݄!Ol%ޒJ)B-?SC5ePNy%?Sa) Uy[5F{;P;Gj?3@:HcC}@ Б:eqIquW\b];ܫ;7|d[@rZb}^=ww9::Ͷ6YOhݘaցվG븖[gݰVzlTZUĺ'8UTlnj&2_ o|2`/go&<ļV ?[v bb b\N˜y#8/FQ{h)H'ZN?Ca=VjZCki n-v" B8H(B80/fC J3|7Ԝq3s98|\ q.Ź$r\+rUZ0 7bm t\o_ūx 6;y7|ї\?槜(,*)%ԒVI(I2K&9$|R@ I)&ťӵᵋ[CO/\~nGΡn^^ne+Y9QZTK@Ն\bLNdWn!3f!,?%xc`f8՘,,t!Hs23031(00ɕ6@><} AȑY큔 xSe,A-oy}wa&yKP@#(^0 IIhbB qR!q/ "eTcSC={1駦)k8S@>3y$ <#7Ba" FKd鬀UJVjI<6KQ4i!-UBA]t-2)X "()F-KR#ّtY\1q>\q|*O| wj^ $H""ALSt"īb+;8%ΊsMrg弈W*^/b)-0NExM xH [ΕkakGmKB}= HOg֧Vm]&mY[bȚiV5 4-l1sfy!3k4;;sΙ3KʑwkS$6NH덌Zlfu є;j=o)M;Z ;4: !qKͺb00.?R4j˰Ѽ34@Skm!qK˦6$tUS]`*́Vy &ҷ$, b 9@HƼIJ;ㆵƑ6O'ӿZxܽ |S zz[t$˲l˶,,}B1FqcT8pu\JK]B !$MHJia,9GV(ˤHJitrCLd2M_& $[G)WF)RQzLY)*9 -mqn-u4Ksצ.ҊTc|bP34zpf4޸KMO6:ʕq.|2FPE*(oUP&̼@]U3aPQș' x\L|HD &,jpZ \[T򥖀u_4 D+)l_G׆QeՕ4jJP6ӂEF?)0&1nOn(ݤtgFZZd3]DblzշgN<7f "j=UYnF Pč*L3L5j5N kMb#\ $e17)~?(B#VYXxA0ҏƴ4\' UAx"@00j Z:0jj&W*DްjY N 6<|UM;w5KNz'O0{bGO=MhI"Mw}ds# 6wT\mCy:Vb @;mҺƖH.KtNUJvu>-AL-*P` W&EW&sȦbyfz)s趑mG0m滖d|?&ך|}uQUJ7s&F:򕯌 >hk_O_{-6៑ac/qJI@m I,CՓ _ B6MVC#cby;ŹozگW7؄bw;ZJPRO JQQ:PB44E.0~Q ǵ:LJK4gɁuaur.8=<pa /.\IӦiۂ/dtR2=aWa,aqR*"bҒFRL!Jr>Bٶl;{focC񾁓mZs/|`_ݣ ўC5}Z'[_񶞫? ~$6 3fX) FF)-E0'>RZf[/laƌ[ρ3c͡lo|]yI0 )[GkXdBg-"𾉽fqH-tr`6R$\ݕlK6AS{Df }j0e=c H /jV# ?MSãtbtT3YE?'-omGU@ 0$;Q*:$k(2Dl5 [9" ЗTE3͵V!lχNח׶m56 l4)^ipqWm;'O/z^_P:^UgErRpې0ẍKG>Z"aU@1LHb\6`뤠aOk_P"V|,,/&noqYqx,vٷ]*gS גIκ&vyH2[GֆŶ8Ee/_eFPpJJjՒ]v @(2N|,e*$QadE?х1S~cvv_[y_oo#o>L7vPu'qx8j<5.ԫx+Z[#mn?ɯlOn }Wo'<lL[}_ZSG7}(Jѡ/HV4tPt.v2U['IT &IhWchG./~uFةUO?8;O?V_Ω)]Wq>g\_y kPTJ~;i'ɲ dQL@]J/dxE feRt"C^IqFu9a j\1L4Azh%s{?rm>; WO.3TToߣ m/ݻSLwKÎpcm+G[[7Ķ- ܁2*3B RAYa7DŽ!QiDAE"`,8[*jmtnl?5_PցW.E46ܟ}ޛtw-+R"GbJNV/0HxC u%V5}N&fhX|Z^srfݍ܋)|tL*s6 $J_k 4QL&dm;WK6pP̉x Fk&$9NїῌzO]d1ORM2% FS䭠{L%QbN*jI@4&?R$/1ϟ>~ ܸ>(G`28LGbGKPH[:ehsߚ5ਉP× QjOtyo}S/tm?TKS{dxSzj M$  vH((fa*fŕdJ nIj*s9A3 KI-Z%xYB(I@ܢXv.;fɺհBmv0&Q#v\~OM0"Pj͢='Qa7G[N:t.L+=4fG2995Uq_ot?71E{rڑa?5kR2b,R>LdhU '2zx΁U*]0xRH ?Ө P4nd2o\e[׷O7F) I 3`{e%ʗTaF.uTOfeLoGG_)|~C <}l[8Xwa̳4Jz69u{.ҊgG_9z/ni9rJG4l 4dKKh\#\^E!z &b+ S"VPv:f48r/VU~;C~95~neRP*eJ@BGf\BPr c! Nbcgl̋*䇅\BGYf]_zIܥjvAH/lU5;K#? %ƚn cwYv=^;zYjL Ao'7 L~( oNJ_a& k,kҕCtǕ~]Ytсϻ/2闙Jd0KV.D'818\rEtp{NaTP,7E)j.,Z2# fSVz:ʔҩ`K㏹޹ TlXw~piCfoȟo? #-}hc nn954nnScwsၵ~ÀPqU;(d į`R)R90fryp'm |!*nExjtl i r.暬=’69_Ǟn'ƚ/7/{Oy}S?k\ E*~,'Hehۤ@K!Jj$uLԾro*ӄZx'4Qqx' &ajBUk$wOKBTlrK m ! x&߬aכ?WʼA)JzI%;MI9yܡdVCd-ëUS&y!(\zQ jPtE4iRJ ||o?ɧ9 }%|LE6xi'/8i{ap7>LXP*r (sF[As)D|mPgeWufYk[ae@k{trW̥&@J54@zZoSo"J֙"TqX)A&e`GeIR`/%Z2{<|>G%"s(yDxkzhmO>Aџ&a?'rŀ|"`&)CF4)B!Fdd|\-׺6'wo[G[Z6_zy#F#[e;O v >tXW"̈oV! \Nkyiz?5a^W4E|@P+teQ`<$WDQ\,AUY0zS LJ^w}Ae/{?E/|#yD)/MN,M0U*kk5H֔-'k ˔U^)ɗd?MyI(ُ:,=6{{66NE m`ooJ4b$COСڢ:O+=@h=dta0JLkK^ t)?>4U<ʋ 𺌊`b4bݻpiLy1hKn>N~*TkG2*HnuٍmbˤPl1 dEyCS-Mr.1y% v*4T JNH[9pC+:3ZMmӇFϜFt*9}w7yv t }tAAf#۰G^"Ik|Vmi煅RNT$d!%*Am+9VRKNsg*ؖg:_68hoi{LOIDڢ|8Z{;̇<k?ػAzÀO'CΖĕ!6_|DSZ"YeYOMLO }:z#{=U-g`S?ЖP3ij`/(]f\jAj{~ YUJhCփaˋ"+PLrނ#)/'7mi1)ҒysAs!*rȁ=PV/l GoH/obWo9L|;9OKA*nm4\Fw*rwb³#MO<⟘lqbJ(xڙT3!' LOS=TM&F:[.5fcͭ}/6;?xyo.OmtO7R*Z_4<{rǞ:nwޱ%յ=vں"Ц1!g5X6巘l!_{{Vz\fwSPsw]5NgMꡯdY@5"6dZ"M, ѩ @HY `ٳN;}O-(R_mve{d-Ӽ? ڣ<fZKHHZ^d4^O ፲}ggJݳ3nvjD||m'f) Fr_#H(-A). ޹8(R a Drʼn;J E.`i-C0%YG֚]f_Q}|c#kLt1E'矜0^)ь& 79i00 gT8RTO>O7>GRIC*Lh.'eqW59{a *WoˊOt2ŨF'Ec*я;e{qv@HM %p|JW:&@b4IK9=Ѣ!G(q;K%.,o{N?=lT5<սgdg{v:ݻhMRT4/?e )jˊv̓9d/X'OXi"lF!$`M3b)fbLzgj%SΌ/xZmo%4>4LB[<ҿ b&c ;}/1 3DSr P3v!n#_j.B:bK f-C!$E㟤-údLyp;ã?9 ^H X:lj u1eB'.j1tݕ;(mw 4#vWnaQ]fDAt3@ 9MDVWdmύtsEyQS4ruq-^t 6'q Gs(2­*G%댬p=%u$z51a >jsS#,Pw],Lq.!e\&ƙX£, f Μhp&Č@{8- w4S vZ55mu=wU \"vk ֹ"Z ׹XZU55lsE$s|ǜPܠW Yg(\I7 3OPI H]؄y#%[a:&ьh%n=0O~lv4Hےߌm1F 6ך7-ξ<љ퉨d'kv@U,>A ej2U"Z%jO{KOkxAcNSGu1/N9i`"-dmTjIt'dB3l |k;ӯ4F73Abg(JyI?Kp6g InQeɝ&h]N[&Ω9tEYqNM}\s BI24)?#}kZȩFXE_f0w`Zȟ&eطFKqr>Pr+qS#5u Jťe~R}39 g.Ncr^z\j(CMLtu0M9[--G#]u@3cc6iMuĸk}ސ|E@{tE+ [{+iIޫvx:S_!|-(p{wdT5fczDLb)NTZó@W ?l[5~:yh]W̴ܹPccܟ< tR5u_-+^ rS$] crU3n:= K>j,.of(OEnE:GRG_,5`Pj@Wa~ qƹ~JĵᲸ>͑#:S#(t-V|uWedo,үYElJbvޞ[Y4}{н==P$ϞORt@QG:̒:B)R$>Jń7,a/A* .^,[ _2`=J"~T.&U$*ՙYA-#lR25ҧH`ea7)1^# 54CǪM5kFIRf疞soYcv-_-vĶH/Q* j-}73V`ÔSXZX5IKzY0* jKgIL`CMoGՃכ;nkf3nuj]0ҀvAYs ǜ#5Q> S%TBYL Ӆv^P4sƘjMIljK-eߟ(ԠYd %c`G#w"T_%n- fjqzГvO,0i<6{rg̾ZbC*t"T=A}wzP@ =d˩dP$_~?v:VZ;ǪHi%|b%(?JLr#$_}Z!(( !uhhiBdSm 1#!q|Ql–֚@rUaa9'x¢A FLHZtƘ+4xa{硊%it=w߆R3ݔ|CZWO6[b: v׎oojPΣucᗆ!Wz.HOa EXnI)h5M! Zu nBg,*Kyd.%fMI8u36zFgJFtl$Ԥح\K7}񸾵0?9>wCv7t| nGѯiqW<{߻1:ǎݭGjmv{}۽r}EY~A9(/!(^-Vp /X v?i%ca J#N+Rz|R]8ݚM&q*o|0={tcxC$5x$^Ӛdf|ʓ`Q?bgO*R!qIū[eȝ j@8jU,/7}!r0oCR q?0縫4n vcTU͙/˼5qx iA&,J;HwQvkȝΖGG;6(uMFc_lc_.R߾X]y^睫&~' 5tZ`fo/ F:okZѺ1\l'm[OzlxJ%0 d$w5L9`ٖEPuMBUp[{_)w ԰IQ1@Hѱ]u&g \L;KICL$$Dg4*[JB`WVJ}+pz.r嫩M,f-ߍpqpKlԫ?;}gï>oֹ׷}h|WC_Umփag>zzOo:y/}zƻjy'zdk m{B)RN}A!:Le|\4\}B),Z@rXH0K@Y`VH0%73jgJt0eUĘ7)X0c `ozbCkm]'μ>k#C-}̭Ab( ֈ\O(A'zR%'HXZ~Ѷ~۪'(]S6}C)VVN%..u2:;ya UC*mUp++A`O,KYi1j_0Q%Q5 gN^'cYaZ ?Q+NCjxX'6?_;pȶmGԶmv|} gnzz6v*}|{$xwck>ݼ;6G Jko7U=%Wƺ%#*'hH0^;t(nJ6 f0T'Z&Oxk~fK' bQO깿{jz**zk",i]鉶M@L 2bDV<@:6 $!g֛5I.,悸8>" ʀJ_Av̠ lL eFvvv9z*(s7 QFk0uu*br1iN*E`8qs R݆ g(1?ԾXUێz}#=N;1ksUkw7`a|: ϕ! p^tH`mVJIS\(HZ( :,IL8{AvvU5@Z8P:{Ri 7ohvYn y6DūbӽmzggOR'Uh:) yK\SXl1Bsȃ4ܻy_:xmw<߹; amc fFƠjYm姡v#mO7-?_5ɗF/\Rq).xAr7SHhu^+IX"p LyZg*!yz>G1)z|#J^EP=bb1c 6R*"2B,bu݁`ȥ>@p_/MByI٪x2E܁~Ȩy=o/΀DeRfs&p1-A0\HExBFX aNRyľAό;sM܈"z1機SZTN]P5 Lzg6DC 2YFUSa_-M \D`TP ~7'H5gT/m K4O5mM|߽4u>L)]Gvz{jVwE.(z/J):T)555*to;chN+47.>`y_I93^uݩvk[X֜X4ĕ3}wY)X'Dl5=e׾}Hsv.꺛= QɺB23uzS{RQpX@K{pL!;@8灇hMb'Vw-%3a`Р]ʓױEXb3E@`A= f{R23Kq^f'oIAMC8\p4SR8n>aU p(HĄq'9)$JKJ@І"2#0Jm8üۉYsx^6f:?k;wh=p at6X:BP7(Jœ'+# T`OLzҖő HW8o7U9UA@jqIm&*3չ錏s FrkaXEWW5}5cz+h4@QGZux֑!jM^ꊙ,[Xuaj-61YXal3HE갂8˟\hz- ́ q\2"۹{H)9MI_?_+3R >vq -e9tşѝP>N=H}# .n\F5}Z}z^А&$-@21̓#8|NBwb']2YݘI74Oz@edL\M6=@OAywR,fV{BkM cWR(KcW~m})E+ϤQq6cUwVH0,6KZ:n$\RXQa%D+=97,CHόJ=' ɿfuiSc7R3S36P^ " E#?Ql Elfy`Ē*¨\F?ph zM.f%{jg lniCT/ɗ'g‘,e:MXˋ^`bw-c^TI'eIXgºJ 80hwyyrqlYQo \GfB[ 78|PMBKs V\3R+p.gF;ה5 ݘkft-e!-mj-O&_DБKtMwgJTdw_yEEAw%'6k+om7,YOSfKD!k5VP>4{XqDg2i}p<,0_Znl Hy6[$0$gp$$yUxDԐz.e5YJHOJH#Q@ŭrBAl!X#,)v,t8 _pqDC v!.7 0eJNo8toTuBCu"_Z=)j wt}UQz=}gM!la466mY׺廧/Eb&, *U&$4F;9? K⺕9*nآT{Jb6o}.pс[+3~IxoQpwo+nl xx?/<,/n&̋-e*C+6>Jd&86lcȄ%ous΀6v JgJ ǽe+mt] S(PX -D 6VɅALPeܙ2I{,>Uܝa׷$BZVzϖ3l0Qm)_#}OTϦvU|IGdh5 2 bue[*- {c1m|1.aFb04N߇ &7 ^V̷ErEֻǖV'н=#{gOBC?F#mrhmV+sjLJWC `Q',9)C ,`V:- f^v\\Y),Ιܼ͆QbQ뢹E`I|rHs&P"6b2u`b,Ruu8ȧ'.pekxR̖k|m-﫩a|m xG 3ɫVH,KVWEP~BR;Lrr9-]5\rۖɮ^fZN x*b.;"t "zZoݷ/_j[ۮm^~&zd! s>}nҾzˑm4?LD2dWUӗTgByR]l÷<u9S:grzy;aQ&hoa9gȞŜ5*)5ckv|(tgœoCI'NX-t-NivvV~GZ`'^ S(lkbȖ ^ o:M'jy;:9ljYVдy(vΑd4KpZ w3=M49p؛O]xTJǭMNbe׳|l*+U&g@`YҰ~X#k73j79)OJ ]bF?;CQkTN<>ӊPd/kdn}T~Y_Cm}VVɎm-2HQ͐xv;.Y(7)tN+_* j IBh:Mt ut@ͺ9*S~؟}EMkLk|DR*ntCtarcdir®\ḋshIJjD.b$+'qVm!p5`U/va"|Gݳyk򁦚U ]9 I3~}TV?}3ɯoZS\ϋ?_7{^l^Q ڝU5WVW:J]x%\\Hn ^BG/]؇%1/ |3;c;{ahʕV=G_iҙȀUGIm~N[f|S_jIG]۳NE=}*2\R"ҧ"GcR.1:`5kA:YG-pwd#>ȩG;$y\2cdoxS0'՜YӜW^dIH1RG#u>l6Gݠ9K6"/>>gΙ=Fh4AA!˲"]Ȳ`L0ƘBUB0!vbS8?GrMpr7M}٩_C^M|69FnkZ1BZ{^fֿ*wG!Ց,T=>gnQ۳֛3mKoe wdhEdPyut?S=Hf= Ralq.䈬j) =ٶ҄(12;0k 90dA: y} xU;r!͔3$qI4g;1zC0КܘD,7ᢛH8nB(N;IQc7Qg+"uB3pIݳٓnNNcA Ai_G\#yY2͹~ e 繁 +YC Zqx:762 N־=6 knljqEȆ8SA,A<,p mR I1;_7q_6ƋbQ2Gǣ^1ώ6&ˉoQY Kft'E݇}!< [hahBubϩ[ѩЎb i+K>Ŝ݁if'ce8r}9,IqWR[ y>1YG4QSy䮒ZCգX>rmjHw4C7Ϳp1N-ࠞ"9v:9tVK9mDcCP-?gsMw^0w|ݒiH%ȓ$9|ũFlMz'5䠩5h⯲"_vkvL s7q H}$:S[t*(9%<@ p{f ݠ1G+nH[Ds6Kq+pxQH T9 M!4)h@QcY\BM:Ȱ4MTbnPVNEMvNv fy..!K<E)ewllΑGʪ6edMf*ȒPI@~$a*\~mRȥ\H9 EH*GBbt>fR@ʐq>J @q䠢\ 0>p$B'CRp TP:#`=UQ /Tu屬SzH/r HWÿ8€7J ?P )dTِQX7+9k˪3lby.>, #_}T}$(-,RQ*++|S:})mYyeR%l)v_E;\DZг0!ck`~ },gPF LNYp1O )4- yy9hE<4qrSLH&U# HFazu%vsB=&t~IidCV9XqhY B0N'dlBOQr:_FƔ|'wT+e0z657at](998jBN/}^_@/kVu6GS[66G&F}01›!9IX \ݚ,W?LQӚ4z`pl&}AVd BPXulYsU _>7~G4~vN\\x2N_C_1>B1\<$ᔭkbetCwB'tK"BaJt:,Y0X&g}r$tTbqM=abGQc-wܭϞ(* )d j =9xWbgfq*u_T[W;\i?CB;:5{C齃#1}(#.`,f&3[ś}x) ቶdb00(k̊<_B("/dZ0OȐt( c'7?uz%r_ɗp.p]g,^R-̑DeVEf%3d; uqxVHZL Ft+zz_B]ɽuӋ3rkszݞȗ+ R$RF)P`͋ɯ,)syM-UZʉ@T%_qoVV@/@N2WCfYz*p\bbP4BJK3:!a{]:Pt% !Yp~ 9i߁[QÐ pjbsb9KYgZOތA0me]=e6ݘ\K4-Qb&r e&eO'e>Pf*gn_fUd/VA@GCnG9L)%)M03 G6`"6 $ d=p9+v#l-,gy)hvy0r5.uIbu .@Z [і&9]G lpap{_G}w8=ឩowWfсhȳ78td[lb{'"}FHy}[Npz+Gˑ"L*tIX_U(vZ=o, Qܙʑ,XK(xD`xТ̎9h,$,t[{o;3޺elzڷDn#u{8gt}/| }zoޡp126]};p0ul`C!6 h 1غmj JAb\E~.MġMj"*[Etl,-n馱Bfo!+DF#ߴ> ;aZX+@B+./;W7gy-F˒k閚/OO[ߞih"FC&NXn}Ƨ>M\OM関g*ўm(O3I 9+s=\+\{CuQmO5Ы9}8Q×hkS.^@]^ߊ{lTCbw:~s }em >qԻ[;op#hM (Ӌ3 ,IH ^R弘>'+j  9.Z $@9 x]2RIikT1{w<"kJzheg?t[ƍOXOz'v OUKAl 7͚L&6ܻ55hYt~gI쏤qMuFBz@ҺcQ.X15UTgHhZS>PљX'> [P?&gi BC1eH|= W Գ*t Ue@X+MShEU~Cϵ >dAsJh*h0^39 ɋfW<r$ትrl":r#V1o -Gn۶5~}T@ By)+'X%TJad(hG_ўx)HU\Ut2Ru;orF91~/>pI9}{ה.&G.#/~*殕1]T]@nh.좵"^UnO׍,LS(i#$-)x.t0Eن7@wZ#9j?iy=ҷxM-^S(H=8e$T(8v]<ܟcߚZ׸?*3C{ <~]E^}$VI*þ+Dq^waPᷢZe  =zH#X}5dюrۓV7 %XXSf: ։ю@y@O߿FXzXx=(֔ WvOxIh+Jh{&\x  W@`l   /\k=NxXWD+:aD?u3;,u8_o 6g2ZfVzзc|L?f:>DxOXI;ME{L*xblU6P@SDIb9."e E\@* /:Bst}wtϿDopwWh1 ~(Q$xL,FKX[[1k0=}2-S>UW.wO}j>lMU;oy$k`Z+޹KVmN s:3\n?~ueJܥykZۜ ^?ǤVI)ȯxő)>*[YUՁ s)Sib'U5"،TK\xl~O=u6_OS'z}ѹ/ ?ޯ&_Pu/T/ X|S"%itPB5H/ `b32[`H#s1 )j U.5/ usN ^xim;+cgx e#!)dd$摢:s ̃Zt,8ScN!26|&!\~C,6JȊ{נ%PWo aQir5˻O3x:9=cfY8ܟ[2%"Z~LymBb?J] FK|;uf?|isks||9'k:l(&<˓fd63nTY3wiTZn@TZP=>RQ FFQ^D-δ(\jZBt^D%'Pt $m('.j 8WxC95ރzE}('0\i@狛@DT0Fh<}QA @d8ڀ)LK1!oL$Flc.'@"R[8酡v'y)$ǐB綾"iQH8Luk{0OdЉV~K& ](M2L-^SUițRK|{w +l꫇acG m[KӆSg mJ"s m۶#ɓQ5*Y(+5V~kyxjTv},§2<-:3<@r/erAnA_8pi?CI_VBin= A.*y x[= Fo.E+Gԥі-Wb3}UAJb`qPݎƱ{.."x  b$ |KDcKJn%V*Y%WҐNq;nY*?>44QM=qOEڐa5fi$K(RU0Sn!mPIEG a,DY.&ٍ}R&n[zΑfH1a1FK5#7@*->S[x6USIJa-RE-ܰ{I&҃xnrzMx`t? VY}'&G dYr 歳IuRw_`|l[֗6$bF郅xБp% ,ߜſ4`$~ 2`-+'ƨc9JxHP 4z!ٌrпvDЗ#Q]aGrNȞ1Rpu+ ނ+)I%ٕn/=Q/lƺ'?hh][U5JoI~!P\tbt?^ DNMd+J?ArŬZ-cv AM;D<12<1<1R<>H|},1wcvݮF6nzunhFވц;AÆEH7KP&'"gpœ":{҆u əeU^~)m?cP'0VoY7#y2m> X,Sͪ{.ټb*A{V%? BFQTwI23,5dT/h鶶`e2natjxφwO/Ra|?5t4u4[#6_g~:׶Ik˚+2Ԇ"5:ǯW0BxJzMxwm(й©6yx{E3mPxδmd7Jl:&zsG6 nȌ#m*6ڶ;#m[?J9b市 #%0΢$#Zt;54)k0iTJy,Iә3W, RVKjI^r=L$E ,g']r F%]1gvXQlџp 9Y;Q`}٘EYiõ[SlΧ<2Nl5ĠDҋ6ښbKo/@7^isS,POUC^@xJP] "ZŜh'6jp0oH8 p o<˞nO /=r͋WxmK҅ǿq;t'n?Sw>{]N90b`6ss Q|wE 5n#@4ȡR7dޣ(?z| }:%NضˣM AB]KPVez }(I5044ij im`U4*%H+yYݙcC:65䁾_s{>'_8<'4> tr NN<ٯZv3R(7 jQpwO[TGR}Sk0$CW'pejF0  |Ϝ6 6GSgt/]rs*v_@To'@*G:'}bSɃϷ \kuۏ2,[WV=D4iIo^4&6MӋ͝KC0s u,7Dk= ‡R+p>dO oKՍ3YU܃70Cc : I \w~FkDp6e^ya̹crȮ@`$n^ӡbdg4@ssߑ_/26&'XD6|JEf&FK oRꤛgOt][e=𞈯j>p>kz>G2{O1nv ]h-NoU"Y/'F*VO "o=G4q31/2w ]Ԍ;b":+{/~݊^_5u-p/oSW9V9 =η?r.m9^M-ŋWS:=2,ׂ^huz+.kbig 4'EM\D 7ꚷ߹F;8X=Ƨ_?c [._N'kQFz2u C?3+aa`k7n63c,>ÿ~^!X驈 :蝟nF&v|q`; !OsC #uU@+aii?wPez9vZ}#Ϭ)@xJKR-<━,[Ljd#cL3/cl6Mf! ׌62E9H R$`ol|0ʛ bC55l6&wHcd_ T@u Ÿ0qp)< 3Ќ-0RZ gs!lOs)lZț؛Xp{5f0=@*³0n :*G66bK 1ZѤ$bXtKR82$aW nP=Dž'5qU6U%`&PIxc^bZT5]jDM^RVlfWe]&3IXic&ڧڲC p<|W[<6䞁ݡ` ni7xT{k)ԕ-оfHeu-w,5H܁(Sm):T5l:g@`V~]б~xbl@i+h]4:o)6R_* 2Ռ#doB~UQ? lȒ*|pmIKsθθU{C7WWK Ϲ q 3.ϰ*|FtQ|H?n^|>T/q>C+GJɧX0>(MBNè#|αlRHY`$^(09$ yW)~G̯wl9ս#cG^B!˪-xeMϽ{<ș9QJo`ƛ< 3[hIEgx,Sk51! m Ɛk7Ǚ],dIu}`dUg%*um ٶW1"㟈Mwhn>90rD9a3=aA4p6OhtUټneCg'6F闤i8;X׍t_WB6gt?sY$0SJ 84ΓEE~!#`Kp+Pah~PhB(G~x{ ǫ8V.*Tm~zl0Γ81ɹm:'ahO>,(G{v:!ȡ7QIyizZsm bȍk|'wY՝^ *;8Ds>Y斯d*FcOj hI@\ !<lёk@l_SK[=Ӣ{3egTy;Qۗ߷= (>{p ȪIY[)+n7.+\rW#=néZ+ tGs0lwNYu(@ wt-#=ոGmz"4B-ط.:bA A;BX$'d{dU BT ΋jtj]n|jٽb}_~[F'^(OVpuo!N6_ f}A{qAӻwt-!a:2.v&C/~\|5G!3ޣh^@r25PYFcķxg֒&/hnhZPb:93)u}nuѻ#3w3##?xg޿[ToCsJve;tD KY]mW!xo d CvCؤ]}Yq3xM4@>!'Xe ^^T⒛J\EJRpsfF44_WဢSdݩԎP_gަַvO[& ֙{Qb;}S>kБE*]b JC<69𵭎#&;'ѬlRV(LLhC9s}cL{$רfг! z2iŤpB5#.cU.]_>ʧҏ"kqAAvWEK;O8$X/==\۰s'zvtěGb]fhZ=g@V_\S6∊*#$T8t鱨5p kk҅#P[W/nS7yKj{.}ߎP$>VP'0)_~i%, V u-?l  Tr##Ej JaLAIsv'?~}?\|WΞ2 uwjt'Old{ܻ]S7jpGʘ f2`*j`&ng=jBMx+ zC|hrcd]O<`-&HbC`vFW-A EpQrv6Y4PtO-G/~@OkSж㑉c}p/G 6" @NB HΌެŒ+ `ňN#-"2x~1THSJ^jv <93o7יrA;=Γ 'N,{rݝ?p̶8h tnԠhF:{aڪ*21~8+tW2|db tn1V%ۋl)׽m`GG{u ooI+v>ɵ0SI+[(?u ա8",BrUg%;,_m":'q }5aש h5#_|e$zsӀq$~l,A4OJoq>sݔ+ YGN \71!˜X2$n?EN}.,~l_|Y1ťpϏs/3#(Σ˓/*^#4K9JtZ[gWY }B~lJܗ(ɒcle86-&K8[]/mh?Tf<Ov^`JrkJ40P@/Zs :9TD?^j Wf!:ibl׭FjzHԧTJ9g,g(U˕DMU}#,~+=zmJ9*;1X[N3zu'ABO2NK?Ir!2-^`u خH1]4zh{ I*Z4@yB3 P: l+l{ |aS_P%O)32yrF* r'R9tVK9md,/BN?Wy8h3I^BH"BrΪ (:lԤ$z{(LhJhN<1P6-*]HfA>!髁8`LVz:Bd9R{DgQh*LBY5$cԶLgmimKsS -#; IY1ƞS!;4($B&DpMD 8Y$AJQ>ݨX/r&n -6>\ɠUqƘ $I qJ([-uRk1\-tC n8jY%߮dU/twv5v^qP7T5:xōa/Fp#Th4C~0G(kM1X~B YQ*ʿ0BT(Dm5ܷ`b\4C=pr<9S+g,?3g'<:;>}?]=5mǝJgWg|@slr(NQpiA\{QWADFȫ EpSega u˹Jt:ֱ{[u 0}ci8.۩XLk iEep%bAYjR4j0 'oq/yZ|~bsT?f"_?5,I)YJT&\QFp|r҂2N#2wW60L!ITI _pŏ^)E8=O<ԞXaFL<$I |ƪnZ?W)Ik9CJ %UIEjZok"sD*u6K,e&r` 8Z8/Vd{팴c*[4#\ps+0Ʃ1c@au5KdFrV{^{ 2|#Ujqvo~'p]g,^R-̑;uqB^}CH̰p ,͒RjĩuOJ35f\AXHlr҆WwVEπ8=Ҁqi5hEOvC_]MMu?^iH_(w&@XkAc.Ica#dŹ (+yV ÉX]ƪBjxUjж4,OHS~ST݇uN‚v2+E9=W]pZq`YKhQ5m2VY%ٟҦsfCyaK'{=/n rrڇw3u?P;D2^6FЍ@T&Z RJ%%n Is8Sv@Ze^)v2{GIߧ( 5|ENOOz#ڴץz^Zzضq_pJx_{1s[|[ϺkHsQp}'=Goݜyq޸:y12A[I0 i1.=w2%<$$B~UH:Lzs۞O]O=ˍ]8_>`޿{,&=o&;cds&*ϧ4 hZ:ȧx3, Q(d1Òy%RXsTUP;z!7Z#ģ} LwG=eMD1gSURB+5EHc9iICD\zqE5L>B)gc ]|H٫Idc2哕(xU@H9)΁_iu?,&4pF2Ik M" "QYf iI`XpY^Z@MB*D%Ц40Hzr -Y)i;::Yj*abu6%RXF3ٶȔ'5Qnb%؉ Pvb:^Q9;: E=З)<=33e@OXů^ W!'Q桒XזZ+ZLH\%p$J@oJ~JQ|CtSl+_VϏ>z|~BPt^Z+r*;=O|`:Dtޢ~UXu{K8y,+nF+ kBHUR٤ @U᫃:b0X0*uJ>C)(An+/!)jOlXWTc3:0<`0CuԎ^S;f^ʵv*xʴS5C2[%upPGK'2x;6K"k @vqM3N J+B6iXꝍR-sb+?87 AQaGV3 L \;mJH:[l*]X"T`u`8{*NrjSP⚤1zAed=@f&؈O.fYN噴ˆՍl5aݨum8߶%ּ8r oy*H}}g|ndYSMDz|c\cAH 6HUHXVˋvqT#Ȼ JS&몞^e=1^԰W9ĮelYx˳ndM{{-/mJ<:;Rآձ]ʱ]w'>9bϐiNPL4Bd JUH(ZitVȲ5-27IF]z< n^|E Z"'ddr<ԗO`Z4 b4'۠t-h=;2&#++ՎD=evΏ OEQ3=W}=*g|OE6T0O,RfrN1m9dI!!ѣ㺾 ̤(lј5(*f408xyBd㱇B`p,< v.x7ߵNyKdz1!|u V \hōcYeTP= B~-h+BpBXcpB` K̥3Ȟݘadxx0&O'Nc;z(?g\žpG5j$!U̷/Ïx /v߼1߾.W =:6V[gk+1ȷC'^e:KWyr ) WM@emM4 5$RAkU\I $P,NJX䮨6$5*nO_Oő-b%.y8N:v;O6أ{~%)E!rc[c'+elw~- m F}'ZY榾,ZlMnv9Ldfsl\V~P{CCC-NirrγlZHAK=:+u6dru8iXMJu[IAYLcem3ޥ6Kv{ng^-%MHRBRܺL>Eʇ bT7u/}jh(Y%6F"?Tf^2l%|bd0 &О4EG#<ɓ&_ G4 z }`PS{ $Uv3*]Sk©=|(\(Qilܩwى^"Ҝl F^ecf慢9&$9ǁ8?ڑzzJ:irud8k7]σ%g] ww*ɚ('!ee@%h) SNYf c}yDz֣߱OK&>/|ad tЂfyp !nEVmtg Q PI&%ˊѥK$p[`iI[E[[=ιX{9sHʠܩ|Zyh6'S1Ma|0u3mkC?_#}naigzB 57GRorpJLg.hq PGgC uvǩY ϩm(XV=bvU=qJWmIb}c+Ԛ"#K[XIGa'l\-+bc`d WXػʳ`]Xצ n\P5fݚ/3ta.{_[_p/\H_o,u;%/X 􅯼Uv]Rۍug4Iwu5Cq Dtq#Vp[mN@+: e>λ *nmaS dw`gvEu$*,l-Ѐ AM5=5ЎMB:5U)obxU#ȾrnW.ؒ8W1l!QBJAmqDxyc3`+;ބkr`# @@}-.u4ɏ-}M ]\+qwXlj"TFHbs)h_6Sd1Z; c@L:F]7WP*P`%z BʢL]5GrX 7kXuuՖ*) Fg'5g851X8]Wk]r1N ss^| o=Y:Alz9Ԍ?h椄H3%QXW1vtvΡ=5 Sa3*8ðP^lȧZFV :ua3;( hRBnvF٣㙔\:s虞Ƽgb?g:x\_.3}==5 +̌1I!lJ9l@lcV7`uIsQTݯ>kOxɋ Ru 0L+dOs^ rV͑$9Ou\uȏ7E::"BW;?R\ap8M=q֞HzETK@PlXf`ji% tV>usu ۽캗 &3bd#y%|S+z%&|4 _xe} %ߐ%w SF>+G6vP\6qH6HNm9yBY_[HP5ay@v!<Wyɪn [~%SVLJ="WShkP~.V{_ HKdKSp$ŽAno]n:[o $VQd(]PVYNIEƋ7ѩߜVIQTJIJ%c^Z;6!÷ ċ): zn`oB1:\\L}}$ز/)n3 Sv3_Pؐr@>)f-k$+T$oϑd\)ɂC_^ťd]p) .m2b B*Ll3:ހ̏rE7[rTt`Y^qV{ݐAS nٸ֑ͳZd]N/])-9dmn,o1ZCw+ȻC'sT'p'bLEwьÄƂ&Ik7+KTG uV_ʗs.(Mgi*\YΖ<`S[rڒ76lYˬg`U rZ@)nGf szV@1X[Z1*)#4 xL)j] ೠeK&eQ^FLrU>mg^= 06lHg+רlu{c]^҂h.[d#YM~>_,}%pAb˒IiX0Ù%- >qnv9pzU񡡉t5b3aSOvd&yĒf ]:rvL 6f6$YpbGfclbK1A@1lO)^$9&^$g -u]`TaL8y]5fO-M)e+"*J=+w=X̵&>q&<'̻\sMr~a4ΫPlܡ|y;?=[`Mu%a} v?;SC$=軍仍mj;jhYFBc䞕;؂e+mEZn>YG CX'w |1ԱHq[: Q ]RB dD/@/=m/76͖J"}l+&:Aʛ룇9Y |cΞ;PHQ| oԺ}AaJ<{EN\{"_la؊*H#fw!# M sӜ 1禩T\;1*&d7E3ocn@9A-@e כ'hV 9u*<*Kp$GhΝs3es_|j{8ws?>a/dϠ6]\| _-$@Z2.@ç\&22#<7u]goɲ$[,Bq,8z\qc 8BB\B__?RBА/J)/2<M$f:Ƀzs4dͤw~ 1⭵,In;ؖ-k>^k-a)M ?ӱE%cKcEdEʞ:_{zQ]dCd]Q8x &ܯB\^4/F5 PNIcVƚ,gŰ\5ħl6N)ӧϮ/䜈5crDVPQN6E-@L.%,,Z<4Nag$L)?S+⁷6rΥx oIԗsRHyZF5YCa1eukC1=QЦN sea WR3):o=eհk(I),5#ץff z ~2lDɍ|'3FXnV "fR=^.Gí$h g^Y2Zbrpv2s<;%Y4~{)-FW<8Ef%\qqF-IŚtN8c1>5M&()iz 2RT}"14qQLFˌbfF뗱S dl @h@&C 3h2;8:SSiC0s'~u:f u)B@p̍4C 9\p2'j cTdDKȖ$c +~4ZNLta$bNԽ ,2Fv I<-D)<e.I5.=4#زl$1S,c)3MY,rI.fRmGg^=9#~Ǩ@-״X.,9]ymU.T*pS:fD]>A9vo t~bG3{®K3]Dj `ML *e" G,1 Q̹gꦈOcOi2T,{?& .UeIYiI sjn e]hoٚ[fp斬K3l IZp!hj y\Dki޳qxBcE QR&1X[ȟϋWY<ϽnހbD5膍 ,VF,V9P`p/J62<ę\4]h,t@58AņbM VY'{F"4 V=Zq[`G_w ;~yJ'\5 F,#4J.* & z0Ҩ{WUum.'ec$<6~9q<ҒݎԌ:HhN!tʈ,9 Sm?%M횇w.~OHyDjE$UL3,j7 ^(}D,actV&6 Tw_Zlm-g) ۯueӃA-IT0UtWZw9AZ7#pfl'źGKNxǟz07VASRj0:?Ô60ft? e,j_M6:!CHlt>1̞:d$[ŏϑzc3q%F N?h$;LF~ ;驚Јj'6WPGuqquG(t*sU;/xj37Fk+H-VG 0*(8 ӿH2ٽ+j1Ixe̼/JK'^m*_2T_꯽W5XwX(~XE @ݍXN@F.! ,躀dυ`4el ';"^S;:.> ") X_*dcO=VɘcwQ_SEw֋FE ,[QykDepo+ b*d}Oj)i~o\o?o"] |n_^O|'N;eߕoŷ=Ǐ;o]drSpVVp%%4eTRH@-O9]b6{jѪ~T*`4#0+60u:aSq.t4eg@]%%G !6!CAl~uRQ9 )0'ZJjb2ZYM+ еLN6.\ s-J(F3/KtK#yN# ie7ja١jc4c%,9A{ Ӥ1c- @:Mվy_g0i[јVz3*p] vm PxSlk|mx̙Z:)ɍLg.KƮSPI)ټ=SpFiB\?{mL{Y@@l)_QfMrkWAkt.n0_J+[K]RP9}>'|_\݆NǙ^'TD\l'r|LOT-P,FFv1֨Z mh$Lj[muZAw r[Iӑ[fW3;/]|קp#o9lcNv#QU_ ,: ūM_b_VJ'h˜d̀0nĘnH"!Ɍ)PIZ,!\wP'%q uwt6k.l9[AMQp}g-wWl9Ԇ#͝| xŐ\bs ;am@ހ#RJ透")Q!/Lt0,Bvc䲣qf3P9jD$Slj frAg]ڝZOoנkŁ{t 5MF_+#͏4`G}}y yd|,IHXB:@x$EA(BhcE*NJ UJW VprxLn1sڬB |@- *b_h}L1;vtJѠZZˤg]f˳:=OPp 2 kjvWaVedf$0$q`{mGl.ofm[6WTmnnh:vz' 6(sj-Ubdy}RQܸl[®RWx+؜xը7d,p LqMX|J*N ?=44s8jDA̒&t'k2`ghB˅5yl<h( Bu߮]5͢Yy.aK}-sTyNa]rTKD=1p*]vL-4˴%pG۝ȝm̳DǷ7]vcu%\tcYxw&9"WGZ:[nKW}{gů쁱U,c1ۄQ)i)#{lOEV:2xD UmB'W6xHzQp- o_͎;["G:GwmW?C~>vݶ6A#\,F%+&5DCK5Aj4x^R'P@Xmg[ n;|?mAXo.;%=&6:38 ed9H-RfTt_q?&]fq_C{Iշ:,m^hu[ٱeH{m)*"UECL <1k bT "㍄]MAJآSHMU5C;{o5;D*k{}p&5o2\)_7ml U;ڨt/e@Gey%`u7Щ7Q߀} Qx15uJN ԚoOlIJ Gwppo> sP>ڎ,1}NP- g]ɀ7r|sz?YB>}nQM^ ޹)>_9'GYlA4+u,eLdM&t@O>Sx\BЙYTRFc(ƴYh^2cA0ޒX슚NaY 65w2Q]8jLlflBBXQmؼ*uU^_C[cJfu(5x=zZaB{م7\ O~VWXeT $BSߟHt[*֓hYDaJzGib.,C:DKNTTITiE<_Ǜ.\M[f oÿ ;*Rf ˈА}ꑏ*0 2#]9bw}:1$ 8"݋%R#17E7 *%cK±LjPҌ"g"#ޘiͷ;}S?BWA!+94%2eK͖Q3gaVd"u?G(B{-;(8C%n3eɖ3;=o<[K[އjzޝE{ T ̦<#X7_5m4U-=G}b߬NWF\EB̎l< p˸c\Ls * HZKT0=х^TETX@ df@Gp7t۬$dہU2t{nl{:=?%WU?#wܭwV+׺6V7~ep^Yk/{ Н&/Ǐ}u7y*f`k+<k+4ެAyCfØ1&vq6$eadN,391f<͗o1aߪ\]Vd(f_ItxwlVZD x%+Y]ĂE[`u L4U-*l;gF̱L,MXҵdjydq0% ȾedQ`YŨsh-Z"-_QfzI$Ϯf!W\p̡ZWK@ z}]bcWxscS,y:́ڝɻBНL8MBNg)ǵyMUA{ 轓'߻uf|9f_*Cq/|އ Yۈ۶C.ɻ6xw8ttcf_m;^а*t{YG(f5=f[ ӐLN\:FihI*!4r̥tJ+ZDlV$! \I~E!) "93&t΢%ĕpenc'DQyOhݺ)D> Æ ۪Om_9h2t]ܽ[@vdo֡0vzm3p!4 |htڲ\AQn&z-f!Ryx(UD_L5 Z>l+rTvlXf\f!ZF*G"D˗$@\{I6Do54 ϛLD0eؼh=s\kid@OBlQϢД57<& -/C5}-cXz] EPqU&+Q] NϲPZJWj_PG&Ѫ0IVx=’-P4c["}Wq ri~^8__T΍/ʹ \luJ )9kLY<-DWS&VGWW"k  "\uXb?"K+3EK9 =euZfKj' fȽ\)ݔsoU"dp5"OƓlbȠ5z6Lf7̖i@h'1Ldn7I=ؠ>ewk=[1%a Igz?(_]rGfa 8Pb`ڎ2vYeg܌>Zn=*zۍ4 NDf-wug(Jzx~] 6'Ycb4   @"wїx×ɦB݉`q\gX,a°Dme֙9и Ţ bM$.vD0 PK-.*> K[^Y|v˻@|$,3|ETN\iA9HP| 2nw+;7dPaʇ& ; Ix1M\&h {4NLP Ч7ZhTDrϘ?.]^UMqۤ[&`ȫN3&=7ªIn݈nyjŧٟa.xIb޾ZD`IkvQq\}1$ͨ SV5c}|p|oc{xOSRGA0MxOF&W\} 4?Dy~JhBۙaV֐x08>@^U/q"[@QI ћQZa~ೲ-c4+hS<4[ Q a)0a aPh5qe0G R>#aYFb3-'yrl恥|z룯}aX94|Qw`uc:9{ͭu& ^tKkW}oyϡ׸޾غe')Z$#,b[ fDZ%IDQ- .VCOBW{Wېfx7n:o#O7ts<\TׁM}B԰$*uL. bysW]eߔ ø>qӰ*Mt3^@Ӭ4FU( GK<"-=*j F>~|0|5Bb{OǶ\=rQ\V1R[' T!|.SN,LS~+YeHE Rˋ`&ɉ+Vأ:H{RpޮD4I-άѨ jrx_<Ŀի+*s¶iOFVaT75Q+EɫzM)@j: -\Vϕ )ss2J[uVN:I )ĺdJ hwWsmw}ݭ 4UeeC/uhִmk)kniok}+PC۞hOwoqyʺ"m7w ;ڶk厯:+|}H-&];!#O/8T1/| #v+rM؇='t^z[y9:ssO%͠љF4:uwD+_ { ^c)| s?Py/(Lh ]l ]d3Lj.4)2[Xmb[i#76{0jtfY_|D቎(vtSQ (o?Ly"b9AF2yFXk~d[i CSXXZ*9Hy>YJrX 5]-/[nMtwkpUUklU|<Lp¨؝%T4=%m$S 0=Q;td8+ T̨#?{v{#7Ⱦ D;YeOu4١5Zmpo9$k׶?v9 ,;0@`q.*&sTtjz*%N$^u/{?Ru]yҶ MIc).Kp, H VlP:Q:q^׎¼Xhrrƀ%y X6s?ڢV׵05W0QEhd(hnXNp ~Dt]MI#?/Imnhrh+4NƄH,0cw~\Dѭyq!jEަ3# Oۏ "V8 XkF?P^[MNgϒ]"pM|F-h,HrhiqCJ-)%?t dMb>8EF!*Fr}FȺ_$Hs?lK{!<V9]Ÿ Bg~z7z3eqԉWM.y>/ÍmBa&x W-C{>VBX8"9z UpfҔe3N&zK7#+ʙ{ύۼ ކ@uCuv(y~fSUw˵UPn >A:p B rw'Isܓ/j3sWߋDL$dD~c;R3(o)[SͶ:ɘRؚ8'}섹iQX $KX'TzRRXXDx<*]ʤx3C0;>}T3Ou_kS W:@b}=P~>o`:뒕POojhBT!pц9`8/Kh-Pf &:6DChG[syrmHǧ0կėWq5!S˯\X4WG@}SS[7^э:tƞOLک0gQ),MN_( DG7kXR.~zOql/u},ӛUo w ֵ"~yۨSܒisK]t@+m uq]`V*kT|33@HNJDMīھhQ>di&}ƣj=C\ࡲz$-z$-_%g{Hm+x}if~!Slq:J闃",ƩhhQ%땢GNJ H@^UM#ꝮO~եrW&/`u"a'%D #|0ߘvW7JjT9>烟8ݡ35OA^ʜ~PFB_ߐRƔ f'I0fJ +H?db3zE (pG'gc*qڟ1;zS0?37CT}, Ҫ 0~#*xmxaM{%c&GiJpfƺKh:,jZ5"690'Lv"JKsL̒6[Ldk`Z@)0M?*.vG[oq:>:6i0phq0}㧄vbu&@Cs t0 p*S4ctb,fkĤLx5a9"m;p`EdE~6b|ղ~n5 # ېOڰb{pRD8wj:vύ^WɱLLq9hҶ|eYdnF\<'{^BMF2X垑ZW`|F~)]g^qæ}nOܳ=?~gosقՎ`iQ6;v~jݶ3OwGPGQ?R40BoO:;뺕'SC^9 5*URpT-]`"vrZxôY(e5(RZ<0& KC֥1ĤL4KI8L ;izNWԇݶ^ԉh41 :G/)/JvNюRziuҌ6ެMtE5ajr[CuHlZbfl&²~&{yjG|‘AsʪAٚ&(ǺXӚWtMVďM6w͎nh>eJ8lRة7emKAT*L^"YbZJ<+~]@M<{Μ9<;@Ts-I)a! }i?_@Li\ YR+#x b%C򪣓mᕦ 8ՠܯpi7HW"xH=YaV j~0Z7#1GTV٨BTF mdcA]B+sLoᕲ!7Bƿ +L)':U tO|y=A/Vɾc ?gr*cV}xPG3gbg(xrc\ڹ3e>(7>(+XCj7#m$I>oӭm*< =I@WJ/h *5/-d[>MS]W\\tLG1iiu$G E„,8U#NBi;0=I' ue"%'f-)`c:_;7 3MU03Ox$RsCEA˧%g¼{m1 S4[9~"~7Rfj/Q2ETd)pY Prs|T\=IW뜓O^FZY N f3*`Խ)o^`Wr ^obڃw疠RQZ-,=kO{=Lމ.\´iGϰ)E5Y3ƀ\#WP_N۫WttU8\VEosb"Oη8g)]~[4V,[j3N ,*vL9-Ҳ:On*+/>.\4>z>+o C8sD/_+be嗪fRL}-< !Dg܄&MNdd3!lu6֫LD1^At~Q^`g%5}/j->jMJ磗:yQ(Pi=%bd8Z:*wճ\C\:Z򕕫"TNq a>/4׻C7:>z,?S36:ښ{mw.]בhkF{jnEIDk<?f؋@e`}o4`Cދ '+ Ü&9s;_1)Ċ'(@,fitQخ(t͑H-UxtȢjcOY2BP} uCrσ0l|xyB^t]7AW,6nv fZ7F : e!qU,]BTUᛡy!7q] oQԯ(ѬՕ,38]'kJƓʵȓUylcc*Vh9%~J_D(%-Uks, wWbY9.Zi )4鹀(L w}]u]9 3XzUy.RZ[ۦߥܦxphr_R݅])+V7buzПYtf$k%KGҳXy^R}_WmOlYq(՚*"<~CR]/"u:~xiY0'0ZX CuPcjGjI`ٲϏ, F#_;q?uҫќVR;EVN0 uu*KAM t$lŖGM J§!*N*PW"sf4\ i雡w#^>M]مI _}cnگeULUz+1gFaͩ{s d*0)Ū*j#t;GVwsh_*}US({F&HPQ U;7AJߖ6oYaj)z;'||y"ߨCI:ӡۊҡun枉; FZJe?ޏnQg \:W6pRS&(緡Э||¶&赛ҫ~,Z /x*,8vթcn -MvljT])P̏-~@ βUX- G7B(M)w5)c ; ,0FrieJ}G_ԜKiVZ; їqZezO>bx0>ʄ4܊h3 KAf˺d(5fDh۾7T "3{ZA3Q5dƧٌ]<|<(wZ;?N-?I>2djsʱ N84OUgNO:2="82FiY Sтi&!kQGbuD{g 269'fq'<ͷW/u쾪OIӚĜDMb4+0_5bV#X窾^q9C2qGL/Ǡʧi)wg0)jNB]"oZŋc;NntrG#v/#N^=wߍJ$]؉jbj{L@SM6iERǕx^f{B@ʵ [b6: 8HdK,\QLm &unl}~/wM 4?Rl}\?}sBsȇi;Q# |_8 6Dj,MPS||2JEL:PYTKe(rrvb4C*vQ4Xv]ɬOLvbb`k{O<{͵y_w>RV#[ZN[9xox}]񠫦=е|K}ewSqy˽5lau\&ŴQU@kh.;*ðK$f`ϒ1eGRA<\3_N|yJ Hvv7Oob;.yYE)f̸ܴf욅rSKQJ)1j}LVe2gZ'봲x7‘t&mU,Bj%|9||z,O v{qS[#-O oD$<ߓ_Ԗ-徕^+ %{K2 W*c3Oa1f"cRA`23=;Yg]\h3OBo\W혺=G<WY]a♦3Wn̮gL6W88wJ255-.t;2r_.疻W ~ٖv[#&)1 jM홚*r&Y@WOrUx{ [\suxbỏ߿YF2 }2\fűwj,ZXIO;fUNc1zSWUFe̦ի}ު( V$*^nyId>omX}Eަֽ@ujw:;W;7 .mV^m$R6[8۸41lTݶyU@gYYPg56T|mCln}B6iͼ@A6lj0S 5Lq1Huy􈵐R'+5 -4c%U奤x x#co@Ԯcݽ{sh׎?p[{Ė"`S+"5EVnK# ?4n|BA5L:t-C=N[&P-s6L3R2/߽pw.\xݻwI) /j;0tπ{$ ) _%MAucJD4Z3 Fx]b +`/1i.Rgv2{$ۇqPF?94+~6џ7{~;GZ ulٖmFg߶=aӛC;ڷK]ʢkWܹw{x,f[4ۭ1h[HwX+\AM21RhGuYw֝lUj$X~>axto{+{w7m`6IxZmEY WXtަk=wn:uvq/מ|!d૑>_SްP[}m_Bu/\x yDMO-6[^{)Ѝvm] =tTzdKiPgz-KtAlIKJ 8{Ξ}Oj)i&^/8~ٞ|{W[}xgpQA?ir֝j"U͍wٵIyfILh8?"A_H61OܝKz=hK8I|]'z3$|x ͋ys@(TǙ_|>)mSZbh.է$|S2܊΂:m H;ygox/OtȗMKqdћ ohV\;f7;`}@al7uaEe)Vk&6fˎ9h(ɾj*,騖vXW ztm}=]+ޣni4m;2 ? Kv׷q1啑 'I8zr3mNǟKCi> 0@3<\ rwyWQ̹PXA =i qsfmIT9Ekk/]藪ӳ} (SDc¨5!Su3$|.2l;m(2K.)1Y &{&Ϛ  uET5Yu7V5uK/̕u䩖;AJ;\ _$G4edPktd[X"Ŧ.;Fl ߮kwCT˯t%\Ll,[%6n^jhoݹpUߞs+{t#b0Fd.gv3B3M /Ǯf!nیyJ< <ɎE?lK0r} !6;Ȼjۂ8G7`L;Q^MO;Ѫ8@1[8 n<.›0Qx~c~_Vwx>F/GgcJʌ\ GaHG]/טw>_c]kLɾkOdk5@WFԽ hLƴE?:"g zYߗrA c~1gd`YF-o(^2aGm0t9j}"V}=͇:i&;gm^cu)I-yPՖ6wx4^Ӿb象OBm^aGk_=:?:{!*DCה>~lM @"EkzӨ- |+ۋ7 BTk63%3ըհSwSײ6Xʀڵ!88$r+[Ȗ;U-K3}C¼߭9CvhEb𲌋+IhT>FZĜ KFs4btsj|6rCSvS U6V)ժbT|eIU{+]ǒ,YeٖeY[F`qu]KB(?2CGB(I P.d#YMmm;$-M){M3 o9:d}oI:kZkֻzכSkOoirz7n.nh\3~Ɩg766x#]֘n>ݺ{ř>y_uT,d3ɾ H"HOl>ȮwP-c[G?5yѶx4!:|׸opo$<?8 |w]l@n6̌M<[{B>j9dU~'{(ᇙI 4qAM,ڟ{.];9ɚȼ]ܤFj?>L`;n_o1kzq6 Fލw)%==bd͐,p ~ ʇ&TDI=̤ SC,Atȗ$ђ9d0vLxc|݇ :⤷҈ά*A6??!СxօȆAik+1oG[U].Wv=~lnd]0>~ @Ei ,iV5hCwz`ê[4@p #[l+pW9~ h e eXw BR:B <Λ DW-u4I# ҬU7zV1#HJs7*[7 љ-0+5ɷԻbocs-{ݺ iIckN4jؒD~KI)}++BoN6;ėACWӹz3 _^yeJAvG)mIom%oބ<;})Ob?/%d N*7a|]fBrKvƂsԎe*{&{z2__ Ql9֍dô=hտ2Z$(r$,-]!#Ez"/2,ӏ],ȦgN\ ďPCMKge!L;}<=dꚃ;̾~ c&Y &ixYVaZ9k90wX V W{Cg{<H3َGMkN^8>(OR:{_f$̈t쨞<ǘE;H2_B:%簲H\u ϧtsƥmy [Z?l% İYĈ3Ktڳfw(JbwsOXⳳ0:lBa4p(GVY6(.Ӵ{&2jh?=iFe t]ὢ^".UnDxcUL/#te}ʀn ])V`lt.p~ FOuD?$Sk_5EV]o` QV]9sKNóxL;T^B2QrV>VA_5r]mҢ]KKOqx/&NzytWF=7YFmm'v_?_ .g%:"#|LWhk\A&|:!K&3IgѳƂFǀt)9 )iI2/9bUk5Kzyx,a~ ㍦+&9gx c{FAnYrclt:mΛꚊ{r7.I)3ja0SNRliĀLű:jE'uMk6>hl^l\1tS#oZeA42Y^3#T%P1q}vEף˗G(뮉ɺH r/G/~foWYf*Zc'3g<ȱJ\jl~`ENZvX?yhlǡC;zzbl/;,΢w7 X#a,s~ycn7BֲGK5:^rSAY{ 3vlneJ,VsSr;GBј`/HtnR`Mê8-~F§B6zP0&k#e6pZ F+mpa^Mue|u@><>{z Z!=[ƺAxW>*P\:;>Dl6Qa*f6/fS^`lK-&prc{?ƒ/RͶK{=XQ1!Cs>ril>cyS_S[[ګ:`4="K8rI=A 3f=4oدcjZݛNEzeAvEɧ5Ur_g#«5aΡo"J*I35Qܼ +RQȩC- pum2¹)^Z'᎐ @MR"i_cG>2c[o?s|$-=z?8><: ;2/r VP;ԙ?|hKf5WX%yfwj꯾m3uwxW}zsT-/m}ɘ"P"s#T5,H )[ c1PFHA{_xǹp}'w=tѵ5 G.w="#F GHMOS=)Xٓbn ~CIMzQy'rtNuL0a.x@HZu9Zg?s&=r׊ T[aI*!CuLʬRHBltpMz6@븸QXG`]ԓcx|mdK}Kv[x~mK24_|¿T"#Ghw`qz^+t1TgRj\fQ7|Il$}镹1>JW$b=k-u(Pv}[ G9N1?1 Zo*sphx8*;5C$ i8nCG4;aJF~'UfՑ4";e GܳWdڏM ;wEZ.i[g YN=&]x2\@Rpskk+1Czv_oᄈ[ۛ<}?~i{r?x^.SFjk+%d63a5Ý67;֕w&.g;9*–yϯXqϓk/9x.۽fhb ,lS?7u ?!Y0 !ό0BT/\!*)(l =sMqUI}R6>H-(-GBy5c#G6+vXqĄuo֛߿k_¶-"_![KIl73(Λ6a @i%6ef+ ￘Bh{0hN Cf=h E }H.|QlVXrX@C><͢ƕu $7H v޶*򻏎9j졑77Qm}loŋNC 7^)lU!e~5 -89oEøksI o>?&f(LהF#E^MFu=h)fu("9̰*`49~?vad 8VZr96: gh~}G/kgLr5cyA^~/+H䵼 Vt՞J$w/kx7cdI mr)_lSz|p7㯛mSs >)O}ZoǪmSJ*(~) *BO}˚HwW@.X \⩬X+|UcWȏa8dQ![+:г:=i G= 6mrZn;=?BT+:v}cO(`TO줖$*6&tL"Y?> y㾴'ݍzw*R] E}+jÃMMa ^3%&.%-m@)7F~o+:|yam[>E>Lt|=c'>,qNq9rX'%9IZp4q~׈kտ>۠n95O\QY'fK?F(w5O]鸟E=&h28PϬ{Ц_?5]rJned*hh294T%YѺ|yqPJ*Dӈj&U}5$SbҠPyfԣ}oHq@vP˙KPZ^ŗϪ4]ǩ1 GT,Wd5 eW^LcLJ;K7GP,i^)W3":C/2 C%KUƩ9R* #@dY2(LbMާRi4ҫ'D]}G7a-!a\N͘+{6Wض(,f*WXz9`vfYa \,Ed=^X!~9;[K*0? Sb)byHɦɊS:%|\A7~r19U4]E"I\QtVត:G{*MVtpvL sdPX>dG=d&We$b˃%ѬeWQĂZ,-S_i y&DFʅ^M-SDXfxOZH8BY'*3keI ) [jeS!_8#ω]ݟ)eb>jr#b@B/gJV 2UKsZVo |3CFψL(Ų+SǪzSnajNJAf((sā2)wlv^b5CG6ܯr^ٖ]]ЦƘo47FӋ R90@4d0 M`Mu]uE d*A͍xuPh07!˷A,k0#2pOd]W۩츊R,Y617 ,Y P;mm^ڞk[ ض/$"0nnKbon\ub"/`jW( =ނF22nD~ۢŅaup`mIMuWUdGCtsZV>gW*7X @b Z<2㝼H* $؊JiIO940vQ9u[=Ǽ "ZlgVoYBK0?">ƯXY&5W_I\bu4ih }i^T ǧ楊JSh圤]8e#&j1?Px.C89h#UX#OXAJ^H)K5sT[2qMVI@3V33|L+ Z-6| \ah-˒Krŗz| WȮ=kʙ d0H޽[J]) ex` T2S,Hyp(90kH H/I{|3{uXP$* /CHoVpEm@_TuxIԥ:`:r­>Z*BCi1Y8A,՗5Y4aSDJMԚ։p51sO!`L?,A+]%gl2rchrpJ\< yy:&VS.Lb}TAa":sg>^ eb4-)[9b3(A<`-)D)6JuƕLI"O4TD@:ƹX PHREZX[a3&dP*?NBYvٛNt עn 7~aޚh]ʠ֧6,Gג zAyZp8dt7v6Vp7H()q\H"{"kA Lm4ȳXQzp>eqQ rWZls~ק}k < ؂=MZdJo5 bJXslE$:kc ڔ;ebQ./*_81^" E4[3Wp8(mz; HqåKL8MQw>ZP&ӓC&M%,ֳHJ܃DD]n^Auhf4JFn %)NUJUe.P干$Q}oO͆Q OL3mֵ5@׉t>zL-1ކb bb>?1C -طéȉ~a#!oA}Rj&}sʂ-&r-ˏOCG &+S;MiWno"=Z&.}p t&ut;Ԙ!ONja7#P1'Лy>Ps"}IjN/Cl FZcU7I&ܣjᣠCDMblUx3l2[֫<}e<=iŋ E[`ڜ-ދZH´&Y1ڄjdnfv‡K$#bw&kS3q=3e_hY ߌaL Mݥbٖtt W^̐4)r)3~ P+}u͊> p9΃m8Vŧ''8 .q*% eEz\ LRrD筧*NMT=Ir*?B:"y9AR4ʗtE8Jgg ,T{eKd Kr@}d5,Dׅ5nlKuѝx'%'ŽRab:0b28PpVp7:oJm)E]MdGkFxxf!ud* ksh W.3!C\,n`@ZNҖwP|f2.tˈ6t@H08aEr@S"Fs3̱LQh^-enVDҖ83*S+/L撨jkD:FtF`:5D1BuTEIE' E򧜥pУ _ %57EߪV;8 W+Q`N; +{M Y 0;22Q!N~n wť f پdsvʆ'9J\*8)qog$"e^Y9$9Lg%L]&d^)_ nOZikӐeqxC|BR?lюQN /HJ45 yPdQ/v>} H]ȟf(/HO[.RA氌uL` ^1QC;_橆Ae+jZяE(K:8-l_ea{SD;:ex߈,,;wDn 7Ladwgd&Z+ky%ː^@r&:>L.F6%{D M,@Mݜ'fL޷:W[Kc:l4rF6R<!BU2 q/Xts%%EvXStL SBV:GxĜ')Oq@F92,ߢ'BRڊs\ SvtqF5hd} TabɮbjgjZPN(DZZP Q@)JGG#7j!PKxh45GH8,Zh[ yM.(TZXMk_ SRݗ|V,gS4Y%r5 ,BQFPP5<$ kS(6/ 5szPf̺k/sS릷0)7H H P*YSz ;38Zrk1 UA&2 p] [| (;Xtx5nڙ Jnˁ$nw_{|=}-; ;ya ok{{^`~>U፪ïϾHFi v(s/HLjoJmsʄQ8L5nh+$C1̶<d )Dد _`l@xWYriճ%"䂞ND]#ۯa06&U tש Mtx;n*5>iqkwI.n!hD_ݲLVZ1XcnrWl꼱Yۖ|+CCw`<l_My~ ٮu( v*8Z uʸpgkɹrmRނev"GV)5 ;%5(i*-ȑdAbԉux FG~4.9JTFՑ➺FHj >,Ȃ}?ْL ~/MR0<]IR8!##;Ƥ^"޼^J$U4MS{2)8ͦ4f=VgO+io|-϶a+/e0DڳnX:Oh`ڽv+ap ﵟ27.O]qPĂ= 8&PӃg7a=j|* 1_=$vɫiYփm䩪9Z;b,+%]xN*_*Ҭur%nrW?u3.+.NЧQu]<*ӳ`FEa"q;q{FīEl%$B^ BYs0'ߥH|{"[3?P[ߑE!(ԁ} $e oh2uT"R{fD!aN:3[8 u+(eyrXUv6jl.DA"ɊIRU Kg9KXG+?_/mC,$G 2Wǰ݌NbwD/?i.#H~wB bdN;'|,'gZVܼz|0b!6Ǻn!LV%O?”Oa hG2,3hU5)Y>ҋ&u"M 2P-Л$gSK%f퓤Jdh^>߶>x٧Cot|鮶5=G̗}wM<:薶w]²rqOsְeLkGgI\gy7OE1zj{FU#Rœ/]-#SU $P,@f.<_8*b;DPEqxwB:ф\ <+%.$%IJNrQ. :aN|щOtpЙ 꽐Bt*Ȓgɳʏu"b>]Q +iDws_!!Cl-GaI&MPSAtysfGA`4]OE0hNZ&.H7F *pCTXyT6KM J'1<),TkŞZB B7ICbROg ^Ww 3~%~Wԉxϭ.5a"Hf\D1R`{0)6"EV)$>HUUw0{\W}/h6Te(pt2 _uR}"("YEi~oU-&2+h*p1op q48t@8Sڛ/ޏ`q3q,? 5E-V仴0yďGTՈ>qAl#ջ!wa&|%>@G32qPVhAn|پM5Hꡊ<Ɇ6 s1b;0?~z>{`}V7F,2Dy@%be8R!ш⬱1VG0VCuyma9CL(ǥwA{1vuбF^˦_ux7˭WcZj߰%o(FykjrCl >H: íyW"H)q2|Z 4JkÁ>JX_,}#}*spبR*zY>Y+t.9q S XGY܆gJYsEd?BL ?`65ߴygi^cYfM Z$Co *+.br I'4SsB&h2cS#9bV N,B耄E9 vd ԨE|=M/f"] T#,b:6/Hd:8bU;YځR2N} TJ3+)TA]V1Q` {Iq;&F,%.;) }[̸"F޿֤&dz秗wv!|l|_y~; _EV||~BフnBRȔWK]mJ3􅋿ylK׭𑯰My*r8|o?VmUWWzPWkZN\"^5C"~^U%R oY)ʓ`VV1%j5[EJ+\Ggs0E2;Reu4s+bHQZ868zjo::zvm>cO'lfv{dٟM?pՇ:v}c4 /ϣ̭l+xC922ҏJ/SGp޶^̭#_p&hNM1 a_4?`,A`p &\QR?2RM"dׄPs+X< w@iKq5) !(R+ vFy+k/-V(KE ?,>/ gG.moC-6azc{&29t`CLuɞ g3"SIy ξ~ #n Q>Kr2UIܸ=3UP&Y 22@ջjRLBz JJ|e k))^IYHA;]R̗ЇyCvu<.SkF=kL#oMy-eV A0EW6 ٥Z"Kt/a;ҙ ~[4mjI>+P08>BjyF,mVO_J.?(ͽy/N<$[Z6ػ`{׆Fq0hJHkOll8@x-pq}WcקovY}u'2RflfX^soU٠$O(/Pf]x###G~y], *\;/ 6(dįfR, g9*({ Jp :~vZ߸e)8kс6iRT}=yr }p-_3zS3!֨[FCŒn#Rc94…~LM@C1-6$p}Xn\ܟ)!CL6V*ˣG#{u߷elGoyd`w75ݼ~'VT"6Wsʑ{=;V?׋dq´#ƒ&j7u6awW7ƛz;r;)=nkA71ƒ hH/M `)aSoY#hso_?&cs*7\zV=9sBz'X[fxFtց}Ȉ$ :^ Nv^t>Hw\l8/Q;=CG?aw/ʡ N: A-ّ 8Z*5`:n0n;N|#o-|fayo[Fw-<S/߼gl{ m`}Wj\1ζXӼb;#[7ֆ8BAkih `/ZHO Aj]`Kuyt7ԇvذ7<{d+mHHA&Ƭd6|T2ځ\t!U_{׀^%Kv[2/oUHk]9U0#Mcg{&G1͋TU$-Ա:ܵ!>hMZ?Cھ=M@?#޶b󺁻X}7]w?;ҿ"к:67F7n^:[#]q4wҿ HFXp])ƻ(#ru HI~;ngBqjpgA瓩2M L:4 6!mAWye &z='7<ڴ&8޶\Ѿ#mOP1[Hۚ:_{; 46nxf6lo ߋG1 {I iF-UO7Yq̠C˜`*d0>LL}Wjcw53dGwuٿ:{w5ߕS \~9̠H9hRo#Nt%-5vE=%u4Vg-L TN/G;|Lc LKl$xg~r'Udd_]Ѥm<.jvVrG8WW]=j+C=}r { A:y' q%Xq֗HH8P}Aa%d}^A/#Âg5yjv?>w P>_D1q[oc'۶kƷ^`ceFn kީԜd|(ra"$Uxp 9r:(IN&l粭{ݏ?{Ԧネqgo/Z>MHj-0c0ԏ$p2 6΁,8pNX26`˯_ɦ 1۫/'Y\3kx=:}`iz;&n">Yca%!N;}dTfa]-[E30+7 )>ӨrSTVa; &E#Ѻat >V\`:.:Fj|bnNM54W~ gvvlښj?ܹCgHǶ-Sᄚ3<h>~yo¾;P9b=1171x(Q $Qd-{ƫgFZxѱ a;S8nE N\`( W#1Ė:T20@|u f$F'|]5KL goWE9z3Sh1gQHQ1gc!a|@a?Ͼ~YS݉O,{+5deB#Ϋ+G Y˱x&aBqjЛS*d).* L7j.c+Ne='W8 . Pnvm 1F#h+e3t0̡餍3ٕ3#2qNIȏl|3'39u>~z@U\׃B7>_E{e({oR d <> %Ll|`h7ܰ6&76v{S]S7=s糛?4˪79!-H+d)2'\.I,`@e`q[ U*}v5H~?E$]HNL3eTeʊ3 '֝xx3C}m7xP)U5~dnp,;}R0,,5)kj ~?l|j#7;>Wa[@NFo7ͫ>@qp["MC{8Ua7uxoUiC÷B\!K 1|%܉@ o-Vނbu+9?,v }Gcj@17~HÎ_WjmS:-0G|TC@?%JAXFk0ȭ+07s;іʾWtHsXGؗgy +XRIjK1*<\=b"^"D~Vw'H΀SSdWdg~wMĄc:?}R]/gjR5@Yȫ&۔e!jR*ipmr#~J}ݒ[bG f0=RMHr9PS]/YEP2akYkٿcƙ%kvkf3{Dksa_ɼB?cѩxI1M 9W{ `17=d6jm=;tkAT~GϪ &_w]h^A<}p!ÙF_V_Ŀ9%0^O!ɐ Ub^e?+Kcc y?UV;/G#%>f*. y2 xc`d```9S"?!1+<\;F+>``bv$ xc`d``׉_?EN2`xڵhUeǟ?Dj? ~!2d1bLm1qGYY1`Ő2KmI !#TLFEDa,j)msnۮ _={y>?NP)G9 ~ZdRgoL5 Vk5[~ J `(AhA3rHˊt& a= G$pmf1>-v<$W`X]1c}lTwKU$R;KnȎە9p5ڊ̴)ΐNn/IIIA[wIكEl1Uz=k[Aʭilr7I9,ϛ >~kZ{zd ~/3`mlR]7[Qi7'dNfj{sRvI@^T3祊 Ђ>2"E `~ fɒ`_i8ȇ]|Q!9V_xQ:0<" )U 9,.WذLxsġBQ$ffqb -؊[coZ`9j$V=r>r~Wx>瓯#QNYnH\ה;eَOd? 2{ EBy͘:?ւ`h%c&.  qM{g@ tr~[nŚ%XLv=yp-o\òz͛ Nx@1KT4[.hn.霟"vWDw0koRrh~xy?O»IIqaN|BRd" k΁Z]&fF~^PKNKc*q3r#f4LyMn.u~7 -fTȡn#uc^  *3JD}I*nڇm!nw{0YڃR`-:zqC9sTA r\) v@69B\.ڪ벛}}WwZ7zc$;oF{lk6{049㠺v'.@響ɳy`?9k4x7H_/=+t0f37?6m̗80wF|6߉$=+!)ujʚ?Y5xڕ}xߟw[Lac 0YSZ amXFKb255ZMÊjB h1Z!\q\}}GܔL䴓\Z1RWuB,!^VBJ$BX5 UIʥؕq2'IMmZ!5<ʤaX-r-wH+y87xmٖmSC>Hdo]"DN3%D } /?gw=^/{C)RozWJ`-~_w g`4GJ/.8H6oFq6 _Gw4O(=CoL4ix3&D<.M(Ep"s$uQh(|n*LtcS-=.̠v~e\51x 9Y"ܟ8$fD$"_>9^Z n ^p)%yKROr-tvMf}+Y[k~-|-4O&gWo;nsZ7]rCc6}7Q>8nCpr籇[鹕}c)2dwH ovi7: Y/l|}>~:0"t~_0h=H!Ͽkx01-soK.M N=Zʘv,<~c9<~;?p@y8_@̹_ȻK`\Ss^T3*ƾo uv݂mzަOxdATɘt.˸dʖ}Hw/T5LALCrݒd4$e$YiL3!2kF ue`wnr s28C3;'ڻ%}WF?tuGWzr@BCxۍȕ >]0}/9ApG^?xn9A}h0x>K9 ǫ1]#JdBdF3 F/nGeƤȌe7̟#3ޅ`DLBdzFp?./ʝTO |A883xgWaFsr.:FӜ= 2',`~/>Ex'w1^.%U0Ry.E\Frx}z [fWC\Vj!-^[`m}d1 h#~)ϛ}fu9css?Fg'?a?x᷃ϻ ^{{^<,d<>%?Gk0cQ׷̭ 8>bxy'SJ)iv4~wY<_`nثyVE%~΋iU»29Wek`pv~7ɮx ;Q cL"jyO'9ND=+d'2&AMS VsO4gS> 9l O)XlYA&g6)^OG> hL3y̓|}މx ؕԿ$/$wE'3Ŝ-Ƌ؏іK-W+~TVɾƞ.uzN4! Ӹ[_r^.n9onϦMdOV 8d+ً ΫjW֠o k[Y:pz4_&3D}~߀,rE{Mx^>>Ж9k3sd 3¬?d GD6k+ᖏmoC6?ů^w'}i{^.>v`?eZ?Ǐy/5ڋya#9Q4;3qN$ { Ns^ߣ g;#xs?"V<\.WrV /x/2KDm}tt _yV3jzܫ`]cj𼆹\:nPsww?-o6w.5wٵ?q/C209֓(qɕS+YNm{TN9ɹw9'i$!B<0WNcy6 $j4-ӌl9͉rZyiU!ߛNh9m ޝOD߁DKNr:s!+An"=MN,9=ӛ@?9er /Gvhaԛ' >K$}GR7 N](1s,}g:ǣeC 'T g2Xwȉ@{>L)hd>FG{׉TO4zLGw 1w3/Yġ#mq3 ,,lpxZKo#YIzaFbh4Hdzt3HHqLL3K.E]N&dɖ?`` KĊKĂ߀Ĺ9ewh\>u>;{Jw~kE-1MQwU$uu_qn zK]Pn} kW[_QoS!WՓ}Wo;n%[hVw{L[Bo{wۻzgLmGv1&QY#x ~tN\\MԵD HzDUS}{b4bF}c5HL.URԙ]ac{)=4rN=YKsꞧԖ>%S?P:Q f<[ϣZ~ha'yF/ 89ъcDm4YU}cZ%}Ԛ*ͯ??,KJ@.} X~/-ogc=sYGwNw}&{>r3i$[qsJx;dV>+W^&zF{c+uT=:4Ma ^v쾒7FyRtstiTK͠ k*6IӠp37*+R O=0~vSjܬgsPI.tA8U&'Gܧ5?-߰})zegSMբ,qL>[t]efҾCI[SFŵC_sJ>Z'Pje-;$ RoFCl@{CiM9"PG^ .'= 's*szQdsc{et #VD.?)ΜHǐcGC 4O7@ ZO͗6 ^!F>ͿZ##T?cˉY'[x"bd Ǻ<3 \ϥGE5':-c6XNJaKsϜ^{ qXJT=3gȄ1dT0+f3F(n{ms!&ќ\o"̎N6?3w"/BKftų-.6H ƳG$GY w rf725M%bV3o XTO졋5Fy5k+ֵ v9{iY%zϽ']n/(+RmҧC2~roMuO1c$1~mكTn؅ؽ31=ߕYʊ+Dj./\?[XQSloNؓʽ卤d ?:LDnNpƢI eӌc5cMdS'y. ̕~"u%z^V\st@GW¿I?XC3Ht jׅMd0-y?іmqSexYDKqFCNf^0:&![Qsk{'Ьٟg >12_ŕϻ7|99G0秆!!)* @-A=Li0VaXVa XւaXփa6a6a a!a@D!;ΰ A`@LHÀv fC't `>,nX=za1{ .#H΂(8 J qcDc!xp!\?#\\ }S <Os4<e_;8^e/k8@ C.< P"A 8| XÁppW ܉5XuXSq t\ WUw\Wq \µq\q7'7Mq3-q+mq;lC_U`F1؂;θ 1& lǙ8 ;zgc'vp>.n\=>{޸Z؇i  aRpsQ>}E,.q  <C0<#(<c8<O$<OS4<3,xƋb/7-xރ] /ǿW«ox ^xވ7x ފxމwx}x?>C0>c8>OS4>s<%|_W5|7-|w=|?#?O3/+o;#ŸwoS"&ES(@UTMAZzJh:D+**F&Ek:.G!mD&)mF%mE[6-mG =5R&RZiڑviڕv8%Ƞ$6A4fQͦN94|Z@ݴzhbڝ=i/ڛ!(M!ZJ4B9n<­p< 7-p5 Rp/G%h~VtHtJtIGt KtH't JtIgџl:Υ:. t]LХt]N+l+ t%]ip>\'p&]MkZFn[Vn;zz1z')zg9z^ӋLЫNoЛMлOЇ}LЧ}N_З}MзIM? Ko{yyG&fV<\:oF1o›f9o[V5ovs#8n(Ǹ[wy'ޙw]y7s N)n3ywl.sy q//yޓyA,/<#<\"x8y|̇|G||'|̧|g|s\> B3_%|)_Ɨ_ +_W7zofovn~~a~q~i~y~/K2¯k:o[6{>G1Ÿg9_W5w'G7?//ʿ *RJUQNիjVR+UԪj5ZCRkuԺj=@m6RMԦj3BmR[mԶj;ՠW**TTTjQjIvQT\%T)զfv5SRjT]jjV UZzbCR{}TZPjHeT Sy5UUT%5qAƼ\1(.cŚP!qKD99҅|22ˁx~riHg 鱑~iNgrKɴeא,ǷJUfDԂjL/PƥU0uČm}IyXpX0R;{jFUPC"^gY%c&%׬X6uHLn`"冭\6cL`i4zpt^9_`,Щ{i9k4_,C.J?&S0U54 c#X>? ӚfTmӚ uۢ}'hJcL.X,X4t3/Nwe2s`Jw!2f4?K8&Ǘ鸏rqpf7 WL-2𔮡|!7%N9fH ;KJdHPJFe6$ %[[2FM=>kJ+S Z[Rj&U8P`YK44kX`tIH!h jc†dH{CR2au(l #RċHH`H`DP5I&$$^ċJJď2?*xc2ޘċII=k ̸l)f Z跊^8[]\K~qiq+.~ůĉ_q+.ş/.Wt%'D?! O~B'D?! O~B}C 7D}C 7D}C 7D}C 7D'E?)IO~R'E?)IO~R}SM7E}SM7E}SM7E}SM7EB^=ї; gE=%)QOzJSzQ/e #MQ```%^\cHB5B*) PƈHGD:MWd g ²]]RM4u0VӜÂ0V4P&[Vs3s3deef71ISs#\JVa,mO<gU>7̱B^W$&ׄKopH?Q˨/iH?p f|)o{PeR O9sмXk 蠭UVp9Ϗ;/L̰LyQ GB`R'Z^K5(z=,cLYXlj!Aiקp4uc2c!.5}n{*cDI0{dי9+89&Mufٙ9̜v:3̜Nf6ef3+9uf62#Y'Wы.p̲gU'@J7eڍ x#>1oo'|þa;i>>. M3|uƤF_ߗ/fxO~ӯW:.{&|zIz1^l^̧+eEP"V:L\w;ۙiP,N6 KUV 0"i].fE]̴Yva.b]̵yv1.E],Xdv\r)qȮb.>\ٗvZU1]wZ jz4&<ѸG .Mxq^܄7ĕm2vfvZ#[ c~ަ}>Y9/|M]ootM7]sY VgM7=͊? ga³0ᥔ,4< Bóp,4] kdNmbmnRm&m S}o QPRolwlwlV;nnַ1]#9i8vO0{V?ܮ{J? ^ [?*'s;kgid+\W\W&wuu% !MoFތLz32Ȥm61Sl{m[ &=A4nf3ku=oUzE=٨'u':R8o y3 өF\pѭhutL  {b^v1W{<'^nn-O>D<hG[=7LnpM9.oʶ63߰n^}~dSƒ&Pʙۋݩ},j_ڀY^ X#byˌaJt]JWRJ,WJ]t)eG)]CNU0׷b03",/ SCJC50KC:5tiaykX[B =iհ6r92@x\>|MWt;xEͽ`qoK[UZ%I}Gd2jbSKpWzlwC$.Y4!yي )!wi(&].w%V0S{2`-l)_)_]kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibold.eot)_] XLP  > 0Source Sans Pro SemiboldRegularVersion 1.050;PS Version 1.000;hotconv 1.0.70;makeotf.lib2.5.5900@Source Sans Pro Semibold RegularBSGP{os/{lgisutx&s44Po+{zwGdRɰHLx_ۧ1G/2Fc=V#9q KDTӲ#fUDys=8ia%cK(vB\,Notǩ0EÌ3ިzWj}h4ӗM5pr&+ ,P3p'pk|H!jɬ)1 uuaI!l@;hpsyz>[U-Dry.fOEDb+IH46iLZⰣ IRݝ$.:9 $ؓ` H}45x:r[Ce{mN;]v#"&K5"kI`(!PNa hB  o d7z|{flbdIq<ЀkS`FcqoJ[V'e3Jш5K (40 b^#T/lnRF)VFMl1d*kEL'Άnt7]s&([R`f2YDsas/!\Ǝġ5~˅D#CTdAF/(A{*=Fd$5M"E. KV@v}fVB*uK.M],ABe2̏nC ! `x ͇Bi!W ZRFd˦ Ɯ$F*n8x7#pKJ%-ٛ"5+2 yI!QԊPSЄ1'0Fbr`nS}yR֬\e{CԉV;f[{F&X0]> s RHNk (,j5OFEk4NF /.' @:[ z 3bT_s.j&D""L&x!~%kN8 +XmCCv}g.H1q#>p>*XW~6%lT+!l9Fa !eR7~R"1*L]R:R"Ȣ1 %n&ʦ)0\D.Ea_:u7D l] o#Co;kJBH8[!D<8BḨ(;H4*D[ȘGbGTdQ|,#  #[Tm ?>]V;Q zIY R6 ORAհy0 Aν`W#eGe\1TPe1Z.mm体r XbсZ369&WIm`MZQe͝"56t [kы8ss6jo\Hln_/Yn$8Yl n񺤝n*S FM5򘢰)!FQ/B<#I'd4A hӢd i]M8+$;EFUf@%Y~%$NHXd(cuBF*d Й|@Ͱz'F;AE{7݁vj5y켩LE}͢#JI@i29sYPMR9fDRs .P bWG x'ÚaS 8o$|` Jсau'Vid;HFX-[|Ȇ%v!Px͞<dJ4œDpQXHSHLn#_ 5L J4E Q%K"t/WXK.=+?ZjT; ue6Xx)0 _ L`(4n"bDzAhαZu8G!9Y'ZLؤAo2D Œ4#t0=9gL=<&lpS a-`YB)RI7` R"g#_jAY j8JReH͗|T+tѐNDPHHAƂ[ ,ѥ)h .rd. y\!l d\V)c*l!dBD/NkbxÕQ6EaG<{p%Fuޮɫ{`@Ce0}Sj_W{88y9mQ›B٢n "َTAm)uAIm)8ʸ:$וHfXх$icwO#s 1P@1iXZ%ut,4csy#bPH)N֍'!OwYYծ61^$F${A42IΡ,6}u;}QAl\O7 'ǹ{FeHD& ZC*d##M!3uM,otjb$i|p bmT_N:dy~dQ{) +L,JK+xVe1#i@ "*T,VMVdENZtF=9MQdPJrad!Yq M n DsVȣRnAmE k5=$7<0Uzw?RGoJ 5KzVXJ=Wl"ַ~5 r0N"ip<α80&|тk p \U^ l#p17,{FPPA[Oa6Gdnq|̑q)Yh}xbK9/Ϙ(x4qy#7pk~ :ŎuERR8"Bt?/$YHW^U]N1SJ¾·8"D#r̆(~w#0"B؈ h`sFODbkb;=K^^{ѐݽn_3ғG*HVlO}A-1? GtE&M9/^_jԀ a)s #GMr: aE_m/t(t=MJ/Ms9P6;܎SDĉZ~[gZb )[oet6 IfsVɝ ` ?)ܨ(B`Jjb)kBA0%EUY' I"MLl 3%]cГ4]\SF( )'0 2&>Ĭ9s0xvد6x7[qH1h ݌c 75^z&)ʪX +$$1 l{U ¢'HPMˑ]gpɴC*X[M đSj*Mx%%bWFC 'Xʥzc }qE=:+HJΡi( aJ12#vT'3 DYS4*;,D?YȑMkHKj) )ɲ'_PjԪ?NV.LZ1"b!@YS@+a$!3W,2@Q,v6`$W..caL>X!,qK[XY=h+NKIĖ_h%`60tCD 荙(~[O̯x߆:tE>Ual5H\V?" d!ciLLT(6DVgd$QuTD`$ݰhsp#-)pO-N…ǃs4WW'Yh=si-$G O>x֌~y(3O{̅, 0۵}cy8&"fx, /ғV"Y~"Yy˙ ꑼ/\r^$XCv/3_ |) .¢ $cZ.z(رڎJ;%ʑ1XpDf՛qkj$%sWIE)rE:ãѝώ5۟{R5{pgF=uB{86Yf)V6vT\I|Dc5]̼X%JLS(M!) s}ٔ΂K&pvЋԝqv Jw|>f$ QިS΄Yy!jm ' <CZ3+QtiZ aܝƨΘ.z\ ez q)ɚC)~8jT18x=msJOw HK;vW@{VZ_NN0'ϪMGA5<7T!ks j  fʃ!è/!cIܜoj2 !!a )WCm˧)/rj|s{U9QZ&1 q̅" s;@O8sm1]rnׇc( *8@?M ~wVqڪ-pF$ gwς꠵g!NTYhO/uz1o&#KBqIßwspXEJF_-P,ۡ~-(Bݢ+{g2ܝ?ϋLTΉzdl 5DBAQfJPgEG02>,|t+ .g$̱fںvb9\"DX7# m502OGRA#`Fα2kͷk{|a'HP"vX bծf,'@X#EG .Z@lXz:9Y:eaЫoE'v>9Sm(2KCv>D5``V;쎝X#aCڸah#1VLՉ*l udk5Y2s J,`3K!XDx%ВЁ._9zB]y'EtPdQz@X-1rn +-Bp纼i 3j܄o^͋Rt4ڗOUd (35F;d~i + zמh<*S6Ëݝ5trPͱR%YtJ{]|>~ẋ;ؚ czeV"DBd4ýU&Q2PvFwd\NU'bĭ efm"N-KVSR> Tnڥ(nGrbYYM+1@]+H!` 9[cP16MR=os raR2<R4?,g}6oo|s{ZP^9X^]ֻBC\A7@bea~4 5;n8p'+z7g/F޹W/ck}"}"l]cqߒHJ'xK0]~|"M/Cw8}NkUߟmW'ُc6JΆ8y 1ZB{ęOW^04$u"I7rS|J' j9;m17ZFj)92'#>Z]TUaIwP;zBڴk|RmexPV G(F(hn)OhhYi8i2  h>6FC:Cz3FR(& 0O#&\~{~4 i#hT4*4g%ji /kHf-HF #6C =^l]5g.dKeYD$l'J 1VJV :>K$ hK1axQ:Aph{[=ׯ՘"ɗLrc/[+%"ys0 8f~`;,g9gf9p9Y’rьty.;dvCjX eB79q2r+HCqRaP~AitR=k)$*)$R?|)n|R:VR8HR8)Z%[Uy5)Bl!C4X2U)315X l^ܙ>2161blQٲ0+dbpam[jKQ#{ȊU/eJ@ ؕuK@ZZN6t$UR Y*|A0o&uOHIVKREԵ- [hcţJ@VyC w}ADs.`D*Db(Ey%H8z$НY歄fYf>! \ދR͎0RxT!aHzQ)XiXU.LF+8ov- C#kF o ;C$KGA~)hBC9"x)pe% (w6RgLeHP5wÅTLeznȜzߝ&yiY#oqLmNN X B**y R1rYyEkN2ΙMlH"=QޔRe;ۙ!^|CtLTw%Q#(nʞJ(.aPD "*IjE$RGI`XR,(?4|a1п0htZȸ/,e=!(e1f(A-Z,\<@,o@ K`Z22HDV =pC@}F՗'?.|dd=ʯ^\3bӄz%@ ^r{D^&XLM iX֡_rZSg`A4]Yǵp!fp;i\Xh1ҘuP>j>zn(=엙KeKP@OY`"5Zu"`.bnx6"`Ba)t"?[{;Ĭ-ry޿v]ِt$< خ&3dDiHE@V=u%E948n[ez&tpc'KHZrHuYɳXI|9vAHCxy5Er,$12Cs#K^U&j1ui)AU;VCTdQuū0Y*j5֙(iѵF6e溾&RQ5YO6<k2jj^x,EFbgX_}҉@t3N g3JaĊdt3 NKDSN" 6'1mO9:'ORAdBZޑ( fDj=al勈 fyr)^F&k6\ud$Wqr@GR ڑiCԏ18!Z쇐o\` !UcrH5 ugn%a IL 9(5G H7 ț$Fy sU){F@d*+&RgfRɅX` "7Bfڐ)g^SԷnpR a )Ews)#p3!KTR*HՑIܔ?9Kmo@PV8 8]h@ @x]<T]l1@@Tp+0<͎7>s'.f:;zwk=d5 2sZYHW e'l]M , t3vY#C"vr Vdos"-R%d?a_0ȶC[+jTaM٨Fw7h-hOP/Ph[N ˗Zk&"9dta /A-H\;#S ȩ;, -ŭFYUIM>賈3’ٗ"?tҘI 0k7d %2=:`Y!qXx3SMIw-M &Yc\I!0~BLic^a YR;bX`a>j~E:Z B{L.P=,{\\>(kqa EסۚJ,DշĿYHqlи6ޛZRATf? D#I 'V@k4̢%꧝ 2za=78ʵBBXPEGX>  ѐ틆&H.rŪ% ~iĀ -a4hr0צ@pll sHpBuKbJsX'@M:$3>|7aӟ*b16 eWi7x]X{wEEB4Axsf~:{y"B, Rи,YU (/ O:P%>'W'i*Hf(' ajF-91z*`Qk8$؎1$-q]iOKab="Etzv$ИF.w%]r 3_[o\l X"BWs#ri9"t +J2[GfN W܆V~3qv'1,$q3SI(Qüq{(H1%ZԺ٢z1p06DїȘjsdXnj7SB߇1itxnڥ@qq*<\C ",,fpFGZVP}mzej@<:i\O:![1pX*f"G iFw*aRZ,ͱ~+Q!%,   It s}JNpTAgmGwAB>ӧș8d nqɽa}!>5-U)+{[}]?IҟNW4`VVZЬ d8 (ChgǻZɭ9L_q;LKE\'$X 4DYɷbeKelK,Ŏ T" (Ǧ,)Pp k~Mu%Y@ABfn{- !aC:&Sfh8G q7ξ"|{L:D?I{PJװ0͚DƘտ'Ov3 % r,gyS.)m;TV /,Lo3VA˿S&1}j:ESU2j `f(X{ pl02]~qAI\u%ޔB2/ n+cmܷPf=P jw~_i݆+)6ΡtBSwI1'sb|1GpؕIԋK.!@AĒ'?Δݩ> 1" =)f Ne~97iZoA;W@1nX! Vϝ\k,Ng3%gkbÁ_6;IT.caMܠ鷀#R`==5kZS>1Ƕ8LJ;U#(p?a*|'A;Ỿro\Zx FEISS0voQ>ѹafg8-V[6kL)I/qV s% @׹LeL@~ vW!OE'^lf=t˟vꕻAaR1O]Š: CNSϏeyFhJENUKN3P#aeΧAMU=N<!d'`R:I&e#9v kXZO,WAz*@`K7ӰsPd[ԃj0ŵT^&~YgE$\4Y˱UKlӖF̀@C+ v~"5PE~#y"F;̯z$鶆H s+chJAhY# m!'(J;Hznm3C B|cJ X4u, SC ^`"q rYb ʩ)6qj–7@v qp2ηM\РH8a_džHS$""* ۶V0f"rˆ6 C #*+ q{SLyEq^U}P_&P ֕M] `W̘UX*S+_gA]b>DVQXwȉLT*HT!7xO9uUcwhׅO:m5>e꾒Fy%={/#Y>]X"1aֲ4`|b DNV# .P>`K*B4P,Ue๱f/F5_]kQq1YFX֑ZenTlu) 옹&G* 5Kl?_MKT|e $*݈Q)i{^LCjl:O%Ck`7dHoGsso؇\J97xtYowwG.-<)i=6 IlсՂoدtvڰI?f:"pcG#x ؞lfzCfp^,˳(繶d.XihE"NT)tRL1H[UI`wMJFFᶋH ?݇MPCWjW`"U! lM ?/7hy&zMinҚ -3tM"3ZS̰h>Dk}ȓcZm$`rt76v"ײwF`>~].:j #*5ܥmѾ嫖fe`SnuT뤄p V̬GC%e@cqckL>!CR]ڪgY^?k[T5|1|퇈ݨB:兴,PTS`0><ĵ=D>i2H*ke% sm* W%U&Uz4W="0%#Jn -!; (R'9L" ]H S -2SHI+ c&cDOсtvTj|-vf%9e23HF%,܂] $NX1:2 ^Y$t`P[)apKXB._REx_JccZaɦS@kj.}/ T#cNӁh{X67b`r2;BEF 6S^U-uA[RB-T?o[l}>E z8ҝy( !PT,8z{4"sǼvzٱӉhJ 檘]M wH4hTc7-= ۀ J(sHb'nd";RcBDfm1J%aYbm4_š4d+^n~Gyqx=,`oWRQuې,SD X`KQk -_@ɬW5t wKJӌ2$^2^>hXQ Ȩ_%e0F^ ˼O|`/mV^ݔϡ8Sa5¨w1 J L^h;ߣɁ3 Gbҳ|bF9`Xvؿm{Gn[(wP#+Nm%6==v~Nnl{aiREYKC})8dςw'2TM18OY4%`jo+1-_Nv֐ؔBP>9Q\8b8/P8k;G U7R=A~o`u=0dgj2a4O-nad!^0]==_RM riJOW c1@=8eJUQڴTиo#1OA<>D 6ll$)1Z lu9^V֠L8K3g2r!qZN3aioRD? 8T`eI P=I/9Pħ 2.$j%ƙ谦.)3d;W<47O? 5O'Lt2#jԲhE}XwjŽ{AȬ*`{d'ࢠ/mX[XVI Tc(oGfMtD 5Ĝ qLJH QjI!a_Tjk0Tܳm "LsV l㑍W0(!_Vu<+>rWfƴf9^&T+`Cz O0,Nh5$xQ)9lE{r$mиˑSnĈu'eZm2,fwhr|lt">vp/Q z_p RA`;mQ{qaE60IgCḴSGF+֘ n7: l ~ x=i6Kû׺B:Btj#^Lfā׹.3Ga<.M!{JrB,A߭j/UUgP;4nGqR]ES12t8 ՞84,>( )4Mz-O`d!"?k;cZ /|x0f@KfRp(P+_CAx ؆b Ŷ{@?3DXW`PMik9 A == a]GǢ$Β0Q9-ޘPQ);n-I{ϔB+д;&肱':ǐk[VCdy㇖3-[WYOg֒<,ԸqL8F]-<*2K!n=|lI⍞xfEn5r'lq{dXV-zPbs#D8B*دAL#,uV' aƒq狆"*YQx(/H!UnqN@Sqx'H`O؉;w87цٜ/q MP -t : W]nߺDz zsIe:tȗjcU'Qk) [[7g=9:Y.a"DNtE-7ICq<(E FTi,8$|ڳ}A(dȐ+1^{4|2 zcfUiއwdclaoY:|?ggŕtdN%SducyɆ8t5KRʃ{:<Ů(B6o: V<`6hgWH.帊+q;7C hL0U~(FomG3dN&"f+*@[U#K:ܣD %5dEV yTYJoAL" #g V,ѨNWp8DMY:j&7D "ѺNj7VeR]Hȸxθ9 G4 /qUS *j=Z%ܠNRr(F,F0"X ]dv cbڣ eЖ"_R:\( ǭ-`\$^b~<>qp,G+EӿzE9s ye'ω6?S|Q5ΐ0{M!3o䅙WXҗf⢠, -]KoEWQlYo3~A#О9ߗ p>?'cX'$dmly&;7|˾ &'ytōz<'N#w$d/` NE艰voZK$}q R^uxDD[=(Q^B4F4l&ٮ$ؾiA8:wpp֘0x;) 8&,P@ABcD mE@BTwi pu_~i T/$U(O% 'O"4Z"9fX WxḢt'*6H|ª]s"!%#V4!Edq7$=PSPB8d )UU{fYþkA._;NCHr$$"6zf grIeYQO 4$aқ<@7h$|u#4.9"[m-%+a D2#0)-5T.(0sCd_Ť;ط C] T 3u+J]X&Bc8St% V-W)/A,h0u! %69 Au ){@4,{LheeLj~30pޞmo P#5C,T~ {@=ĆP_@JEJN$9BN; Xch8QfaI ųkt4V|`\̅.`PI>v1~4V/K.]l 13Agy ; 05DBo P 2*I\H[6 Mn%5,fDD Uh(t֌h7,x$lO&>Ą7e!@^hTȤҒ|gƕHc~Q8bd%Mmb%,U!h=-s)j_x#LK3pS"f/10}\ 5107osK7f;ՈyDCl^1؃u oE {_Z1|lfBaX9%k;)UjҀx){l $۶N "BGb$uPIH'IΕP0'H +_,X݌.Љ 'Rk7#OH V+A _a֍DMA"Q#7,:wNjm"ώ,݆lN杗k:v 4_PYzn0*5E4][!W+GM>bp "fS>s 1_Q n1 G1<ܭ$é=cXh`Ĩ-0Iq!D;? ȪJt| c8dMUVl@!7dI"&TIQ`i; iM>"ƻo3b#o|EmŬD,H'on:;Fpk5Q*%FbcnBXإ7cnSʙc=jW͈|_ۉjQU&%-ĬW4XWq.t[L'=8TmNcUAa@ip=vU|sϵ @Et&Btcb]!@6T Δ4` {p.ӛaZ%̈",f<M'i2AOflW01(Hx+sAa\+@"$BJ .OpY='s$%h_p" t9!*dCE,b #E6}y G-ih[a8 aHL5&|l]5#zϲD! [7]^ke X\T(7ep0JbC̀ҚhRk@->쫌UXVǹgW;kc'dMT'>!;'?Z!}6!hJ. zFZlX8佲8ryPUڻ{YB"PL ۍIeB` B03uʡ*dJ*XMƧ 5va(4vtM9)\w9]%׺X&(DD!PUԺHeUd#RVz*8ȢE.\f9忉$ p(ai ILȑwCJ kt"TLdaB*S!D4PT t5JK|%[ a?iq"6GOш5RFpmh Gm&3Z102u> dHxJ& ! 7lnȲlJ f&]C)<7h@a10yPyJ6Kch0/ŊlH"#qЯJ hơDuGnvL!GU9;nC0|B(V;QgoKpR|ow͓XY,VǠ#O@Hk{M҉0 8Z5n/apP)JFP BIQ ]-:s_@xV8%T(v#uƴ(A]L| e2A)=%`DZDZT/<$evK@kO&PlFar(@7_D /Eo@_P(l(L5)%rdv#{i_hFe#z{} 3[" **8-ϳqÁ&URJ!5~};:_*>;R@m/ _ (PYA:݊_~…sW`D@6^VxaaDXǘʕ @.y\(Xk1e<~>4ƸnBhJZT5JAX{ 3K'q\#*E:)i滁 / E([#""YO~_p٬ !l1 B Q$H}"Im ˲rT Όć;f`qEIǐ̊$QeE.:ݦD/Po&hJXւ>L!0H7 Q;"j?DuۀS|/S4s*lFxo<<"W2QBV1h,"!& e ]`P "[\1 .X HZ<t|p NKS~?>Ct bFl(ֲ4j0G&D/v: `ya~f@ZZ:)dD X+hg#nNv![A^E յT.8Ft.Eۈ Ĩ`<'k7i'7"W7yv!Uv3 NL꙼MEȄ!Vu<ڂ 3LrqRǏWE&:4g7坉 IE+͈j61WpԼ @V{JA=T˻I]1ک\aπ ޢ cضk~͒]4@}ᔋk Ns?KM7ŽB~hjPw`bBRS/޺jb:IJ!Nl#58ܩ7`Si:i6ZJ >vDP XUI4.  j.;l 1W`88g[ arD.=1pZZ0Ô Uzv #^gsQgr@IHoD4b˹CF.C(A B |Bi26f15& n-x I4%dĊ9Kֵ"iymX&:)o pQÚ+  ^|=2,(!S:5ر`,YTc" 0//B.ܡxF?@E!"hGGpnƀ%>ZKGSwL(&K.8+g\?v?4)` ؽ/ hDfVy:S@ԉH;+6S3$[=妼O'0(he(p`ikxCtd` j|=Ӟ"i2'DOhpk= |򌄐K>^>#H.hZ=gm)_+_Pv,:e_'0ReǺQup@|"_ XXx+\&TmWY"y #-3% c~Vwؼ$~=O4S,?@6o3jy;[cyw;n> >N!PW+Ǜ)aӭx~RYPNـEVU* c. BQx&MP|(xM&me wH~tw' ZaUU/I݄_wI 9bdºfOkY0ۇ٬eaN7AA2߇ौ`b-_b=Kjh)6mabXх<$*9y{N <*!3bDk 8paKL[4qw9)(*+s 7vMJ 8sj})>]uX2DψB4|q'#g)w 0 *ABJpt)Fdh4LtAShiEȉ,fQ**8F0p."`ȢH v *.pT3C@+"A9E`$ ɰgpYF(E1 rfg -2S2ˠ> -$p_`B}'CH^#Ƹ" ,̩4?[RFiSfsh?(-B%.oj' S[H+6ξ,n~K:l.bːgKu0K&m@a&N@LXU# clgIP#1 qrӣ DUuEODV؊̫Hc)q/Ըn1\} ,K *h$6ڛ{hWY_Mڹ@J{'00a!1k&'@ mC-qfbh*D3(՜$ 4D4|jjwª o8Z !<`V&n5F8M6~!KvLgWoK$E>h %MvށX9Mc`&ᒗ8#II]@CpC0 3jX(C˽#4q簢:"Y˛=-)yY{nkj}l:nʀ' B[~đ;P}&̰㜶ʬ2i 296F`X:h4V.KԐao z>dN6/$ܖ9GGTEaD!,0.s6$X.PnB ?@E9QPq0Bmԩ#S"/s2"P9cXes@R\0d!Tn5rŰYb]"X|buY;¹5,ޡQ_ RdA\ MȃWI"vtY0bS;֪¦4VUx/'MGt[+P9nn.-`ha{P*ep j2IW`x©lj8I / %K/ !+ %F/$WxXdbbb)fҤh Hʱ\R!D*<ׯqHYM6 .Q\$Y0u&ʝkoNd |4F}"9Z"à= |IODx6a: W9u!-Z =䃰A'i㨊_jA"!H 3UWW3`,|et7?yC4lLhOx)GOJ(F ǮF^cѬv@1rZ&7Sx DhMH|^BN3LQB< e 3wR0, Z-v*em.p B_7^A`w|Z9 _&&k:-#PҬRQk) 4 Z,](hsn<ɠ7' Wt: X@7Tq{tLgf-V#wH LNiJA] H6$Uǐ4B@MTz4ӧ)ccm$< /P9,!quj8koL Rͮ2MbNH+y@F@=~_r ćhI&:mvEH.p,=#4%0uc5ےZpl[0|,G8v:wHg~ID{͠@&$ 8_A"T`hDW5 [H =|qg n(kN)||=HXpNDql)j02=6231`x={ W?uHXaXB1*zDd!l`+̏]= rs-vY\,I[ҫO^T@v8yӖX&eT3T.Ѹ'+R*TDڞR92Q-.D,{j0*3Z9&υ=ۨ߅g%'RBfӮ:8R'@̕z{)XIॄo -d&I ш"rDvTRInEZ2 )~ǔ6l+03Įz*":*`s|-%‰W?I̅5B-8gf8); h ze"Ɛ(0w6- Ve444}:aY`\YŅBڻ.Sź)"n!zrJ*.0cB3,M3*Eܠhp|P\Cz89jDSʥ[Y7,Psh_3)_23Y-4!*2j ٭m*nl&.Dyaf%s@3npعLnǬ*K oKDYZDrD:eNUN4Uċvc O5N'u3,^T~dY %15+/xAkEܧ{P#&>nMðO,5& SZ9覆!`)~84r"ip3ʙ+OS$MKuPU LЀS{N:o$A"S`IC C*, $$H5lllY{pn9Z tEӏنTh e+l]c>E@3bFWIRZx\gZB"0\ZN*WQD)"YF % ʔ,`r7*ʅ@ϯXZ`h'y"cSOS}ҭh[Hf8 È:Nn}]=΄aN7:^g)8||Ws B JjzGAȼ7^^񇦇[㖉0t4zB{G<[ss$ePn5NzZfNS!ݣwOFΔ[@31FJ1Rf/v '̵x9X|8<} Իqм='K؅q HϾ g |~ ؊?x|%U,Qb YId$4 m,3vL1],έ[̕'}&O͍!n=1P>!3mO s%uXStz%)ȗFKiA*@XawcfE\ٴ~XmLB_#d^F@֪A"CvǎBй‰ M1V.|*HX]Ycr&5ZL4+9E>9źA,M+3$l`4vf nk. pDmC{/୙j*' DG?eޮj{Pꊷ•ᒽ }{RNe~- (EPFS<f&,[AÊb5d,2j Mf2kTC͠5@٘qU?A1AqK I(d}fޕ^Yc58шG3'n`Mf$R!Mtfa1,̰:K̈ a{\d2 FIw_aF0F?J,a(nY;SHTɑ/ cn"a@,eL ZsW]?%_h_i}>fXY%~2KF&W6N,nk玄$穘];qY+TᐒUJf2Vt) A^c8lۀ3 x&[oOa)=S=R SKa"=ӗD8Œt#Eq:D'#OY$-ۗw\jf婊MjaI?^DGFCc*ٮc̕phTa6xB R uʭms 7l< |nsPԼ`j\Eͧۃ[h{_^L2Dg|.'2D4@@i(Z5V5kuh_#Lr zM}X;jŮ+kU:2?pt@VO"#adP$-Gi='qD~t6>V 1'hc-!sYj=_@1l%`G0" =,1d^ZL۶f|$Mg7UCt];5e WV'YGKnD)Bm1ڌWCA0~l`7]&4l;TVPй[Pi۴F~XQIf 4& D=86nI:>)l-68U 8Ggn:&)\8brGJ&,D\,'OpgxB^kfp7@ݸz*@(ar@> q"(J[b3a1=YP\OX:CLAI[wAcp=o9P0p/.Ècn$_T 㿮  tZ+.iey¬(̀2K"H/t6x_ObX̿0K|hZj8'z<[A UyYA5{qc:~ c/* ] @,[G щn qו%HsLB&S.>xC-e4hMӅ .|T\ c3ϥa1m f7'e rC ^Ds1qލ׿'tTWeE~WN2P| bZP}/1 ḨL!xf3?[$˃\fUyə8d <[] vuU,єSI|"LDqe1lKs6L2Ew18 b?3$ ˧G5gki3n$}$ÇuPሄDz*y (T"zJԅ)KC&calZ5(m9)Ҡo_i??G`6FkRT}`0,:U?f{/G&OEL֤k B9/#l 쀩UFո!ǝ"iaqΓF WkƐSYXM`]+B*u߅9Hrj4[ l Y24PMZq26$GFTbB7oCHHXuPخ &X w?n¬7"EqY g<^Xus5\f^piH w.aS)@ä"è@gm*i~S-@BRx \VwH5KȐie^&,EV共>S 0)˶K,)ID42m5Ӵ:BgbrNLe+=4CeE H˕NS yS'A|NZ몓 t/6v{mKGaMD~إRCcňt s'Laɾ5ECy@+{`+?wbm@)3V o#?LReTH L ;>t@w0)F+n#U-xds}~DP|񜅒oCWWy[-n7Ptj&,['V.Å;~qjfUܢ>⋿Z9DWs l{reǫ{PR6=ԔumA#`Ł% qA CFo9ɻ|]y矯`KR (>~;Zxp[X NLsJ$S4Рz v2X~pQ<\ e k!'TDƁ!iax@<W48Xw3Ak"#5SbEB꿩QO,:YC)!V.pi\=qqPd <d刵p:t!S*Ie}jA6@&9)fq\mn!64,h"}sÂ.TtXA*Ke7%iIei(`rCR t@LP>;\)fqڇn  &u袇 }No,q/Ύ-5(6R1ਨ#CDuCjv\ϰ BbЧ#%S&Ķɸ\75ؼDRM^U#7<-0eD7rw~U$r|EK/fZPj9$kNgLy iYki"BȤG'ŎP24)Ka!6cBb|!FBdvSGAۣ?,CLC@x߷^<nEL2 '&D&.9u` t<dnprmu .ha;C1芛!F1W9G:3BLVį !'qEpd(!X!]`M;&X8Rt3pn XCabi ;nwr]Z<їMjnvOOrXbwz:8*F/F0&2a\rcr?úİ-[%.g šUuQ 5x@.EPa/ڡҠِ0`f Z%h[>p&wQ#6x¢s3i\j_PN $:Я@WeF#C21pV9ÏXEjͬF1f Š |Ϝtiw߇@h|*W-*VuWeZQtS]"IzdtZf?O#FC J@? J|HraF>;/B*-qνi3ϐ ql86'w=c$aZ:㩯T$0&1~Ѯ Gś]iPf[pX$Nt MX22Q :)àpG%:L}"Je >CHC$گV*:CqφG)rBQ"Tޜ!F,!i /oD\şs xD~cO'exujm~hѦֳۜ2!Es҂Tr[;ϋafW<=#rE%ͥz\4ZutzOW؅z穒lo9.}t11pɉD4w,rj帤ڠ; u_ꐳ՛P\U*kHoVrGjU}lC?B+wi\!{8YDX]¬Mz"CW]ݍPo}wް"tҎ*~N$hwCȅ}k.yN["W9p<Og*x`#UdQ0B P\<ޛڻDJ$LХ{' J툽75v2CgկB 3P]լٔBqWW8y5F./rΘCz!yhpu}[T͠99iAD1c$B} A̓Ӱ%ЅZH{xtdT@>P…Vpt')@-9" `) i/bK劐^y'ecY;!ƪZv4!c8l %& ?x)X'٬#8}d/иMa#F>,6Ye sb$\jzO_`|N3~P%d(Sr!h1ZqpOk5vt"8e[{@VfF]73G4J7Jn )QF^Cc0GC>Qd {).ۀˠ?QY'P%7C%xq}--{mɡ̉Asl&|m2xPp58vNaS(͘T^ J,QH//7{>ҷ[yܠvo˗ܠ,AjTn'8цW`%]ewOw@͝K7-K #s:㫁:Z Quˆ"j*$ @Vsd0g!ѸzkjbrMsӑz56Dak [64/?; Jk+m8/qx!"DDFOnH@b1Bj_0\m |Z+Uf݀ .,L\3sb]ZJ42ByRB %B9TjKԁS[rX׷ZB&<ٴaUҘFjێDZv]UσU0&PJEo᤽L?̈@¿$[#Eݰ8V킉k"QGHӯ6>,ɷ9;ΉJn`|`ρV{hW^8QF`LY, |$u $[t U)80BNovx?@\`Dp3ޠ "W!1Fdabk+! O7ӐZA ~Wdlf\Hk{[cMBdR9?l89%(6!R/hqa9֙AcXi5k4=,/ Nt)D^e ¶x6q @-!݁Ξf_`fa`0V07469k֭[}61PqWK+GFc$UpkKX/ibJ'*8K_`|x@pb'',鴽 bj;-/nvt]yBUAdC{fAɛ]~2]p`EK*:ʑCc g=^!R |.# H %Ȧ5'J)4[hro^!z/pͨfh,"̤6dzLtJyܩuu.f)NYOdP 6JΡ iSZI(i:̫:j$xax!w}ބV )ti >a҆W2T|qDƞP-b@Pv6# ĺ*2 K 0~ .+q e4ߠنAs+3(XͶ)]/#ȕ4ەmY#"%5@N xm(^ ؿuuǣq1Q* ,~hEw?D~,R(6'%KX@5Hl aoJ`b:5XYMt7j5 ]Ts8lL+ ;lITyIuRAB Xn{YGBdW,iW5%i񕇤C?%d\)'ziTL2&h[\#tO9GhLv&\$ zEqb& TzRB 'Xp]{%f>Bf G)B4聸VWvH2?zHP`&Q xiz qMˑ"Ov 't('a*Nv$~.Ϲi_Di$J*E.TZg0.AVZa!bHzd92JdBJ"WN2Uh <AN~w9>*Hw=nXjXcD7qfq`9 1>YSMj$ĵtNKF_h Ad0]#?D .^ܰ Q=4,s!bmnI;p.@RM_"Y/Aa.BYn`:FNo[r8x~ #eK&4w&+oEgSX9-_)BBMl6^2^EU.ΫI'hY%9hzX UBpaR1ϪiuRLƦL8Vt)%A+SR b*qG5AeDKZ1TIeH*S(ԥ, /!Z$a;`zgF&B_lDhT:e"'iiA3W_t-yT,7\y]-3$Y^Le#"+ (` d]1DN{y(@a 5 aaM {5_T5"MiS %'1p$|vwn7`#N8_ruZpc$UE&хػ.\VN`j6kl4!- % yyqb{d 86uuBVoJ{JŒPn||,o6sn2p[fUܧ)SP8LF,f~,;p`K)خ]+HuZK1%. [%]?t~alp DZQڊP׎ t$S^y#YR^7L,Bp B{C X@/JٚI˵ybRn[֯KKJ`%Fa/2("wuP9^Qm%O}٠۬}'iR4"9Jv$ƛօGAb#J>I&|/M \f hIWB;n*da?GoAEe+%?Na αLr U}HUbVɗz)0-'8ݬ⃻{p) %&-8ղZƭmxc4*5Kmat(}HqQ%p!~sb| j@&BIN,P kLn {ֹ'E);:*je{RAݓZ6PdpT yHV0R;zS;À0ZZ.Jٙ](,l<cCHǯ>O4!r} f֝ȑT|o[0*l3\YX ,0Ԙ jZ(QZL9APIꚠNG?fr*0O&cfZ-Ln;[ZbG/'B"m_Np t7^'{b.}[PP)\"%[>=笠G˭ܪ5XE]3zeQ\,?isG5Ђ7;BK#os6^3D+ 0nrEiZL@H4e4%y(`! AXVXjgM}I6UM);u=הYi#C UorJ?Ҟ]O.0Gz^4*3GNL $ǾbT5I{=:38\ʰ ‎Z89@%;4:x0V+P 6d4^@fSMnU6٨`qTR؋ jRS2\ll-3:@)DPQ2Ձ*< . db K'D9H]\[xSOHป>/Lv&ZlGШ@Xp+ yç6yTa*ƏǏ)*-C%f3qefrpZ 3Zir8O?"H2Ʉ\$9I G, %cO;!7>gBqe#,͎ZRz 87><G`*"CWϣH&< e}KR<꙼1`R`$ҘDޜfJBºʀ_1Sp7Dcѝi%:5&W #pW+UWΠ# Z# ~#j(]r*W)jh6J( :P|!2G\(`DėTe? TjUxmLF_J:YR3TFM!|j 8W-WnA ɬT c(k (DC@;ܡ"mrP4QEgNA=(5.3JȊFOai!:+ D@ʈ@3Q6L#(rbٙiy=i;>OnLÍE?2ӴE" $ '!oŽM00d@Y&H]U mT8qII ^Jd.hy+QP?y~whOPf.fY<2Qf3fYO~H }&0,c65ɖ3zX2[ͼ x!|j#Y6cwQzZjzG?q\>zO-琚7X ~AOjX4\FCoHdSHƘfZ- GB&'$(UˮߜM3ʳ!It jx-JTޯ`IjP <ӎJR!ax!N_lR-uM~6AQiF!|zD$JC]^F:9qN}`䭑-nQ*AN@7#y ducKdMBHM*\)n\PaGl TjdRE4{>nğ%WVeH] $()Gʃ Ds_ m6!NA3r@.CwaU>H<軐7v>|-GpғiE@#(P6aD+i.kiicr@\WAq9$%TڲsYn`{)Ų721D%(\[9r*>gzyU-wO%feY(-4d=h֍"J=ּ>ҳþ{DV㝹u 6fk+K;fFC0)_6VBdRd\%X=Y3U{:X|0x4'eQiL2a()Io.Ic؆4#) H- JoM hk:QY|{;Zѐ > 1h/Nj"F*R(ŷ"hW F3oJ[w ]E:.'Z `'~zgd6P`P^0+sшk|>h!bK@[2\kV.hNT%ծ-OaIےXKS"=ؔߙY :* RNӘCL< KO{Y8JӅ"MJiFK^ G5F*價R*Mvܬ-Eʫٲ-fK̂vDun!t V*FNz4(F Sa2&^ÍRfEtYj;Yx#Pȕ`UA&%OzM[OV5PVVM4E+)APO `aTAkffM#cQA72H08DcKaYMDlMʦNX3fn$[%pG2%?>81AOE(;jc/eqDck\M^v:V 8(*FD޳=) sBаfA"3#)x 7#0I!5͓͛fYٽ9w{=b,;V'۝CHPMh5C:$#6)̗(і$؂wòE(S1e;sqA\Ʀ["_9]H>DHuAڝTL/m)|fC|(&瘷6mW)0!6J:OȁT\tu6Wd _4'HQҘ RP`5h1+>#؋E,<@(1BBϛK8%H=TZ% FzF,)gk0Hkd@DmWeŲ*UtdW F4ӴɂjB<1M\9wb&DaI#x4BVLɌYEhR z]f' G5> z00&@,KO<غN%ZT0`H=98)$pf7[߀ӳ:L4^lgog)X I7|[/FUO _VYO mbx/̷A+N- 㮠[ 6Jɧ ՘ЪX|Ll> ̇ #HnAXfUVe5p '2?*v-(vl.~PE ؘY,@1k$.F3i <ҶܡhtqjL8qrgT3QiB4Xa$kGp97d1a2 p Y Xn ^KULec( ̪ pB1,دjxsowtts&ƀc"cM#9Y.{EoVA—3tiPOG]@`m0dk.jw=7s48瘣BRf$cVX^^['Y)a'Rn -rb0P1w0FG5b>t(AXP fue/2E,cL\*c%9 ^i!N3X}%0QFʤ %[!  ,whfdZVqBB /OԞ$@:[S{C4VҴA9e,u)VRoʮ:;?'0u2'A @۠1:0CoX2b+dxء]H"20-sPV Txra`(Uv꯾+IT*v<Cg)pe08fSE1'rhSɈ~uNRc! nG,M$6dC~ 0JiFoSX %4*&H>2%ӿB'1f8J6„IL3#mÄl _DrĂ& ȢX[J3-QwKVe|QoBn>G-qd%3``' Ŕlel0~Xp~[xوW(i"y ,EӔl. e rR6WA. *`W7,e/%6Kr/(e5\=d01(ɋURah .xdH0%Q7 Fb"DT'.<%'IIrdIRjRgfM !gK $ziOX TT1񣡌-FD XG҆nVJ>0-qK\ٖi4h*DY EI)ef\g %㩣㹒#5OgbXKؚd(qO`i\2֐&KkLHK$B9[0#%(#htwI4"tT;T67(4W4Ƶ_rF1YPFC$ΪU0dԪrH41&$GJ!hBUiU8U8RB9?B)FF|תתS÷^G^^^FII0hP6m> t3ifpͦM6m3 d+itV୥a[J¶Em*O+i,VX[Im#F+iVAL6m.\#iXFҰAI6m&K#i 6@m@IᶓCm&L i$&HMHA6m A h&MЛS'`N_k\uaA0Tvd:'Zk~q 0F3T@L~C 4AlIC:2զY ƬD{b5<Atc "δZGc Jf3ZǃtEr  PfUbN%QoVwsIw5Aj -FYwiP5 lh)G#qZk^ j)e9DĹ2&ќLXeC؁:k6.gTϱVZ73=XdI\FL.֠cCHV(P09ZLy@0%( 5:2?u52Tc%@2F3 "_C;8Fe_ >c@;yjyDX)/A`'8皡Hj$tNsЧ0b|M::(jICF҂t"BK(G@"P(C_1a`9P/H9X1l^-641chcŎm t/]u +E=f#1Ȯ'j>gq/FIJB$IT8A"VJH;=8ܴq-vݔqAŬe'E''%L0|Z* =bZP&%X? cա,dDuTʸbZRP$dPk LU!D[h2m"X ̴*|jO ?k1ڡߡfU{mf5}ӛ ^jHhCl}ͯ/1mt5 }sN4 Dx* kگvz,vZWй,:5N)$$<AևPZNX5T#(eerY60,A[!k\ǤL?|QQ%RRQHq[U-# @bfw54 T}ã Zn9Cht@g6c `y9;oNorջ H+| Q3ni {z'vQ~[pva4V!s֤ImjLJi)dgJwŚ4sxPlYHѶc!ݼ0+Yqw3E "ࢶ I`Ƭιk ~0Gq``cE,R-_&o. F&Q 6E ޛ*?mRVTEǭRsoQ2 k Z\RODm+ЂyGP#pGEP8a|7rxnpb@.G Fn#CԔ NzStAWz!Epr{b8by;JB|< 7RJZU`e[!4U-8m$[$MvX$ISD,f,zD6J`Y=I؏xAJWcz_TfAh% A8S1Ztj:~\gAuӤ"&tzs84#ENΩ MG/sfS0ӌĚd9QG;50HqY L#Ũ9~6 &EH\RLYMLֳ36}SCɥ,\i\SƵ"3`BZUVR&+qr]#q6c5dOwۤOF|m6!z?ph)x! g pkr?(2_v dbz #< | u#-jOnAVfd |G]*SEH0wYRّF3F%Ԯ*'8pF Ls0L%N䁹R9f0Qw(}u8 n} ++ .uadiRF o`@ #7\gV;측"#@ EQ,7K\%b݇vau% ZP*m%̋ k)Iӑiwm c d7u-,cZv4)Jb.~-OױǙks'V[(5b?4g?SR~H˻nBok&3h]I_O^m:XU{}?', g6nQm ,™lMP:0nZ]c$%O;:;P\zT'@`&5/*$do<}8D1.K<Űp;_k{U G f婸yqƗ/f%Yٿ3ሊ $=1D{ډ.`j8$ a-vQi@SSBlXɊ9qja</iBÁ>qJ Ge'u hc㬊ƨ#t`V"" Q&v(M{f;7h\[ohm,Ўb0sg; &L1Nlp̽d$YJ]yBM9I3+L`id@7Zɉg#yHNF?Z6L(qd&L6j_@"K q9 CQ02~SXs_M}^VI e KsQNC |"4lŒ'#HPEn|l<4!^uTl ' cޤ*,}fa^Ԅq=Y_DP.Q(!J̎bfFC6 A5|q_0B-MC݅0q/Ąl.GPfm8nncs8^8&p|5eDmeuoxC_elwbN 2CH/DJHmdJ-27{a,u aoRݲ#+s8$ &HICK'CgdLvM?.cD ;Ȑ+ v(QiFftM"3͜ QB@a0XS M9V\- 6E!jf|q(D0삕4Pw#az|O? pJ*ZEL8@Y0b͆9tƛ-%:'4C$ej3d(b>1+Mqk;s6qDť`Obebݶ941-102ir t Г[ 6J)f-H{kpS?qIK4^ط]H*ڤ*6jq$6cbyg'R}V|SS( !^vpލ$j;r5_0Ÿ=NBa~FZ?Xa$H@e-ݔXXP#!D B]ܮCINQ#> -2-$DxT&J!pcsO$o&F#CS;+gzf0CdIϒd)su 7imgXI dog03 #$=ԍv;ق^x5AHП,kź-:pP 2iFIk$h J'P4Y0,A&ڢ+y2tөSCDF!f.AvtNٻI1ait.\A:D1Qe=5h/fW IwQ^,S@>; d' } 񘇏~ ߺR:M{+@%x ^ ?.4NISYdQ  n탉j>(`ΈEә3$"Kg(6E8H|cMƪM&pK ԰]|/(@W)q,HŜFi{l%sXB`Tz@t 7)4{1Ow#JP HVP-$c*'k(AH|5H3 CVُ5:waA j핑ٙY̜RUbۋ.S6Fx=g5tbv!FF+oWBЉ4vʐ C!i m5c lħe>j-EP@)5LDJL tMcQ87:y l1+f)wIC8뼽J0l78*'C6 I8K`-HĆ }$I?f>B2' $F-ON ?_I(BVLJrV,HhQ^O O`+-4 FhjP*CC&tfԇ~z΂ ^bN')y_ 6i!m.aϙ,ydAVci4£K-R96'mͱOqgV.g5"&bG )iꔼ +dv wlC@6DcRDFӀ;fSX0 &O#jv6NE!E)R'YWoI^ 4COB sQ4RH"!Pv+MY_CW&7ӥ|BuQᚐDe8,̮Y|*v> (W(j_v#u<8C?+DXxZx׺C.xn56( [A8 j_dd 3@1f7tC3X? vs%2MH˧e<8ap"qMV1yȢȽ[ė!s'/|MI&>xSNQhW7D8ٳKE(YXOA~m1#!(mY }"x],#qJId/ӨD-2\?D``" ]=(?hCh629V&0֐e Q-M$oAhP"|k>xr`%^2j45ë"7R 8 C[]OVL&^вE c;Q8XdZeȜ#}}D%z2#K 0S .ѝyЗA4YDDnP(1B>u`UZq$mD)d 3}g0![0^mצy'BFA {y$EB@Dp"nFI - w#Y5/_!mmf&h߿FwF*ؤ+.1ĺ5B9AB~O9L.ot ̾l3|DBxE,h^lZN3B, M;qZrd,Hlo1k'MHq l "A9 Jń&*"fftVƖ%ty]u×al&`/hM9M/&7R4Nds"#=Z-3C)3; JhD'jA[y"TCF0`ؠ )ULlZ@6LǸSsUϡ@50`8%oz}Fٻ#@)VIA4"8iq10"{&H75Vfqla1)$Zյk4kIF"hoB690  ]$њ꼞*s%[1HЩfDf'q3fLN{r9kQq ZÏF{M[ p8g9BaSO3vY7jJ$iY02vAvJM'+=5 3r B&eBHWn9Ud"a"ײGDjxF(g(5`u)M AtL Vhp.&u($6.ǹ'?=ف%EJOBG/?a#?2}B }2wz~R< 023%>XXCQUaYȌ(Kc(j;`cW2s3ďaHQKU)}=J ffVfi+:7zPU?UPmY_ XHCɠ5 QDPp!&Q ,QuDiA%{wtC%PݾnɊj@Ov`|#7#QBh—P4S >&_̖\D,iq"NSN&rˬU,Ndմ9FH֨_a_RC8LqBE]8\AĜG2m䪡F%,}N) h62w(Ea>(晑jߏ4 zG8F )i Mq%!fPk^fh9U B" 45ud00aA,T+[E$[9Yyl|߄039rD8BU9Q%LCgFą.b"ߺT/D[|bV>o*_A~w-g; _BM:Qr0MO_])AlKVn$*jߊՌ]"|)hF?i0|Z=(afuL~Aӆ)G.o`2qZ *8-Sw@Š %ҳ3!eVS'5d%<&u;2dډid!Zp;, hNjMnLvZ- 9yjgۊ%K/VojaZU۴$IFXhiFL^QuTq?8 M5(Ѕd[hf07>uj:8$"|1a͇@mRor\ $mS#Ip'GmA(RqQyL"QtQGn@xGEBI9zR&cR\Y[Ӊ HѨJ#W#?sǓ@|LH{fhK P#u"kP)wzJQ=̿V$ R`N&y4t0lKtѣV{O-X, ߟAKlH5.P&N1/͹*ق("A> OʬAou.Kj z X&#tp05. m$~5+;qa_<ɐ%~nU)qo~*fc{Y$:W!L(SqzGw:)S@A  wt|$yȳ\>KመKo"&ͻ J0ypDC"g6zrUGto @.K|. S 6{&v$U,-CHIE@ ]Ex?ӓfu!04~jTЬwCXLR<3 ͢G%Al.AP;kvE4iU26z^ьo@xx&Y[jK5>YQz I!\bh.%naS HJkS  ր<'q jQ0C؇-2j`=-׾3#p$IɈ} DFObDA'-ѓIm\*avɛᾔ"-A%7]1 PR`  pA@ƑGO$IHvʼn PecZ`^F+\sYQ-Ohp:(l8```B%;]~3BD+|$! Pr,<*XO PF[`Yy(>S~kCE@i<1;ҏH;0Uɫw%Zn6Yļd7sC_te GqsIj^EEmLt %nE_[0`Qr72!P0$ZH,*bsrrDhN%s5cwqhT)<-P@ZjrBA@_3tydLNi<?|Z=omv֦q:ճ,@?D.7狀g.AeP,-K|eo,J* mZu H B7l }Ē31(4! B$^"49ȳыrr?RzI\P!4E&qBG Az5ɟ̡eu_d 36aGiDFV+ ۑmơLtwZ5[G[ G2ϴpM|y s$23WlHy +olY=fZ0d@1xQ"L[gfz$2i$H%\NCQ! dpDZvk&ʧ>f}$w2.hU(qDNזJlE$e Iגhceu.Mȶvy tZ)(1H".)'J0=T] h2 f- !<8 c11]$aNORj&%  1?;\ݸ@=OK'҈8-Nѵuؤ2x5+j bW B]^Or WuX{ A n_B_ T>И7a#oaܞlbpWI6|uF9s-{9)sѱ0) tʀ `Ce0~=)&fu96b͗4!p hBk2Ah1rC$!`,(`Oa#o8D,;BVfrf* HtH,V[;[NoP'QQD" ryH,II2zbF3A@EMhW.pcZ5zܰg,~5ǘ- eEõœTlFhY xpJ5@~::NPHEtU8[o-h-I0qSY[>@LӬPf`رǀ0=#GYڊӠIq G2CH:WcPq*X@QKXىS!I]6R1.})#򒳘H7%Ռ=]"H׊8MDఱ`DZ0/@ҿA@e%j2@M2$ģ5 ,HBv$-20R,4 4t?fǮ 8%D-!ɾ00A {Z9:ܒC$4$84!~5Nu&3>QZ k`0B䰥u3}cRP𖰡yؑ3/DZk R같|hsCA@Yд6r1v [ɲ3SE5Zz<J=Dƨ [sT@%S+1T9!R/vl2X0f0.ar}1VᢇHJ3iW05edR/׭aAyna |H>/H\AzIGTO$ՔMh= LI8ӦŐo)G.G!q)W-^K\am9 #`*Aw9-c%|8j V]qJ!D4٥NCQ̚2c#Dǘc^"i@ <%^C$#vr#A˺˴!Vfl1E5BSPIb5[5 E2D$UQ7ND \t'4C4ҘeJ@H6@ʍD"Z Q5BdҼ鑑fEH?(5?^QtF&^~O(-5jKZm2#EBۯ)*`!z#_p|gbm\M).L:,On ƷE^mQshD_k4؈W;J2 b{#BAHtK,Dg ы{ĴEO˥ HXAOCVzPls@k/`Y:aҲ+%XV Z$gifQPE,;]ƌ2 *m/j<4olP,;d*ڍwX7h1s33[ihI}qaޅϰII; HWhtc`+X[@pd(jsl,F6  3K}}p{~D#jaLFd#/:3 ڌK`pC C<mSɋe)xHٗTa[v2)afH,t0"Ʋ@,^M@(@YHK"]M‏( wnR2 Co}in@`yNI+*5:#O65(_n@9zXqXԒ>X] DU )"Y?d md6"Y y"EtO4ȩiE䊦mMjoMM4Y9*?&!*hQ85:MB}]PxT }NI;a^#sX-m= }.%$EؑBX8>gI3q.Ȁ°4<쯡:$d~!<&lpXu+u{ք䳰m!m0r(@?akIbyK60ڄPBx);$==3BqRvXJL}qQ =^m#z!XȐ^+ E_-;H(J1*/LlBFw[0M/=xhcW1D՝%4+I5T!8aK{SuÝW^0^&4n{RB4^BI "Dh@q{' hy3f@ѐTCE1[B8Oy-q[ ߞ@M]rQnXdBۆ9c>Zk5 e!4-h+oXq2Ǩsnέg屘_[)+Z6EVĎ^!OICses(J~17  !E jU ,]Z)`P $ǼwP0A={Wi=5y;DdlYjA{ քh__ "wR>f惚t2\1r 4-[tӄne%vN lAFXoѲ@05)9]da$B4͠;BafR@Ә2 M24tDBPT*.\LfRt ĉI2Mxn¯q&fvm hRTf!v*}6#P" ]IbH_*y={~L S*L=)-mi:!i]QGB艖z|R2zQ"zHS܅ly RO밄$ FWp&?#-}g=?^%׎{Űb6;^IM=#m0~S;!ǡ] 1M`XG9s4Rddhvc? ? 6W*64,4W/, [15Eܰ:ג4Ի[9qFCW 0ap0аPh y$L!d+ Hm1 Q&n=1(-v?Q8l8By~E0e ko)&^hEn>ϰL,3,6fCpƤ榳q a*`7b-vXiG,t"Eh39㉵5)\is03BȰS38q:Zs!N%L$b{+NCaJ'R1JX )iŒ~30 %a2b@Qp ݜLE>~ANMBXtf >>n) Z1( ZcU$hoP`yb 28`&GA- !%VrؔXTLUy+qK I2ȯug1- 1p\ `-- >eMFBP2Q=I}DrAd!(%T + 1 !R X+:py${W&&SQQofj텓>TLB#3P7Jy0l"ąUO wjWX; #@/2=9&6! Co ځ6vIb=Uh<ȋ6ă=Lx<ӡà%+)a6-B^:aj#z12f*5FQ>0 drĤc9Yj(2X2@l,dND2̔:Tm EM޸b0V4шSHީ|DwBL"L&A;ӚsP$wF*7fK̖S%DfPJRP'B&S%]y **`Ƽ&䘔0Y#<`^D7ӧȒuљ!x;/$ pcL.`H`l;bLW9Ah"X7?Dљ:)DF)$f$k@Vd6A:(|`0mGSHHD0[xӋ Ŷ2ZN6"Ien\l/XPB( 9[gw oG `lFlB0RI dҴ`=j'$ ?xRD;P sBDŽzqZ] V Έ Gxa39RЩ薈 {\mߊR2ȇF8'>=[/0tF]_{ENu][w- zF#&rwNFQ@tȎc'ɇtT 5 Az.;n!nKQ5;6#CR\Uɤ(Ym1tl`ҵo;YԭrF&5C`U8R| V1E< V^#u']ZzOaB2mM0+,%$Cy Iӏ@/4h.7,xr˧(: p~EiE7xqRrV*lFDQyM#X*ۜo?ˍ_ing5DA{ˡf) ق GJ< `^gqG9C+m<*oIǟ+ɀ6t+'s` }8'3¦?B#-a)w;/]r8wnb YýH|E]?@vV5Y4 7[h~9 X6BR4gܹ\ Y,@.A>5*9 m,63Jy|u`) wשġe_~/C9h&ZR+dqJ#hYi0kxVc` T{ֈPVS#d$,$؅jUL\P!=^0b RytP嚇ֱUA/e'2w3? 0\̳5ZC.@6r|+QܧchLe &y^9'Xt—Hfo] c)C7xO >*0;>U0Q⳹&VtA ?Ⳣ|.X)]vY<$SãGd4;~-0vJc nut-6P[G<>nn"SFWh!zeuʈkӉ]4PIU™@h/6vuL|Td4L0ZdD.s sɎk@gu֓7Y89 30mM&ΏxbDoy4/$y0r:5jp_l\H9:U]Bi9Rp% 7`$z3IOfFPA,cTc͸1 ¡JQ澹A@8sw\[a 8kfH+ 2(' o3F$Za'A5=R_0R XeHυ0)?|if"mdBYgdM-$#[yH$>47wi~@j/ m$~I)RexL @dp= 4J\_I ^Ho\ *.7tu[ gy[qԅH5:] |q$\KVWD.ɉr1MT(|8CH;/l/Sčr2ȅRSxR`(vUMB"\G˒ + 8w)ĂDF]~F;5@ Ɂ<ډ%RDqT%a`k?ɮvZ6:f}Җg(OdTGX3XW˝A$G hs6$2u0mFs/ye/dt) D0;%]ڑ`NKBk67]?o%#[m,c ?y1IOYӾ*|z4EkP +-ho p_1\0Oã4@bqDPPmE@73|F1-.7zP~Ȯ(he<0"a!RB-0/zwXC7WI`-0QC dߒ'4tEX Wnt1*pV&C,MҭfR^ETdŀ'J;H&aox1QxGB@G ײ,h&OhiM5kTj&aa1&굥i*g#Iʫ 0Ю] p!al@`"dwRXj:lb* 09!S yI+ B#̖\W 0n:K\T3oO9bD]v@,(Mȃjw&>ό,f)ܠ2Yf^X1J2uHqr"B2t Y_lItI.ZkuYBJ9r5NH M"3JԆ1yllFeWX6;Ynh꣝뵚7ჿ$$D/ 7%!* xk!Ϣ;Ĭ $ԤF-D ֥*@{#^L>.(U?6.@MbHB{9v); %ޚo2dָ&my#&鄯N߷x9 Xb!ǴAixr#[U~,?XHW/M [ ;Vѩi@ྭ&v#]]Ғ@PVT8z/j&›]б皕:mqd)G8dHr?.l4bݜYjq711jDw m [b6V- ķcHcw6x{~6 *vp/lT;ߤ +: -0)+LP)MkHC7qZ6n ]TF?ArJڤ# /.6󬏪{@E'/@͐ǔ#l}nir#u .- )G:0P6^]n 'UvCiN2 d4Df2 Ivr2EDi)g: fY:_&'s h-OE-HVlihhp9sV[8Vs>(gٵ#Q*xcTF6/&l|Œp(C82,Z7 ڛؗKя*Pe$Gѐ3̲q?RS6Z^ 5P}RO 4PV׊Qk y$qmUygtޢiDyaRhAU<_20|0I\kX2W1WЖ$F v:#|#`cqr.6Q FR (2 3#SCQ1  #%[n5_OVಀSC} e Ϊ@qp Q) 6Pl!cM0b#OXytN4 KRlSvij Ae323F23O0TSD%_~]L?Ƭ9b`_ݲ{1̌1"a.|1]9G98xdVfD!+b?a͇0&&RkM0V!E #%̈́Wץr@>G{:SUW|]҅F(F^Hb i?Lesր'ٻo r5 9Wtދ0;tQc/t*T޺8%z6ݩ;!?ؕ2G '@&?y=-!$YQ,[ws&BL"I%lWtGc_QZ%?ɕs YY84!h B3˨(ʩD&0HUTFC7uI*R\+4Ȫ8Зj6m i0 )g} MU6RONke VeuȮZX8:ЉbU\7CdE&VHT)@G=  @$+zm_'~sB]>&K6%>3qkh\%.e fp="dNS2 j95t{ Rޓ$\VlQ$W=l}ҳ+F(Q;ʲUJD&6G\gm]&d!J,cM` o81^^)ucɒm@1} ,:yFH4a^b^tOuԡS j"sӣɲ,EFy/eJãɦ9HiiaK]qlCHش]t%"YwbJhP:Nx-}b}_..K25x"9_W^)u1͛BJajY͸$ S =-`NGQ~dxY쨕u+Xm!KL3ئ$zlcPI|ڷlo *VJ۸ZWf!ΥxJ}E6q dF48[f ND@F`q%YV2އ`d+CH> g(Bq6",(~sD-6vJشDU X:yJ M;]2Z5أ0?0~)6L,6DŽbFqF_kC)^շC V8i}~Pb1!Id:%|޴Z|(PE3y!"EZwQ,uzO'_=FTtňYG4Y )7fdٞ̑:mU&W$hd.5R ^HgؓTz:&cئ㑄,=MѾJ<>Sbչ%q H˯4O]Oܹ;ܢ-׎bd_Bj)As\6 P#͵GG r[D{Cp|  ؝7AS:D:+=_Be, JWمorUE_K2ל`%ڇ`;_pvMXD+)E(_E)?+Fc7 rZ/9<6A:dEky^cn/8 Wf`o|gc / muw և%B*6j"ˈy! C> 0(o)uO-vr| 0?C8,)2pOs fD~q腣ڦ6Ʋ!wnsp6-[ij뒧kwZWZXG\z] xzTŕ-vɅD{]N_YUT+:ԟcWCNE|]18QJȍdL'rB=9XȌ ."i7`:$w4 8E=3GnoHA` Ɣi2%׃5`nEzX=b7+N2%E8DR܂iB?9'͛(Lu^[|oN"{YB*rpbI&[P1ʝd%"; fpf]vJHIFRet׉=Ȁ jZ*~"@Bzw&4M*f"n`(ܻB @HNY3݁HeU 9|M Fme$X BtrP.nqw3&g5K@b R4,K1hUV;XÁab-b# 1~$FvF"Z8(B` zb0<v.Gή2`00.ک϶b#ʖ7H 8"Tq< \v8HBU,1 E}eE51,էx@$f34B8"s-%b q?GEms먗˝=Šr.xg ^W@>lѲ$>dt4g5vD]cigR`@O76č?se# ZYXw@ }me̛,Ң2˯I.9&ځym =6k Bۑ,OOsK);!nZOoiLiQH*68d%f)M¿mmWX{ ̖(D8KӱBd7}|͂p&¡-շ|u'{5UV#Lx(2j>g9LS*0ϡM%=ң֔C|rd*O͔&hkQشNT>p9b3_xOȢnt@rǘSzp(lh?'nGl@o`7!<ݗ'񧤌7貃EO(#r>J]42jstt!Wx *a+51CEj3 ֖#$\'Q ݷڂ~451AڔM8@3hf0ykI-#3@ڭ/F)H+&.M0,Q_ |/\Y~ôr Fy gb= ZD }8oY(P$!ɓd!2( ߾9E4f ϰq'N|]Bb)HA2`s+fb n/L2E&$tr'IJza' dn!ܜ[FWE4 ?&;(² n ZQqhaMIBჃC1s? ;u$8슕+k:|1$Yy`<ɡ j__/Tf<@+F@XY̓Z䠊i0w$#r䱊x8!9$cK=nu3 }ΒqmZC D;TGQ䤁 %]sb"`hCD'̓bގ;" &GI&1fBr b#r*Jt.[ D0  ; dd ]jtEn.szrS)jOǨVNf;/xu1'>{М\? $gl}2 |F.7_aTm^D>M"m>K&Dr?;SaH=˼['dF,aLB/q4-$^  !i 's;}4bVyT8J(c+e? ӱj π#7zE ل4z#bc%î"T=,YD [??f+6AZ P6*E070О{%1olo/uƟtPP'W{@ HуbfBN ݼ݁%z!i)"xKӻjԟpēPn=^˳U7&!, Uj9sM]fGD%am5v\{,0l!+atÍ2,(J[)dˆnkP602 G=4^U<5PG(]2^AuMP9 [D@#F CX dh?#Wv1 VtSь2 y>n"ӧƚ|m5a(deSy3+,RnI[I%V^6y/> |YCTP"1bTB۸ f2pePql~\ k"#vgŨҫӋK/YZ""{ @#RiJقQuR+ џކ+PFm2םbkuՈ 2% Y?EEY3 [, Lylye9٩}AV7U*رj@R݋7qL@s4]P;KGXy-c6{T}|i ɥn״8e4OVQM\C̣fDdg6:ms<| U ΨWȺkpxF=+7Oe.bO=AzHr ccd j`c;l1xgǞ 0pQMf3xCm)f. i]cꖗ"s:=bhޠO8%.'"=joOڱɑÐ4FjW$MQTtk}OBPj0t8wXקTO@vU7d$uoӢZ:T7C }=,عqMudH F ɝsd;۲K.Mx݌DŽ!vf5`yrC!G1b"Va ? W "1Wbwi4FSN}#ȁ N2ȁmm;V!! * պ^ʴ$@+P1ZG\OAfHdӰTʷSS@G7e[SVH Jf9a'ㄓ鵤B'rAz0B aqF&5{g[sfQ~$":VP" R}*ꈓU{䛂N8\5uោ.X3e0+7j1L@NDn9ZJyʇD[rںrPM,wqRU* vٳ6 D--,"2FlU]n̕&s 0TqQ3i PeiFl.XDo[E$rp*b%+8דvq 5YPQ ?F@Ɵ*!˰!Ё0IBAVP="wD˕@Fї)|g _ ~#iUGuY4IҮXSx؃/BvtuX&M#ܩ[-*TYuxXwXE;j;u&޷!MU |d vYiD_[@ѯ ^j 7d "9Y^VDU,ofj& 1;4 @B;q${竰8\<|8\<|>pc=|䪑yv&abQoT5HG3פ;uN)t%k$2%@8 }Ny<*ѳ96}76#a791p oXbb!w-j5Y ? !@e5\uy0`+y?=6DչLH5qሊǕ4"+C4D m1yF,J4e ÔS TFKG|1`6"s&?PO^:8Z覦^QxL!,sϜL8k+U&8|V]NPyl/D $[r{>gE#,<kE]uSa tK~yt;>-$(nPhD~(aj3ܓ"ŋlz7< t7W6n97GN5珢EЊƇ#S9)fcLS׍Bb7ީr6 ^FÕFQr6#`y4ο3b-R#n|< Xhxe&*~6BY1baqpvĩ )UTF_Jl/^P5*'Qo,!qd$ ]՞n`4KS &*Sѽҧև|.VOE³!:G+HҺwŗ k ˗[SE'eYib"E3e3Ai`l<9VZŌMbLM6]@2$$`fX{JZQz%ZlD,ҩxJe A@PK!<\WW]kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibold.ttf@BASEsLPFFTMo GDEFG/KGPOSYXGSUB[\OS/2kx`cmap|\yP6cvt XfpgmS/egaspHglyf˧P]dhead{ߴ6hhea $hmtx<loca{Lmaxp2t nameG)post>-X(prep?ZkVTwebf TWideoromnDFLTlatn$  МK͗ѻg $%%&z{;<bccddefghik{<HKbddgh NDFLTlatn AZE CRT TRK kernmark mkmk.size4d (08@: *  r* x "(.4:@FLRX^djpv| $*06<BHNTZ`flrx~ &,28>DJPV\bhntz7hXhhhLhNhhh!hhh'hhhhyhhjhHh-hh%h3h+hhBh3?3#   of1fH=3; fh1;h3Lh#!h =hwh-hh1h5h1TX11 {h{hT%TZ DhR#%o!{Z+sjXhTb#!hjbb &?F_45678:<=>01@>>B@CCVWG\\I^`JkkMrrNOPQSTVnWqrstu$%v{<HKbdd4gh57 &,28>DJPV\bhntz "hhhhhhhhhhhhhhhhhhhhhhhhhhlVt  &,28>D5/-h (89HXYpI `n ] "(.4:@FLRX^djpv| $*06<BHNTZ`flrx~7yy^-!R15/#9BP-s!5+R #D uH1BmB `P 1ZVDB}V%B XhN'-o!wom1\bhb&57?F_34>>5@C6^`:=>?@An}BR[%%\"(.N>T  &,'HP^uF4:TZ| *06<BHNTZ`flrx~!\%TTP3#jbh&*.4:FJNTZ_nrv|J 0&R }{<HKbdd4gh57 &,28>DJPV\bhntz "hhhhhhhhhhhhhhhhhhhhhhhhhh6v<Zh~0BPZ8V2Pj2DJ`n    h!>!m! =[]r{FF-1=]r/{ []rj{RwwRG-s[]{+;[;rJ;=r1{;    ;=];h=AA[]rr===    1  ) ffff f;f      f     sf   f   f       f     h      III@F ?@ABCEFGH@BCDEFG@BEF@@ADEF@FH ?@ABCDEGHI@AFH@ABEFHAF6 +5;=A[]egi{x     s}?@ABCDEFGHIA&0 8YEdu99yhD#jd{dqq!\!u5JN))!)q '!!1   ) ! Z?\//`?\}  ! %u uoy);`\q#D b)j)1 BJ 3!/m39Zo}LL))/?qX)ZZZ;^s1R;9VVN{b )? -!+uj}^;;-59)m!j^-f1J!!3XJd% %    }+))qu )omm}}qDUUO)P) ((T <=@AC@@GK M"$O&0'*+,/-//0063456W8X9:ORPS <<<<<AAAA@"IQ&&&&&&*'****/0000006666909 & & &''''.<*<*<*<*<*,,,,@//AAAAA6C--E.@/@/@//000<*333444455666666 8"9"$:$:$:017 &A066666,045 6062V 0<*,@/@/-@/@/@/@/03334455 8 8 8"9$:5 & & & & & & & & & & & &<*<*<*<*<*<*<*<*AA0000000111116677777"9"9"9"9PPPP2V2V)RST+,5BBBBBBBBBBBB6666666666666666666666666666666. ;F>?DFHFJL!N#%;;;;;;;;;;;;;;;;;;;;;;FFFF???????DFFFFFFFFFFFFFFFFFFFJJJJJJJJJJJJJJJJJ!!!!########%%%%FF D*44D;!CC309D>>>>?67: @D+<;A,> >>>>>>>>????66 @@@?65 >>>>>>>??66 @6    ;;;;5 5 <A3============%($'#8B-BBB-B BBBB-B-B. /1 28888888888888888888888B-----BBBBBBBBBBBBBBBBBBBBB-------BBB BBBBBBBBBBBBBBBBB--------------------------BBBBBB........ /////////////////////// B&") F  $$ &A FH'JM*PP.R`/ee>oo?qq@{{ABC[ou>@FH[]`gh Bk5lCFHIKLQQVXnqstwy| /$@+;V==g@@hFFiHIj DFLTlatnD AZE HCRT HTRK H  aaltc2sccaseccmpdnomfracligaloclnumronumordnpnumsaltsinfsmcpss01ss02ss03 ss04ss05subssups"zero.     6420.!DLT\dnx $,4<DL   2 V p   & 6lBz*<rhPhxo>f4;0<;0<2  $$--112779988=%%  !!  :<=>?@ABCDEFGHIJ89    ++,,..33::""##&&''(())**//445566          LNPRTVXZ\^`bhJ %%nn!.789PQRSWX[\`abcd e >k@DGTV[]]xx{   5KLMKKaMMbOOcQQdSSeUUfWWgYYh[[i]]j__kaalggmmmnDx $4DTdt &,28>DJPV\bjpv| $*06<BHNTZ`flrx~ &,28>0"cp1#dq3%Ig2$?&[f@'}gA(vhB)wiC*]jD+^kE,_lF-`mG. anH/!bonLoMpNqOrPsQtRuSvTwUxVyWzX{Y|Z}[~\]^_`abcdenopqrstuamv\wbxyxz{e|}~5cydze67=rJhKix &'()*+,-./0123456789:;<=>?FGHIJKLMNOPQRSTUVWXYZ[\]^_EFU_DENF"(.4:@*}4}J}T}*J4T    | N| |z 6X $gY~WU{S| a~_]{[| Q{OM|K}&0:DNXblv~V0 ~W%1&*,.4:FIJLNQTYZN {|}~KMOQSUWY[]_ag&'()*+,-./0123456789:;<=>?   "$&(*,.024679;>@BDFHJLNPRTVXZ]   "$&(*,.024nopqrstuvwxyz{|}~;0< $-12798=% !   +,.3:"#&'()*/456&'()*+,-./0123456789:;<=>?   "$&(*,.024679;>@BDFHJLNPRTVXZ]   "$&(*,.024">I?@ABCDEFGHJK DE nopqrstuvwxyz{|}~;0<2 $-1798% ! =  +,.3:"#&'()*/456FGHIJKLMNOPQRSTUVWXYZ[\]^_  !#%')+-/1358:<=ACEGIKMOQSUWY[_   !#%')+-/135m"0132&'()*+,-./ ""#%$ ! ' d&/ &3YY%;;& &3ef!@a\bxe5cydze67rF___&&?"cd[}vw]^_`ab gfhiDE"pqfghijklmno .      .       jl ik@<=>?@ABCDEFGHIJLNPRTVXZ\^`bh%{|}~KMOQSUWY[]_ag : Qx848FnE 9 LU  .F YKKN`-ef<=>?@ABCDEFGHIJ !"#$%LNPRTVXZ\^`bh-d{|}~&'()*+,-./0123KMOQSUWY[]_agX33fN  ADBE  ; , ~1Ie~7CQYa $(.1CIMPRX[!%+;ISco    " & 0 3 : = D _ q y !!! !"!&!.!T!^!""""""""+"H"`"e#%%%%%%%%&&j''R'.% 4Lh7CQYa#&.1CGMORV[  $*4BRZl    & / 2 9 = D _ p t } !!! !"!&!.!S![!""""""""+"H"`"d#%%%%%%%%&&j''R'."wnl@% {zxvohgb`PMJIHEC|vnh`PHFC=<610/.+#"kh`_\U1+~{xlP96߀ܰܝE۝_Ԓ   !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcNtfgkPzrmxluiyn~ep?oQdDEKLHI6YxVWO{JMSkvsrst|wul; %lYUtjy,KLPXJvY#?+X=YKLPX}Y ԰.-, ڰ +-,KRXE#Y!-,i @PX!@Y-,+X!#!zXYKRXXY#!+XFvYXYYY-, \Z-,"PX \\Y-,$PX@\\Y-, 9/- , }+XY %I# &JPXea PX8!!Ya RX8!!YY- ,+X!!Y- , Ұ +- , /+\X G#Faj X db8!!Y!Y- , 9/ GFa# #JPX#RX@8!Y#PX@e8!YY-,+X=!! ֊KRX #I UX8!!Y!!YY-,# /+\X# XKS!YX&I## I#a8!!!!Y!!!!!Y-, ڰ+-, Ұ+-, /+\X G#Faj G#F#aj` X db8!!Y!!Y-, %Jd# PX<Y-,@@BBKcKc UX RX#b #Bb #BY @RX CcB CcB ce!Y!!Y-,Cc#Cc#-H 3!!/#3?s^`ce^^cLH6= XT\ U + +/ֱ+/+ +/ ++ 990174632#"&3#XBBUVABX#!!FZZFFZZE#9 ./ 3+2 /ֱ + +013#%3#/-/-wwH3[+333/$3$2/$3 $2 +@ + 222 /ִ ++ + +@ ++ + +@ + +  +!+6?+ ?S+ +++ +  +  + + + + ++++ + ++@ ................@0153#533333#3####73#H!-+/+!//11!ddqq\-(++3 * +// +./ֱ*+2)+2)+%/+ 99)*99%"999(9%$99901?32654.546753.#"#5.\kHTdbR|}Rb9y9jJT^R}}R^9F\TDZID\a X<58TP=QCD^g P=}T '3%+3++3 % + 1% +4/ֱ  ++((.+"5+  9999(9.%999 +"(.$9 $9014632#"&732654&#"3 4632#"&732654&#"=TBBSTABTۏ'dzTBBSTABTʘmʘ9T-9E)+#31 "2 +CF/ֱ:.:+/.:@++G+:799@ )1$949&9991)&9C7=$9014>7.54>32>73.'#".73267.'>54&#"9)H\3)-/[zN1Rh8=V7W%sNB{5=b3 / 3+/ִ ++ 9  9017737''7b''wiiw{33{\LLF} R/32 +@ + +@ + / ְ2 2 +@  + +@ + +015!3!!#FnoN}}`'0/ /ִ + + ++  901>5#"&54632`bm;]\BT\'NLFBOs6V=Z"//+ ++015!V' / + + + + /ֱ +0174632#"&XBBUVABXFZZFFZZS/ִ++++6=t+ ......@013ݠ" R/ B + /  /ֱ  +!+  99990132#"32>54.#"R!9P//P: :P//P9!LR_Kw33ws//s M+ 2// /ֱ   +@ + +@ +@ ++ 90135!#5>73!"b>X4%D/C+/  /ֱ +@ +!+ 99$901>32>3!!5>54&#"DZ^k;L`3w/?ۚRohL}5f`i9iZVg ɉݽIhzV<1//\-+ / // 0/ֱ( !1+$%99 (99-!99901?32654.#52>54&#"'>32#"&1q;bj%Xn`P#gZN};yTt^o=yjuG}^ՠ;Th]3R98N-R\D7JZ-XRo)Z`4k% \ +/3 2// ְ 22 +@ +  +@ ++ 99 99015!3##%!467#%V 4P'P'993b51"v + //#/ֱ$+6?+ .......@99 9  99901?32654&#"'!!>32#"&1m;bom?V32.#">32#".732654&#"ZVdw;#p<=mQ49HTe7BnT`L`Rqkb7{dRV=+82pHR1egbn>L$xusDZE +// ֱ +@ +  +@ ++  99015! #667ZksR#-T_Pǐо!T/'5Cj#++A/D/ֱ( 6(>+. E+6 9>#+3$999A+ 3;$9014>75.54>32#".732654.'>54&#"T'AT/Lh%@sc`tDϋd^y1TrB=P;)H^758d]LfN=eRA5hPZ13\P1XL@?RgAL`66^hbug\5L;1-{#1J705o>Vp\L/".i+ /&,///ֱ##+)2 0+#99$999&9, 99014>32#"&'732>7#".73267.#"LAoT^KTeu<%q;=mR39GTd7mb7}5_Prbo;LRV>+71qHO1dfutER 3 + +/ +/ְ 22+0174632#"&4632#"&XBBUVABXXBBUVABXFZZFFZZFZZFFZZ`U/ / +/ְ2 +/ ++ $9  901>5#"&546324632#"&`bm;]\BT\XBBUVABX'NLFBOs6FZZFFZZF` 5  FuRbƌbbFk/// +015!5!FqkȬF` 75-5-5FuƌbbR3u)j'+! +/ */ֱ$$+$+++9!'$9 9!999901>32#&>54&#"4632#"&RBpRf7/FO@' ;LD-XN?g-=VBBXXBBVNd+VTBh^V_jBJ{fXTR/JZ91=FZZFFZZfDDR+0@/:/& HN/S/ִ5+5+EE++  +T++E0:>L$9:=9H9N +5L$9 "#9990146$32#"&'##"&54>3237372>54.#"3267"$&%3267&"fDcPLX{/Bq32.#"3267#".da{@3uNTe7ǪZ9Rޣ_^fD3;C}pF?^e[; 8 + + /ֱ  ++ 9013! #'32654&+f3YX악hh;V; J+ + + /ֱ 2 +@ +@  +@  + +013!!!!!'M;u; @++ + /ֱ 2 +@  +@  + +013!!!!);dT%x!+ + ! + &/ֱ+ +@ +'+!999 99!999 9 9014>32.#"3267#5!#".dcFwbR3y_Zi99f!Fዅ_^/=!1=C}p D\[; ?+3+3  +  /ֱ 2 +2 +0133!3#!;R;!++/ֱ+0133;1P;++ +/ֱ +9901?32653#"&1)j>^^-bhyJDsi\yFs; 0+3+3 /ֱ 2+ 9901333! !d;`wy;,++/ֱ +@ ++0133!-;L;U+ 3+3/ֱ + +99 $9 9999013!37!#4>7# # #XV lnj  ;md/oql/`1/lqo/;R+ 3+ 3/ֱ+ +99 99 999901333.53##^;hqEjpdT#D+ +! $/ֱ+ %+99! 99014>32#".732>54#"dVكٞVVكٜV1ZPPZ1^^aaqFFqj;B++  + /ֱ2++9013!2+3 54&+oMMl';)btol3`d3T 0V+. / 1/ֱ!!++ 2++!999 999. &$9014>323267#"$'.732>54#"dVكٞV?wg/c-H+#nFAmD1ZPPZ1^^sPF quFFu;[+ 3+  + /ֱ2++ 99 9 99013!2!#32654&+hLy?̾;)\q) rsuZNT3j1+ + 4/ֱ!!+,5+!99 '1$9,(99919,$9901?32654./.54>32.#"#"&NH\sw7L-1aN/DwcuMxBV`s#;N);cG)A}qDT^N):+$P>VrJPg9\N5>TJ'7+#LAVqIRl@g5);:++2/ֱ +@ + +@ + +015!!#5}ss;7+ +3/ֱ ++ 901332>53#".'Hb>=gI)FtuHLmZ''ZlDDR; = ++ 3/ֱ + +  99 90133>73!!3##3`;_suus%?;!X!+ 33+ 33"/ֱ+#+6>+ . + . >+  + +_+  + +++>A+  + + + #99 999  #9999@  ...............@   .................@!99!990133>733>73!.'#!%t!+Ϥ,uڦ ;]mjjk]hlmkNNNM?9;&+3+ 3/+99013 !3>73 !.'#}/+}3//b;;b/)mX;5i>=i6 ;2++ 3/ֱ + 9990133>73#9!!=m;LNNKVR; .++ / +990135!5!!RswȏJ;/+/+/ִ +2 +2 +01!#3!+S/ִ++++62c+ ......@013#+ߠ ND/+/+/ְ2 +/ +/ +013#5!!No߁q;\ 3# # q9;pc`q;!6}//+01!!2'(/+/ִ ++9013#'鹱j'{++ + # +(/ֱ"+2/)+ 99"99999 9 9014$%4.#"'>32#'##"&732675j5+D3LBVTyDZP?=g7fT%#'H7:)5No9OD=95 *3A+"c++ + /#/ֱ2+ $+9999  990133>32#"&'#732654&#"?N^g5HvTF@15i-dfsjs7FHuˋJB=f/%qT=+ + /ֱ+9  9999014>32.#"3267#".TReb4q)R/{w=i)bHVfJ}ćHC2#'3#?BFX k ++ + /!/ֱ+2    /"+99 9 9999014>32'3#'##"7327.#"XHwRVw; 7Runqb5e3b{ćJ;3mZm7Oq/%T"]+ +   +#/ֱ  +@ +$+  9999 9 99014>32!3267#".7!4&#"TNXfh6 {Bp8PH`hLehZ{ćJEhF)'"/>Hy7X++3 2/ /ְ22 +@ + +@ ++ 9 9015754>32&#"#"3##7%R}Z5a#-563 hN`5l3RD 7EQ+O+3/;B/* !/IR/ֱF'2 8F/FL+>L+.S+F 99L !+3;A$99B;.8999*D999!'99I $999FL$9014675.54675.54>32!##"&';2#".732654&+"'32654&#"RJE'3D+3PAmP)Li ;gP!E#G\K{Zo?ʼny{\VR8M9fJHfdJJf?m+Q>;a'ZV\/ W5TV. )#+1uJ^7 BbeDL`B;);bihc^hfE+ 3+//ֱ2 + + 990133>32#4&#"?hJTBc@;\X}f?>B{ < + + //ֱ ++  99014632#"&3{R??SS??R#;LL;;JIZH+/ //ֱ ++ 999901732653#"&4632#"&^-+D/!K{X7QT=?UU?=Tu ]X%Pe7;LL;;JI 0+3+/ /ֱ 2+ 9901333! !u{yf + //ֱ+0133:7"&!/NfP+#5!m+33++ 32"/ֱ!!++#+!9 9 9 99901333>32>32#4&#"#4&#" ?^o"H`LN^uLP^uD^^VNfX}f}BX}f}BP+ 3++/ֱ + +9 99901333>32#4&#" DhJTBc@B^X}f?>BTD+ +  /ֱ+ !+99 99014>32#".732654&#"TN^^OO^^N}nooo|}ćHH}}ŇFF}s+"e+ ++ /#/ֱ2+ $+9999  9990133>32#"&'32654&#" ?T^g5HvTB=7g-dfsjss{k5NHuˉJ:5/%qXs i+ ++ /!/ֱ +2    /"+ 99 999 9014>32373#7#"7327.#"XHwRV@7Nunqb5e3b{ćJ;>aI5Fq/%E++ 3+ /ֱ+9  99901333>32.#" 5PH+)- ;/bi\s15/f-++0/ֱ+(1+9 $-$9(99-9($9901?32654.'.54632.#"#"&1oDNRN%=N'1gO4Ūh>m5m;LG":L(3gT33b^hs5;C5/%2E]?J/'/@/*!0EeEBpT2P)t+ +3 2 +@ ++/ֱ 2  +@  + +@ + /+9 9901573!!3267#".5)7))i;XyL#3 ! 6`RV +++ 3/ֱ +    /+ 9 9 9901332673#'##"&JQBd:Bhww}gBIN^ = ++ 3/ֱ + +  99 90133>73!+)JNNI 1!o!+ 33+ 33"/ֱ+#+6>+ . :+ . >S+  + ++  + + ++++>e+  + + + #99 999  #9 99999@  ................@   ...................@!99!90133>733>73!.'#!1yׅ!yurHIJG HIJG HPPH-&+3+ 3/+99013 33>?3 #'.'#?q.)`?z3+k )X))X)-Z++X/b1+ 3/  / ֱ +90133>73#"&'7326?+ 'J`}R)=+'P`BHFDV`4  `L?FX .+ +  / +990135!5!!FZ'}KBJ7s)/&+//+8/.ְ 2#2#33/3#3 +@#( +29+#399& .9999 990152>54.54>;#";#".54>54.B3C)=_Ao/J3 BGHA 3J/oB^=)C+53XV\7RmAH\XbofilbX\HBlR7]VX17+T/ִ + ++013NV7k7/+'/&/+8/ְ212,!2, +@7 +29+, 9'199& 99990132654&54675.54654&+5323"+N/J3 AHHA 3J/n?a>)D33D)>`@nG]XbmhgobX\HAmR7\VX35++71XV\8RlBBL1/+/+99 9901>32327#".#"BBH=aRL+VA}BH=`RL+VAj]3>3y`h]3>3y K+  +/ֱ+  / + ++ 99014632#"&73XBBUVABX#!!hDZZDHYZpF};"W+/  +@ +#/ֱ+22 +22$+99 $9014>753&'>7#5&7}Aq\V/nHP5Z%c;Jg^^gwjPB/?25@ sXh/++)/"3  2/ ,/ֱ +@ +% /%% +@%+ +@%" +-+ 99()99% 9)99 9990135>54&'#573.54>32.#"!!!hbx̉'V<`j<57)1p' 5i3\g7VJ-4qh3a1++\{;/!-s/%+/ ./ֱ""(+/+" !$9( 99$9% $9+$9  $9017.5467'76327'#"&'32654&#"/#%%#ybwwby#%%#y/p:9o/{VXyyXV{9/uDFt/{??{/uEDu/{!!jkm%r+/3+2/3+ 2/ 3/ְ22 +@ + 2 +@ +2+9990133>73!!!!#!5!5!5!%57DB DFFC6yy{7{yyT#/ְ2 +2 + +013#3TjjTh6F&/-/ G/ֱ77+7?+!?+00/!H+*4D$90 &-;C$9!<$9-&)9!*32.#"#"&'732654.7>54.'T\N=+V|Rm=n/q=H?S{{TZP1^ToA3sGHLR{{RIq>//Hp=/1T-Dd=kN-N/)7:-/?Xp9L=7#E59P>5#Fh / /32/ֱ ++014632#"&%4632#"&C65EE55D{E55DD55E3FF35FE63FF35FE`;'E+++#+A: +A-4 +-F/ִ +(+77+  +G+7#-0>A$9:A>94 (1=$9-09014>32#".732>54.#"4>32.#"3267#".`mmmmwVssȔVVssȖV@lK\|1\'J/hwtc;V)P9VRf<\\``՘TTՁӕRRӃZd8F1g%'jw."r/@7iD y!{/+ // "/ִV++2 +/#+ 99 999999 999  901467.#"'>3 #'##"&732675D1>/d/>;P)c;^n^#A#emt7A&q%5wG%3qdR#!D`}7 55`^^O^^1LJ11LJF0/ +@ +/ֱ +@ ++015!#FNV=Z"//+ ++015!V9P'5>/+4/6+46 +@42 +(2>/*+#/+?/ִ +(+5 +625:+- +-+  +@+:5#3$9-02991964 0$9>-9014>32#".732>54.#"32#'#532654&+9>lRRl>>lRRl>a-PlB?oP--Po?BlP-D`'%ZlDF/#)#'1Zm;;mZZl<H#=!#';`"//+++015!'śRN{{L/+/+ /ִ ++  +!+99 99014>32#".732654&#"R+Ld99eL++Le99dL+OBBPPBBOd=gJ))Jf>=fJ))Jf=FWXEHXXF}a+/ 3 2 +@ + +@ +/ְ2 2  +@  + 2 +@ +2+0135!5!3!!#Fqnodo?DJ/ //ֱ +@ + +@ ++ 9$901>32!!5>54&#"D5V'F\5!ĬH?-N#LS5bef7bTDN32#"&?oJp9QqjXdB7)Lg;Z5`J+D;B\/Rm;f Vm=9;@iA:/91'ZBE8R3D\`L7Z@#V; /+/ִ ++013+f]+ 3 + 3/ֱ2 +    /+9 9 99901332673#'##"&'LRBb; /N1N f}gBINQ)R\; )+3/ִ+ ++014>;#".3RNkZLoP}}h/w7sT!1 ( / + + /ֱ +014632#"&XBBUVABXFZZFFZZxD'/+/ֱ +  9901>54&'73xNc73#LZ/o '#Z7 @// /ֱ+ !+99 99014>32#".732654&#"73[rB?uZ33Zu?Br[3LHHKKHHLhT[//[TR[//[Q^tt^buto}E 77%7o\\=;LϬJ=;LϬs3T + 3 +3  +3 +2 +@ +  /+/ֱ +@ ++2 +2 +@ + +@ ++ 99 $99 999015>73#3%533##5'357#sLZ/Tۏ'7ww \wo '#ZpmZxxqsBT % ++ +3" +  /+&/ֱ +@ ++ +@ + +@ +'+ 99 $99" %$9015>73#3 >32!!5>54&#"sLZ//ۏ'5V'F\5!ĬH?-N#wo '#ZpmLS5bef7bTDN7+*3++3.9* +23.+429. +@91 +'* +' * + +?/ֱ" "7+:26 +1267 +@64 +76 +@7. +@+-997"+,09$96=99./9 "<=$9 99901772654춮&#"'>32#"& 3%533##5'357#=oJp9QqjXdB7)Lg;Z5`J+D;B\/Rm;fCۏ'7ww \Vm=9;@iA:/91'ZBE8R3D\`L7Z@#VmZxxq\y=)p!+' +/ */ֱ+$$+/++9 !'$9$ 99'999014>'33267#".4632#"&\/FN?% !;LC.YO=g-DoTg7VABVVBBU3Bh^V^kALxgXTT-H\3232673#".#"!'.'#h=h kN)D;3( } kN)D;3( V/!;9!;jw%03u'13}joqj{)+3+ + /'3 !2*/ֱ++$$+++$999$999901#!#!4632#"&!'.'#4632#"&h=hC65EE55DV/!;9!E55DD55E;j#5FF55DD7joqjZ5FF55DD{)+3+ + /!+'/ +*/ֱ+ +$+ ++++9999$ 9999999'!9901#!#!4632#"&!'.'#32654&#"h=hvu^\ww\^u)V/!;9!!3'%55%'3;jTVhhVXff)joqj/11/-33D;c +3 +  +   +/ ְ2 2 +@  +@  +@ ++901#!!!!!!!!#;0w/1_/;u\nhbdDfT1u+'++ 1/ +2/ֱ#+,3+# &'1$9, ()$9 &),999 ' 9999014>32.#"3267#".>54&'73da{@3uNTe7ǪZ9Rޣ_Nc3232673#".#"^- kN)D;3( } kN)D;3( ;hqEjpw%03u'13d#'G+ +! (/ֱ+ )+$&$9! 99014>32#".732>54#"!#dVكٞVVكٜV1ZPPZ1-^^aaqFFq d#'G+ +! (/ֱ+ )+$&$9! 99014>32#".732>54#"7!dVكٞVVكٜV1ZPPZ1٬^^aaqFFqd#+G+ +! ,/ֱ+ -+$'$9! 99014>32#".732>54#"73#'#dVكٞVVكٜV1ZPPZ1#ĸ{{^^aaqFFq탃d#;|+ +! 8/'/2,'8+3$232#".732>54#">3232673#".#"dVكٞVVكٜV1ZPPZ1 kN)D;3( } kN)D;3( ^^aaqFFq#w%03u'13d#/;j+ +! -/93'3232#".732>54#"4632#"&%4632#"&dVكٞVVكٜV1ZPPZ1#C65EE55D{E55DD55E^^aaqFFq5FF55DD55FF55DDdR  7   d/y/1y1yo35{7{{5\",p+% + -/ֱ*+.+999* #$9 999%99 ,$9  9901?.54>327#"'&#"32>54'\?DVكӔ;>Vك˓XT}PZ1'Z뒢^wbVዤaqN7XTFqkB+ +3/ֱ ++9 $901332>53#".!#'Hb>=gI)FtuHLmZ''ZlDDB+ +3/ֱ ++ $9901332>53#".7!'Hb>=gI)FtuHyLmZ''ZlDD!I+ +3"/ֱ +#+9 !$9901332>53#".73#'#'Hb>=gI)FtuHĸ{{LmZ''ZlDD탃%1a+ +3#//3)22/ֱ+  +, +&&/,3+& 9901332>53#".4632#"&%4632#"&'Hb>=gI)FtuHC65EE55D{E55DD55ELmZ''ZlDD}5FF55DD55FF55DD 5++ 3/ֱ + $990133>73#7!9!!=m ;LNNKVj;K++ +  + /ֱ22+ + 9013332+3 54&+oMMl';+`tqj3}b8{++"4/ 9/ֱ881+  1+,,/% 1+:+,89 )4$9 19"94  9990134>32#"&'772654.54>54&#"9no\a/5B59TdT:/[TVFVhgDJ:TbT93;3KJfmbu?5Xs?LhTN-)923LnPDtV24-PM61A61C]E?]TX=FZ!j+++# + ' +,/ֱ  &+2/-+  999&$9999 9 9014$%4.#"'>32#'##"&3#32675j5+D3LBVTyDZ鹱P?=g7fT%#'H7:)5No9O8D=95 *3Aj'+++ + # +,/ֱ"+2/-+ 99"()+$99*99 9 9014$%4.#"'>32#'##"&7326753j5+D3LBVTyDZP?=g7fT%K#'H7:)5No9OD=95 *3AP+j#/++' + + +0/ֱ$$*+2/1+$ 999* #$9999 9 9014$%4.#"'>32#'##"&3#'#32675j5+D3LBVTyDZżŤ{{dP?=g7fT%#'H7:)5No9O +ծD=95 *3Aj1=++5 + 9 +//&2$/+*2>/ֱ228+2/?+2 9998$*1$99&'999999 9 9014$%4.#"'>32#'##"&>323273#".#"32675j5+D3LBVTyDZ dN'D915} dN)B735'P?=g7fT%#'H7:)5No9Ou%cu%bD=95 *3Aj'3?+++ + / +%/=372@/ֱ((+"(.+2: 44/:/A+"+99499: 9/999 9 9014$%4.#"'>32#'##"&4632#"&326754632#"&j5+D3LBVTyDZC65EE55DTP?=g7fT%'E55DD55E#'H7:)5No9O3FF35FE:D=95 *3A3FF35FEj'3?++ + # +1/7+=/++@/ֱ(+4 +4"+2: . +/A+4(9:1+$9. 9#999 9 9=7.(99014$%4.#"'>32#'##"&7326754632#"&732654&#"j5+D3LBVTyDZP?=g7fT%u^^uu^^uy3''33''3#'H7:)5No9OD=95 *3A\mm\ZmmZ/:://;;j/<C'+-3 32+3 A2=' +== :D/ֱ00>+E+0 99>@  '-6=$9#$999 #06$9=9 9014$%.#"'>32>32!3267#"&'#"&73267./%!4&#"j1)D3HBVToh'=c`c3 oBj7TH`w;hbP?;7;bbV}!'H7:)5N`VV`HhF)+#/>eGZRD=?8#Y./f{TD/u+%++ //+0/ֱ!+*1+!$%/$9* &'$9$'*999 % 9999014>32.#"3267#".>54&'73TReb4q)R/{w=i)bHVfJ$Nc32!3267#".3#!4&#"TNXfh6 {Bp8PH`hL鹱ehZ{ćJEhF)'"/>HHyT"&^+ +   +'/ֱ  +@ +(+  %$99 9 99014>32!3267#".7!4&#"3TNXfh6 {Bp8PH`hLehZC{ćJEhF)'"/>Hy+T#*^+ +( $  +$+/%ֱ % +@% +,+ % $99 9$ 99014>32!3267#".3#'#!4&#"TNXfh6 {Bp8PH`hLżŤ{{mehZ{ćJEhF)'"/>H+ծyT'.:+ +, (  +(%/8322;/ֱ"")+ ) +@) +5 )+///5<+" (99/,$9)289959  99 9( 99014>32!3267#".4632#"&!4&#"4632#"&TNXfh6 {Bp8PH`hLC65EE55DKehZE55DD55E{ćJEhF)'"/>H3FF35FEiyN3FF35FE'++/ֱ +99013#3鹱]jt'++/ֱ +99013 3t+j/ *+ + /ֱ  + $9013#'#3żŤ{{ +ծjC Y + + /32/ ֱ +/ ++  9999014632#"&34632#"&+C65EE55D1E55DD55E3FF35FE3FF35FEb$5a +* 3/6/ֱ%%-+7+% 999-  $9993*999014>32.''7.'7%#".732654&'.#"bDsTF/bF?/g9hJB%?yBxk\J'DZ1q{7u>qjy@4;hDm#='X5o{{ϖRD}qDlL)3F0*y+ 3++(/2(+#2+/ֱ + ,+99 #*$9  99901333>32#4&#">323273#".#" DhJTBc@T dN'D915} dN)B735B^X}f?>Bu%cu%bT#N+ +! $/ֱ+ %+9$9! 99014>32#".3#32654&#"TN^^OO^^N鹱}nooo|}ćHH}}ŇFFH`T#N+ + $/ֱ+ %+ !#$9 "9 99014>32#".732654&#"3TN^^OO^^N}nooo|S}ćHH}}ŇFF}+T'U+ +% (/ֱ"+ )+9"$9 9% 99014>32#".3#'#32654&#"TN^^OO^^NżŤ{{l}nooo|}ćHH}}ŇFF+ծ`T)5l+- +3 '/2'+"26/ֱ**0+ 7+*90")$9 93- 99014>32#".>323273#".#"32654&#"TN^^OO^^N dN'D915} dN)B735/}nooo|}ćHH}}ŇFF%u%cu%bXT+7o+# +) /53/28/ֱ  + &+ 2 &+,,/29+,#)$9)# 99014>32#".4632#"&32654&#"4632#"&TN^^OO^^NC65EE55DL}nooo|/E55DD55E}ćHH}}ŇFF3FF35FE3FF35FEF. ////ְ2 2+015!4632#"&4632#"&FP;;QP<;PP;;QQ;;PN;JI<;LL;KJ<;LLT!"*j+% + +/ֱ(+ ,+9(#$9 9%999  *$9 999014>327#"&''7.7&'"32654'TN^y`^f5;O^L;_^g5<u?[o_=\o}ćHZuJBn}ŇF-.sJ}B{jP;G=mPa +++ 3/ֱ +    /+9 $9 9 9901332673#'##"&3#JQBd:Bh鹱ww}gBIN^ a +++ 3/ֱ +    /+ $9 9 9 9901332673#'##"&3JQBd:Bhww}gBIN^+h +++ 3/ֱ +    /+9 $9 9 9 9901332673#'##"&3#'#JQBd:BhżŤ{{ww}gBIN^+ծ , +++ 3/*3$2-/ֱ+ +  ' !!/'   /.+9!9 9901332673#'##"&4632#"&%4632#"&JQBd:BhyC65EE55D{E55DD55Eww}gBIN^g3FF35FE63FF35FEb 9+ 3/  !/ ֱ "+ 990133>73#"&'7326?3+ 'J`}R)=+'P`2BHFDV`4  `L?+s+"Y+ + //#/ֱ22+ $+999  99013>32#"&'32654&#";M`i7HvTH};7g-dfsjss31BHuˉJ61/%qb(4x+ 3/  &/23 ,25/ֱ## + / +))//6+#999)99 ,299990133>73#"&'7326?4632#"&%4632#"&+ 'J`}R)=+'P`C65EE55D{E55DD55EBHFDV`4  `L?3FF35FE63FF35FE{f T+3+  + / /ֱ++ $9 901#!#!5!!'.'#h=h9 FV/!;9!;j˛Zjoqjj`+++# + ' +/,/ֱ  &+2/-+  $9&999999'999 9 9014$%4.#"'>32#'##"&5!32675j5+D3LBVTyDZP?=g7fT%#'H7:)5No9O<\D=95 *3A{e+3+ + / +  +@  +2 /ֱ+!+$9901#!#!332673#"&!'.'#h=h? <==< VV/!;9!;j-AA-bjoqjj-9++1 + 5 +)/ + ) +@  +#2:/ֱ..+ +.#+422$ + ;+9#)1$9$95999 9 9014$%4.#"'>32#'##"&332673#".32675j5+D3LBVTyDZ@??@ BdFFdB"+P?=g7fT%#'H7:)5No9O!7TT73cK//KcD=95 *3AB;'m+33+/  + (/ֱ+)+$999 9 99#901#!327#"&54>7#!!'.'#'@/5#/#9#j/Z}/:;h=hV/!;9!; )7@++{$^\-PC4j%joqjjV.:,+2 ++ /6, +;/ֱ//5+25+"+"/+<+/ 99",2$95')9999,"9992'(9969 9014$%4.#"'>32327#"&54>7'##"&732675j5+D3LBVTy\V7#-!5#h-Vs-5DZP?=g7fT%#'H7:)5Nn6-)o ZZ+L@1m9OD=95 *3Adf#=+ + $/ֱ%+9  9999014>32.#"3267#".7!da{@3uNTe7ǪZ9Rޣ_ͬ^fD3;C}pF?^e[T!=+ + "/ֱ#+9  9999014>32.#"3267#".3TReb4q)R/{w=i)bHVfJ\}ćHC2#'3#?BF+df'=+ + (/ֱ)+9  9999014>32.#"3267#".73#'#da{@3uNTe7ǪZ9Rޣ_ĸ{{^fD3;C}pF?^e[탃T%E+ + &/ֱ'+99  9999014>32.#"3267#".3#'#TReb4q)R/{w=i)bHVfJżŤ{{}ćHC2#'3#?BF+ծdf+\+ + )/#,/ֱ +&-+&  $99  9999014>32.#"3267#".4632#"&da{@3uNTe7ǪZ9Rޣ_R??RR??R^fD3;C}pF?^e[;;JJ;;LLT)\+ + '/!*/ֱ+$++$ $99  9999014>32.#"3267#".4632#"&TReb4q)R/{w=i)bHVfJiN==NN==N}ćHC2#'3#?BF;JJ;;LKdf'=+ + (/ֱ)+9  9999014>32.#"3267#".3373#da{@3uNTe7ǪZ9Rޣ_{{^fD3;C}pF?^e[T%E+ + &/ֱ'+99  9999014>32.#"3267#".3373#TReb4q)R/{w=i)bHVfJѤ{{ż}ćHC2#'3#?BFH Q + + /ֱ++ 9 $999013! #3373#32654&+f3YXӸ{{vhh;VX % ++ + /&/ֱ+2    / !+# +$ +'+99 9 9999 $%99014>32'3#'##"7327.#"3#XHwRVw; 7Runqb5e3b'j{ćJ;3mZm7Oq/%=;j + +   +3+2/ ְ22 +@ +  +@ +++990157! #!32654&+!!=d5YXhh}qEV}D{yX}*++ &/ /3 +2/+/ֱ"+ 222" +@ +" +@" +/,+"999&9999014>32'5!5!533#'##"7327.#"XHwRVw;?쏏7Tunqb5e31T?%uE;3syo }f7H q/%+Psf [+ + + / /ֱ 2 +@ +@  +@  ++  99013!!!!!5!'MW ;u˛T`&`+ +$  + /'/!ֱ ! +@! +(+ ! $9 9  99014>32!3267#".5!!4&#"TNXfh6 {Bp8PH`hL ehZ{ćJEhF)'"/>HLy j+ + +/+ +@ +2/ֱ 2 +@ +@  +@  ++  9013!!!!!332673#"&'M] <==< ;u-AA-bT-4+ +2 .  +.)/ + ) +@  +#25/ִ +/+ / +@/ +$ /+# +#/$ +6+ .99#)2$9 $ 999 9. 99014>32!3267#".332673#".!4&#"TNXfh6 {Bp8PH`hL@??@ BdFFdB""ehZ{ćJEhF)'"/>H17TT73cK//Kcy \+ + +//ֱ 2 +@ +@  +@  +  ++013!!!!!4632#"&'MR??RR??R;u/;JJ;;LLT".v+ +   +,/&//#ֱ))+  +@ +0+)# $9  999 9 99014>32!3267#".7!4&#"4632#"&TNXfh6 {Bp8PH`hLehZPN==NN==N{ćJEhF)'"/>HyV;JJ;;LKB ;#q+ 3 +/ +$/ֱ 2 + +@ +@ +@ +%+#999013!!!!!#3267#"&54>7'M #A17#&;#l/Z}-8;u#7F%-) {$^\-PA6TV/6++ +4 "/0 + +07/%ִ+1+ 1 +@1 +8+%(+4$91"9  $9+%9999 90 99014>32!3267327#"&5467#".7!4&#"TNXfh6 {Bp8PDV16''$6#k+VpM)$hLehZ{ćJEhF)'"/L?>++o ZZLy#Hy R+ + +/ֱ 2 +@ +@  +@  ++  9013!!!!!3373#'M0{{;uT#*^+ +( $  +$+/%ֱ % +@% +,+ % !$99 9$ 99014>32!3267#".3373#!4&#"TNXfh6 {Bp8PH`hL{{żehZ{ćJEhF)'"/>HHyd%-}!+ + ! + ./ֱ+ +@ +/+!&(*$9 )999!999 9 9014>32.#"3267#5!#".73#'#dcFwbR3y_Zi99f!Fዅ_Hĸ{{^/=!1=C}p D\[탃RD 7?MY+W+3/CJ/* !/QZ/ֱN'2 @N/NT+FT+.[+N 8999T@ !+3:32!##"&';2#".3#'#32654&+"'32654&#"RJE'3D+3PAmP)Li ;gP!E#G\K{Zo?żŤ{{by{\VR8M9fJHfdJJf?m+Q>;a'ZV\/ W5TV. )#+1uJ^7 Bb+ծDL`B;);bihc^hfd%3!+ + ! + 1/*+*1 +@*& +-24/ֱ+ +@ +5+!&-1$9 .99999 9 9014>32.#"3267#5!#".332673#"&dcFwbR3y_Zi99f!Fዅ_u <==< ^/=!1=C}p D\[-AA-bRD 7IWc+a+3/MT/* !/[E/<+32!##"&';2#".332673#".32654&+"'32654&#"RJE'3D+3PAmP)Li ;gP!E#G\K{Zo?@??@ BdFFdB"-y{\VR8M9fJHfdJJf?m+Q>;a'ZV\/ W5TV. )#+1uJ^7 Bb7TT73cK//KcDL`B;);bihc^hfd%1!+ + ! + //)2/ֱ&+,,+ +@ +3+,&!$9 9999 9 9014>32.#"3267#5!#".4632#"&dcFwbR3y_Zi99f!Fዅ_R??RR??R^/=!1=C}p D\[;;JJ;;LLRD 7EQ]+O+3/;B/* !/I[/U^/ֱF'2 8F/FR+XXL+>L+._+F 99R D99X@ !$*;ABIO3$9L+999B;.8999*D999!'99I $999FL$9014675.54675.54>32!##"&';2#".732654&+"'32654&#"4632#"&RJE'3D+3PAmP)Li ;gP!E#G\K{Zo?ʼny{\VR8M9fJHfdJJfN==NN==N?m+Q>;a'ZV\/ W5TV. )#+1uJ^7 BbeDL`B;);bihc^hf';JJ;;LKd7T%5!+ + 5/&+,/-+! + 6/ֱ)+00+ +@ +7+)&,-5$90!$9 99,&09!999 9014>32.#"3267#5!#".>54&'7dcFwbR3y_Zi99f!Fዅ_Nc4/1yg6\vB^/=!1=C}p D\[ %%#& ^NH1F1RD 7EQa+O+3/;B/* !/I_/^+X/W+b/ֱF'2 8F/FR+[[L+>L+.c+F 99R 9[@ !*3BDIO$$9L+;AW^_$9X99B;.8999*D999!'99I $999FL$9X^R9014675.54675.54>32!##"&';2#".732654&+"'32654&#"4>7.RJE'3D+3PAmP)Li ;gP!E#G\K{Zo?ʼny{\VR8M9fJHfdJJf6\xBN`4-/{g?m+Q>;a'ZV\/ W5TV. )#+1uJ^7 BbeDL`B;);bihc^hf1F1g %%#& ^N X+3+3  + /ֱ 2 +2+  9 $990133!3#!73#'#+ĸ{{;R탃T+3+ //ֱ 2++$9999 90173#'#3>32#4&#"-ĸ{{ ?hJTBc@탃;\X}f?>B9^;w+ 3+3 +  + 33+ 22/ְ222 +@ ++22 2  +@ ++015753!533##!#!5!9o yRn+3/ /3+2//ְ222 +@ + +@ +++ 9  9015753!!>32#4&#"#h?hJTBc@o y{;\/}f?=jej++/ 2+2/ִ ++ +  ++99999 901>3232673#".#"3# kN)D;3( } kN)D;3( Pw%03u'13X;EA++/ 2+2/ֱ+$901>323273#".#"3- dN'D915} dN)B735Fu%cu%bb1f$++//ֱ +015!3 y˛5;`$++//ֱ +015!3ś;+ ?++ /+ +@ +2/ֱ+ 9901332673#"&3 <==< -AA-b;[++ /+ +@ +2/ִ +++ ++ 9901332673#".3@??@ BdFFdB"7TT73cK//KcXB;H+//ֱ   + 9 99999014>7#33267#"&X+3=: ):#k/Z}/NA4;Rw-) {$^RV#h+/!/$/ֱ   ++%+ 9 !$99999014>7#3327#"&4632#"&R&.?HC7%#)5#j+Vs'T=?UU?=T+J=2%h6++o Zs;LL;;JI C + + //ֱ+  /+  99014632#"&3R??RR??R/;JJ;;LL ;!++/ֱ+01331 7+ +/ֱ + 9999901?32653#"&73#'#1)j>^^-bh+ĸ{{yJDsi\yFsH탃Z1:+/ /ֱ + $99901732653#"&3#'#^-+D/!K{X7Q-żŤ{{u ]X%Pe7,+ծ7; l+3+3/ +/+/ֱ 2 ++  $99 9 9901333! !>54&'7dGNc4/1yg6\vB;`wy %%#& ^NH1F17 l+3+/ +/+//ֱ 2 ++  $99 9 9901333! !>54&'7u{Nc4/1yg6\vByf %%#& ^NH1F1 0+3+3 /ֱ 2+ 9901333! !ow-f 9++ /ְ2 +@ + +99017!3!-^;7)+ //ֱ+99017!33:7"&!/NfP+#7;e++/+ / +/ֱ +@ + ++9  999 90133!>54&'7-Nc4/1yg6\vB; %%#& ^NH1F17Z + /+/+//ֱ+ +$9 990133:7"&>54&'7!/NfNc4/1yg6\vBP+# %%#& ^NH1F1 K++ /ֱ +@ ++ +  + + 990133!3#-'j;ׁ}L + //ֱ+ + ++ 9 9990133:7"&3#!/NfJ'jP+#;=++  +  +/ֱ+ 2+0133!4632#"&-XBBUVABX;FZZFFZZE< + / +//ֱ++ 90133:7"&4632#"&!/Nf~XBBUVABXP+#FZZFFZZ; G + +/ ְ2 2 +@ + +@  ++  9901573%!!n+q\ƺ'N++//ְ2 2  +@  + +@ ++ 9990157373:7#"&5'}파  ;+fNyTT+# kX+ 3+ 3/ֱ+ +99 $9 9999901333.53##7!^;hqEjp[+ 3++/ֱ + +9 $9 99901333>32#4&#"3 DhJTBc@MB^X}f?>B+7;#+ 3+ 3#/+/+$/ֱ++ %+99#$9 9 9999901333.53##>54&'7^bNc4/1yg6\vB;hqEjp %%#& ^NH1F17$|+ 3++$/+/+%/ֱ+ + &+9$99$901333>32#4&#">54&'7 DhJTBc@Nc4/1yg6\vBB^X}f?>B %%#& ^NH1F1[+ 3+ 3/ֱ+ +999 $9 9999901333.53##3373#^ {{;hqEjpb+ 3++/ֱ + +99 $9 99901333>32#4&#"3373# DhJTBc@>{{żB^X}f?>B%+3++!/ &/ִ + + ++%%+'+%99!9999 901>5#"&5463233>32#4&#"VT 5PIBdf#'N+ +! $/%(/ֱ+ )+$&$9! 99014>32#".732>54#"5!dVكٞVVكٜV1ZPPZ1J ^^aaqFFqFT`#[+ +! /$/ֱ+ %+9999 99! 99014>32#".5!32654&#"TN^^OO^^N }nooo|}ćHH}}ŇFFL1d#1_+ +! //(+(/ +@($ ++22/ֱ+ 3+$,$9! 99014>32#".732>54#"332673#"&dVكٞVVكٜV1ZPPZ1P <==< ^^aaqFFq -AA-bT%1+) +/ !/+! +@ +22/ֱ&&+ +&,+  ,+ +/ +3+!)/$9/) 99014>32#".332673#".32654&#"TN^^OO^^N͉@??@ BdFFdB"#}nooo|}ćHH}}ŇFF17TT73cK//Kcd#'+P+ +! ,/ֱ+ -+$&()+$9 *9! 99014>32#".732>54#"73373dVكٞVVكٜV1ZPPZ1^ѲѲ^^aaqFFqT#'R+ + (/ֱ+ )+ "$$9 %&'999 99014>32#".732654&#"333TN^^OO^^N}nooo|¼}ćHH}}ŇFF}..dw;e+ 2+2  + /ֱ+ 2  +@  +@ +@  ++ 99014>3!!!!!!".7;#"da^>-aJJTuVTZ(4;+$3 ,2+ 32 925 +532>32!3267#"&'#".732654&#"!4&#"TL^o7;e`d3 oBl7THbh;=u^}Jzgh{{hf{dbX}}ćHngdqHh#9+#/>qdhmF}D{a+ 3+  + /ֱ2++ $9 99 99013!2!#32654&+7!hLy?̾Q;)\q) rsuZ%K++ 3+ /ֱ+99  99901333>32.#"3 5PH+)- ;/>bi\s+7;(+ 3+ (/+/ + + )/ֱ2+##+*+  ($9# 9 9#9 99013!2!#32654&+>54&'7hLy?̾2Nc4/1yg6\vB;)\q) rsuZ! %%#& ^NH1F1G7!++3+ /+/+"/ְ2!! / #+9!9 99901>54&'733>32.#"GNc4/1yg6\vB: 5PH+)- ;/ %%#& ^NH1F1bi\s h+ 3+  + !/ֱ2+"+9 $9 99 9 9013!2!#3373#32654&+hLy?e{{_;)\q) 'rsuZO++ 3+ /ֱ+9999  99901333>32.#"3373# 5PH+)- ;/ɤ{{żbi\sN37o1+ + 8/ֱ!!+,9+!99@  '1457$9,(6$919,$9901?32654./.54>32.#"#"&7!NH\sw7L-1aN/DwcuMxBV`s#;N);cG)A}qDT^N):+$P>VrJPg9\N5>TJ'7+#LAVqIRl@gT15/3l-++4/ֱ+(5+099 $-13$9(2999-9($9901?32654.'.54632.#"#"&31oDNRN%=N'1gO4Ūh>m5m;LG":L(3gT33b^h˾s5;C5/%2E]?J/'/@/*!0EeEBpT2P_+N3;r1+ + 32.#"#"&73#'#NH\sw7L-1aN/DwcuMxBV`s#;N);cG)A}qcĸ{{DT^N):+$P>VrJPg9\N5>TJ'7+#LAVqIRl@gT탃15/7o-++8/ֱ+(9+099@  $-1247$9(3999-9($9901?32654.'.54632.#"#"&3#'#1oDNRN%=N'1gO4Ūh>m5m;LG":L(3gT33b^h3żŤ{{s5;C5/%2E]?J/'/@/*!0EeEBpT2P_+ծNDT3E1+;++ E/4+F/ֱ!!7+@@+,G+!49997 :;E$9@&1 <=$9'9,(99914:=@999;,$9901?32654./.54>32.#"#"&>54&'73NH\sw7L-1aN/DwcuMxBV`s#;N);cG)A}qNcVrJPg9\N5>TJ'7+#LAVqIRl@g\ +)!-dD@1E21D5/A-+7++A/0+B/ֱ+(<(+33/<C+0A9993 -67$9#$89$9(<99-069<9997($9901?32654.'.54632.#"#"&>54&'731oDNRN%=N'1gO4Ūh>m5m;LG":L(3gT33b^h˙Nc32.#"#"&3373#NH\sw7L-1aN/DwcuMxBV`s#;N);cG)A}qc{{欢DT^N):+$P>VrJPg9\N5>TJ'7+#LAVqIRl@gA15/7o-++8/ֱ+(9+099@  $-1467$9(5999-9($9901?32654.'.54632.#"#"&3373#1oDNRN%=N'1gO4Ūh>m5m;LG":L(3gT33b^h3{{żs5;C5/%2E]?J/'/@/*!0EeEBpT2P5D);z+++2/+/ֱ +@ + +@ +   /+ 999999015!!#>54&'735}LNc54&'73)7))i;XyL#ZNc53#".>3232673#".#"'Hb>=gI)FtuH kN)D;3( } kN)D;3( LmZ''ZlDDw%03u'13* +++ 3(/2(+#2+/ֱ +    /,+9 #*$9 99  9 9901332673#'##"&>323273#".#"JQBd:Bhw dN'D915} dN)B735ww}gBIN^u%cu%bfJ+ +3//ֱ ++99 99901332>53#".5!'Hb>=gI)FtuH LmZ''ZlDD%`m +++ 3//ֱ +    /+99 9 9 99 9901332673#'##"&5!JQBd:Bhww}gBIN^'S+ +3%/+% +@ +!2(/ֱ +)+ "99901332>53#".332673#"&'Hb>=gI)FtuH <==< LmZ''ZlDD-AA-b& +++ 3"/+" +@ +2'/ֱ  +/ + +   +   /(+"999 9901332673#'##"&332673#".JQBd:Bh@??@ BdFFdB"ww}gBIN^7TT73cK//Kc%1v+ +3#/)+//+2/ֱ+& +&,+  +  +3+,&#$9/) 9901332>53#".4632#"&732654&#"'Hb>=gI)FtuH'u^\ww\^uy3'%55%'3LmZ''ZlDDVhhVXffX/11/-33 , +++ 3/$+*/+-/ֱ+! + +  +' +'/ +   /.+!9'99999 99*$9901332673#'##"&4632#"&732654&#"JQBd:Bhu^^uu^^uy3''33''3ww}gBIN^m\mm\ZmmZ/:://;;!D+ +3"/ֱ +#+ !$9 901332>53#".73373'Hb>=gI)FtuHѲѲLmZ''ZlDDj +++ 3/ֱ +    /+9 $9 9 99 9901332673#'##"&333JQBd:Bhˏ¼ww}gBIN^..B;.^+3"///ֱ%+ +0+%*99 "999"9%99901332>533267#"&54>7.'Hb>=gI)+VRNL9#'9#j/\})-o{ALmZ''Zl\'%i/-) {$^\-J;+JV'%+ ++ 3/(/ֱ +  ++/+)+%99  "99 999%999 !9901332673327#"&54>7'##"&JQBd:`R7#-!5#j+Vs+5Bhww}gBI%h6++o ZZ+J=4N^%?!)[!+ 33+ 33*/ֱ+++6>+ . + . >+  + +_+  + +++>A+  + + + #99 999  #9999@  ...............@   .................@!"%$9!990133>733>73!.'#!73#'#%t!+Ϥ,uڦ ĸ{{;]mjjk]hlmkNNNM?탃1!)r!+ 33+ 33*/ֱ+++6>+ . :+ . >S+  + ++  + + ++++>e+  + + + #99 999  #9 99999@  ................@   ...................@!"%$9!90133>733>73!.'#!3#'#1yׅ!yurżŤ{{HIJG HIJG HPPH-+ծ 7++ 3/ֱ + $990133>73#73#'#9!!=mĸ{{;LNNKV탃b$9+ 3/  %/ ֱ &+  990133>73#"&'7326?3#'#+ 'J`}R)=+'P`żŤ{{BHFDV`4  `L?+ծ 'v++ 3/%32(/ֱ  +/ +")+99999 9" %99990133>73#4632#"&%4632#"&9!!=mC65EE55D{E55DD55E;LNNKV15FF55DD55FF55DDR .++/+990135!5!!7!RswȏFX .+ + /+990135!5!!3FZ'}K+R <++/ / ֱ+990135!5!!4632#"&RswR??RR??Rȏ/;JJ;;LLFX F+ + / / ֱ+ 99990135!5!!4632#"&FZ'N==NN==N}K%;JJ;;LKR .++/+990135!5!!3373#Rsw{{ȏFX .+ + /+990135!5!!3373#FZ'j{{ż}K+(++ &/ /3+2/)/ְ222 +@ + +@ +#+*+9# 99&99  9015753!!>32#"&'##32654&#"h?NHvTF@5i-dfsjso y{7F}ÇFB=f{/%qoT#T+ +  +$/#ְ2# +# +%+99 9 901467!.#"'>32#".73267ob:nLݓ՘TVׁїR 'K6HZ^aa9ͼ19T$+# + # +3 2%/ ֱ  +@  +&+6?A@+ .  ++ ... ......@#99 990173>7#5737>32.#"3##&1%+3TL)' )b/2#PM 2 -T^ou d{XyK\sBf9 0t+& +. +1/ֱ!!++   /2++!999  999.&9999014>32>54&'7#".732>54#"fVك{HG r`\fVكٞV1ZPPZ1^@::,II-^oZaaqFFqT3 ,o+$ +* -/ֱ!!'+   /.+'!999  999*$9999014>32>54&'7#".732654&#"TN^f]=H rPHWO^^N|oooo|}ćH) <9-LK-^mDʅ}ŇFF}b&X"+ +3'/ֱ ++(+ "999901332>53>54&'7#".'Hb>=gI)iHh dFtuHLmZ''Zl6I-II-mnmDD%|+#++ 3/&/ֱ +/ +'+ #9 999 999901332673>54&'7#'##"&JQBd:E!>/ 5F%Bhww}gBI1%,LL-/J7% `N^{M+3+ + /ֱ++ $9901#!#!3373#!'.'#h=h{{7V/!;9!;jjoqjj#/++' + + +0/ֱ$$*+2/1+$ 999* "#$99!99 9 9014$%4.#"'>32#'##"&3373#32675j5+D3LBVTyDZ{{żP?=g7fT%#'H7:)5No9O8D=95 *3AX *+ + /ֱ  + $9013373#3{{^;/ *+ + /ֱ  + $9013373#3{{żjd#+G+ +! ,/ֱ+ -+$)$9! 99014>32#".732>54#"3373#dVكٞVVكٜV1ZPPZ1#{{^^aaqFFq T'U+ +% (/ֱ"+ )+9"$9 9% 99014>32#".3373#32654&#"TN^^OO^^N{{ż}nooo|}ćHH}}ŇFFH`!I+ +3"/ֱ +#+9  !$9901332>53#".3373#'Hb>=gI)FtuHø{{LmZ''ZlDD郃h +++ 3/ֱ +    /+9 $9 9 9 9901332673#'##"&3373#JQBd:Bh{{żww}gBIN^ d%)5{+ +3#/33 -2&/'+6/ֱ+  +0 +**/07+ &'99*990()9901332>53#".4632#"&5!4632#"&'Hb>=gI)FtuH=0/??//> ?//>>//?LmZ''ZlDDq/??//>=vv/??//>=} $0 +++ 3/.3 (2!/"+1/ֱ+ + % +   /2+!"999%9+#9 9901332673#'##"&4632#"&5!4632#"&JQBd:Bh=0/??//>?//>>//?ww}gBIN^Z/>>//??%ww/>>//??%)5m+ +3#/33 -26/ֱ+  +0 +**/0(27+ &9*')$901332>53#".4632#"&?34632#"&'Hb>=gI)FtuH=0/??//>?//>>//?LmZ''ZlDDq/??//>=/??//>= $0 +++ 3/.3 (21/ֱ+ + % +   /2+!99%"$999+#9 9901332673#'##"&4632#"&?34632#"&JQBd:Bh=0/??//>/?//>>//?ww}gBIN^Z/>>//??/>>//??!-9t+ +3+/73% 12:/ֱ"+( +4 +../4;+("!99.$94 9901332>53#".3373#4632#"&%4632#"&'Hb>=gI)FtuHø{{=0/??//>{?//>>//?LmZ''ZlDD /??//>=0/??//>= (4 +++ 3/23 ,25/ֱ+ + ) /   /6+!"($9)#$999 %'99/&9 9901332673#'##"&4632#"&3373#4632#"&JQBd:Bh=0/??//>ooȴ?//>>//?ww}gBIN^Z/>>//??}}/>>//??%)5m+ +3#/33 -26/ֱ+&3  +0 +**/07+* ')$90(901332>53#".4632#"&3#4632#"&'Hb>=gI)FtuH=0/??//>?//>>//?LmZ''ZlDDq/??//>=/??//>= $0 +++ 3/.3 (21/ֱ+ + % +   /2+!99%"$999 #9 9901332673#'##"&4632#"&3#4632#"&JQBd:Bh=0/??//>+Өq?//>>//?ww}gBIN^Z/>>//??/>>//??d%-}!+ + ! + ./ֱ+ +@ +/+!&*,$9 +999!999 9 9014>32.#"3267#5!#".3373#dcFwbR3y_Zi99f!Fዅ_H{{^/=!1=C}p D\[RD 7?MY+W+3/CJ/* !/QZ/ֱN'2 @N/NT+FT+.[+N 8999T@ !+3<>CI$9=99JC.@999*L999!'99Q $999NT$9014675.54675.54>32!##"&';2#".3373#32654&+"'32654&#"RJE'3D+3PAmP)Li ;gP!E#G\K{Zo?{{ży{\VR8M9fJHfdJJf?m+Q>;a'ZV\/ W5TV. )#+1uJ^7 BbDL`B;);bihc^hfdBT&6z"+, ++4 /7/ֱ''+1+ 8+",4$919999"9994, 99014>323267#"&5467.732>54#"dVكٞV9mePG7#&;#l0Z}N3ΒN1ZPPZ1^^ڥy-#k/-) {$^\J{(iqFFqTV'3g+1 /4/ֱ((++.+ 5+#+1$9.99991 +$9014>32327#"&54>7.732654&#"TN^^O/XyIHF8")%6#i-Tt!'XvF}nooo|}ćHH}f{Z!#h4-)o ZZ'D9-NuN7T3C1+ + C/4+:/;+D/ֱ!!7+>>+,E+!49997 :;C$9>&1 $9'9,(999:4>919,$901?32654./.54>32.#"#"&>54&'7NH\sw7L-1aN/DwcuMxBV`s#;N);cG)A}qNc4/1yg6\vBDT^N):+$P>VrJPg9\N5>TJ'7+#LAVqIRl@gP %%#& ^NH1F1175/?-++?/0+6/7+@/ֱ+(:(+33/:A+0?9993 -67$9#$$9(:9960:9-9($901?32654.'.54632.#"#"&>54&'71oDNRN%=N'1gO4Ūh>m5m;LG":L(3gT33b^h˕Nc4/1yg6\vBs5;C5/%2E]?J/'/@/*!0EeEBpT2Pg %%#& ^NH1F157);t++2/+/+/ְ2 +@ + +@ +   /+ 99015!!#>54&'75}JNc4/1yg6\vBss+ %%#& ^NH1F1)7(+ +3 2 +@ ++(/+/ +)/ֱ 2  +@  + +@ + / +#*+9  ($9# 99#9 9901573!!3267#".5>54&'7)7))i;XyL#RNc4/1yg6\vB3 ! 6`Rk %%#& ^NH1F1Z-+/ /ֱ +9901732653#"&^-+D/!K{X7Qu ]X%Pe79;$-++- +!3+#2%  +%./ְ2 %22 +@# + +@ ++)  /+) 9999%  99- 90157!2#!32654&+!!32654&+9fGnwNn1ȓ槍ho Z"L}X\he1h}}wnyf^\RX q ++ ++ !/ֱ+    / 3"+99  999 999 9014>32373#'##"7327.#"XJwTP@ 7Runqb5e3b{ćJ;@cm7Oq/%L"]+ +  +#/ֱ +@ +$+ 99999 9  90147!.#"'>32#".73267L tBu9PLeb{EG}\fk9ni^{F()#5;H{{ŇJFF`\!0z ++, / /% 1/ֱ""+(2    /2+"99$9 99,99 9014>32373#"&'7326?#".73267.#"`JwRP<XTRHA}s5P^l:xo;c33f41TA%uH9<]:5-&rc3BHt7</%+Ru`L/ +@ + 2/ֱ2 + +9 99013>32#4&#"` 'oCs`%A#D))@waHI')6#M /+ +@ ++/ /ֱ ++ 9901732653#"&4632#"&= +by)1y9/-<<-/97<Hq})55))55`5 //ֱ ++9  9990133632.#"`Pn'&)Vv 9Ho! /333+ 22/ֱ +  ++6>+ .!b+ . "><+    #l+ +>g+ + #9 #9@  ..........@  ............@ 999013373373#'##!J" &Y\)%JJ'%IPPe)y/+/ִ ++6= +  . " +  + #9 9 ...... .....@0133>73#"&'7326?o Z3CV9)3@ /\31^/9R9\@! =/#'/+/ֱ+013-+T'Zs0//ִ + + ++9017632#"&s9VT 7QL5#"&54632VT 5PI73327#"&+1}7#-!5#j+Vs+LB3`i-)o Zj-/ 2+2/ִ ++01>323273#".#" dN'D915} dN)B735u%cu%bL0/3+2/ִ+ +9901333L¼..` ^5 / +@ +/ֱ+ 9  90133:7#"&` )!\H} m# -+r)/+/+,/ִ++&+-+ 99 !)$9&"999)9&$9901732654&'.54632.#"#"&#L/\/13X7!C6 rLq+P%F)--'3!C5#}Ffm#%)!%' #0=+Vu1!g!' -B-\w30/ 3+2/ִ ++990133?3#/#ȸF;1<ӶJC323273#".#" dN'D915} dN)B735u%cu%b `//++015!ś@ /+ +@ +2/ִ ++ + 901332673#".@??@ BdFFdB"7TT73cK//Kcu  / /ֱ014632#"&N==NN==N%;JJ;;LK7 + /32/ֱ +014632#"&%4632#"&C65EE55D{E55DD55E3FF35FE63FF35FEjq+ / +/+/ ֱ 9017'>54&+F^4+;Mo}[R1E0b !##&-\ H /+/+/ִ  + + +  9999014632#"&732654&#"u^^uu^^uy3''33''3#\mm\ZmmZ/:://;;,/3+2/ִ+9901333¼..#)/+2/ִ+99013373#ݤ{{żN,/3+2/ִ+99013#3#N.\f(/ /ֱ  99901467632#"{Vb)u %;7)wN)N3T/-36Vw*/ /ֱ  999  90167#"&54632js %;7)wXa1V/-36N)qB!/+/ֱ  901>54&'7HQ 4VtD 8?-LK.=Z;!uFR  / /ֱ014632#"&N==NN==N;JJ;;LKV7J + /32/ֱ +014632#"&%4632#"&C65EE55D{E55DD55E5FF53FF35FF53FF?7+/+/+/ֱ  901>54&'7Nc4/1yg6\vB %%#& ^NH1F1?D#/+/ֱ   9901>54&'73Nc73327#"&+1}7#-!5#j+Vs+LB3`i-)o ZVf@ /+ +@ +2/ִ ++ + 901332673#".@??@ BdFFdB"7RR73bL//Lb +//++01!!՜+q[+ 3+ + 22/ֱ +@ ++ +@ ++  90157!#327#"&5!#+%5Sj1 111D y!{/+ // "/ִV++2 +/#+ 99 999999 999  901467.#"'>3 #'##"&732675D1>/d/>;P)c;^n^#A#emt7A&q%5wG%3qdR#!D`  \//!/ֱ2 ++ "+99999 99013>32#"&'#732654&#"`)`6/Ni7/^)'#B;WDEDHn%1V]1++EnqbfG= f// /ֱ+ 2    + /!+999 99 9999014>32'53#'##"&7327.#"=2Oe55V%%Z7?@#?!;VwN}X/'#oFC#1G+j5 $a/+/+"/+%/ִ  + +@ +&+  99999 99014>32!327#".7!4.#"53Vs@LlAX iNVG<3yBHx]3!3%=UjP]18Zp:XX/h#'/[9-P53BN//7+>/(+/F+L/+ +O/ ִC+%2 4 +C +/CI+ +:I+,+P+C  99I )/7=$99>7,4999(A999%99F "999 CI$901475.54675.54>323##"&';2#".732654&+"&'32654&#"5^ +#7-Ic7;0u)G_5+/!97V: LZd+@H+0<)#&;DD;;@@`  /ֱ 2+01333#`^'{p`3 o/3 2 +@ +22!/ֱ  + ++"+ 9 9 9 9990133>32>32#4&#"#4&#"`)`D1-kCod+;7L+<5N\-@w/HyaHIN4HIN47 @// /ֱ+ !+99 99014>32#".732654&#"73[rB?uZ33Zu?Br[3LHHKKHHLhT[//[TR[//[Q^tt^but`^// /ֱ2 ++ !+99999 9990133>32#"'32654&#"`'h8/Ni7^P#B;WDEDHI#7V]1JnqbfG mz/ +/3+2 +@ +/ֱ 2  +@  + +@ +  +/+9 999015?33#3267#"&5f\# I+yb1s{ n+Z X/ +@ + 2/ֱ+    + /+9 9 990133273#'##"&Z%BFI'lDsbsFIPeX)@ B /+2 /ֱ++ + 99 99013373#e;32.#"3267#".76\yALfN5#Jb_K/@E#nNHwV1jR[/-ov_`to1/X#b/3+2 +@ +/+/ְ22 +@ + +@ ++ 9 9015754>32.#"3###\7X=H7 $T3}65^F){t>/F F/+/+ /+ +2 + 999015!5!!/7B\^J{; )+ +) /!  +!*/ֱ!2+ %%/++99% $9 9! 99)9013!2#!!32654&+532654&+hGpuNn/ȓȪ};"L\`db/՜)oshdg^\R+&|++ +$ //'/ֱ2!+ (+999!99 999$ 990133>32#"&'#!!32654&#"?N^g5HvTF@ =5i-dfsjs7FHuˋJB=f՜o/%qF; J + + / /ֱ  ++!+ 9013! #'32654&+4632#"&f3YX악hhTN==NN==N;VR;JJ;;LKXF , ++ + */$ /-/ֱ!+'' +2    /.+'!$9 99 999014>32'3#'##"7327.#"4632#"&XHwRVw; 7Runqb5e3bN==NN==N{ćJ;3mZm7Oq/%5;JJ;;LK; Q + + / /ֱ++ 99 999013! #!!32654&+f3YX앲-hh;V՜2X $ ++ + $/! /%/ֱ+2    /&+!$$9 9 "#999 999014>32'3#'##"7327.#"!!XHwRVw; 7Runqb5e3b{ćJ;3mZm7Oq/% [+ + + / /ֱ 2 +@ +@  +@  ++  99013!!!!!5!%73'MS o;u˛T&*a+ +$  + /+/!ֱ ! +@! +,+ ! )$9 9  99014>32!3267#".5!!4&#"73TNXfh6 {Bp8PH`hL ehZ`{ćJEhF)'"/>HLydf%)|!+ + ! + &/'*/ֱ+ +@ +++!&'$9 ()$999 9 9014>32.#"3267#5!#".5!dcFwbR3y_Zi99f!Fዅ_o ^/=!1=C}p D\[כRD `7;IU+S+3/?F/* !/M8/9V/ֱJ'2 <J/JP+BP+.W+J 89$9P !+3?E$9:;999F?.<999*H999!'99M $999JP$9014675.54675.54>32!##"&';2#".5!32654&+"'32654&#"RJE'3D+3PAmP)Li ;gP!E#G\K{Zo?y{\VR8M9fJHfdJJf?m+Q>;a'ZV\/ W5TV. )#+1uJ^7 BbDL`B;);bihc^hfF; Q+3+3/  + /ֱ 2  ++2+0133!3#!4632#"&N==NN==N;R;JJ;;LKF Y+ 3+//!/ֱ2+ + "+9990133>32#4&#"4632#"&?hJTBc@FN==NN==N;\X}f?>B;JJ;;LKV; z+3+3/+ +@ +2  + /ֱ 2 +  + + + +2+ 90133!3#!332673#".@??@ BdFFdB";R7RR73bL//LbV&z+ 3+"/+" +@ +2/'/ֱ2+ + +   +(+"99990133>32#4&#"332673#".?hJTBc@A@??@ BdFFdB";\X}f?>B7RR73bL//Lb; A+3+3/ /ֱ 2+  99 9901333! !!!d;`wy՜ A+3+/ //ֱ 2+  99 9901333! !!!u{Eyf՜F;>++/ /ֱ +@ ++ +0133!4632#"&-N==NN==N;;JJ;;LKF< + ///ֱ  2+990133:7"&4632#"&!/NfPN==NN==NP+#N;JJ;;LKFf O++/ //ֱ +@ + ++ 99015!3!4632#"& s-N==NN==N˛5;;JJ;;LKFC+ ////ֱ 2 +99015!33:7"&4632#"&!/NfPN==NN==NP+#N;JJ;;LK; =++ / /ֱ +@ + + 990133!!!-;՜e{&+ ///ֱ+01!!33:7"&e1!/Nf՜sP+#FL;)s+ 3+3'/!*/ֱ+$$ + ++999$$9 9 9999013!37!#4>7# # #4632#"&XV lnj  N==NN==N;md/oql/`1/lqo/;JJ;;LKF5!-+33++ 32+/%./ֱ!!+"2(+/+!999( 9 9 99901333>32>32#4&#"#4&#"4632#"& ?^o"H`LN^uLP^uiN==NN==ND^^VNfX}f}BX}f}B;JJ;;LKj+ 3+ 3/ /ֱ++ !+999 9 999901333.53##4632#"&^R??RR??R;hqEjp/;JJ;;LL f+ 3++/!/ֱ+ + "+9999901333>32#4&#"4632#"& DhJTBc@ZN==NN==NB^X}f?>B%;JJ;;LKF;j+ 3+ 3/ /ֱ++ !+999 9 999901333.53##4632#"&^N==NN==N;hqEjp;JJ;;LKF f+ 3++/!/ֱ+ + "+9999901333>32#4&#"4632#"& DhJTBc@>N==NN==NB^X}f?>B;JJ;;LK;_+ 3+ 3//ֱ+ +99 $9 $99901333.53##!!^;hqEjp՜g+ 3++//ֱ + +999 9 999901333>32#4&#"!! DhJTBc@EB^X}f?>B՜d#'+P+ +! $/%,/ֱ+ -+$&(*$9! 99014>32#".732>54#"5!%73dVكٞVVكٜV1ZPPZ1F o^^aaqFFqFT#'a+ +! /(/ֱ+ )+99$%'$9 &999! 99014>32#".5!32654&#"73TN^^OO^^N }nooo|p}ćHH}}ŇFFL1EF;$q+ 3+ "/ + %/ֱ2++&+ 9 9 9" 99013!2!#32654&+4632#"&hLy?̾hN==NN==N;)\q) rsuZP;JJ;;LK}F k + +3+ // ֱ+/ +  999 9 99014632#"&33>32.#"}N==NN==N 5PH+)- ;/;JJ;;LKobi\sFf(+ 3+ &/  + /)/ֱ2+##+*+99# 9 9 999 99013!2!#5!32654&+4632#"&hLy?> hN==NN==N;)\q) ˛rsuZP;JJ;;LK}F` !s + +3+ //"/ ֱ+/ #+  $99 99014632#"&33>32.#"5!}N==NN==N 5PH+)- ;/;JJ;;LKobi\sś;n+ 3+ / + /ֱ2++99 99 999 99013!2!#!!32654&+hLy?;)\q) ՜:rsuZL++ 3 + //ֱ+999901!!33>32.#" 5PH+)- ;/՜qbi\sN3?1+ + =/7@/ֱ!!4+::+,A+!994 9: &1$9'9,(99919,$9901?32654./.54>32.#"#"&4632#"&NH\sw7L-1aN/DwcuMxBV`s#;N);cG)A}q R??RR??RDT^N):+$P>VrJPg9\N5>TJ'7+#LAVqIRl@g;JJ;;LL15/;{-++9/3m5m;LG":L(3gT33b^hN==NN==Ns5;C5/%2E]?J/'/@/*!0EeEBpT2P;JJ;;LKNFT3?1+ + =/7@/ֱ!!4+::+,A+!994 9: &1$9'9,(99919,$9901?32654./.54>32.#"#"&4632#"&NH\sw7L-1aN/DwcuMxBV`s#;N);cG)A}qN==NN==NDT^N):+$P>VrJPg9\N5>TJ'7+#LAVqIRl@g;JJ;;LK1F5/;{-++9/3m5m;LG":L(3gT33b^hN==NN==Ns5;C5/%2E]?J/'/@/*!0EeEBpT2P;JJ;;LK5F);X++2/ /ֱ +@ + +@ +++ 99015!!#4632#"&5}N==NN==NssZ;JJ;;LK)F$+ +3 2 +@ ++"/%/ֱ 2  +@  + +@ + / +&+9  "$9 9901573!!3267#".54632#"&)7))i;XyL#N==NN==N3 ! 6`R;JJ;;LK5); A++2 / /ֱ +@ + +@ + +015!!#!!5}ss)~+ +3 2 +@ ++//ְ2 2  +@  + +@ + /+9 9901573!!3267#".5!!)7))i;XyL#3 ! 6`R%?!%[!+ 33+ 33&/ֱ+'+6>+ . + . >+  + +_+  + +++>A+  + + + #99 999  #9999@  ...............@   .................@!"$$9!990133>733>73!.'#!!#%t!+Ϥ,uڦ ;]mjjk]hlmkNNNM?1!%r!+ 33+ 33&/ֱ+'+6>+ . :+ . >S+  + ++  + + ++++>e+  + + + #99 999  #9 99999@  ................@   ...................@!"$$9!90133>733>73!.'#!3#1yׅ!yur鹱HIJG HIJG HPPH-%?!%[!+ 33+ 33&/ֱ+'+6>+ . + . >+  + +_+  + +++>A+  + + + #99 999  #9999@  ...............@   .................@!"$$9!990133>733>73!.'#!7!%t!+Ϥ,uڦ ;]mjjk]hlmkNNNM?1!%r!+ 33+ 33&/ֱ+'+6>+ . :+ . >S+  + ++  + + ++++>e+  + + + #99 999  #9 99999@  ................@   ...................@!"$$9!90133>733>73!.'#!31yׅ!yur-HIJG HIJG HPPH-+%?!-9!+ 33+ 33+/73%12:/ֱ"+((.+44+;+6>+ . + . >+  + +_+  + +++>A+  + + + #99 999  #9999@  ...............@   .................@"!9( 94. 99!990133>733>73!.'#!4632#"&%4632#"&%t!+Ϥ,uڦ C65EE55D{E55DD55E;]mjjk]hlmkNNNM?#5FF55DD55FF55DD1!-9!+ 33+ 33+/73%12:/ֱ"+((.+44+;+6>+ . :+ . >S+  + ++  + + ++++>e+  + + + #99 999  #9 99999@  ................@   ...................@"!99( 9949!90133>733>73!.'#!4632#"&%4632#"&1yׅ!yurC65EE55D{E55DD55EHIJG HIJG HPPH-3FF35FE63FF35FE F++ 3//ֱ ++ $990133>73#4632#"&9!!=mR??RR??R;LNNKV=;JJ;;LLb(O+ 3/  &/ )/ֱ## + *+#99990133>73#"&'7326?4632#"&+ 'J`}R)=+'P`%N==NN==NBHFDV`4  `L?;JJ;;LKRF; <++/ / ֱ+990135!5!!4632#"&RswN==NN==Nȏ;JJ;;LKFFX F+ + / / ֱ+ 99990135!5!!4632#"&FZ'N==NN==N}K;JJ;;LK $0+ + 3 2 +@ ++ /.3(21/#ֱ2# +@ +# +@# +#+//%#++2+ 99+%9999014632#"&573!!3267#".54632#"&C65EE55D#7))i;XyL#E55DD55E83FF35FE1 ! 6`R3FF35FE)T*Z++ +& +/ֱ**+ ,+* $9  99& 9990134>32#"&'732654./.#"F͉37g^};5m;Vb#Od{\NuL-Pf32#'##"&7326754632#"&j5+D3LBVTyDZP?=g7fT%5N==NN==N#'H7:)5No9OD=95 *3A;JJ;;LK{!+3+ + /+/+"/ֱ++#+ $9 999 9901#!#!!'.'#7'>54&h=hV/!;9!+F^4+;M;j%joqj}\P1F1e ! #'j'7++ + # +1/2+(/)+8/ֱ"+2,"+55/,/9+5()12$9" 99#999 9 9(2,9014$%4.#"'>32#'##"&7326757'>54&j5+D3LBVTyDZP?=g7fT%M+F^4+;M#'H7:)5No9OD=95 *3A)}[R1E0b !##&{X+3+ + /ֱ++ $9999901#!#!73#'#!'.'#73h=h"ww/V/!;9!L;jwwjoqj`jC#/3++' + + +4/ֱ$$*+2/5+$ 999* #$99013$99 9 9014$%4.#"'>32#'##"&73#'#3267573j5+D3LBVTyDZèkktP?=g7fT%#'H7:)5No9O D=95 *3A{W+3+ + /ֱ++@  $99901#!#!73#'#!'.'#3#h=h"ww/V/!;9!߿;jwwjoqjNj#/3++' + + +4/ֱ$$*+022/5+$ 999* #$99139999 9 9014$%4.#"'>32#'##"&73#'#326753#j5+D3LBVTyDZèkktP?=g7fT%h#'H7:)5No9O D=95 *3A{L'+3+ + !/"+/+(/ֱ%+ + )+%@  !"$99! $9" 99 99901#!#!73#'#!'.'#7'>54&h=h"ww/V/!;9!+}X#,?;jwwjoqjkRFTNT# jX#/?++' + + +0/1+@/ֱ$$*+2/03=*+4+A+*$ #$9 99=19:$9+999 9 9049$9014$%4.#"'>32#'##"&73#'#326757'>54&j5+D3LBVTyDZèkktP?=g7fT%#;N+!(;#'H7:)5No9O D=95 *3AjRH-=)V #${'1+3+( + /3+$++22/ֱ+2' +'+)2 + 2+3+'9@  ($99(-9 9901#!#!73#'#>3232673#".#"!'.'#h=h"ww aE%<1-)o aE%<1-)V/!;9!;jww)fo!++fo!++Zjoqjj19E++= + A +*/3$+/$*++&2F/ֱ::@+2/G+: 2$9@@ $*13469$9&99'599A999 9 9*2399014$%4.#"'>32#'##"&>323273#".#"73#'#32675j5+D3LBVTyDZ ]E'32#'##"&3#'#326754632#"&j5+D3LBVTyDZżŤ{{dP?=g7fT%5N==NN==N#'H7:)5No9O +ծD=95 *3A;JJ;;LK{V#g+3+ + / +  +@  +2$/ֱ+%+ "$9901#!#!332673#"&!'.'#73h=hAr BHHA r }TV/!;9!%;j1FF1`joqjjf-9=++1 + 5 +)/ + ) +@  +#2>/ֱ..+ +.4+2#4+$ +/?+4@  )1:;=$9#99$ <995999 9 9014$%4.#"'>32#'##"&332673#".3267573j5+D3LBVTyDZp LJJL p BdFFdB"+P?=g7fT%#'H7:)5No9O!=[[=3cK//KcD=95 *3A3{V#g+3+ + / +  +@  +2$/ֱ+%+$9901#!#!332673#"&3#!'.'#h=hAr BHHA r } V/!;9!;j1FF1`+joqjjf-9=++1 + 5 +)/ + ) +@  +#2>/ֱ..+ +.4+2#4+$ +/?+:94@  )1;<=$9#99$ 95999 9 9014$%4.#"'>32#'##"&332673#".326753#j5+D3LBVTyDZp LJJL p BdFFdB"+P?=g7fT%#'H7:)5No9O!=[[=3cK//KcD=95 *3A {-+3+ + / +  +@  +2'/(+ /!+./ֱ++$ +$+/++@   !'($9$9999999 ($901#!#!332673#"&!'.'#7'>54&h=hAr BHHA r }TV/!;9!}X#-?;j1FF1`joqjhRGTL T#!j-9I++1 + 5 +)/ + ) +@  +#2C/D+:/;+J/ֱ..+ +.4+2>4+G+G/>+#4+$ +/K+G1:;CD$9> )999#499$ 95999 9 9:D>9014$%4.#"'>32#'##"&332673#".326757'>54&j5+D3LBVTyDZp LJJL p BdFFdB"+P?=g7fT%R#3232673#".#"332673#"&!'.'#h=h( aE%<1-)o aE%<1-)Vr BHHA r }TV/!;9!;jfo!++fo!++@1FF1`joqjj1CO++G + K +?/6+6? +@62 +92*/3$+/$*++&2P/ֱD2D+3 +DJ+2/Q+J $*6?$9&9999':99K999 9 9014$%4.#"'>32#'##"&>323273#".#"332673#".32675j5+D3LBVTyDZ ]E'32#'##"&332673#".326754632#"&j5+D3LBVTyDZ@??@ BdFFdB"+P?=g7fT%5N==NN==N#'H7:)5No9O!7TT73cK//KcD=95 *3A;JJ;;LKF; \+ +/ +/ֱ 2 +@ +@  +@  +  ++013!!!!!4632#"&'MN==NN==N;u;JJ;;LKTF".|+ + ,/&  +//#ֱ))+  +@ +0+)# $9  9999 9 99014>32!3267#".7!4&#"4632#"&TNXfh6 {Bp8PH`hLehZNN==NN==N{ćJEhF)'"/>Hy;JJ;;LK ~+ + +/+ / +/ֱ 2 +@ +@  +@  + ++  $9 9013!!!!!7'>54&'M+F^4+;M;u}\P1F1e ! #'T"2+ +   +,/-+#/$+3/0ֱ''+  +@ +4+'099  999 9 99#-'9014>32!3267#".7!4&#"7'>54&TNXfh6 {Bp8PH`hLehZE+F^4+;M{ćJEhF)'"/>Hy}[R1E0b !##& #+ + + /2 + 2$/ֱ 2 +@ +@  +@  +# +  + /# + + +%+  999013!!!!!>3232673#".#"'M# kN)D;3( } kN)D;3( ;uw%03u'13T18o+ +6 2  +2//&2$/+*29/3ֱ 3 +@3 +:+ 3 '$9 92 99014>32!3267#".>323273#".#"!4&#"TNXfh6 {Bp8PH`hL dN'D915} dN)B7350ehZ{ćJEhF)'"/>H%u%cu%byk R+ + +/ֱ 2 +@ +@  +@  ++  9013!!!!!73#'#%73'M@wwL;uwwT3#*.`+ +( $  +$//%ֱ % +@% +0+ % ,.$99 9$ 99014>32!3267#".73#'#!4&#"73TNXfh6 {Bp8PH`hLɨkk}ehZ{ćJEhF)'"/>HyV R+ + +/ֱ 2 +@ +@  +@  ++  9013!!!!!73#'#3#'M@ww߿;uwwuT#*.`+ +( $  +$//%ֱ % +@% +0+ % ,.$99 9$ 99014>32!3267#".73#'#!4&#"3#TNXfh6 {Bp8PH`hLɨkk}ehZ`{ćJEhF)'"/>HyC#L !+ + +/+/+"/ֱ 2 +@ +@  +@  + + +#+  9 $9 $999 999013!!!!!73#'#7'>54&'M@ww+}X#,?;uww?kRFTNT# TX#*:+ +( $  +$+/,+;/%ֱ % +@% + / 8+8//+<+8%45$9  99 9$ 99+/4$9014>32!3267#".73#'#!4&#"7'>54&TNXfh6 {Bp8PH`hLɨkk}ehZ#;N+!(;{ćJEhF)'"/>HyjRH-=)V #$ ++ + +#/3+(#++2,/ֱ +22 +@ +@  +@  +  +/ 3 +  +2-+  #$9# 99013!!!!!73#'#>3232673#".#"'M@ww aE%<1-)o aE%<1-);uww)fo!++fo!++T19@+ +> :  +:*/3$+/$*++&2A/;ֱ ; +@; +B+ ; '5$9 9: 99*2399014>32!3267#".>323273#".#"73#'#!4&#"TNXfh6 {Bp8PH`hL ]E'HAfkRfkRyF u+ +/ + /ֱ 2 +@ +@  +@  + +!+  99 $9013!!!!!73#'#4632#"&'M0ĸ{{N==NN==N;u탃+;JJ;;LKTF#*6+ +( 4/.$  +$7/+ֱ11%+ % +@% +8+1+ #($9 % $99 9$ 99014>32!3267#".3#'#!4&#"4632#"&TNXfh6 {Bp8PH`hLżŤ{{mehZLN==NN==N{ćJEhF)'"/>H+ծy;JJ;;LKV++ / +/+/ֱ   /+  99 9017'>54&3+F^4+;M:}\P1F1e ! #'y;vV++ / +/+/ֱ   /+  99 9017'>54&3v+F^4+;M9o}[R1E0b !##&F; C + + //ֱ+  /+  99014632#"&3N==NN==N;JJ;;LKo;{F L++/ // ְ22 ++ $9014632#"&4632#"&3{R??SS??RN==NN==N#;LL;;JI;JJ;;LKodFT#/Y+ +! -/'0/ֱ$+**+ 1+*$!$9! 99014>32#".732>54#"4632#"&dVكٞVVكٜV1ZPPZ1N==NN==N^^aaqFFqH;JJ;;LKTF+Y+ + )/#,/ֱ +&&+ -+& $9 99014>32#".732654&#"4632#"&TN^^OO^^N}nooo|`N==NN==N}ćHH}}ŇFF}=;JJ;;LKd#3r+ +! -/.+$/%+4/ֱ1+((+ 5+1!$%-.$9! 99$.(9014>32#".732>54#"7'>54&dVكٞVVكٜV1ZPPZ1+F^4+;M^^aaqFFq}\P1F1e ! #'T/r+ + )/*+ /!+0/ֱ-+$$+ 1+- !)*$9 99 *$9014>32#".732654&#"7'>54&TN^^OO^^N}nooo|U+F^4+;M}ćHH}}ŇFF}}[R1E0b !##&d#+/R+ +! 0/ֱ+ 1+$',$9 -./999! 99014>32#".732>54#"73#'#%73dVكٞVVكٜV1ZPPZ13wwL^^aaqFFqwwTA'+Z+ +% ,/ֱ"+ -+9"($9 )+999% 99014>32#".73#'#32654&#"73TN^^OO^^Nרkk|}nooo|}ćHH}}ŇFF`d#+/P+ +! 0/ֱ+ 1+$',-/$9 .9! 99014>32#".732>54#"73#'#3#dVكٞVVكٜV1ZPPZ13ww߿^^aaqFFqwwuT'+[+ +% ,/ֱ"+ -+9"($9 )*+$9% 99014>32#".73#'#32654&#"3#TN^^OO^^Nרkk|}nooo|p}ćHH}}ŇFF`dL#+9+ +! 3/4+,/-+:/ֱ+ 7 0 +;+7@ !$',-34$9! 993$'(+$94*)99,&%0999014>32#".732>54#"73#'#7'>54&dVكٞVVكٜV1ZPPZ13ww+}X#,?^^aaqFFqww?kRFTNT# TX'7+ +% (/)+8/ֱ"+22 ,2 5+5/9+9"()$95199% 99(,1$9014>32#".73#'#32654&#"7'>54&TN^^OO^^Nרkk|}nooo|#;N+!(;}ćHH}}ŇFF`^jRH-=)V #$d#+C+ +! ;/,34+@4;+/+72D/ֱ,+$2C +C7+8 +'28+ E+7C@ !%&(+/;$9! 99;$%99014>32#".732>54#"73#'#>3232673#".#"dVكٞVVكٜV1ZPPZ13ww aE%<1-)o aE%<1-)^^aaqFFqww)fo!++fo!++T)1=+5 +; "/3+'"++2>/ֱ228+ ?+2*998@ ")+,.1$9 -99;5 99"*+99014>32#".>323273#".#"73#'#32654&#"TN^^OO^^N ]E'32#".732>54#"73#'#4632#"&dVكٞVVكٜV1ZPPZ1#ĸ{{ N==NN==N^^aaqFFq탃+;JJ;;LKTF'3m+ +% 1/+4/ֱ(+.."+ 5+9.(%$9 "9% 99014>32#".3#'#32654&#"4632#"&TN^^OO^^NżŤ{{l}nooo|`N==NN==N}ćHH}}ŇFF+ծ`=;JJ;;LKf 04v+& +. +5/ֱ!!++   /6++!13$9  999.&9999014>32>54&'7#".732>54#"7!fVك{HG r`\fVكٞV1ZPPZ1լ^@::,II-^oZaaqFFqT3 ,0t+$ +* 1/ֱ!!'+   /2+'!-.0$9  /9999*$9999014>32>54&'7#".732654&#"3TN^f]=H rPHWO^^N|oooo|S}ćH) <9-LK-^mDʅ}ŇFF}+f 04v+& +. +5/ֱ!!++   /6++!13$9  999.&9999014>32>54&'7#".732>54#"!#fVك{HG r`\fVكٞV1ZPPZ1)^@::,II-^oZaaqFFq T3 $0x+( +. 1/ֱ%%++   /2+%!9+"$#$9  999.(9999014>32>54&'7#".3#32654&#"TN^f]=H rPHWO^^N鹱|oooo|}ćH) <9-LK-^mDʅ}ŇFFH`f 0@+& +. +:/;+1/2+A/ֱ!!>+55++   /B+>!&.12:;$9+59 999.&9999;: 9991599014>32>54&'7#".732>54#"7'>54&fVك{HG r`\fVكٞV1ZPPZ1+F^4+;M^@::,II-^oZaaqFFq}\P1F1e ! #'T3 ,<+$ +* 6/7+-/.+=/ֱ!!:+11'+   />+:!$*-.67$9'19 999*$99996 997 9-199014>32>54&'7#".732654&#"7'>54&TN^f]=H rPHWO^^N|oooo|U+F^4+;M}ćH) <9-LK-^mDʅ}ŇFF}}[R1E0b !##&f 0H+& +. +E/4<294E+3@12I/ֱ!!1+H +H<+= +=++   /J+32>54&'7#".732>54#">3232673#".#"fVك{HG r`\fVكٞV1ZPPZ1 kN)D;3( } kN)D;3( ^@::,II-^oZaaqFFq#w%03u'13T3 6B+: +@ 4/$+2)$4+/!2C/ֱ77=+   /D+7!9=$+/6$9  ,9999@:9999/ 99) 99014>32>54&'7#".>323273#".#"32654&#"TN^f]=H rPHWO^^N dN'D915} dN)B735/|oooo|}ćH) <9-LK-^mDʅ}ŇFF%u%cu%bXfF9 0<+& +. +:/4=/ֱ!!1+77++   />+71&.$9+9 999.&9999014>32>54&'7#".732>54#"4632#"&fVك{HG r`\fVكٞV1ZPPZ1N==NN==N^@::,II-^oZaaqFFqH;JJ;;LKTF3 ,8+$ +* 6/09/ֱ!!-+33'+   /:+3-$*$9'9 999*$9999014>32>54&'7#".732654&#"4632#"&TN^f]=H rPHWO^^N|oooo|`N==NN==N}ćH) <9-LK-^mDʅ}ŇFF}>;JJ;;LKF;%K+ +3#/&/ֱ+   +'+ 9901332>53#".4632#"&'Hb>=gI)FtuHoN==NN==NLmZ''ZlDD';JJ;;LKF j +++ 3/!/ֱ+ +    /"+9 9 9901332673#'##"&4632#"&JQBd:BhJN==NN==Nww}gBIN^;JJ;;LK)e+ +3#/$+/+*/ֱ'+ +++'#$$9$901332>53#".7'>54&'Hb>=gI)FtuHd+F^4+;MLmZ''ZlDD}\P1F1e ! #'$ +++ 3/+/+%/ֱ +  +""/   /&+"$9 9 99901332673#'##"&7'>54&JQBd:Bh+F^4+;Mww}gBIN^}[R1E0b !##&&*a"+ +3+/ֱ ++,+ "'(*$9)999901332>53>54&'7#".7!'Hb>=gI)iHh dFtuHyLmZ''Zl6I-II-mnmDD%)+#++ 3/*/ֱ +/ +++ #&')$9 9(999 999&)99901332673>54&'7#'##"&3JQBd:E!>/ 5F%Bhww}gBI1%,LL-/J7% `N^+&*c"+ +3+/ֱ ++,+'9 "()*$999901332>53>54&'7#".!#'Hb>=gI)iHh dFtuHLmZ''Zl6I-II-mnmDD%)+#++ 3/*/ֱ +/ +++&9 #'()$9 999 999()99901332673>54&'7#'##"&3#JQBd:E!>/ 5F%Bh鹱ww}gBI1%,LL-/J7% `N^ &6"+ +30/1+'/(+7/ֱ4+++ ++8+4"'(01$9991"99'+99901332>53>54&'7#".7'>54&'Hb>=gI)iHh dFtuHd+F^4+;MLmZ''Zl6I-II-mnmDD}\P1F1e ! #'%5+#++ 3//0+/&/'+6/ֱ3+** +/ +7+3#&'/0$9  99 999/9099&*39901332673>54&'7#'##"&7'>54&JQBd:E!>/ 5F%Bh+F^4+;Mww}gBI1%,LL-/J7% `N^}[R1E0b !##&&>"+ +3;/*22/*;+6'2?/ֱ'+> + +3 +2 +2/3 ++@+2>"*6$999;"99/9*901332>53>54&'7#".>3232673#".#"'Hb>=gI)iHh dFtuH kN)D;3( } kN)D;3( LmZ''Zl6I-II-mnmDDw%03u'13%;+#++ 3/.+4&2)+03954&'7#'##"&>323273#".#"JQBd:E!>/ 5F%Bhe dN'D915} dN)B735ww}gBI1%,LL-/J7% `N^u%cu%bFb&2f"+ +30/*3/ֱ'+-- ++4+-'"999901332>53>54&'7#".4632#"&'Hb>=gI)iHh dFtuHoN==NN==NLmZ''Zl6I-II-mnmDD';JJ;;LKF%1+#++ 3//)/2/ֱ&+,, +/ +3+&#9,9  99 999901332673>54&'7#'##"&4632#"&JQBd:E!>/ 5F%Bh8N==NN==Nww}gBI1%,LL-/J7% `N^;JJ;;LK 5++ 3/ֱ + $990133>73#!#9!!=m;LNNKVb 1+ 3/  !/ ֱ "+90133>73#"&'7326?3#+ 'J`}R)=+'P`鹱BHFDV`4  `L?F ;F++ 3//ֱ ++ $990133>73#4632#"&9!!=mN==NN==N;LNNKV;JJ;;LKR(^+ 3&/  &+  )/ ֱ #2 /*+  &99#99 990133>73#"&'7326?4632#"&+ 'J`}R)=+'P`-N==NN==NBHFDV`4  `L?;JJ;;LK j++ 3/+/+ /ֱ   /!+$9 9990133>73#7'>54&9!!=m+F^4+;M;LNNKV}\P1F1e ! #'b,`+ 3/  &/'+/+-/*ֱ!! + .+!*99'!90133>73#"&'7326?7'>54&+ 'J`}R)=+'P`0+F^4+;MBHFDV`4  `L?c}[R1E0b !##& '++ 3$/2$+2(/ִ' +'+  + +)+'9$99 "$99 990133>73#>3232673#".#"9!!=m kN)D;3( } kN)D;3( ;LNNKVw%03u'13b2P+ 3/  0/ '2% 0++23/ ֱ 4+ (990133>73#"&'7326?>323273#".#"+ 'J`}R)=+'P` dN'D915} dN)B735BHFDV`4  `L?u%cu%bV=Z5!VV=Z5!VVR//+015!VoVR//+015!V+VR//+015!VVR//+015!V$/ִ ++ + +01333s0//ִ + + ++9017632#"&s9VT 7QL5#"&54632VT 5PI5#"&54632VT 5PI5#"&54632%>5#"&54632VT 5PI5#"&54632%>5#"&54632VT 5PI32#".R'C]33\F''F\33]C'9bF))Fb9;aH''H`3' #K +!33 +22 + +$/ֱ ++%+0174632#"&%4632#"&%4632#"&XBBUVABXXBBUVABXXBBUVABXFZZFFZZFFZZFFZZFFZZFFZZ= T '3?K%+=33+C2+3 % + 1% +I372L/ֱ  ++((.+""4+@@F+:M+  9999(9.%999F@=799 +"(.4:@F$9 $9014632#"&732654&#"3 4632#"&732654&#"4632#"&732654&#"=TBBSTABTۏ'DzUBBTTBBUfTBBSTABT˘mʘʘ'/+/ֱ+013-+T'Z'd /3+2 / +013!3-+T-+T'ZZ`}!/ִ +2+9015`^^1LJo}!/ְ2 ++90177o\=;LϬ-Lu".,+& +///#ֱ))#+V+/V+ /)+0+&,$99 99&"999901>32+'3>54&#"4632#"&-HrXl<5NXJ+LB.'o\Jy5bVBBXXBBVR`/V{LP{fVV\8Ň#?DN/Vk<;=FZZFFZ[T++/+013ۏ'm=l B+ //ֱ  ++  9999014632#"&732654&#"=TBBSTABTʘN 2 / /ֱ ++  99014632#"&3N9/-<<-/9)55))55eN h/3 +2 +@ + +@  +/ ְ 2 +2 +@ +  +@ ++ 9 901533##5'357#N7ww \HZxxq?l"K+  /+/#/ֱ$+99  $9901732654&#"'!!>32#"&?o'Z;;QR>)?P%95^H)-No?j V57T?FN8 #Cc?=eJ)VRl%V+#/+ /&/ ִ+'+ 99#9 99 99014632.#"632#"&732654&#"RţNi"EA)Zk Nlw+Jd9 V;3FA@'E-sNu;eJ+pf^EB=J!f-// ֱ +@ ++9015!#>7fFHX5!7R7aZfbPVl,7/#+5/ +8/ִ + - +/-+ 2++& +9+-92#*+ 0$9995#+0$9014675.54>32#".732654.'6'4&#"V\75A)Ga7sL-BR-Nm?BlL+G<7N1?#XU=D?-+>NHn!#V?1P8re?\#fJ1T>##>R?/HF/)5+59=B/33Ll%V+ /+#/&/ִ+'+99 9999#9014>32#"&'73267#"&73267.#"L)Ie;ŤNf%HA+Xk PjuD=%G' V<3E;eI+ݾ-s}Ly=J!&h_FP /ֱ+0147&^XJEFIX^ 8{{7LP /ֱ +01654'7LJCCJX^^X{z8`R/ +@ +2/ֱ + + +9 9990133>32#4&#"`)oCs`%?%D)\-@waHI')6=` @ ///ֱ  ++  9999014632#"&732654&#"=TBBSTABTFʘ) H;/+ +@ + /ֱ +@ + +90175>73#LZ/o '#ZD)`J/ //ֱ +@ + +@ ++ 9$9017>32!!5>54&#"D5V'F\5!ĬH?-N#LS5bef7bTDN32#"&?oJp9QqjXdB7)Lg;Z5`J+D;B\/Rm;fVm=9;@iA:/91'ZBE8R3D\`L7Z@#VN)H h /3 +2 +@  + +@  +/ְ 2 +2 +@ + +@ ++9 90133##5!7357#N7ww \xxq?H"I / /+/#/ֱ$+99  $9901732654&#"'!!>32#"&?o'Z;;QR>)?P%95^H)-No?jV57T?FN8 #Cc?=eJ)VR`%T/#/+ /&/ ִ+'+ 99#9 99 99014632.#"632#"&732654&#"RţNi"EA)Zk Nlw+Jd9 V;3FA@'ET-sNu;eJ+pf^EB=J!f)H-// ֱ +@ ++90175!#>7fFHX5!7R7aZfbPV`,7/#+5/ +8/ִ + - +/-+ 2++& +9+-92#*+ 0$9995#+0$9014675.54>32#".732654.'6'4&#"V\75A)Ga7sL-BR-Nm?BlL+G<7N1?#XU=D?-+>Hn!#V?1P8re?\#fJ1T>##>R?/HF/)5+59=B/33L`%T //+#/&/ִ+'+99 9999#90174>32#"&'73267#"&73267.#"L)Ie;ŤNf%HA+Xk PjuD=%G' V<3EL;eI+ݾ-s}Ly=J!&h_F} /ֱ+0147&^XJEFIX^H 8{{7L} / ֱ+017'654LX^^XJCC87{/ !a/+/+/+"/ִ + +@ +#+ 99999 9 901467!.#"'>32#".73267/TP+L$<3w@1Ts?NkE?J=RLPZi#)P[18\p#D`PTw&,5+ /2+!+/5/03 26/ֱ''#+" +"+2 +  +2 +  +7+6?+ #..#"$$?+ . .%  %?l+ ##+  +?l+  + + + +"!"+?l+ #$#+)#+*#+"-"+/ +0 +"5"+$# #9)9*99-"9 99@ "#$)*-...............@ !$)*-/05..............@ 29'$959014>?33273.'>7#7&'#&7&#"w=sdZ!!#XmH$o7[)FhX9*ZN`VX-3s  n/^#Z @5{V`H7-3!h/2+0/+3+)2 /%3+#2/ 3/ֱ!! +@!2 +! +@ +!, /,, +@,+ +$24+ 999!/099,&)99990135>7#573.'#573.54>32.#"!!!!!h^uՑ7x  'V<`j T35)/is 3u 3\g7VJ-4qh)45Ru7%*.V+3/+333+"(222/ &333+ 222/ 33//ֱ22 2 +@ +2*+ 2 22. +./. +@ +20+6¡+ +..+&& +++Xf+ $+++ '+' #9$+ #9$'... $'+........@99*#%&($9.,-99,9901575#573333#3####33/33'3㬘㨜I\y!\ 6Y] p[   epgs7dn`lp+ !f+// 33 22!/"/ְ222 +@ ++2  2  +@ +#+0157!23#+#3267!5!.+ -XwP {{ PyVN;h3}i;/ R%P\XV+-/d^bVD -+++$ ++ +  /3 +2 +@  +./ֱ!!'+ 222' +@ +' +@' ++//+!99'9999$9+99014>32'5!5!533#'##"&5!3267.#":`y?HZ/)Ĝ+sEXP/N))F/HhjV^3/)1wws R/8Rmqs)1% n- /30+) &/3#+2/3+ 2/ 4/3ֱ 22&2&3 +@&% +@& +3 3 +@3 + 25+& 9&),-99#99 990157&45<7#57>32.#"!!!!3267#"$'-uu]f\<)\753.#"3267#5!#5.V@tdT7/eA+KybtBj V>1<)wfw$r+3 !2 +@ +/  +@ +%/ֱ+!22 +22&+9 "$9 99014>753.'67#5.7wAyiR5I-^J=\fyCsmoqjſTB'3 3d{L^ b#%r+/ /3+2 / +/ֱ +@ +2 +@ + 22+99990153267!57!.+5!!3#!{Zt5J soϾ\cu NA}#kA$%"C/#/!ֱ22 22! +@! +2+$+ 9901575573%%>54&'7'%>>=|^;n߰ZZ\ݨe+NjD#1?1˅@! *^+ '/ +/ֱ!2!$+ ,+!9$ 999 99'  !$901>74>323267#"&'>54&#"!3\+3\}JdF=\%X;b0Hhq8+/G}={r8>yh9!5[hTIv`;'6?+++#+*+?+75* +7+57 +@5( +@/ִ +(+6726;+//+  +A+;6#$9?7 /$9014>32#".732>54.#"!2+32654&+`mmmmwVssȔVVssȖV!#DxX35XwCs^VXZT^\\``՘TTՁӕRR=`DHhF"TENB;-{';&/+/+* /39582229* +@9( +12X7W11Tq3e#)=-TKRo-#f$%!)TI'H7!Ζnh/33+ 22+2/ִ+ +@ + +@ ++ ++ ++6* +  ' < +  ( ........ ........@9 9999015!##33?3#57###W11TqבΖnXP`-+3 2$/ ./ֱ)) +@)- +) +@ +)+ +@ + +@ +/+)9 999,99$)$9013535.54>323!5654.#"X'P?)X߉ߠX)?N'u3^TT^4t'h\ZZ\h'\fwAAwf\^ J 1n++ +@ ++,+#  +#+2/ֱ!2&+ 3+&999 99# 9014>$32!"32673#"$.%3!254'.#"^srg T免Vkd԰s  V⁅Vmm  ^m{i{m yZim\s8T 64+ 3 +34 ++$4 +$  /+7/ֱ +@ ++/ )8+ 99@ !$4$9),9 /999,9 )$9$!9015>73#3%772654춮&#"'>32#"&sLZ/#ۏ'oJp9QqjXdB7)Lg;Z5`J+D;B\/Rm;fwo '#ZpmVm=9;@iA:/91'ZBE8R3D\`L7Z@#VFTTFD+3 +3&'D +&+ D +4-D +4G/ֱ +@ + +@ +#+?* 9H+9*&14D$99#<9& ?999'<9 *019$94$901>32!!5>54&#" 3%772654춮&#"'>32#"&F5V'F\5!ĬH?-N#ۏ'oJp9QqjXdB7)Lg;Z5`J+D;B\/Rm;fLS5bef7bTDN73#3%4675.54>32#".732654.'6'4&#"sLZ/7ۏ'\75A)Ga7sL-BR-Nm?BlL+G<7N1?#XU=D?-+>wo '#ZpmHn!#V?1P8re?\#fJ1T>##>R?/HF/)5+59=B/33?VT)-MZeI+*3Q+++3'I +':cI +:+ I + +f/ֱ" ".+N+N[ 5+5/[+N`+=+T D+g+"-99N.+199`[:IQXY,^$9=@A99'Q.2@DY^$95=[999c9:"999 99901772654춮&#"'>32#"& 3%4675.54>32#".732654.'6'4&#"?oJp9QqjXdB7)Lg;Z5`J+D;B\/Rm;f/ۏ'\75A)Ga7sL-BR-Nm?BlL+G<7N1?#XU=D?-+>Vm=9;@iA:/91'ZBE8R3D\`L7Z@#VmHn!#V?1P8re?\#fJ1T>##>R?/HF/)5+59=B/33?VT"&FS^B+#3J++$+ B$ + 3\B$ +3+ B$ ++_/ֱ'+G+GT .+./T+GY+6+M =+`+G'$*99YT3BJQR%W$969:99 J'+9=RW$9.6T999\93999  99901732654&#"'!!>32#"& 3%4675.54>32#".732654.'6'4&#"?o'Z;;QR>)?P%95^H)-No?j-ۏ'\75A)Ga7sL-BR-Nm?BlL+G<7N1?#XU=D?-+>V57T?FN8 #Cc?=eJ)VmHn!#V?1P8re?\#fJ1T>##>R?/HF/)5+59=B/33?-T2?J.+36+++H. ++K/ ֱ +@ ++3+3@ +/@+23E+"+9 )+L+99399E@.6=>C$9"%&99H6 ")>C$99015!#>73%4675.54>32#".732654.'6'4&#"?FHX5!7R7ۏ'\75A)Ga7sL-BR-Nm?BlL+G<7N1?#XU=D?-+>aZfbPAmHn!#V?1P8re?\#fJ1T>##>R?/HF/)5+59=B/331) /  / +99015!!13s/fs!R9  /ֱ +99013#R#!3sg-P) /  / +99015!7'P-r3rdF߁FR9  /ֱ + 990173#RDFs-gsZ`)e+! '/ / */ֱ+++9 $$9'!999  99014>325#"'>32#".73267.#"Z@tdN9ybhJgR}Nj@uNh!5~=wwf}FH?1cDKծq8fhhsL=BH *++ / +99 90135!%! #B^qsG{ 3/  +@ +2/ֱ+ +01!#!1 >1  . / //+ 99901 5!! !!1PjfvwFN//+015!FNT++/+013ۏ'ms> ( / + + /ֱ +014632#"&sXBBUVABXFZZFFZZFLG/ ִ ++6>+  .   .... ..@01%3>73#F;  VE͕݅q%L%%L%\@N 3%1<`/5 )25!;/ / =/ֱ&&8+>+8&!,2$9;  2$9014>323>32#"&'##".73267.#"32654&#&N5`P=eTD LPb9;dO^DVf=DyZ3`NJy/7{HNXhJ[^jre\b5":G%d9dTbn<{{#E<%8^}NJg[ENbXb|wRbu`R%#//2&/ ְ 22 /32'+6y?+  .. ))d+  + +++ #99 99 ........ ....@ 9901732654.54>32&#"#"&`/T1Ji#9/R1Jh#7ˮsxhJsyhJ B1+O + +)/+$/,/-+ 99$+99901>32327#".#">32327#".#"BBH=aRL+VA}BH=`RL+VABH=aRL+VA}BH=`RL+VAj]3>3y`h]3>3y&j]3>3y`h]3>3yFj</3 2 +@ +/ 3 2 +@ +/+015!!5!733!!!#7F$4-ۨӘhF` v+ / //+6+ .*  +  #9 ... .....@ 90135!5  Fqyh/yPPyF` v+/ / /+6+ .  + #9 ... .....@  90135!5-5-5Fqy9yPPyJ-+/+/ֱ +@ ++013!#N-+/+/ֱ +@ ++015!#N{J+/+//ֱ +@ ++0133oN+/+//ֱ +@ ++01733!N߲ozo7-./ + +/ִ + ++01!o79+;{R753+%#;+;{R/ / +9901753%!+%#+;%qh73qO qh  /ִ+ +990173 qO +1{F5!#+PB+1{F/ / +99015!# +PBw#!5h53#!= "!5h  /ִ+ +990153# !H= ")+R /+/ִ++01 :97Td'3d/+1/+#/+4/ִ +(+..+  +5+.(#$9+1 $9014>32#".732>54.#"4632#"&T=kRRk==kRRk=)H\55_E))E_55\H)J55JJ55JXi99iXZh::hZ=gF''Ff>=fF''Ff=9JJ9;MLo\3 #37'#oOPLJowwppwwHH5++++/ִ+++011!b P++ / /ִ ++ +99 99017!%!!y/vfjuo T+ +//ִ  +  +  + 99  9  9 99017!67%!&'7367!jw)N)y/{G7\Hp) ?tqvw'T/5fHeu{7 (_$/ +$ +@ +)/ִ + 2 +@ ++ +*+999$90174>323'>54&'#".73[zH)D 2'F_85V {u9fR+M>%q3\H) 5$1^cj}7367 &R17qqֿ;?7e}eFqh%o; Q/+ / /ִ ++ + +99 990177!%!!olyXl)Ve L/+2 /3+ /ִ + + + +@ +2 +01!#3%3#>P``!N L/+2/ 3+ /ִ + +@ +2 + + +013#5!!%3#N=P``߁9J3/+ +@ +/ֱ +@ ++01!#9qN93/+ +@ +/ֱ +@ ++015!#N)J93/+ +@ +/ֱ +@ ++0133pN93/+ +@ +/ֱ +@ ++0133!N߲o7+-,+'3+#33- %)22/3  ./,ְ2+2,+ +@, ++(+2'"2'( +@'% +/+(+ 99 , 9 99015754>32.#"!54>32&"3##!#7)T]9f%-9)?J{%R}Z7^#-763 XN^5 TVXhN`5l337L#'+$3+%33 2!/  (/ְ22 +@ + +@ +$+'$+)+ 99'$!99 9 999015754>32&"3##4632#"&37%R}Z5a#-78kR??SS??R3 hN`5l3;LL;;JI7&y+"3$+ +3 2/+ '/ְ22 +@ + +@ ++(+ 99 9015754>32&"3##33:7"&7%R}Z5a#-78a!/Nf3 hN`5l3P+#d%=!+ + ! + :/)12.):+5&2>/ֱ&+= +=+12 +@ +2 +?+!5$92 9 999 9 9014>32.#"3267#5!#".>3232673#".#"dcFwbR3y_Zi99f!Fዅ_; kN)D;3( } kN)D;3( ^/=!1=C}p D\[w%03u'13RD 7M[g+e+3/QX/* !/_K/;B2@;K+F82h/ֱ\'2 N\/\b+Tb+.i+\ 8M$9b@ !+3@FQW$9BC999XQ.N999*Z999!'99_ $999\b$9014675.54675.54>32!##"&';2#".>323273#".#"32654&+"'32654&#"RJE'3D+3PAmP)Li ;gP!E#G\K{Zo?m dN'D915} dN)B735%y{\VR8M9fJHfdJJf?m+Q>;a'ZV\/ W5TV. )#+1uJ^7 Bbu%cu%bDL`B;);bihc^hfRVK+//ֱ   ++ 9 99999014>7#3327#"&R&.?HC7%#)5#j+Vs+J=2%h6++o Z7,++"+ +33, (22, +@ +/ -/+ְ2*2+* +@+ +*'+22' +@ +/.+'* 99"9 9 9015754>32&"!3!!3267#".5!#7%R}Z5a#-78Z7))h>VyK#3 hN`5l! 6`R3d; E+ 2+2 /ְ2 +2 + + 9901353#5!#3d+VNB+ 2 + 2/ְ2+ 2+ $901!#53#5!#3Nڠ+^Vd B+ 2+2/ְ2 +2+  $901353#5!#37!d+kVDC+ 2 + 2/ְ 2+2+ $90173#'#53#5!#3Dĸ{{+탃^V7#+!2+2/ 2+2$/ְ2#+2  +#   + /  +%+  !$901>3232673#".#"53#5!#37 kN)D;3( } kN)D;3( P+w%03u'13XVD #u + 2+2 /!32$/ ְ2+2  /%+  999!999014632#"&53#5!#34632#"&DC65EE55D +E55DD55E#5FF55DDV#5FF55DDdf P+ 2+2 / /ֱ 22 +22 ++ 9901353#5!#35!d+ V˛d `+ 2+2//ְ2 +2 + +  /+  $901353#5!#34632#"&d+[R??RR??RV/;JJ;;LLDC+ 2 + 2/ְ 2+2+ $9013373#53#5!#3D{{椠+^Vd ~+ 2+2/+ / +/ְ2 +2 + +/+ $9 99 901353#5!#37'>54&d+V+F^4+;MV}\P1F1e ! #'dF; `+ 2+2//ְ2 +2 + +  /+  $901353#5!#34632#"&d+cN==NN==NV;JJ;;LKdB;!u+ 3 2+2/"/ְ2 +2 + +#+!999 99999901353#5!#3#3267#"&54>7d+9@:"':#k/\{+1V-f6-) {$^\+PC4X q ++ ++ !/ֱ+    / 3"+99  999 999 9014>32373#'##"7327.#"XJwTP@ 7Runqb5e3b{ćJ;@cm7Oq/%X${ ++ ++" %/ֱ+    / 3&+9$9  999 99"9 9014>32373#'##"3#327.#"XJwTP@ 7R鹱unqb5e3b{ćJ;@cm7Obq/%X ${ ++ ++ %/ֱ+    / 3&+!"$$9  999 #9 999 9014>32373#'##"7327.#"3XJwTP@ 7Runqb5e3bp{ćJ;@cm7Oq/%+X( ++ ++& )/ֱ"+    / 3*+9"$9  999 9 99&9 9014>32373#'##"3#'#327.#"XJwTP@ 7RżŤ{{unqb5e3b{ćJ;@cm7O+ծbq/%X*6 ++. ++4 (/2(+#27/ֱ++0+    / 38++90#*$9  $9  94 9999014>32373#'##">323273#".#"327.#"XJwTP@ 7R dN'D915} dN)B735Lunqb5e3b{ćJ;@cm7Ou%cu%bZq/%X ,8 ++$ ++* /63029/ֱ!!+!&+  3 --/3   / 3:+99-$*99* 9999014>32373#'##"4632#"&327.#"4632#"&XJwTP@ 7RC65EE55D/unqb5e3bLE55DD55E{ćJ;@cm7O!3FF35FEq/%3FF35FEX`$ ++ ++" /%/ֱ+    / 3&+9999  999 99" 9999014>32373#'##"5!327.#"XJwTP@ 7Runqb5e3b{ćJ;@cm7Oɛ3q/%X&2 ++* ++0 "/+" +@ +23/ֱ''+ +',+   +   / 34+"*0$90 9999014>32373#'##"332673#".327.#"XJwTP@ 7R@??@ BdFFdB"unqb5e3b{ćJ;@cm7O7TT73cK//Kcq/%X ,8 ++ ++ */0+6/$+9/ֱ!+- +-+ ' +3 +3/' +   / 3:+-!93*$$9' $9 999960'!99014>32373#'##"7327.#"4632#"&732654&#"XJwTP@ 7Runqb5e3b5u^^uu^^uy3''33''3{ćJ;@cm7Oq/%\mm\ZmmZ/:://;;X( ++ ++& )/ֱ"+    / 3*+9"$9  999 9 99&9 9014>32373#'##"3373#327.#"XJwTP@ 7R٤{{żunqb5e3b{ćJ;@cm7Oůbq/%XF , ++ ++ */$-/ֱ!+''+    / 3.+99  9999 99*9014>32373#'##"7327.#"4632#"&XJwTP@ 7Runqb5e3bN==NN==N{ćJ;@cm7Oq/%5;JJ;;LKX 0 ++ ++ */++!/"+1/ֱ+ % +../%   / 32+.!"*+$9  999 9999!+%9014>32373#'##"7327.#"7'>54&XJwTP@ 7Runqb5e3br+F^4+;M{ćJ;@cm7Oq/%}[R1E0b !##&Xd (, ++ ++ -/ֱ+    / 3.+!#%$9  )$9 $*,999 999 9014>32373#'##"7327.#"73#'#%73XJwTP@ 7Runqb5e3bkk8{ćJ;@cm7Oq/%X# (, ++ ++ -/ֱ+    / 3.+!#%)$9  999 $*,999 999 9014>32373#'##"7327.#"73#'#3#XJwTP@ 7Runqb5e3bkk{ćJ;@cm7Oq/%|X/X (8 ++ ++ )/*+9/ֱ+)2    / 3 - 6+6/-+:+!#%$9  *996$23999 9999) !"-2$9014>32373#'##"7327.#"73#'#7'>54&XJwTP@ 7Runqb5e3bkk!#;N+!(;{ćJ;@cm7Oq/%XjRH-=)V #$X*2> ++6 ++< #/3+(#++2?/ֱ338+    / 3@+3+998@ #*,-/2$9  $9  .99< 9999# +,99014>32373#'##">323273#".#"73#'#327.#"XJwTP@ 7R ]E'32373#'##"3#'#327.#"4632#"&XJwTP@ 7RżŤ{{unqb5e3bN==NN==N{ćJ;@cm7O+ծbq/%5;JJ;;LKXf&26 ++* ++0 "/+" +@ +27/ֱ''+ +',+2  +   / 38+,"*0346$9590 9999014>32373#'##"332673#".327.#"73XJwTP@ 7Rp LJJL p BdFFdB"unqb5e3b{ćJ;@cm7O=[[=3cK//Kcq/%Xf&26 ++* ++0 "/+" +@ +27/ֱ''+ +',+2  +   / 38+39,"*0456$90 9999014>32373#'##"332673#".327.#"3#XJwTP@ 7Rp LJJL p BdFFdB"unqb5e3b+{ćJ;@cm7O=[[=3cK//Kcq/%X&2B ++* ++0 "/+" +@ +232373#'##"332673#".327.#"7'>54&XJwTP@ 7Rp LJJL p BdFFdB"unqb5e3bw#32373#'##">323273#".#"332673#".327.#"XJwTP@ 7R ]E' ++* ++0 32373#'##"332673#".327.#"4632#"&XJwTP@ 7R@??@ BdFFdB"unqb5e3bN==NN==N{ćJ;@cm7O7TT73cK//Kcq/%5;JJ;;LKXV'3%++ + ++1 /4/ֱ((-+  -+V+/V+   / 35+(%+1$9 -"99 99%9991!99 9014>32373327#"&54>7'##"7327.#"XJwTP@bQ8#)$6#k+Vt+7 7Runqb5e3b{ćJ;@c%h6++o ZZ+J=4k7Oq/%`\!0z ++, / /% 1/ֱ""+(2    /2+"99$9 99,99 9014>32373#"&'7326?#".73267.#"`JwRP<XTRHA}s5P^l:xo;c33f41TA%uH9<]:5-&rc3BHt7</%+Ru`\!)8 ++4 / /- 9/ֱ**+02    /:+*"999#$&)$9 9 %99499 9014>32373#"&'7326?#".3#'#3267.#"`JwRP<XTRHA}s5P^l:żŤ{{xo;c33f41TA%uH9<]:5-&rc3BH+ծt7</%+Ru`\!3B ++> / /7 //&+&/ +@&" +)2C/ֱ4"4+# +4+:2 ) * +   /D+)#/7>$9*9979>99014>32373#"&'7326?#".332673#".3267.#"`JwRP<XTRHA}s5P^l:@??@ BdFFdB"xo;c33f41TA%uH9<]:5-&rc3BH7TT73cK//Kc7</%+Ru`\!0< ++, / /% :/4=/ֱ""1+77+(2    />+$9 99%9,99014>32373#"&'7326?#".73267.#"4632#"&`JwRP<XTRHA}s5P^l:xo;c33f41TA%N==NN==NuH9<]:5-&rc3BHt7</%+Ru;JJ;;LK`\!0@ ++, / /% >/=+7/6+A/ֱ""1+::+(2    /B+6=$9 7999%9,997=19014>32373#"&'7326?#".73267.#"4>7.`JwRP<XTRHA}s5P^l:xo;c33f41TA%j6\xBN`4-/{guH9<]:5-&rc3BHt7</%+Ru1F1g %%#& ^N`\!)8 ++4 / /- 9/ֱ**+02    /:+*"999#&()$9 9 '99499 9014>32373#"&'7326?#".3373#3267.#"`JwRP<XTRHA}s5P^l:פ{{żxo;c33f41TA%uH9<]:5-&rc3BH+t7</%+Ru`\`!04 ++, / /% 1/25/ֱ""+(2    /6+"12$9$9 9 34999%9,99014>32373#"&'7326?#".73267.#"5!`JwRP<XTRHA}s5P^l:xo;c33f41TA%uH9<]:5-&rc3BHt7</%+Rus`\!7F ++B / /; 5/%,2*%5+0"2G/ֱ88+>2    /H+8"999%*07$9 ,99 -99;9B99014>32373#"&'7326?#".>323273#".#"3267.#"`JwRP<XTRHA}s5P^l: dN'D915} dN)B735Nxo;c33f41TA%uH9<]:5-&rc3BHu%cu%bl7</%+Ru+//ֱ+0133Z9%+//ֱ +99017!3Z}:+/ /ֱ+ + + +9901333#_'jZH0+ / +//ֱ+ +01334632#"&XBBUVABXZFZZFFZZI7U+/+/+//ְ2 / +9 901>54&'73INc4/1yg6\vB8 %%#& ^NH1F1ZF : + / //ֱ ++  99014632#"&3N==NN==N;JJ;;LKoZF=+ ////ֱ+ + 99015!4632#"&3mN==NN==NN;JJ;;LKoZ"+///ֱ +01!!3՜qZ' F ++/ / ְ2 2 +@  + +@  + + 99015737#'o뜜F^^%d7/v+3+3 2/+ /ְ22 +@ + +@ +++ 99 9 9015754>32&"3##37%R}Z5a#-783 hN`5l3Zo /#B + / $/ֱ+%+ 99990132#".732>54.#"oAyjjyA!9T33S;!!;R43T9!DZ]]u33un22nZ75+// /ֱ +@ + +9015>73#Zb=4%H/C+/  /ֱ +@ +!+ 99$901>32>3!!5>54&#"H\†\i9J}^3w/'זPgjL5fbg9iZVg ɉݽIhzV<1//\-+ / // 0/ֱ( !1+$%99 (99-!99901?32654.#52>54&#"'>32#"&1q;bj%Xn`P#gZN};yTt^o=yjuG}^ՠ;Th]3R98N-R\D7JZ-XRo)Z`4kH \ +/3 2// ְ 22 +@ +  +@ ++ 99 99015!3##%!467#HV 4P'P'993b51"v + //#/ֱ$+6?+ .......@99 9  99901?32654&#"'!!>32#"&1m;bom?V32.#">32#".732654&#"yVdw;#p<=mQ49HTe7BnT`L`Rqkb7{dRV=+82pHR1egbn>L$xusDZE +// ֱ +@ +  +@ ++  99015! #667ZNqN#+R\Pǐо!m/'5Cj#++A/D/ֱ( 6(>+. E+6 9>#+3$999A+ 3;$9014>75.54>32#".732654.'>54&#"m'AT/Lh%@sc`tDϋd^y1TrB=P;)H^758d]LfN=eRA5hPZ13\P1XL@?RgAL`66^hbug\5L;1-{#1J705o>Vp\i/".i+ /&,///ֱ##+)2 0+#99$999&9, 99014>32#"&'732>7#".73267.#"iAoT^KTeu<%q;=mR39GTd7mb7}5_Prbo;LRV>+71qHO1dfutERRD+ +  /ֱ+ !+99 99014>32#".732654&#"R?ubdu@@udbu?qhjonkhqNPP蕘PP U+ 2/ +@ + /ֱ   +@ + +@ +@ ++ 90135!#5>73!"b>ە6%%DE++  /ֱ +@ +!+ 99$901>32>3!!5>54&#"DX…\j:Bvc5w0(טOhdN}5`k9gXNZ ɉmD`wV<1L1n+ // / 2/ֱ* !! +@ +3+$%99/9 *99 $%99!99901?32654.#52>54&#"'>32#"&1q;bj%Xn`P#gZN};yTt^o=yj9cI)G}^;Us\1T> #32#"&1m;bom?V32.#">32#".732654&#"\Vdw;#p<=mQ49HTe7BnT`L`Rqkb7{dRV=+82pHR1egbn>L$xusDZd@// ֱ +@ +  +@ ++  99015! #67ZksR#-T_ɒ-T/'5Cj#++A/D/ֱ( 6(>+. E+6 9>#+3$999A+ 3;$9014>75.54>32#".732654.'>54&#"T'AT/Lh%@sc`tDϋd^y1TrB=P;)H^758d]LfN=eRA5hPZ13\P1XL@?RgAL`66^hbug\5L;1-{#1J705o>Vp\9L*i(+ / /"+/ֱ+%2 ,+99 $9 99"9( 99014>32#"&'732>7#"&73267.#"9DqVqDhJ[1hBDrT39Lkf?;iVwbs?Z79)+/oHOуEVǨbD+ +  /ֱ+ !+99 99014>32#".732654&#"b?ubdu@@udbu?qhjonkhqNPP蕘PPZ7=+/ +@ + /ֱ +@ + +9015>73#Zb=6%dJE++  /ֱ +@ +!+ 99$901>32>3!!5>54&#"JX\h8>p`3w/ ώIbfNs5`k9gXNZ ɉmD`wV<1L1n+ // / 2/ֱ* !! +@ +3+$%99/9 *99 $%99!99901?32654.#52>54&#"'>32#"&1q;bj%Xn`P#gZN};yTt^o=yj9cI)G}^;Us\1T> #32#"&1m;bom?V32.#">32#".732654&#"lVdw;#p<=mQ49HTe7BnT`L`Rqkb7{dRV=+82pHR1egbn>L$xusDZd@// ֱ +@ +  +@ ++  99015! #67ZNqR%0T\ɒð+d/'5Cj#++A/D/ֱ( 6(>+. E+6 9>#+3$999A+ 3;$9014>75.54>32#".732654.'>54&#"d'AT/Lh%@sc`tDϋd^y1TrB=P;)H^758d]LfN=eRA5hPZ13\P1XL@?RgAL`66^hbug\5L;1-{#1J705o>Vp\IL*i(+ / /"+/ֱ+%2 ,+99 $9 99"9( 99014>32#"&'732>7#"&73267.#"IDqVqDhJ[1hBDrT39Lkf?;iVwbs?Z79)+/oHOуEVǨfET"+"+PA/:/& I0/U/ִ5+5+FF++  +V++F@ 0:>AM$9:=9I9P +5$9 90146$32#"&'##"&54>3237332>54.#"3267#".%326?.#"f'ZCoNRf +Db7cTf4X-v'NB)<{ykVhD8;R^m)8+#I-3,%-J3V2tX„CVH;Q{TPdT/[ZdJ`;{+$MDC15%!:VfVu5Z " /   /ֱ +014632#"&V@/1??1/@1BB13??BJZ0/ /ִ  + + ++  901>5#"&54632BDK +FD/=DwkJ;5315#"&54632BDK +FD/=DwkJ;53173#LZ/Zo '#ZD7L+ //ֱ +@ + +@ ++ 9$901>32!!5>54&#"D5V'F\5!ĬH?-N#LS5bef7bTDN32#"&?oJp9QqjXdB7)Lg;Z5`J+D;B\/Rm;fVm=9;@iA:/91'ZBE8R3D\`L7Z@#VN b +/3 +2 +@  +/ ְ 2 +2 +@ +  +@ ++ 9 9017533##5'357#N7ww \Zxxq?"K + /+/#/ֱ$+99  $9901?32654&#"'!!>32#"&?o'Z;;QR>)?P%95^H)-No?jV57T?FN8 #Cc?=eJ)VR7%V+#/+ /&/ ִ+'+ 99#9 99 99014632.#"632#"&732654&#"RţNi"EA)Zk Nlw+Jd9 V;3FA@'E-sNu;eJ+pf^EB=J!f2 +// ֱ +@ ++9015!#>7fFHX5!7R7aZfbPV7,7+#+5/ +8/ִ + - +/-+ 2++& +9+-92#*+ 0$9995#+0$90174675.54>32#".732654.'6'4&#"V\75A)Ga7sL-BR-Nm?BlL+G<7N1?#XU=D?-+>Hn!#V?1P8re?\#fJ1T>##>R?/HF/)5+59=B/33L7%V +/+#/&/ִ+'+99 9999#9014>32#"&'73267#"&73267.#"L)Ie;ŤNf%HA+Xk PjuD=%G' V<3E#;eI+ݾ-s}Ly=J!&h_FT /ֱ+0147&^XJEFIX^ 8{{7LT /ֱ +01654'7LJCCJX^^Xu{z8V5 ) + +  /ֱ +0174632#"&V@/1??1/@b1BB13??BJ2+ /ִ  + + ++  901>5#"&54632BDK +FD/=DwkJ;53173#LZ/wo '#ZDTL+/ /ֱ +@ + +@ ++ 9$901>32!!5>54&#"D5V'F\5!ĬH?-N#LS5bef7bTDN32#"&?oJp9QqjXdB7)Lg;Z5`J+D;B\/Rm;fVm=9;@iA:/91'ZBE8R3D\`L7Z@#VN< h+/3 +2 +@ +/ ְ 2 +2 +@ +  +@ ++ 9 9901533##5'357#N7ww \Zxxq?<"K+ / /+#/ֱ$+99  $9901732654&#"'!!>32#"&?o'Z;;QR>)?P%95^H)-No?jV57T?FN8 #Cc?=eJ)VRT%V+ /#/+&/ ִ+'+ 99#9 99 99014632.#"632#"&732654&#"RţNi"EA)Zk Nlw+Jd9 V;3FA@'E-sNu;eJ+pf^EB=J!f</+/ ֱ +@ ++9015!#>7fFHX5!7R7aZfbPVT,7 +5+/#+8/ִ + - +/-+ 2++& +9+-92#*+ 0$9995#+0$9014675.54>32#".732654.'6'4&#"V\75A)Ga7sL-BR-Nm?BlL+G<7N1?#XU=D?-+>Hn!#V?1P8re?\#fJ1T>##>R?/HF/)5+59=B/33LT%V+# //+&/ִ+'+99 9999#9014>32#"&'73267#"&73267.#"L)Ie;ŤNf%HA+Xk PjuD=%G' V<3E@;eI+ݾ-s}Ly=J!&h_Fq /ֱ+0147&^XJEFIX^ 8{{7Lq /ֱ +01654'7LJCCJX^^X{z8V 5 " /   /ֱ +014632#"&V@/1??1/@1BB13??B!J0/ /ִ  + + ++  901>5#"&54632BDK +FD/=DwkJ;53132373#'##"&7327.#"=2Og7dN %Z7B=#?!;VsP|[/TAgC#1E+j=h///ֱ +2    + / + 999 9999 999014>32373#57#"&73267&#"=2Og7fN#^/#;!BA9XjR[1VEPs#+#-7j5(a/+/ +&/+)/!ִ  +! +@! +*+ ! 99999  99014>32!327#".3#!4.#"53Vs@LlAX iNVG<3yBHx]3y!3%=UsP\17[p9XX/i#'0Z9-P5$(b/+/+"/+)/ִ  + +@ +*+  '$999 99014>32!327#".7!4.#"7353Vs@LlAX iNVG<3yBHx]3!3%=U'ysP\17[p9XX/i#'0Z9-P)= j///ֱ+    + / 3 +99 999 999 999014>32373#'##"&7327.#"=2Og7dN %Z7B=#?!;VsP|[/TAgC#1E+jB+/+/#)/,/ֱ  +%2    + /-+ 99$9 999#9)9 999014>32373#"&'7326=7#"&7327.#"B1Pf7fN99;/b-PP)T3KHD?!E;VyL}V/P?c'%pZBN#)ZcFd` /ֱ+013`FT++/+013ۏ'm/ +/ִ +01!#-/ +/ִ +017!7'/3 +/ִ+90173#'#ĸ{{탃DA/ 2+2/ִ + +  + 9901>3232673#".#" kN)D;3( } kN)D;3( w%03u'13f//++015! ˛  * /+ +@ +2/ִ+01332673#"& <==< -AA-bo  / /ֱ014632#"&R??RR??R/;JJ;;LL7 + /32/ֱ +014632#"&%4632#"&C65EE55D{E55DD55E#5FF55DD55FF55DDj+ / +/+/ ֱ 9017'>54&+F^4+;M}\P1F1e ! #'- H /+/+/ִ  + + +  9999014632#"&732654&#"u^\ww\^uy3'%55%'3TVhhVXffX/11/-33/3 +2/0173373ѲѲ7)/ +2/ִ+99013373#ɸ{{N/3 +2/013#73#Nуу?D#/+/ֱ   9901>54&'73Nc733267#"&-5;F:#&<#m/Z}-RF5/j6-) {$^+} E /3 2 / +/ֱ+ 9999014632#"&5!4632#"&=0/??//>?//>>//?/>>//??%ww/>>//??+d E /3 2 / +/ֱ+ 9999014632#"&5!4632#"&=0/??//> ?//>>//?/??//>=vv/??//>=+ = /3 2/ֱ+ 9 999014632#"&?34632#"&=0/??//>/?//>>//?/>>//??/>>//??+ : /3 2/ֱ+2 9 99014632#"&?34632#"&=0/??//>?//>>//?/??//>=/??//>=+ E /3 2 /ֱ+ 99999999014632#"&3373#4632#"&=0/??//>ooȴ?//>>//?/>>//??}}/>>//??7A/3 2 /ֱ+999999013373#4632#"&%4632#"&ɸ{{=0/??//>{?//>>//?/??//>=0/??//>=+ = /3 2/ֱ+ 9 999014632#"&3#4632#"&=0/??//>+Өq?//>>//?/>>//??/>>//??+ : /3 2/ְ 2+ 999014632#"&3#4632#"&=0/??//>?//>>//?/??//>=/??//>= !/3  + / 9990173#'#%73kk8 !/3  + / 9990173#'#%73wwLww !/3 + / 9990173#'#3#kk| !/3 + / 9990173#'#3#ww߿wwuX/ +/ִ +0173#'#7'>54&kk!#;N+!(;XjRH-=)V #$L:/+/ +/ִ  +99 9990173#'#7'>54&ww+}X#,?ww?kRFTNT# 5/3+++ 2/ְ2 +201>323273#".#"73#'# ]E'3232673#".#"ww aE%<1-)o aE%<1-)ww)fo!++fo!++fK /+ +@ +2/ִ ++ + $9901332673#".?3p LJJL p BdFFdB"=[[=3cK//KcV 4 /+ +@ +2/ִ+9901332673#"&?3r BHHA r }1FF1`FfK /+ +@ +2/ִ ++ +9 $901332673#".73#p LJJL p BdFFdB"1=[[=3cK//KcV 4 /+ +@ +2/ִ+9901332673#"&3#r BHHA r } 1FF1`+!w /+ +@ +2/+/+"/ִ ++++ +$9 99901332673#".?'>54&p LJJL p BdFFdB"}#54&r BHHA r }s}X#-?1FF1`!hRGTL T#!'O#/+# +@ +2/3+++ 2(/ִ +901>323273#".#"332673#". ]E'3232673#".#"332673#"& aE%<1-)o aE%<1-)Vr BHHA r }fo!++fo!++@1FF1`bd./ +/ִ + + ++013#9'j`X+ / +/+/ֱ  9014>7.6\xBN`4-/{g1F1g %%#& ^NF/ +  +@  +2/ִ  + + + $90173#'#332673#".ԭuuu>??>u!=]==]=!);;)+N=##=N'4/ +  +@  +2/ִ+990173#'#332673#"&wwr BHHA r ww/::/`yxR/ +Z + )/#/ ,/ֱ   +&&+-+&  $9#) $90132#"32>54.#"4632#"&R#=T11T>##>T11T=#`J;;LL;;JLR_Kw77ws33sDMNCDNNR/ !H +/"/ֱ  +#+  $9$90132#"32677674.#"R#=T15[y 7 #>T15ZLR_K{:DL1TVnu5=o /+Z + )/#/ ,/ֱ +&&+-+&  $9#)$90132#".73264.#"4632#"&oAyjjyAmj#=X65X=#dN;;MM;;NDZ]]r44r|DMNCDNNo /'H +%/(/ֱ +)+  $9%$90132#".73267>54.#"oAykjyA$D\5;a#V;'CZ6;`DZ]]{:DL9+d/-h;u5?{ < + + //ֱ ++  99014632#"&3{R??SS??R#;LL;;JI/E+3/ +@ +/ֱ++ $901#!#!!'.'#llLM#- ,/uTTVT/$a+/$/%/ֱ2+ &+  999 99$9013!2#'32654+532654&+{Xp@ZauDx^q{엇o`eh/=fLHzmRvL%LRLAD9dH;+ / /ֱ+9  9999014>32.#"3267#".dVoh9-^@Jn-mRӒLR:)-5-H'/ 6 + / /ֱ  ++ 9013!2#'3265!#=ӘRR}^ZZ/=ɉ˅BZ}/ D+ //  /ֱ 2 +@ +@  +@  + +013!!!!!0s/m/ :+//  /ֱ 2 +@  +@  + +013!!!!+o/XdH r+ / / !/ֱ+ +@ +"+ 999 99999  99014>32.#"3275#5!#".dVty:+eJ^5=uuȔTӒLV6)-)ר7HH3/ A+3 / +@ +2 /ֱ 2 +2 +0133!3#!R/b;/+/ֱ+0133/1//+ +@ +/ֱ +901?32653#"&1BhHM+Z]}uqRo-Lf7##'#FJ  bZa /'`f`'E'`f`'d/@+ 3/ֱ+ +99 99 9901333.53#'#Ayx /V^%X_sdoHB+ /  /ֱ+ !+99 99014>32#".732654&#"dLrqLLqsL}}ϏJLσђNNхŬ/<+ // /ֱ2++9013!2+3254&+^wFFy]ru/#P`^V)\LbH(V/ &/ )/ֱ#+ *+# 999 9999&  $9014>323267#"&'&732654&#"bLrqL׳'V%>+d?9}}ϏJLσ'N5 # ʵ/U+ 3// /ֱ2++ 9 99 99013!2##32654&+ZuDuc 衏spwn/!K_u'Ry-XRVHNJ/h-+ / 0/ֱ+(1+ 99 #-$9($999-9($9901?32654&/.54>32.#"#"&NwHZTVVA}7cL-:hX}Av7HJSRG{;eJ+:jb߁;FE8=<16H\=HuT-R5+9=91:-0F`FHvZ2V5/8+/3 /ֱ +@ + +@ + +015!!#5kmm/=+  +@ +2/ֱ + + 901332653#".sdds>pihu=X`v66v/ + 3/ֱ + +6=E+  .  =+   +  #9 .... ...@  90133>73!- (/\\\\%u/!!+ 33"/ֱ+#+6>+ . ]+ . >d+  + ++  + + #99  #99@   ..........@    ............@!990133>733>73!.'#!%Z)( Z  /VVVVTVVT?}<;~?/+3/+013 !3>?3 !'.'#?o)%hA}*&v'%R33R%+V11V+/"+/ֱ + 990133>?3#n10o/;s==s;RR/ ,+ /  / +990135!5!!R#‹ N+3/   +@  +/ֱ++9 $901#!#! !#!'.'#llLM+D#- ,/uTTVTN+3/ +@ +/ֱ++ $9901#!#!!'.'#7!llLM#- ,"/uTTVTU+3/ +@ +/ֱ++9 $9 901#!#! 73#'#!'.'#llLM5ĸ{{#- ,/탃uTTVT)+3/   +@  +/ 2 +2*/ִ + /+ + ++  !$9%901#!#! >3232673#".#"!'.'#llLMB kN)D;3( } kN)D;3( F#- ,/w%03u'13uTTVT)+3/ +@ +/'3 !2*/ֱ+/+$$+++$999$999901#!#! 4632#"&!'.'#4632#"&llLM5C65EE55D#- ,E55DD55E/>5FF55DDuTTVT5FF55DD d+3/   +@  +/ /ֱ++ 99 $9 99 901#!#! 5!!'.'#llLM o#- ,/曛uTTVTz+3 ++  +@  +2 + +@ + /ֱ+!+9 $99901#!#! 332673#"&!'.'#llLM <==< #- ,/-AA-bhuTTVT-)+3/ +@ +/!+'/ +*/ֱ+ +$+ ++++999$ $9999!9'9901#!#!4632#"&!'.'#32654&#"llLM/u^\ww\^uR#- ,3'%55%'3/oVhhVXffuTTVTJ/11/-33U+3/ +@ +/ֱ++9 $9 901#!#! 3373#!'.'#llLM5{{#- ,/uTTVTF/d+3/ / +@ +/ֱ+++99999901#!#!4632#"&!'.'#llLMwN==NN==N #- ,/;JJ;;LKuTTVT#!+3/ +@ +/+/ +"/ֱ+  +#+ $9 $99 901#!#!7'>54&!'.'#llLMl+F^4+;MD#- ,/}\P1F1e ! #'uTTVT 2k+3/ +@ +//ֱ++9@  $9 999 $901#!#! 73#'#!'.'#73llLM%ww#- ,0/wwuTTVT2l+3/ +@ +//ֱ++9@  $9 $9 $901#!#! 73#'#!'.'#3#llLM%ww#- ,ÿ/wwuTTVT g'+3/ +@ +!/"+/+(/ֱ%+ + +/)+9@  !"$9% 9" $9 99901#!#! 73#'#!'.'#7'>54&llLM%ww#- ,}X#,?/wwuTTVTkRFTNT# '1+3/(( +@( +/3+$++22/ְ2' +'+/'+ + 2+3+'9@  ()$99$ -99901#!#! 73#'#>3232673#".#"!'.'#llLM%ww aE%<1-)o aE%<1-)1#- ,/ww)fo!++fo!++uTTVTF%t+3// +@ +&/ֱ++'+99 $999 901#!#! 73#'#4632#"&!'.'#llLM5ĸ{{ N==NN==N #- ,/탃;JJ;;LKuTTVTq#y+3/ +@ +/ +/3$/ֱ+%+9@   "$999  #9901#!#! 332673#"&!'.'#73llLMr BHHA r }}#- , /1FF1`juTTVTgq#y+3/ +@ +/ +/3$/ֱ+%+9@  $999 9901#!#! 332673#"&3#!'.'#llLMr BHHA r } X#- ,/1FF1`+$uTTVT#-+3/$$ +@$ +/ +/3%++/+./ֱ!+ ++/+9!@  $*$9%)$999$)9901#!#! 332673#"&7'>54&!'.'#llLMr BHHA r }s}X#-?B#- ,/1FF1`!hRGTL T#!OuTTVT-7+3/.. +@. ++/$+ /'3/3++ +28/ִ ++/+ ++9+ 99@  !'+./$9(99+.3901#!#! >3232673#".#"332673#"&!'.'#llLM aE%<1-)o aE%<1-)Vr BHHA r }}#- ,/fo!++fo!++@1FF1`juTTVTF!++3 ++  +@  +2/" +" +@" +,/ֱ++-+99 "#$9999"'901#!#! 332673#"&4632#"&!'.'#llLM <==< uN==NN==N #- ,/-AA-b;JJ;;LKuTTVTB/'g+33/ / +@ +(/ֱ+)+$999 9 9901#!327#"&54>7#!!'.'#ll'?/4"1#:#k/\{/79LM#- ,/ )7@++{$^\-PC4uTTVTh/\ +3 ///3 / ְ2 2 +@  +@  +@ ++901#!!!!!!5!3#)1JpH'J%/PG=-/#,+/"3+ 2/$,/-/ְ2$22 +@" + +@ ++(  .+( 9999$ 99, 90157!2#!32654#3#32654&+={Xp@ZauDx^fq{o`ehX =fLHzmRvL%xVVtaeTGJB/(z+// (/)/ֱ 2+$ *+99$ 99999  99(9013!2#!!32654+532654&+{Xp@ZauDx^Lq{엇o`eh/=fLHzmRvL%՜LRLAD9dDH.s+$+./+ / //ֱ +)0+ #$.$9) %&$9#&)999 $ 9999014>32.#"3267#".>54&'73dVoh9-^@Jn-mRCNc32.#"3267#".7!dVoh9-^@Jn-mRӒLR:)-5-H4d$C+ / %/ֱ&+99  9999014>32.#"3267#".73#'#dVoh9-^@Jn-mRĸ{{ӒLR:)-5-H4탃d$C+ / %/ֱ&+99  9999014>32.#"3267#".3373#dVoh9-^@Jn-mR͸{{ӒLR:)-5-H!d(Z+ / &/ )/ֱ+#*+# $99  9999014>32.#"3267#".4632#"&dVoh9-^@Jn-mRsR??RR??RӒLR:)-5-H;JJ;;LL' O + / /ֱ++ 9$999013!2#3373#3265!#=ӘRR}۸{{GZZ/=ɉ˅BZF'/  H + // !/ֱ  ++"+ 9013!2#'3265!#4632#"&=ӘRR}^ZZ-N==NN==N/=ɉ˅BZV;JJ;;LK'/ Q + / / /ֱ++ 99999013!2#!!3265!#=ӘRR}TZZ/=ɉ˅B՜)Z=T/d+ /3+2/ /ְ22 +@ + +@ ++ + 990157!2#!3265!#3#==ӘRR}ZZp=ɉ˅BʮZx} L+ // /ֱ 2 +@ +@  +@  ++  9013!!!!!!#0sw/} D+ // /ֱ 2 +@ +@  +@  ++013!!!!!7!0s#/} L+ // /ֱ 2 +@ +@  +@  ++  9013!!!!!73#'#0smĸ{{/탃} L+ // /ֱ 2 +@ +@  +@  ++  9013!!!!!3373#0sm{{/} #r+ // /!32$/ֱ 2 +@ +@  +@  +  +%+ 99013!!!!!4632#"&%4632#"&0smC65EE55D{E55DD55E/>5FF55DD55FF55DD} U+ // / /ֱ 2 +@ +@  +@  ++  99013!!!!!5!0s /曛} n+ ++ +@ +2 + + /ֱ 2 +@ +@  +@  ++  9013!!!!!332673#"&0s <==< /-AA-b} _+ // //ֱ 2 +@ +@  +@  + ++ 99013!!!!!4632#"&0sR??RR??R/J;JJ;;LLF}/ V+ /// /ֱ 2 +@ +@  +@  +  ++013!!!!!4632#"&0sN==NN==N/;JJ;;LK}# }+ // /+ / +/ֱ 2 +@ +@  +@  + ++  9 999 9013!!!!!7'>54&0s+F^4+;M/}\P1F1e ! #'} #+ // /2 + 2$/ֱ 2 +@ +@  + +# + + +2%+  999013!!!!!>3232673#".#"0s` kN)D;3( } kN)D;3( /w%03u'13@2 [+ // //ֱ 2 +@ +@  +@  ++  9 999013!!!!!73#'#%730s}wwL/ww2 [+ // //ֱ 2 +@ +@  +@  ++  9 999013!!!!!73#'#3#0s}ww߿/wwug !+ // /+/+"/ֱ 2 +@ +@  +@  + + +#+  9 $9 $999 999013!!!!!73#'#7'>54&0s}ww+}X#,?/ww?kRFTNT# } ++ // #/3+(#++2,/ֱ 2 +@ +@  +@  ++ + +/ 3+ + +  +2-+  #($9# 99013!!!!!73#'#>3232673#".#"0s}ww aE%<1-)o aE%<1-)/ww)fo!++fo!++F} i+ ///  /ֱ 2 +@ +@  +@  +  +!+  9 $9013!!!!!73#'#4632#"&0smĸ{{N==NN==N/탃;JJ;;LKB/#k+ 3 /// $/ֱ 2 + +@ +@ +@ +%+#999013!!!!!#3267#"&54>70s#B3:#&:#k/Z}-7/#7F%-) {$^\-PA6} U+ // / /ֱ 2 +@ +@  +@  ++  99013!!!!!5!%730s o/曛d (~+ / / )/ֱ+ +@ +*+!9 "#%($9 $999999  99014>32.#"3275#5!#".73#'#dVty:+eJ^5=uuȔTĸ{{ӒLV6)-)ר7HH4탃d .+ %+,+%, +@%! +(2! + ! + //ֱ+ +@ +0+ !(,$9 )99999  99014>32.#"3275#5!#".332673#"&dVty:+eJ^5=uuȔT <==< ӒLV6)-)ר7HH!-AA-bd ,+ / / */$-/ֱ!+''+ +@ +.+'! $9 9999  99014>32.#"3275#5!#".4632#"&dVty:+eJ^5=uuȔTR??RR??RӒLV6)-)ר7HH;JJ;;LLd7H 0+ 0/!+'/(+/ / 1/ֱ$++++2+$!'(0$9+ $9 99'!+9999  9014>32.#"3275#5!#".>54&'7dVty:+eJ^5=uuȔT\Nc4/1yg6\vBӒLV6)-)ר7HH %%#& ^NH1F1d (~+ / / )/ֱ+ +@ +*+!9 "%'($9 &999999  99014>32.#"3275#5!#".3373#dVty:+eJ^5=uuȔT{{ӒLV6)-)ר7HH!d $v+ / / !/"%/ֱ+ +@ +&+ !"$9 #$$999  99014>32.#"3275#5!#".5!dVty:+eJ^5=uuȔT ӒLV6)-)ר7HH]d 8+ / / 5/$,2)$5+0!29/ֱ!+8 ++ +@ +,+- +:+8 $)0$9, 9999  99014>32.#"3275#5!#".>3232673#".#"dVty:+eJ^5=uuȔT kN)D;3( } kN)D;3( ӒLV6)-)ר7HH:w%03u'133 Z+3 / +@ +2/ֱ 2 +2+  9 $990133!3#!73#'#R`ĸ{{/b;탃F3/ S+3/ / +@ +2/ֱ 2  ++2+0133!3#!4632#"&RLN==NN==N/b;;JJ;;LKV3/ +3/+ +@ +2 / +@ +2/ֱ 2 +  + +2+ +/ ++ 90133!3#!332673#".R9@??@ BdFFdB"/b;7RR73bL//Lb9/u+ 3// 33+ 22 +@ +2/ְ222 +@ ++22 2  +@ ++015753!533##!#!5!9픔RRl v/"+/ֱ +9901!#3 :C/N"+/ֱ +99017!3C/X %+ /ֱ  + $90173#'#3ĸ{{탃C/em+/ 2+2/ִ ++ +  ++99999 9901>3232673#".#"3# kN)D;3( } kN)D;3( Pw%03u'13=/X \ + /32/ ֱ +/ ++  9999  9014632#"&34632#"&C65EE55D3E55DD55E>5FF55DD/>5FF55DD1'+//ֱ +9015!3 y曛/ F + //ֱ+  /+  99  9014632#"&3R??RR??RJ;JJ;;LL/X %+ /ֱ  + $9013373#3{{C/#Y+ / +/+/ֱ   /+  99 9 9017'>54&3+F^4+;M:}\P1F1e ! #'^/F/ > + //ֱ+  /+  99014632#"&3N==NN==N;JJ;;LKo/XB/;//ֱ   + 9 999014>7#33267#"&X+3=: ):#k/Z}/NA4/Rw-) {$^+ D++ + +@ +2/ֱ+ 99 901332673#"&3 <==< -AA-b/1;+ +@ +/ֱ + 999901?32653#"&73#'#1BhHM+Z]}ĸ{{uqRo-Lf54&'7rNc4/1yg6\vB/@V{ %%#& ^NH1F1J/ /+3/ /ֱ 2+  9901333! #!!r-/@V{՜` ?+  +@ + /ְ2 +@ + + 990133!7!J/` G+  +@ + /ֱ +@ ++ +  + +0133!3#ԝ'j/7`/k+  +@ +/+ / +/ֱ +@ + ++99  99 90133!>54&'7Nc4/1yg6\vB/ %%#& ^NH1F1/K+  +@ +  +  +/ֱ +@ ++ +0133!4632#"&XBBUVABX/lFZZFFZZF`/M+  +@ +/ /ֱ +@ ++ +  990133!4632#"&.N==NN==N/;JJ;;LKF` W+  +@ +/ //ֱ +@ + ++ $9015!3!4632#"& o.N==NN==N曛/;JJ;;LK`/ C+  +@ + / /ֱ +@ + + 990133!!!/՜o/ I + +@  +/ ְ2 2 +@  +@ + +@  ++017573%!!1I\1;JF/)a+ 3'/!*/ֱ+$$ + ++999$$9 9 990133373#4>7##'#4632#"&FJ  bZa N==NN==N/'`f`'E'`f`'d;JJ;;LKF+ 3/ֱ+ +99 $9 99901333.53#'#7!Ayx o/V^%X_sI+ 3/ֱ+ +999 $9 99901333.53#'#3373#Ayx G{{/V^%X_s++ 3(/2(+#2,/ֱ+  +/+ ++2   +-+ #$9 99#9901333.53#'#>3232673#".#"Ayx T kN)D;3( } kN)D;3( /V^%X_sw%03u'137/#s+ 3#/+/+$/ֱ++ %+99#$9 9 99901333.53#'#>54&'7Ayx )Nc4/1yg6\vB/V^%X_s %%#& ^NH1F1b+ 3/ /ֱ++ !+999 9 999901333.53#'#4632#"&Ayx _R??RR??R/V^%X_sJ;JJ;;LLF/X+ 3/ /ֱ++ !+999 9 9901333.53#'#4632#"&Ayx _N==NN==N/V^%X_s;JJ;;LK/M+ 3//ֱ+ +$9 99 $901333.53#'#!!Ayx "/V^%X_s՜do#L+ !/ $/ֱ+ %+9$9! 99014>32#".!#32654&#"dLrqLLqsLՑ}}ϏJLσђNN`Ŭdo#L+ / $/ֱ+ %+ !#$9 "9 99014>32#".732654&#"7!dLrqLLqsL}}ϏJLσђNNхŬdo'S+ %/ (/ֱ"+ )+9"$9 9% 99014>32#".73#'#32654&#"dLrqLLqsLĸ{{}}ϏJLσђNN%탃`Ŭdo+7+/ 5/ (/2(+#28/ֱ,,++ +,2+  2+ +/  +9++#/5$95/ 99014>32#".>3232673#".#"32654&#"dLrqLLqsL kN)D;3( } kN)D;3( K}}ϏJLσђNN+w%03u'13ZŬdo+7m+# )/ /53/28/ֱ  + &+ 2 &+,,/29+,#)$9)# 99014>32#".4632#"&32654&#"4632#"&dLrqLLqsLC65EE55D%}}VE55DD55EϏJLσђNN5FF55DDŬw5FF55DDdo#L+ / /!$/ֱ+ %+ "$9 99014>32#".732654&#"5!dLrqLLqsL}} ϏJLσђNNхŬdo#'N+ / (/ֱ+ )+ "$%'$9 &9 99014>32#".732654&#"73373dLrqLLqsL}}ѲѲϏJLσђNNхŬdo'S+ %/ (/ֱ"+ )+9"$9 9% 99014>32#".3373#32654&#"dLrqLLqsLϸ{{柑}}ϏJLσђNN`ŬdFoH+W+ )/#/ ,/ֱ +&&+ -+& $9 99014>32#".732654&#"4632#"&dLrqLLqsL}}N==NN==NϏJLσђNNхŬ;JJ;;LKdo#/p+ / )/*+ /!+0/ֱ-+$$+ 1+- !)*$9 99 *$9014>32#".732654&#"7'>54&dLrqLLqsL}}|+F^4+;MϏJLσђNNхŬ}\P1F1e ! #'d2'+g+ %/ (/,/ֱ"+ -+9"($9 )+999% 99(999014>32#".73#'#32654&#"73dLrqLLqsLww}}㏿ϏJLσђNN%ww`Ŭ}do2'+h+ %/ +/,/ֱ"+ -+9"($9 )*+$9% 99+999014>32#".73#'#32654&#"3#dLrqLLqsLww}}vϏJLσђNN%ww`Ŭkdog'5+ %/ //0+(/)+6/ֱ"+ 3 "+, +7+9"@ ()/0$939% 99/$9099(,999014>32#".73#'#32654&#"7'>54&dLrqLLqsLww}}}X#,?ϏJLσђNN%ww`Ŭ5kRFTNT# do3?+7 =/ +/3$+0$+++'2@/ֱ44+33 +4:+ ( :+' +'/( +2A+'3@ +7=$9=7 99+99014>32#".73#'#>3232673#".#"32654&#"dLrqLLqsLww aE%<1-)o aE%<1-)`}}ϏJLσђNN%ww)fo!++fo!++7ŬdFo'3k+ 1/+%/ 4/ֱ(+.."+ 5+9.(%$9 "9% 99014>32#".73#'#32654&#"4632#"&dLrqLLqsLĸ{{}}N==NN==NϏJLσђNN%탃`Ŭ;JJ;;LK`sb!)w+$ / */ְ2'+ 2++999' "$9 999$99")$9  99901?.54>327#"'&"72654'`w73!!!!!!".7;#"dRDvךR99͆?=Ƌd ,o+$ */ -/ֱ!!'+   /.+'!99  9999*$9999014>32>54&'7#".732654&#"dLr}5< nV;BLqsL}}ϏJN76,LL-\oH{ђNNхŬd ,0t+$ */ 1/ֱ!!'+   /2+'!-.0$9  /$99*$9999014>32>54&'7#".732654&#"7!dLr}5< nV;BLqsL}}ϏJN76,LL-\oH{ђNNхŬd $0y+( ./ 1/ֱ%%++   /2+%!9+"$#$9  9999.(9999014>32>54&'7#".!#32654&#"dLr}5< nV;BLqsLՑ}}ϏJN76,LL-\oH{ђNN`Ŭd# ,<+$ */ 6/7+-/.+=/ֱ!!:+11'+   />+:!$*-.67$9' 999*$99996 997 9-199014>32>54&'7#".732654&#"7'>54&dLr}5< nV;BLqsL}}|+F^4+;MϏJN76,LL-\oH{ђNNхŬ}\P1F1e ! #'d 8D+< B/ 5/$,2)$5+0!2E/ֱ9!9+8 +9?+-?+, +,/- +   /F+,8$032>54&'7#".>3232673#".#"32654&#"dLr}5< nV;BLqsL kN)D;3( } kN)D;3( K}}ϏJN76,LL-\oH{ђNN+w%03u'13ZŬdF ,8~+$ 6/0*/ 9/ֱ!!-+33'+   /:+3-$*$9' 999*$9999014>32>54&'7#".732654&#"4632#"&dLr}5< nV;BLqsL}}N==NN==NϏJN76,LL-\oH{ђNNхŬ;JJ;;LKdBoH$0b/./ 1/ֱ%%+++ 2+ (.$9+ 9999. ($9014>323267#"&5467.732654&#"dLrqLPI9#&;#l/Z}N1q}D}}ϏJLσE#k/-) {$^\J{(UŬdo-c+ $+++$+ +@$ +'2 + ./ֱ+ /+ ($9 99014>32#".732654&#"332673#"&dLrqLLqsL}} <==< ϏJLσђNNхŬ-AA-bdo#'U+ / /!(/ֱ+ )+ "$%'$9 &9 99014>32#".732654&#"5!%73dLrqLLqsL}} oϏJLσђNNхŬ\+ 3// /ֱ2++ $9 999 99013!2##32654&+7!ZuDuc 衏spwn;/!K_u'Ry-XRVHH c+ 3/ / !/ֱ2+"+9 $9 999 9 9013!2##3373#32654&+ZuDuc {{{Ispwn/!K_u'RypXRVH7/(+ 3(/+/ +// )/ֱ2+##+*+  ($9 99#9 99013!2##32654&+>54&'7ZuDuc 衏spwnNc4/1yg6\vB/!K_u'Ry-XRVH) %%#& ^NH1F1F/$i+ 3"/// %/ֱ2++&+ 9 99" 99013!2##32654&+4632#"&ZuDuc 衏spwn9N==NN==N/!K_u'Ry-XRVHX;JJ;;LKF(}+ 3&/ // /)/ֱ2+##+*+99# 9 $9 99013!2##5!32654&+4632#"&ZuDuc T 4spwn9N==NN==N/!K_u'Ry曛GXRVHX;JJ;;LK/g+ 3/// /ֱ2++99 9 $9 99013!2##!!32654&+ZuDuc HHspwn/!K_u'Ry՜XRVHN/3m-+ / 4/ֱ+(5+ 99@  #-013$9($2$9-9($9901?32654&/.54>32.#"#"&7!NwHZTVVA}7cL-:hX}Av7HJSRG{;eJ+:jb;FE8=<16H\=HuT-R5+9=91:-0F`FHvZ2VN/7p-+ / 8/ֱ+(9+ 0999@  #-1247$9($3$9-9($9901?32654&/.54>32.#"#"&73#'#NwHZTVVA}7cL-:hX}Av7HJSRG{;eJ+:jbFĸ{{;FE8=<16H\=HuT-R5+9=91:-0F`FHvZ2V탃N/7p-+ / 8/ֱ+(9+ 0999@  #-1467$9($5$9-9($9901?32654&/.54>32.#"#"&3373#NwHZTVVA}7cL-:hX}Av7HJSRG{;eJ+:jbF{{恠;FE8=<16H\=HuT-R5+9=91:-0F`FHvZ2VmNDJ/A-+7+A/0+/ B/ֱ3+<<+(C+ 06A$93 799<@ "#- 89$9($999-069<9997($9901?32654&/.54>32.#"#"&>54&'73NwHZTVVA}7cL-:hX}Av7HJSRG{;eJ+:jbߟNc32.#"#"&>54&'7NwHZTVVA}7cL-:hX}Av7HJSRG{;eJ+:jbNc4/1yg6\vB;FE8=<16H\=HuT-R5+9=91:-0F`FHvZ2Va %%#& ^NH1F1N/;-+ / 9/332.#"#"&4632#"&NwHZTVVA}7cL-:hX}Av7HJSRG{;eJ+:jbR??RR??R;FE8=<16H\=HuT-R5+9=91:-0F`FHvZ2V ;JJ;;LLNFJ/;-+ 9/3/ 32.#"#"&4632#"&NwHZTVVA}7cL-:hX}Av7HJSRG{;eJ+:jbN==NN==N;FE8=<16H\=HuT-R5+9=91:-0F`FHvZ2V;JJ;;LKNJ/_-+]3 42/L3 E2`/ֱ+((@+OO7+Xa+ #-$9($999@09O<19974;ELS]$9-099(1@IX$9H9901?32654&/.54>32.#"#"&%732654&/.54>32.#"#"&NwHZTVVA}7cL-:hX}Av7HJSRG{;eJ+:jbwHZTVVA}7cL-:hX}Av7HJSRG{;eJ+:jb߁;FE8=<16H\=HuT-R5+9=91:-0F`FHvZ2VD;FE8=<16H\=HuT-R5+9=91:-0F`FHvZ2VH(X++ $/ )/ֱ((+ *+( $9  99$ 9990134>32#"&'732654&/7.#"54&'735kSNc54&'75kMNc4/1yg6\vBmm1 %%#& ^NH1F15F/]+/ /3 /ֱ +@ + +@ ++/+ 99015!!#4632#"&5kN==NN==Nmm`;JJ;;LK5/ ?+ //3  /ֱ +@ + +@ + +015!!#!!5kmmH+  +@ +2/ֱ + +9 $901332653#".!#sdds>pihu=X`v66vZH+  +@ +2/ֱ + + $9 901332653#".7!sdds>pihu=;X`v66vmO+  +@ +2/ֱ + +9 $9 901332653#".73#'#sdds>pihu=ĸ{{X`v66vm탃-r+  +@ +2*/!2*+%2./ֱ-2 +/ + ! " +/+ %9901332653#".>3232673#".#"sdds>pihu=x kN)D;3( } kN)D;3( X`v66vsw%03u'13!-g+  +@ +2/+3%2./ֱ+ + ( +""/(/+"9901332653#".4632#"&%4632#"&sdds>pihu=C65EE55D{E55DD55EX`v66v5FF55DD55FF55DDT+  +@ +2//ֱ + +99 9 9901332653#".5!sdds>pihu= X`v66v#h+  +@ +2+!+! +@ +2$/ֱ + %+9 !$9 901332653#".332673#"&sdds>pihu= <==< X`v66vZ-AA-b-!-x+  +@ +2/%++/+./ֱ+" +(+ + + /+99+%9901332653#".4632#"&732654&#"sdds>pihu=u^\ww\^uy3'%55%'3X`v66vVhhVXffX/11/-33S+  +@ +2/ֱ + +9 $9 99901332653#".73373sdds>pihu=ѲѲX`v66vmO+  +@ +2/ֱ + +9 $9 901332653#".3373#sdds>pihu={{X`v66vZ!%1+  +@ +2//3 )2"/#+2/ֱ+ + , +&&/,3+"#99&99,$%9901332653#".4632#"&5!4632#"&sdds>pihu==0/??//> ?//>>//?X`v66v/??//>=vv/??//>=!%1s+  +@ +2//3 )22/ֱ+ + , +&&/,$23+"9&#%$901332653#".4632#"&?34632#"&sdds>pihu==0/??//>?//>>//?X`v66v/??//>=/??//>=)5z+  +@ +2'/33! -26/ֱ+$ + 0 +**/07+$99*$909901332653#".3373#4632#"&%4632#"&sdds>pihu={{=0/??//>{?//>>//?X`v66v}/??//>=0/??//>=!%1s+  +@ +2//3 )22/ֱ+"3 + , +&&/,3+&#%$9,$901332653#".4632#"&3#4632#"&sdds>pihu==0/??//>?//>>//?X`v66v/??//>=/??//>=F/!Q+  +@ +2/"/ֱ+ + #+9901332653#".4632#"&sdds>pihu=1N==NN==NX`v66v};JJ;;LK#%k+  +@ +2/ +/+&/ֱ#+ + '+# $9 901332653#".7'>54&sdds>pihu=&+F^4+;MX`v66vV}\P1F1e ! #'B/*R/+/ֱ!+ + ,+!&99 999 99013326533267#"&54>7.sdds%FfBNK9#&9#j/\{)-bm9X`ooL%i/-) {$^\-J;+:wX"V+  +@ +2#/ֱ ++$+ 99901332653>54&'7#".sddsgHh d>pihu=X`5J-LK-mov66v"&_+  +@ +2'/ֱ ++(+ #$&$9%99901332653>54&'7#".7!sddsgHh d>pihu=;X`5J-LK-mov66vm"&a+  +@ +2'/ֱ ++(+#9 $%&$99901332653>54&'7#".!#sddsgHh d>pihu=X`5J-LK-mov66vZ#"2+  +@ +2,/-+#/$+3/ֱ0+'' ++4+0#$,-$99,9-999#'9901332653>54&'7#".7'>54&sddsgHh d>pihu=&+F^4+;MX`5J-LK-mov66vV}\P1F1e ! #'":+  +@ +27/&.2+&7+32#2;/ֱ:2# +#/ +. / ++<+.#2999929997901332653>54&'7#".>3232673#".#"sddsgHh d>pihu=x kN)D;3( } kN)D;3( X`5J-LK-mov66vsw%03u'13FX".d+  +@ +2,/&//ֱ#+)) ++0+)#99901332653>54&'7#".4632#"&sddsgHh d>pihu=1N==NN==NX`5J-LK-mov66v};JJ;;LK%u!%!+ 33&/ֱ+'+6>+ . ]+ . >d+  + ++  + + #99  #99@   ..........@    ............@!9"$9990133>733>73!.'#!!#%Z)( Z  /VVVVTVVT?}<;~?%u!%!+ 33&/ֱ+'+6>+ . ]+ . >d+  + ++  + + #99  #99@   ..........@    ............@!9"$9990133>733>73!.'#!7!%Z)( Z  J/VVVVTVVT?}<;~?%u!)!+ 33*/ֱ+++6>+ . ]+ . >d+  + ++  + + #99  #99@   ..........@    ............@!9"%9990133>733>73!.'#!73#'#%Z)( Z  ĸ{{/VVVVTVVT?}<;~?탃%u!-9+!+ 33+/73%12:/ֱ"+((.+44+;+6>+ . ]+ . >d+  + ++  + + #99  #99@   ..........@    ............@"9( 994. 9+! $90133>733>73!.'#!4632#"&%4632#"&%Z)( Z  C65EE55D{E55DD55E/VVVVTVVT?}<;~?>5FF55DD55FF55DD(+/ֱ 2+ $90133>?3#!#n10o/;s==s;R)%+/ֱ + $90133>?3#7!n10o/;s==s;R<'+/ֱ + $90133>?3#73#'#n10oĸ{{/;s==s;R<탃'j+/%32(/ֱ  +/ +")+99999"  %99990133>?3#4632#"&%4632#"&n10oC65EE55D{E55DD55E/;s==s;R5FF55DD55FF55DDH+//ֱ   +/+ $990133>?3#4632#"&n10oR??RR??R/;s==s;R;JJ;;LLF/@+//ֱ   +/+ $90133>?3#4632#"&n10oN==NN==N/;s==s;RL;JJ;;LK#\+/+/+ /ֱ   /!+$9990133>?3#7'>54&n10o#+F^4+;M/;s==s;R%}\P1F1e ! #''{+$/2$+2(/ִ' +'+  + +)+'9$99 "$99 990133>?3#>3232673#".#"n10o kN)D;3( } kN)D;3( /;s==s;RBw%03u'13R ,+ / /+990135!5!!7!R#‹R ,+ / /+990135!5!!3373#R#L{{‹R B+ / / / ֱ+ 9990135!5!!4632#"&R#R??RR??R‹J;JJ;;LLRF/ B+ / / / ֱ+ 9990135!5!!4632#"&R#N==NN==N‹;JJ;;LK=T/d+ /3+2/ /ְ22 +@ + +@ ++ + 990157!2#!3265!#3#==ӘRR}ZZp=ɉ˅BʮZx/I+// +@ +/ֱ22+ + 9013332+3254&+\wFFy]ro/!M`\V)^FoZH#9+ // $/%+99 9 901467!.#"'>32#".73267oN1kBoJLooG lh"=)9LL΃ϒNL'9dH)5A~%+ 3-%+ ?/ B/ֱ6*6+/*6<+C+6*399< %-$909-%"9?*039$9014>7.54>32673&'#".73267.'>54&#"9#>M+#(+MoD}+FZ-5F\+=j`9HmZa1kN+T)H5)6qD^-/1D7VH;=w57gN-o3TH?;q/sç9Z7@2VpLHP9B#H#I'%S<)5HoJ'B+ #/ (/ֱ+ )+99# 99014>32#".732>54.#"o=sa`r>>r``s=5H))G66G))H5эLLσєNNуf\++\ghV''VZ!/=+/ +@ + /ֱ +@ + +9015>73#Z\<=+#==^HH+ / /ֱ +@ + + 99999901>32>;!5>54#"=TrV`5AqP/n2wHHp0VT/X{JHHŇd;C+/jH-n++ / /./ֱ&  +@ +/+"#99+9 &99 "#9999901?32654.#52654&#"'>32#"&/m5bTmNdVNBr7uLhXf:k^hCuXρ/CNA%=+VC=F5/BJ'LoEVw%jJuP+VL/ \ +/3 2 +@  +/ ְ 22 +@ +  +@ ++ 9 9015!3##%!5467#L!%31/=/9q/"N + // #/ֱ$+99 9  9999901?32654&#"'!!>32#"&9i5Z\upY;L5l @#J)Lf32.#">32#".732654&#"wN\o8}!i75^J-3H=iPXyGuRDd`V1kݏFJ3!-%Td9BT\2>j\TT\3DN/: +/ / ֱ +@ ++  99015!#>7D f~G%JqTmqifH%3?t!+)=/@/ֱ&&4   /4&:+, A+4 9:!)1$999=) 17$9014>75.54>32#".732654.'>54&#"f#{XTk'Hb>3P-b-1ZPBX 3TD5-{TDnL)+J=34CV6BnP-+Nk`JXJH'7/'ZHT!'Z-BRD^J".g+ /&,///ֱ##+ 0+#99)$999& 99,9014>32#"&'732>7#".73267.#"^ȎݑDJ5!/%Vd9>)R}Z\T8;m]V"//+ ++015!VӬVy"//+++015!VݜV3y//+015!Vݜ5/+/ֱ++ $9013#'!3'.'##!BDh*)tlgFGHEm!m/+/+!/+"/ֱ2+  V+#+ 99 9 99!9901!2#'32'4+532654#m&FuV1JN5\}JlZPpt1T>=m#Db@ y?32.#"3267#".?BsVT)^#N1jn;Y%^qVm@my@D/h!&-)g32.#"32675#5!#".?Bu]^/`#N?s%A=1]ZsBmv@D)n!&u+@7##'#m9:LJJt[KLHGLLm>/ִ++ ++99 99 990133.53#'#mZ \ t!FLjHJ? ^@// /ֱ+ !+99 99014>32#".732654&#"?>tkmy@@ylmH /+  +@ +/+/ֱ2++901!2+3254&+m7J|]55_|H}`^}t@jLLnH#ĞN=;3(T/&/)/ֱ#+ *+# 999 999&  $9014>323267#"&'.732654&#";>tk"3( } }bmc++ +@ + 2/+/ֱ2++ 99 9 9901!2##3274&+m5Fz\4aMx\[xt>fJbRُH=1 -f+//./ֱ+&/+ 99 #+$9&$999+9&$9901732654&/.54>32.#"#"&1e/?HEK<{%A3-RqCN7X+`<=BT7yXZ+TxL\s/3=/305*7J/5\F'>5j#*5-133'bZ9eL+B!>/3 +@ +/ֱ +@ + +@ + +015!##!j 0//ֱ + ++ 901332653#"&jaRNb ml /ֱ + +6m+ . =+  .  [+ +++=1+   + #999  #9@  ............ ........@0133>73#{# xNJMNI7!0"/ֱ++#+6>+  ++  >n+  + +  +g+  + +>t+  + + + #99 9 999  #99@   ................@   ................@!990133>733>73#.'##G  hl  Ij    dLHGHELDGHE3e33e3@33>?3#'.'#\!Xg#$bA))AL@#D))D#/ֱ + 990133>?3# \%(\3^33^3E3 @// /+ +2 + 999015!5!!3TXffVu5 + / / /ְ 22+014632#"&4632#"&V@/1??1/@@/1??1/@1BA23??1AA13@@VT/++++/+++015!VJyyVuN/++++/+++015!VmmV+N$++++/+015!Vmm $//++99015!73{ś)#//ִ+99015!%73 o˛ ̠B^_<ѻhѻhN-  N k`H\=93XbF3`V3RD1%1ZZTL33`FFFRfvdMdMA1?dddd\N^5=If%SQR+Nqd'/jTXT7(Rv{-+zdT|Xr1)r1FB NB}h/% Td`D`FV9d'RFD?d~R3dx7o\sst=\vvvvvvdMMMMAAAA1=?dddddddddddd\====/j/j/j/j/j/jGjTTTTTtjbzdTdTdTdTdTFdTrrrrv/jv/jv/jdTdTdTdTX1=XMTMTMTMTMTd(Rd(Rd(Rd(RMv9vAAAAXRA1--++VCC'?z?z?zdddTdddTdddTdTG\Nr1\Nr1\Nr1\Nr1^5)^5)=r=r=r=r=r=rf%1QRFQRFQRFvXo1dfdT^rv/jAdddT=r=r=r=r=rd(RdddT\Nr1^5)9XL``p ` !33s3A9Q!dd %X!Q %d!dd^dddLx`Q#huj-Nu??d+D ` =55``7 `Zz7#h/XXMTd(RMvMv-+++e?z?z?zdddT}}\Nr1\Nr1^5)^5)f%1f%1f%1QRF|v/jv/jv/jv/jv/jv/jv/jv/jv/jv/jv/jv/jMTMTMTMTMTMTMTMTAvA{dddTdddTdddTdddTdddTdddTdddTdfdTdfdTdfdTdfdTdfdT=r=r^r^r^r^r^rHmVVVVfVfV`3s33sddR =3A`Ao-=jNN?RfVLL`=D?N?RfVLL/wh - Vw%!`G-GXf^sFs???1RPRlZB(1F sFbN`BFFFNNo++qq++!!TColl17 +oCCNNN777d(RR"7dNdD7DddDdddXXXXXXXXXXXXXXXXXXXXXXX````````VCI9'7xoZH1QH1ZyZKmZiRD1%1\ZT9AbZJ1A51AlZCdAIrfVBVB=D?N?RfVLLVB=D?N?RfVLLVB = =55 =Bj`oj-N?`=`RRxoxo{IddA1GSdGbVN5%Rv=Iddddd=ddddddd+9AAAAAAAAAAAXA1GGSddddddddddddddd`ddddddddddVVVVVVNNNNNNNN55555%%%%RRRR=Zo99oZ=/L9wDf^QVSVV1m?Zmmm^?mm5mmmm?-m;7m1!jM3VVVV``````\ 4t`  H  @ pPDhH <08 Xd !!"p"$%D%&&t&'L'''()*P+$+,.,./0/0D01p223x4H4567 79:::;<4=4==><?@AAB@CD EXF@FFGHhHIPIJKdKLPLM MtMNxNOPRSpTTUpVWXYxZ[[\<](]x]^$^_`abPc$dTetefgXghij(jklmo phqsDtuvw`xDyyz4z{H|P}H~~4(\d(D|8\8@x@lx,|`,l@0|hÀxH$ʘ̐(8$МѰҴDלظڜ``hhT<<(,ph@\DH,8,l@,8LX  , (  @`8 H,x@DL4t H  !!!"8""#d#$P$$%X%&&d&'D'((()p*X++,.h./0(012H23P34p5t6h78$89:d;P>?d@<A,AB<BCLCDDEhF`GhH<IIJK\LLMNOPQlR<RTU4VpWX0Y4YZ\h^``Db@dfghXhitjkldmnopqrstvdwy8z0{x|`}~<Pd(0t$L8$$0 (4@h$0ŀ ǨȀpt````````````|˘(X̤|Τ`Ј@ѰhhPԠ4Dxxt٘(<܈ ݬި߀$,@X8dhP$  |$t d4  ( l @  x,x X8l<\,$x tl  !x!"|#h$H$%|&&'(`)8*(+, -X./02$3(485p6|78:L;<> ?A,BCDF GxHJK@LlMNN`NO,OP@PQQRXSSdTTUVtWhWYZ Z[4[\]^d_X_aabbcdeHf(gghik0kkl<lm8mn<oopdq,qrsst tttupuvhw@wxydyz{| |X|}}~h4<p`(LH|,X<$x hx hxxxt4XH8p|$PxL@\d0DpLtXl,  x,ƬXȼD\`$xTDѤҰԬՀ 48d\D݈(߰t d,4 (<p,`P0t|d,HP((DTHP\8 \ L 8   pp8<L\0XT$ < !"#|$T%T&&'()*+,-X../0283(46$79::x:;<=$=>?L?@L@AB0BDDE8EFGtH,IIJKKLLLLMN4NOOP\PQQ`QRRS,ST`U0UVW4WXZXZ[[[\@\\]]dlhV     ) 5 0  N @K  ,  9 4 - 2E #w H'- 'u ' ' 0' ' ' ( () (; (SStraight lAlternate aAlternate gSerifed ISlashed zeroCopyright 2010, 2012 Adobe Systems Incorporated. All Rights Reserved.Source Sans Pro SemiboldRegular1.050;ADBE;SourceSansPro-Semibold;ADOBESource Sans Pro Semibold RegularVersion 1.050;PS Version 1.000;hotconv 1.0.70;makeotf.lib2.5.5900SourceSansPro-SemiboldSource is a trademark of Adobe Systems Incorporated in the United States and/or other countries.Adobe Systems IncorporatedPaul D. Hunthttp://www.adobe.com/typeCopyright 2010, 2012 Adobe Systems Incorporated (http://www.adobe.com/), with Reserved Font Name 'Source'. All Rights Reserved. Source is a trademark of Adobe Systems Incorporated in the United States and/or other countries. This Font Software is licensed under the SIL Open Font License, Version 1.1. This license is copied below, and is also available with a FAQ at: http://scripts.sil.org/OFL ----------------------------------------------------------- SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 ----------------------------------------------------------- PREAMBLE The goals of the Open Font License (OFL) are to stimulate worldwide development of collaborative font projects, to support the font creation efforts of academic and linguistic communities, and to provide a free and open framework in which fonts may be shared and improved in partnership with others. The OFL allows the licensed fonts to be used, studied, modified and redistributed freely as long as they are not sold by themselves. The fonts, including any derivative works, can be bundled, embedded, redistributed and/or sold with any software provided that any reserved names are not used by derivative works. The fonts and derivatives, however, cannot be released under any other type of license. The requirement for fonts to remain under this license does not apply to any document created using the fonts or their derivatives. DEFINITIONS "Font Software" refers to the set of files released by the Copyright Holder(s) under this license and clearly marked as such. This may include source files, build scripts and documentation. "Reserved Font Name" refers to any names specified as such after the copyright statement(s). "Original Version" refers to the collection of Font Software components as distributed by the Copyright Holder(s). "Modified Version" refers to any derivative made by adding to, deleting, or substituting -- in part or in whole -- any of the components of the Original Version, by changing formats or by porting the Font Software to a new environment. "Author" refers to any designer, engineer, programmer, technical writer or other person who contributed to the Font Software. PERMISSION & CONDITIONS Permission is hereby granted, free of charge, to any person obtaining a copy of the Font Software, to use, study, copy, merge, embed, modify, redistribute, and sell modified and unmodified copies of the Font Software, subject to the following conditions: 1) Neither the Font Software nor any of its individual components, in Original or Modified Versions, may be sold by itself. 2) Original or Modified Versions of the Font Software may be bundled, redistributed and/or sold with any software, provided that each copy contains the above copyright notice and this license. These can be included either as stand-alone text files, human-readable headers or in the appropriate machine-readable metadata fields within text or binary files as long as those fields can be easily viewed by the user. 3) No Modified Version of the Font Software may use the Reserved Font Name(s) unless explicit written permission is granted by the corresponding Copyright Holder. This restriction only applies to the primary font name as presented to the users. 4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font Software shall not be used to promote, endorse or advertise any Modified Version, except to acknowledge the contribution(s) of the Copyright Holder(s) and the Author(s) or with their explicit written permission. 5) The Font Software, modified or unmodified, in part or in whole, must be distributed entirely under this license, and must not be distributed under any other license. The requirement for fonts to remain under this license does not apply to any document created using the Font Software. TERMINATION This license becomes null and void if any of the above conditions are not met. DISCLAIMER THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM OTHER DEALINGS IN THE FONT SOFTWARE. http://www.adobe.com/type/legal.htmlSource Sans ProSemiboldWebfont 1.0Tue Jan 6 11:18:48 2015Straight lAlternate aAlternate gSerifed ISlashed zeroFont Squirrelgfl  !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`a bcdefghjikmlnoqprsutvwxzy{}|~     !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwNULLCRuni00A0uni00ADtwo.sups three.supsuni00B5one.supsAmacronamacronAbreveabreveAogonekaogonek Ccircumflex ccircumflex Cdotaccent cdotaccentDcarondcaronDcroatEmacronemacronEbreveebreve Edotaccent edotaccentEogonekeogonekEcaronecaron Gcircumflex gcircumflex Gdotaccent gdotaccentuni0122uni0123 Hcircumflex hcircumflexHbarhbarItildeitildeImacronimacronuni012Cuni012DIogonekiogonek Jcircumflex jcircumflexuni0136uni0137 kgreenlandicLacutelacuteuni013Buni013CLcaronlcaronLdotldotNacutenacuteuni0145uni0146Ncaronncaron napostropheOmacronomacronuni014Euni014F Ohungarumlaut ohungarumlautRacuteracuteuni0156uni0157RcaronrcaronSacutesacute Scircumflex scircumflexuni015Euni015Funi0162uni0163TcarontcaronUtildeutildeUmacronumacronUbreveubreveUringuring Uhungarumlaut uhungarumlautUogonekuogonek Wcircumflex wcircumflex Ycircumflex ycircumflexZacutezacute Zdotaccent zdotaccentuni0180uni018Funi0192OhornohornUhornuhornuni01CDuni01CEuni01CFuni01D0uni01D1uni01D2uni01D3uni01D4uni01D5uni01D6uni01D7uni01D8uni01D9uni01DAuni01DBuni01DCGcarongcaronuni01EAuni01EBuni0218uni0219uni021Auni021Buni0237uni0243uni0251uni0259uni0261h.supsj.supsr.supsw.supsy.supsuni02B9uni02BBuni02BCuni02BEuni02BFuni02C8uni02C9uni02CAuni02CBuni02CCl.supss.supsx.supsuni0300uni0301uni0302uni0303uni0304uni0306uni0307uni0308uni0309uni030Auni030Buni030Cuni030Funi0312uni0313uni031Buni0323uni0324uni0326uni0327uni0328uni032Euni0331a.supsb.supsd.supse.supsg.supsk.supsm.supso.supsp.supst.supsu.supsv.supsc.supsf.supsz.supsuni1E06uni1E07uni1E0Cuni1E0Duni1E0Euni1E0Funi1E16uni1E17uni1E20uni1E21uni1E24uni1E25uni1E2Auni1E2Buni1E34uni1E35uni1E36uni1E37uni1E38uni1E39uni1E3Auni1E3Buni1E42uni1E43uni1E44uni1E45uni1E46uni1E47uni1E48uni1E49uni1E52uni1E53uni1E5Auni1E5Buni1E5Cuni1E5Duni1E5Euni1E5Funi1E60uni1E61uni1E62uni1E63uni1E6Cuni1E6Duni1E6Euni1E6FWgravewgraveWacutewacute Wdieresis wdieresisuni1E8Euni1E8Funi1E92uni1E93uni1E97uni1E9Euni1EA0uni1EA1uni1EA2uni1EA3uni1EA4uni1EA5uni1EA6uni1EA7uni1EA8uni1EA9uni1EAAuni1EABuni1EACuni1EADuni1EAEuni1EAFuni1EB0uni1EB1uni1EB2uni1EB3uni1EB4uni1EB5uni1EB6uni1EB7uni1EB8uni1EB9uni1EBAuni1EBBuni1EBCuni1EBDuni1EBEuni1EBFuni1EC0uni1EC1uni1EC2uni1EC3uni1EC4uni1EC5uni1EC6uni1EC7uni1EC8uni1EC9uni1ECAuni1ECBuni1ECCuni1ECDuni1ECEuni1ECFuni1ED0uni1ED1uni1ED2uni1ED3uni1ED4uni1ED5uni1ED6uni1ED7uni1ED8uni1ED9uni1EDAuni1EDBuni1EDCuni1EDDuni1EDEuni1EDFuni1EE0uni1EE1uni1EE2uni1EE3uni1EE4uni1EE5uni1EE6uni1EE7uni1EE8uni1EE9uni1EEAuni1EEBuni1EECuni1EEDuni1EEEuni1EEFuni1EF0uni1EF1Ygraveygraveuni1EF4uni1EF5uni1EF6uni1EF7uni1EF8uni1EF9uni2000uni2001uni2002uni2003uni2004uni2005uni2006uni2007uni2008uni2009uni200Auni2010uni2011 figuredashuni2015uni2016uni202Funi2032uni2033uni203Duni205F zero.supsi.sups four.sups five.supssix.sups seven.sups eight.sups nine.supsparenleft.supsparenright.supsn.sups zero.subsone.substwo.subs three.subs four.subs five.subssix.subs seven.subs eight.subs nine.subsparenleft.subsparenright.subs uni0259.sups colonmonetarylirauni20A6pesetadongEurouni20B1uni20B2uni20B5uni20B9uni20BAuni2113uni2117uni2120uni2126 estimatedonethird twothirds oneeighth threeeighths fiveeighths seveneighthsuni2190arrowupuni2192 arrowdownuni2206uni2215uni2219uni231Cuni231Duni231Euni231Funi25A0triagupuni25B3uni25B6uni25B7triagdnuni25BDuni25C0uni25C1uni25C6uni25C9uni25FCuni2610uni2611uni266Auni2713uni2752uni27E6uni27E7uni2E22uni2E23uni2E24uni2E25f_funiFEFF uni00470303 uni00670303 iogonek.df_tI.aIgrave.aIacute.a Icircumflex.aItilde.a Idieresis.a Imacron.a Idotaccent.a uni01CF.a uni1EC8.a uni1ECA.a Iogonek.aa.aagrave.aaacute.a acircumflex.aatilde.a adieresis.a amacron.aabreve.aaring.a uni01CE.a uni1EA1.a uni1EA3.a uni1EA5.a uni1EA7.a uni1EA9.a uni1EAB.a uni1EAD.a uni1EAF.a uni1EB1.a uni1EB3.a uni1EB5.a uni1EB7.a aogonek.ag.a gcircumflex.agbreve.a gdotaccent.a uni0123.agcaron.a uni1E21.a uni00670303.al.alacute.alcaron.aldot.a uni013C.a uni1E37.a uni1E39.a uni1E3B.alslash.afl.a zero.pnumone.pnumtwo.pnum three.pnum four.pnum five.pnumsix.pnum seven.pnum eight.pnum nine.pnum zero.tnumone.tnumtwo.tnum three.tnum four.tnum five.tnumsix.tnum seven.tnum eight.tnum nine.tnum zero.onumone.onumtwo.onum three.onum four.onum five.onumsix.onum seven.onum eight.onum nine.onumat.case period.sups comma.sups period.subs comma.subs zero.dnomone.dnomtwo.dnom three.dnom four.dnom five.dnomsix.dnom seven.dnom eight.dnom nine.dnomparenleft.dnomparenright.dnom period.dnom comma.dnom zero.numrone.numrtwo.numr three.numr four.numr five.numrsix.numr seven.numr eight.numr nine.numrparenleft.numrparenright.numr period.numr comma.numr ordfeminine.aq.sups egrave.sups eacute.supsa.supag.supal.supa slash.frac uni0300.cap uni0301.cap uni0302.cap uni0303.cap uni0304.cap uni0306.cap uni0307.cap uni0308.cap uni0309.cap uni030A.cap uni030B.cap uni030C.cap uni030F.cap uni0327.cap uni0328.cap uni03080304uni03080304.cap uni03080301uni03080301.cap uni0308030Cuni0308030C.cap uni03080300uni03080300.cap uni03020301uni03020301.cap uni03020300uni03020300.cap uni03020309uni03020309.cap uni03020303uni03020303.cap uni03060301uni03060301.cap uni03060300uni03060300.cap uni03060309uni03060309.cap uni03060303uni03060303.cap uni030C.a uni0326.a space.frac nbspace.frac uni03020306uni03020306.capzero.0zero.0szero.0pzero.0psi.trkA.scB.scC.scD.scE.scF.scG.scH.scI.scJ.scK.scL.scM.scN.scO.scP.scQ.scR.scS.scT.scU.scV.scW.scX.scY.scZ.sc Agrave.sc Aacute.scAcircumflex.sc Atilde.sc Adieresis.sc Amacron.sc Abreve.scAring.sc uni01CD.sc uni1EA0.sc uni1EA2.sc uni1EA4.sc uni1EA6.sc uni1EA8.sc uni1EAA.sc uni1EAC.sc uni1EAE.sc uni1EB0.sc uni1EB2.sc uni1EB4.sc uni1EB6.sc Aogonek.scAE.sc uni0243.sc uni1E06.sc Ccedilla.sc Cacute.scCcircumflex.sc Ccaron.sc Cdotaccent.sc Dcaron.sc uni1E0C.sc uni1E0E.sc Dcroat.sc Egrave.sc Eacute.scEcircumflex.sc Ecaron.sc Edieresis.sc Emacron.sc Ebreve.sc Edotaccent.sc uni1EB8.sc uni1EBA.sc uni1EBC.sc uni1EBE.sc uni1EC0.sc uni1EC2.sc uni1EC4.sc uni1EC6.sc Eogonek.sc uni1E16.scGcircumflex.sc Gbreve.sc Gdotaccent.sc uni0122.sc Gcaron.sc uni1E20.scuni00470303.scHcircumflex.sc uni1E24.sc uni1E2A.scHbar.sc Igrave.sc Iacute.scIcircumflex.sc Itilde.sc Idieresis.sc Imacron.sc Idotaccent.sc uni01CF.sc uni1EC8.sc uni1ECA.sc Iogonek.sc uni012C.scJcircumflex.sc uni0136.sc uni1E34.sc Lacute.sc Lcaron.sc uni013B.scLdot.sc uni1E36.sc uni1E38.sc uni1E3A.sc Lslash.sc uni1E42.sc Nacute.sc Ncaron.sc Ntilde.sc uni0145.sc uni1E44.sc uni1E46.sc uni1E48.sc Ograve.sc Oacute.scOcircumflex.sc Otilde.sc Odieresis.sc Omacron.scOhungarumlaut.sc uni01D1.sc uni1ECC.sc uni1ECE.sc uni1ED0.sc uni1ED2.sc uni1ED4.sc uni1ED6.sc uni1ED8.sc Oslash.scOE.scOhorn.sc uni1EDA.sc uni1EDC.sc uni1EDE.sc uni1EE0.sc uni1EE2.sc uni01EA.sc uni014E.sc uni1E52.sc Racute.sc Rcaron.sc uni0156.sc uni1E5A.sc uni1E5C.sc uni1E5E.sc Sacute.scScircumflex.sc Scaron.sc uni015E.sc uni0218.sc uni1E60.sc uni1E62.sc germandbls.sc uni1E9E.sc Tcaron.sc uni0162.sc uni021A.sc uni1E6C.sc uni1E6E.sc Ugrave.sc Uacute.scUcircumflex.sc Utilde.sc Udieresis.sc Umacron.sc Ubreve.scUring.scUhungarumlaut.sc uni01D3.sc uni01D5.sc uni01D7.sc uni01D9.sc uni01DB.sc uni1EE4.sc uni1EE6.sc Uogonek.scUhorn.sc uni1EE8.sc uni1EEA.sc uni1EEC.sc uni1EEE.sc uni1EF0.sc Wgrave.sc Wacute.scWcircumflex.sc Wdieresis.sc Ygrave.sc Yacute.scYcircumflex.sc Ydieresis.sc uni1E8E.sc uni1EF4.sc uni1EF6.sc uni1EF8.sc Zacute.sc Zcaron.sc Zdotaccent.sc uni1E92.scEth.scThorn.sc uni018F.sc ampersand.sczero.scone.sctwo.scthree.scfour.scfive.scsix.scseven.sceight.scnine.sc hyphen.sc endash.sc emdash.scA.supsB.supsC.supsD.supsE.supsF.supsG.supsH.supsI.supsJ.supsK.supsL.supsM.supsN.supsO.supsP.supsQ.supsR.supsS.supsT.supsU.supsV.supsW.supsX.supsY.supsZ.sups colon.sups hyphen.sups endash.sups emdash.sups uni03040301uni03040301.capKPXYF+X!YKRX!Y+\X E+D E++D E++D E++D ER++D EE++D E8++D E ,++D E +++D E *++D E ++D E #++D E+D E+Fv+D E+Fv+D E2+Fv+D E'+Fv+D E+Fv+D E+Fv+D E+Fv+D E{+Fv+D E+Fv+D Ee+Fv+D E+Fv+D E+Fv+DY+T PK!^kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibold.woffwOFFWBASE>PsFFTMo GDEFG/KGPOSXYGSUB8OS/2)X`kcmap*LG6|\cvt .XXfpgm.eS/gasp0glyf0a"]d˧head56{hhea!$ hmtx(prep?Zkwebfø Txc`d``b>̔<&7Ē<6`d`a` ( МK͗ѻgx%MQjvn`k\HŒ'(6ߌ3 {*/K^u?@ýB}u 7%<_.H_!-;ab9\!TN]KYJGtiv===ͼuZR=}g{~%x\pEM!#0@ ! !bDEe)+""{xj]QrKQ,z),\T֋qĈYU\1_ff23U]M~{{ 4Iϑ,-12ԏ,ԓ)HOG=Ξ\LnDtֿF*rz`vp>? u>lDD2+^PoB :Mm.,&2Eq/#Xq(eb-扻bT\<$Oϊ[vKqXYxW| >ME$Sd̒W>r*Gr,L9GΗ y\)!Oʧsr|Q/˽yPI|C|O~(?f**RUVT?5X]F Pr5KU "UVQ+kzAmQN[S yx}1x&Sw,\x\3>r?G<奌3xA1\Ƙ0c>?SL=My5ܗix㎲\8Sc0.s"4.7l-mB!3CgAr67c'>6[p+Cs\}2fy|skx]v9->̫&kjJWXƃg|"ka\x㥌9su \^O|˧WqM B8Vx_6a0M.R/z y,<!Wt64$ yWP%HB*JS\q;(tB*2E+i<,ӏpBDd|n)}n#_\%=RަUk5V9zh X#6Ij:uS7EtZXuN>|  h52ـ^~R@9``.``(W_  x>mv`(Ld#Հd\<){j:S6΃9h~!BY(1x\Sv g;N4O[o-U7gL{jx(UzJRw5Ʒ1>)ee?\P͸>g>71x$m&r7cq LƳ4b̫ MsWiӦjԃ Kyŵz9)ܳ1`<5Yg|H0cI<'`O?ZsYLAspBS(c-:Qt,Bԥ+MshzL=x~f ^06 E>^6dE i JӓfxmcKh?m\ Ms~+l Ո3gq.ϜK/ ;8T]QCW⧐J)d`,?X; <Vʜ5AZN<]GL2H|Q![67xlxQ Hnp{|RmU{ԫ/ʶF[k} }+|[|}t٪˯u@yF7ʳ5.F* GU?^v< e4YWݩ65S_(/K:ʇ豒FgZ-`&DR}yfc1ØgZQԉFbT#eOm 6sCVGm V(GLPdf(Ѝ*|ݔEW6WUn6w |k:/f/:SaOwo P'lanp8ui=`'~X]6A3魠z݁sJG=c+Ѣ s@w*vgwr}Sm3EsZ[@k@u|NY+ Qt[u7Z%0_W-ѕW\ `^gq-z JAi pǹzZkAk=Zъ#h^.ћA]5z4=*l̪Bzg5SgP;6;[͎!)6GԽ3-pzLGZlf6rkZ=zbVzfwVR<--̓#=Q!s~k Sӂ^GOy3>i^S#]g}5DtUlMAH7Z:`fk>iMØ2un:uhmAkU0L7G3Yhmib"Cg#ܶfRmҰ~=JSnA3{z0fL%6TtR_|H&S1݁z7CZO;}+*'FdT Me*KRkzbYV5*Ye֍t ƋJ~B+źA3IrZmΉt%лCSeC'JJvdsZu1"k9kP:\6zrPXʋR\q|W՟@&sz dJ1Z vYsi>0s}Jm Elw}W6Lft.XzJJTԵhz=evy99.9RdpKPvij ,1[H2&Wunbz«Sho&05{^&-˦Vq#NTs׶99?-/ 7cF胐1'ޞ9't}&=DXHnF9O!Qg];|6d['ֶ=J~>lQ.m0/ _o`m_s̖9^VWcۼV .R `Q*s)ƴc2\ RՐg/dMIbo kAH.MYٷ8t$N}8o6t-ɶxz.1,-[jw{8Dr=3F}:NЕo;&jicx\"9__KrnCpň1Ygn1̣eoT ڄ8r>1a6;pS̕8kN k#]R̞(z{͠@o#[p{h(F-~}MAsیv+48sM4> [Q sŵqG7&I$o5=yJV Z;{K1G:ga}f ΛSZoM.5y}ۉ ܍*=So=Di^I@tk/~GAѓF=*Y0k4xfz:,) ?DcQ*4g5p.z@⹱o|tg8ʒWAJBvΞDݻ7}]wP^ r-J,))mZ|{q"W'o}yJ5z6_pmj-Nԝˋ}Sfb: :x6X}D9/_3'>'13LT9|Y1Ec/8[w;B2;i:9gQ;a?7UNU%qO$p-}#?5=yųJKcހMЈsu_E  iIvj"F]~n hD F$$呧8bq_KU6)my=k)6r[2dlH)ix88PS7|moFL\yu>|Kg;|+K:f3Nϓ7C-֓;3s F~'v~D;y򼌜^'s~,;Jշ%IƋ"p+,Zz+oB/^_, ͕n?9!4 %dߟ4}nWF=hMTD4`ً{Ѝ]M}fGP\Ť4m( hE(D14v@h"/70+J}y $b܃f7}ܟn[A{(.:9=ؙx7vD:80 =h9 EBwp E̷"`{93ۆB6Z`z 3_{ r"p=z|BY$db@a7|أwQ\}s?G:y8JX/M ITxCù|֮L ( 'd 2AG~õrbs{6ct$1r ֵ tzv8 ~/]'N]#UwE߄$I%|=3Ō0yxXvGJ]@qL,{Ǐ乡L*wurFDd v0[G?ؽ2N_ٰ}ђ `n]8q-\]f+ ȅt?z /Kh=mE"uޡ]/(@; y'5#G]B;joh7CKZPB~GK1]A-NP{DH;N!v!w/"K+*}W| -Q"SdX&S8q*V9]$ɛ ]*o;\9OV.yHOR~)jYyV2UZVzL$NUJR UޕWI>U_ɾUYe5*sdyUd *e!?:PZt2i5Rꍛ6}+2 \1""}I"#b;ȞhN蘞KHZսk}{1(h_LNts|*ֹOBl.t3gd/[=gop N.~};rPl^}`1\) }qRqzpJˮr@DA֤OpI)R p& QQpf* Θ$3"dſlԔR'8JXBi-v:A t6s\+p m Ƿsy@)BR4wJ18NUm?Ti\=Bz t@%Ɋ։=؛:#WU\kLMi.76s8qG+]EhCy<<'6 )奴2:y9|Nq>A@|`> '×HWOxM 9(L)%9HVJղ=zawڀ#6NDpgm͸U[i+m wp 緵]+Tk G%˛r'yC7r2IfdzxOrhՇ'9'BYO's8'WytvbiNtbdCy#OwbN<ӉF@'Fv0ou୲M6&.Dz*{cx/dxϐ^%x\F +;e \r |TOX9%[kjEur|Ln- \ax9 GxOh4"'Sx!g7n#xb ffgKcZUY)7塼S*H@f-Z:4Y*GUJTB\[_ LQ}j}&Щͨ9vԊZc'hKԎC~Nh<ͣh>} }K&B7:G"uXdnh`d͸=/'Oiyȗ _|@$C)dwzA,*`p u,7ؚ!!~ECmسR4ުغƎC_6lyV;ޟ\wm6wܟ2 ޺J_ ڕ* "<xcǻۢmn[[FyGj=3 ;oFy0a8څ1wG$)˜+T/>N:ntT4mIGXI[')1}yN=y{nT+XR$ϯu+5gBl~5 F>T(3&A*F!x+0{ɣPtA3V#0RLh-4F~D')}Y8&iM4&c^NڛN3h&͂w`<6c4wy1)轳y~]!4SJR('OiŏS8rvܜÅRKsY.ϕA˄rmu>7P6͹%m3BhżB,Wj^{6Vh g:(>3B PwB݄!Ol%ޒJ)B-?SC5ePNy%?Sa) Uy[5F{;P;Gj?3@:HcC}@ Б:eqIquW\b];ܫ;7|d[@rZb}^=ww9::Ͷ6YOhݘaցվG븖[gݰVzlTZUĺ'8UTlnj&2_ o|2`/go&<ļV ?[v bb b\N˜y#8/FQ{h)H'ZN?Ca=VjZCki n-v" B8H(B80/fC J3|7Ԝq3s98|\ q.Ź$r\+rUZ0 7bm t\o_ūx 6;y7|ї\?槜(,*)%ԒVI(I2K&9$|R@ I)&ťӵᵋ[CO/\~nGΡn^^ne+Y9QZTK@Ն\bLNdWn!3f!,?%xc`fc``e`a5f90 B3eHcl,LL, @yF(ptqreP`Ͼd;Vk 3 xSe,A-oy}wa&yKP@#(^0 IIhbB qR!q/ "eTcSC={1駦)k8S@>3y$ <#7Ba" FKd鬀UJVjI<6KQ4i!-UBA]t-2)X "()F-KR#ّtY\1q>\q|*O| wj^ $H""ALSt"īb+;8%ΊsMrg弈W*^/b)-0NExM xH [ΕkakGmKB}= HOg֧Vm]&mY[bȚiV5 4-l1sfy!3k4;;sΙ3KʑwkS$6NH덌Zlfu є;j=o)M;Z ;4: !qKͺb00.?R4j˰Ѽ34@Skm!qK˦6$tUS]`*́Vy &ҷ$, b 9@HƼIJ;ㆵƑ6O'ӿZxܽ x[(z[,K؊;Ҏ(8cq]cLHL ipL_uS7MCH!49&'',R2J3aKz{z-)e($][N sbkk[_~JM(UZJ2RVAQhkt@˖B#ڸS*ţo=A:]o[?yOЧ.ֽO֟y3Yc u;TQ_Rz YU Ӣƒ)҅%Α9^292Sf -hfr%dpVI&ԲH|yu:@eMвdoSz4lk'si-cy]Gs 8RBRQZx&JF^TgFd,R ?YC/wmVbP *oR{t RUY$Zb2"W1Z|x[ 5zC1NUjNNi(Kϧ2rIK:.᧵*}XY$'!?8l*mQb]-#l8o 2Ŕjm)oxڔޭ e,M; ͑vq*! ӓx3S'>° *kgO\] ,qO?qSi5{{O??>P}iaz]~|8އ?pQT *((Iψ*Kz*OZEyHK\4Pn-**`&^}&":BKJ偫*-gMJ*ݒj1gXM&_"WBy+Xi}-UŖcGtRT'@@|hC&'6utxfh;=~ecݱݝ\<{Á^{ {GM_~G3RuJU!nJ)lʤX݂0ezs[pY! -.'{ɈFdThRcr1\.HpYH1x)z"j8ѓf KWdÜurq-Qo4F+oE D$H4hAO{S{Nv75ڽ'̯] /\KK/x蛻=kקW|r>96J\~G ெJPk=T* R2*IשK-;/2S+u )`+jeEZ ,et=〩Tq( ##-jB5mѱHkxEG֎U?|qǺ#uؚD^oIȪNzo tf㥁҇s4pBߗ7gSDvTv{ e!M% G-&57S,<e `KֱX7uxDG{K;u4SDXPhKB=;Sp``E?ʙi - xr,~w)4V ߑfeZ$VƐw2T*ZHOhо?1SͰZG٧4A.þrIH@. -xkb ^~N\YQ_~f?NweOedc{&۞޳[y~Y?P}B&*EJ颌h@sJR2b^d`3)C d!7K 00;:,`@ !C{Dz=`]^gOuTʊ϶ d>cM27^%JX7ves!.agXYj8to}Ԡ/>4Ǻ6TIs'g7^=a/zV!~"@4T Q1R1d^T]؜9oH@ )j}%ыJ)+DZ#L FKƈFЀ#[6~;:ƒۻ7~G_?h{v+Q~ʷ9wk󁐮xߞ~ #ȯ(4TZTd `QI|FS:"t`=erNY8<H'D-H BU jbT?IGֻ{ΣldE LNC1O:+P- ZXy!"2gAn5gՒ'h{LZzdr[ZhkWU棁K`\RI& x:$H{'F{VdKCB#ܸDߑ_~4=mtg x=?"U#@>eJR>Z]CN]D|pE `,)CIzܰa%DU'D5[+_y!c侞?ZdrgU#,W%k{w龃߲݃~mk˽C̺gh󩮞+h+r~Eѭ͸@J瀦&r'HH32;, FFcjmn}鞸CC{/SُӴ|BΊK]y6*.X rxГ|{b/%8c YhYsKa*X/ڽ;H@;-h]AaNC!зke_g߄Js#1@pxIioG{s g=3?x&gˎ>P=r*o QtBHSLR0@P.Eyi%3eY Er)0z>@ T3$k=\p-3{f9%FnP)jJqA?|ގ 5=MWzTw nccSێ]|[_"r>O Z5`guQR)5[K+ [^(Zᢃ|8J>1 29mn^YhV;}V62RSܓw_E5UQHZHVEsdc˒%VsiuAj+U3UUkActs(:sW;L*~iUܶ14~}do<OP3=͉>Vs]{U9}5?lݯi訿ȃ _zラo~M|zz'J؂X7`5YL[oT[XɕMQKl]֕? bSB/MPe~p fAӱIߍ_:v}oޱde:uOm:䆁." ]~G^ ~E=؊32,KQznVuNa$Jf[;~z0ѽ 'v%vu;ǎӪB'MӖw&148 40VP)H ŏ^d;p"bbDVP ׃O=k_Ұ:}2>=ܻ-Ib'A)>Tl&YSFtr8*EYP\q9!d^ʖ37?Ϟ|1;zjg:|agN?hNKwn|Ү/Jy`x*+%LSW<<`da糁#>L(7>Nao'p/60TD'1LXm3b?㡻Ne&[ uOO╗YDN*_J5DɸU'4mT$V4ZH]8OQd+&LLG^`|.\7uoO1]NG籔JEbGƓPNV,HFGo3C /2:00pf_ּu;qc[p" bl/V}.eEʺBNٜd0X$ vdu81aE6|%dM N~D[:evtNX9[鲍~3yf@بC2׹sc@ C[ h1Lwe%w7mU|tcuzrbGzzត"};;:{Y1Ա;ݎnԈH \H6,D#agd^JbPjD4*}C5+?YLZgs3:>JyT}$3Ad_$4SOS2<,VMã=KOkd 4`\ %37T$ٓ~3V6IЉst ߤH@;. V|s=t7{)2//ϧieR|4c JZYEhI粯]|* Aȱndr}&eQ7uftp1l,"U҄63Duӣ/ik_N:LC tM#ڰwevjH%!njL[9b{h-.~ǣl'4zg}j&[>M-dvl ^EÓxQYψNZU:@:,hf(d`OhR]̉fvIqa8z6,Atd&S*q@ۺ]=ے׏F2[gmI'}#i'ЯUrؔ ;C 50A do&ĚZ.0T͒(99|Wknk5 Ÿ&_ynwl}cå&Y^V**eDn.FnaFR\nvv8]>^BgGWc㭷66vyUd $r,Gr }[i%F9TS"Ƕ Xw,kh‚]woIw}Xߝ5E>}sE#e RyV3(k:n'nx =J3'`gO\N]N_Vucx*)!id~0n%ݢ؄SXIXwVTw\O3v*NàS#˹g vb ќ'1` 0g&ΜgInJaX9t>ެʐP9nܩͿExp`ÃG}c`΁Q·z:8vR򒇉`SD ve66'NV5sم V~b/|i`n"Me5ـ~+gQx&%6VN.J56K|O }wܼ/eugcc&[;t̡Μ5nUahMMnӨCoN +Ji9No\FiˡsڂsB p~لk7(\vzǽI4v==p`'eT` JD2 \U2_|]c]#ixz;pyXW6m%6Bڴe3}L./2<2 7*p k*olS!koп1/gtf'إMߌS[)1ħx Oi%,kϋEQ)fD@:FHzlX*ʼZ6A4"7F1& $C/J" qD.?$\4ZMyk6m54P_Bc^?53{bhzzϦMFp&KT¾bUXyɵ#uJBNw ִʸF9dK_\; jdتn,#ʳf++xca/5ZWtmj*m_@ H:Mfʦ3bJJaPr$yMx,.E_!Pk]5cMZ%kB}p`>77Er- !#.yt}LQAmFױ}}ͭ_g^jw&""`74#%( c᝺<MhM(dvb4xNQr:ȁaWk5.Drg3WuW;me~a``m靝ߨ[=[mx%7ͼp[~X ð ^QTzD7!Č*\]EaLږ(יI M&E€J~Tڮ cWU>,`9$] \PXr6(4^ƉN"H|0 ӱ| ;VgզC}[0Y5nWeLhd~W!v`CmfaȡpGR"/O=þ%d0/kqsKXigj+a3?Ik ?9k$'Mf˶u*E*a /)dig E^[w;ڶm_w_ f~=۷hs}vͣ!y!6~_3fvt3.%*ztŎ#\8/M v+Iq4尓6|DIdȎΛPesgW}4t޸wB94ݜ}3tծ?6|K{oߑ}ؾ]޷r_K(bσ7ib2@ehvӨO]Vmd^H)aN4$%VRLp0u=qkfJG,"-R#쁛~O#\7ا`,oFvX=k?pɷO (X19IɿdA-yOG^x)twԇ{kt}[w<]f柯#lk]/ݰe[f=aNuO4$_Y7j+4rKmW!&iJ4?^ E'c )Q$`@HkȂM10duz4 xU'֮Ś9[ --Bem0x=c-^HPMTJ:fkLtrrYcLdBC(.u_@Ͳ5+=rG!]' u-9gFF|89љm=uy_]7e?o{dO3񵞮W1I?ޑ#>ktu=Du+Z"{6nvm{#]"~jj11Q>ƧE /#39*90nJIo i؉ lQqZ0R,U5\W)") 7ϰ* V쫪HoH~vs]Ɂ =Xym[|MgKU,FvU–u]>S38Ҁ2.֦U^i{ ,ЧOёmt$9c|B[ur)h?K,G*_{݇m^Ŏǭ.S}@-%yetBGA/ |z@Z ؐؓn7jf2Yfw@P}IˢH{-?6YlĚk$`}Q.`GI!Ѱ顮}6zhSÝ57wtnnlYd`oSs ёdrѾVtuG[[=۲҇Zcv/H96)?4iRt=89n'pNcbK]up݉ĺMMMM7oh 7ԯ'-_]K@2SwI'X$`3Lpn A袩b&3DS⼱bKPv! Vp$$^>G7b:9ydR[&WxImJ aqVRkhu">)rZ2ݲ. !t]=vgc~/s5ܱFvs2; )+[e[4q0 i~oJfc0p-ؑq?΂2s5L<©MYyq/75 BhcӗoNxckk;;=q6W:~ > vڜqAW/3~ڙwZ\@+M_PQ[/z~pzjr*&(ED..+Ymآ"LK,U`xvؾ903wT_4wNĝCI*ɥ EF3JJa˔%'8xT5U1GXW}qӤঊzL KL<~,ɂy&.irk+.E2V8wQK GT)#H bI: Bl}et۶4B* ylu _1>kb.BQf{ĺ~#$`i1s\X|sZb\<&@n>UeB~D49>z7lYv춓u;?{q1 ϱsBy|yG`U9y媱ܔ$/P48S,VU Zj)p'ЧFM]bh"sA7䘗u<_d=aĞ0P&LԜy`u֠}Ξ6Š_8B(3G<<3N(GIaQ<[TD)J*+lA:9y]xq^KIdUe .UEKdܳŞ"7\ HKWjSr[ ^%%m9*rU(RP20x>On ;wX{]J]=Zz74NIƶ#*fhcwkcpwGM(l~'Mu5un_x{wo}K߁/q) '|fLNOm gFHsM@ <$~W^}L\_i'K:fִ'Ca%$UK>-\ƟZB|m6Y |cӗ̅U xc wyWπ5pɉsO;dU8EU9}zpspM"8+::Ą.@PE-ҊP5 (+_$R2:*9OI'#n|I&4>d\lND1\\T(zwNʇ.NnDUnFb7<|UX/H *t ƮÆDt"| &u(%R JgCqa*hN2l0g#̃㇕r+w/%yTV(7GP8J9löT.N\dkсQ.\U?272ǯ\ɤ"7I*:ayX#Hn ʱ.AD|= "Ȱ+M:—rZ85Mڠ3;}ZSeEg:EzjeTֲӘtJAf"\Q]W#5,">_<7X] k|lsxwm$'s$CC=cܔ?֝ľpp}]/o=)dyW<ʐUJLz8SwYnjmGnAEU<"h 6V˱&7X\BreU$W朑+DBH3IR YITt<)ȋ~yLc !dN$*b]m90^[h"58j\&l皰X5pU~[hx]uuhu;j~aޚ-@-"E[dتlURJ|]u5R,zeI&JQJgC\,CXV+d'&yW R)turr^e=a#JÓ/O/q>e4(D}\PrV3otdZ$杫E`nV >sآ&U)iP+w@ֵ(yf1:VY?j/(/ϭhz;! EWrOZi$&M13,1*RnӼȫ<9xB M6)@弿A􅕼,f g&% L2C2B6oaϹPU.  06+0*–1&H.&_ cW`_r@ duFA9#$BqF9EҞ?mF.0|oNɰT u}]-􀥅}]ZU&w؜l!^FXSkHr<.L&o\[Nԩom7JeBWT*{} fwɸ{='=zFb,=_MYrޱX ZeMp n鮶zCb aע]tuRc$T8}p`},hߗc`ClohmwQ߿yWFhΦ}HڭmcMcc'IgtFfS%R^xJYi.uFNW ,C?{h W.ShO\3vLYA:x5<~u k~+`bpe.n \1tQe:fJ>x{8Zu,*-{DrE"G S91}QA[ |#QvL3 !s4Z8I!]tK$tM&W4Ussbf=o9ڰfLEeb_+&T!]C?/;Ud$E0b30+G?[f.cڮZZ/}9;wϦ3OG6ʱb#iQ5갂7끞EXa-NLX'+GuWv*ֵk _-wwDžnd0/fT"90$ΒIXDBHI˔΢M'ĺGv >FIE\ib@KJ%F+j$Foǯ,Iq!_]{wx t^2p\ژa_UiH,$ZFy<6#-'no1ŀ}*#z*S>|AĔt1 un`LrRCu8Vyfj fjpMVoM~b﫫 y6{+#ǐxA`dyO<'bM­V/:r9'./礘I1|R a+]r#w<]oW)_Ǯ\MU<11U8|❒!߼o<5@ʾM~ m%w ,op?&]pi99,M9ETQ\dꫝ̅W`)hو$$>˸q]x5E Z6]L{Lp'xٟ{/=H1 PRJOT^ȤZc~Rd,܌T%P[Y's$J/R'&88vCtQ*$jEY*N{o߾,iFFZ'On6|:>JЧpVjW{=v.d2{i!rd maCik?zue;ik@re W/k nX/!%;3ݸĹ+7Q?e!ǍX0ߗ^ ޭӫdsZʪF:ߛ^Y!!6gVSe>ڋ~%47r؄7}۝HV %uDM[~nfnށϼmL.}s ˸#ͱOk3Rt^y)ip`R0Tι}i5DS*Q܌"C۫ mn3oZOo/ ~8x2c]۸sAA@! EEQ2(ʰ2M˲-YeEU]UQ\UUvr] &ԍۛz%m2>`k%)9{}x_ ǦUH`!#+~[d3P+sOH#2O'Ii `!ڍ{`(˖8 Azi]MqtL-! CZkd?>.Tjt2LPwsn{oQ@(α?.5F6Ӕul$9 } '70ԼOSDBtnKmZ$k+m6 xkCuaעԊUk?Jvc域^&2Ws 86vJO?&2N a-p#[d[s;4&hT3ٙl<„aDO!EL$EF2*Gj.s"7=]X0CuHwB7p;5vA>tblTl8cu;r?IG20v cy=Òq,ۼ,-qᗦt j`حhV2ywWW+pఋVtuph)W!z >{™Aދ$7/{/yA̳B9pwp'-:R@h ˠWڮ,GtEl@Gjh#ó7ځ/ lXߌhȃ+F&RovϞݻh"&fo~ܬ{i4.)PdM]mKqu(RSo&67,`xe;sØW7TP[ ىfa|rBkp5Xl+Kp}H:E*juT~S=yqIV<3ت&M%l*&T{?>!kyFM=}R|[Yh܅?y>ǏAf4 , ) $yX& ,-lpx:3ბDUnw|[KT_7%Y ~Hxqh%Fǒ-{U=2:1: <WӠRԞU2[Oy&yѪ%w)uѤ÷:fbODwC#AtzevŸH\Wzru/*$uYF=b6X7FRnJJPrH9|acVq _]EkSڐ]\=ץ||񑙠c+ wʅ'qy2FW()lj7wxvP]~I>`6A)sCɓL^B(EpB,>KG*MuUM?AcY >ߜKQ8Bys˪ p ec(tȄBBMf2b&.ځwOE;9hq=EVdcìRgg/XC& ߼F3X;ͳ_zQ©|%k.‚]wkֶoݬ02S()t^G|iٚh% -XK,OSMҞo1ac<],t/~MA3fYxLPn#cpcj?}LUÞ3yCBk&+qhj>\iNv@|34جAaV}oOD}@uEgR4 Jw8LDB9|iѡG'~2#tl!u۩Q_jݚL \tV'![FG/萌WwxUjRa*=D~!D%-TH *ۊp;GwQ:I֫2t*os*۔RS$16tBihW[RRImSD-UUھj,S7`lc ۋ"%XFBԠ}J#Gqh՞`L&a8۔90r AНlߕ4p0h<2r`!NG9y;p㆘L4irёV$X]VZ:sK6^fؗՋ$wOjVݳ=^/['b+*Qo'&T 0ʘ-)ϵ2$JHxÌ @$VҸ ,֛,®px$+F.qފ0!㭗(+P+PKcNWwhBRlѐxnB(Vo վ0fv嵷LR6;FL7}87HD y6O[*a:,d| ?MYpV`Rl#^(Ή?u觹'5һ*+!`X-du(6/ + Kwן^u4,,0nLry\;..zؕ3f?a6D nX 5C<1"Y!fttCoqS>]Xt_ֽ-h;:݇M(~k5%zWA V؅6d+n%\2qn؆6{=mnu =]#jc]y? 0`H: ދ.`KD:WX-=Ԏ\?{7t;Vܑ8ݲ\޿?e۾}۶{-妝ɸ(NΛmW~ɥ3i1ODn(FCx$L0aJ1 5ٻ`| ג$$rېI[Fُb86@7RI0q>-h޽`?;ϒD)>~/>Sy=swڽ$ׁ=E xbA9$é✙8F0IYGiFgQ"IQϷ֏$PWe8+rar4#p>t6 ZlHBx;U?[DGm z_0;B֡w`w׬NTIR|#A9 39@O(JITYE_0Za{Q'F?嘁 }F ;q6#Nŀψ^,ULW5Ds* P+/+Czzn m&Xrbt1HV֭j5TI sjuLS^KtS(T|gF>Yw ȐNN鑆C=E wSaܨb lvPo6ǒ=iLnۣ$=jvLN?mﵺ;5 7kl3瑮#OLLv RX;fJd@w}7=CP*КJ;-}I 㼷-i^:@l ,*, -ٍY @ cfU9gB0Y\a׃3'Q>˅* pzih39u) VṞKSMi*!RRd JұR? " Ա0-o*j]~.i9,xe![NC>m?[s=Fks4nN 8O(c&=H.8'r~+ q6 ruN /uпX8$DWp\ `j7A @{j{}cҕN4LJA"I2l24"u6%"h H_$%exL[`^|_e9$^AbfG5 ef0`)Fn!r(./"28HQ'"ntiO6=c7bhdJ`\*kbPgGl`_xOe%1mp81޴L_*h&J ʒF5MLgtA.H-H[>VJE`Qod-Mxhr֤'PI7PE'HO+}$􌗱vbԏlk% XV͕擤f.m|mZr4 C|NrۊL]TS Q`!/FHsBTz^\,BX-HBp7rR=+@!Bx];hDufbY#i d梧E" UY.$=m} ۫#֙E@ E(oJZ<5ZIT8o#_41 k'inD$%K|9Oc˜WPU;k(Ig.ژ{ppN>ZPP C75`OM$5_86E PS=ZS_FnTu)PEgr>"s>N KQdC|.TԶ< 1D[Pr*샕Xc&lўh,U߶m|b !:R)'œ?]O>JTbaå07סc Rô>1S؃½ZSRhZ9=cl/%dTafՂa465Ô=4'9t99.M{Ú`bcZ ֠/'smzof?ѫ<5cc^3;XE.}(]*]CŤԵkwQ? *]?|k?ҵCmք~_{&ʶV#F?VͿyJB{?}#Q_U\:X.je\M@_k!U;=ΰ`L]qW7т:wq_꒓}yG =#~0x^ At:>F-H^ ZC+]||#P5 d†@ /^mpv׮f/=^rY&2sDe^6W&T; ܴ$ߗ97 "Gex 3x UJh XP "zvEZN77Zh#ur|uQg'@8s`0TUB:RO ?%ZnNcAq퀹)A U za،sxvhI2Æ1.Z7h]{4fǹskU.TeD3](fVؤycgfϓ39٫'ʣHٺ`“dv;nW4 *n),~ k0LY)dRH`0`"ؤR*:w x`g礪F$( t諸(K}J(H`Lv(AU )c+c+%lȀ ~gh /  Q(H#тGڠG@v~{G.E_ 75|lH>fϭrJbx8=\x?<!zcv"@2xO x t9+Zo=t@G^Z\hyп"43VbAzaN+o%Uw4i*W(&b MejRѥ:eF=zTu)޵wzf ݑNj(-EJhn A#W kjv10|df# 2IҼ،,YցV*]%+eQ\}ux47\L]c $ȂGºt|i$UWsM)_]KzJx ^4*M"*yhbEF4'=ӕ}P9J-髖'oEVj#Н[ahdn"bl@%B1]6V9? %*1.UAkc,"Y:<lƈY0YNAzKxE4g]٬⳽s|6?KW&> Cp#)_sx$"Q23DO{Q=6jT 栁ǐԛ_0vAs\zn37HsV5#zP>7eW0k"Z) H*4Ks< q\T 7wt)w;^1V*gz 4 ЛqP œǀ~]sq*PW_X"  2&t~]&չV/J_\~uW+;:rgJl@i*d)[eQn5ti3 ,&Jh.QTNq$$ \ȟ ={ާvfU<=;; ɋ݇N<6~ǾrУFnSAm{${^֩ Cf6 %"v 1ǘbI|ruB{QJmT("ĺ=޸rjmJ=t%R5u T V&UBTYH 5a(&' [i<ZP%u2X^}_5jX3Gy˙}?3uj}a#~߾g>>x=h {haáxf/o O@i0 7sLkmZ7"C`LQ87{ДBuf .5؟?&i㆑o.߿[?}юSɍˣ3YzDž^nvjȡ'tz){V&65#W2hz τWc(p Gz b$|R⼴cYcl].kƇN)Yz]]Ô3-!o`f|?Dfڧ[Q$/BvLy dg'fK; k=K5fGvk{z?FxJQg@ a IRIޔ"@:Ymx}xؤeF ;wf'kdf3JYѣҙ$ \Em?qwӚu^YOmyH[ ֵ|5\8K}+/Z"jV7w[}A-1~mvD,*2ZC ؒ]Y3~jeͲf0" >h4EO{f$Ⱥ?<>7D>.G>?Q>4?_xκ5A3{CB#cc,ogMHZ IK!OFWb~kE/q]9Wg4|Q ,Qwr3;#;>{ɶ[L ܩ!-Gd*9% ɡ^w8 DHc=LR56v 퇱o&6r1ͦKпYٳCJh4@? DG0Iu9!0XqbYgG}{5߳M<…b\T]2)(*R ? w 3DdB8+o|1t>RAzH* ̬JW۷\*;''wF镾$;y! VOSM=mFQmwG}ʣk GU_/K'yR'n?*P~+|gg Ȭ$,&hJ-`@bQp-}V~ lSŒҲO2Q~%]"<2VO8M8d~wiYK=Dhz0P C/ r}tyZg(qϢU'Z4/ģ/a@Ov_Gێ XgixIQٷ7.<.M|155ϾrMG,#Rф#de*! gSg0 1+9pߠ8n3R#XN} }":%WLWъ"r)S`>Qkզ6٩CJ Yq1.yMVE crPǤUJa ${ǰOH7JQ`0Oj`ʃKL@\` Q~߰MѧZYysB`0BȎҙA Jfv řbaCձu 2v$ܘa XϺ:Oh^46 uۉh̚%l\ ,'B G@6(9T3'É|d(gmHu8WZ괮Z-3 B25 ktgb}t8ዥ=hnDhY2ߝ NhvܓP!?oJ5d@ Obv?˥lj8WD`#6/>1oH.?cVIvpm{ w>yKkU0Tx_vmȇo!hGV^C"uU8 U8 ?O50 Z6n88KyUxXlA֎ЕN ns9|=hLyX3sCl|>-Iem]3 7Ց)9BM* *RéսWS|ob09Ğg1tJv1\;?@bx۝Fc Kt[H$=F~U>ø*gK5a%_<Wv_Vp+ ^+51~Y]*ϓezN0 cOW/&4 lվtNrgr`[a;)ANYƷwth:`XjFH?3{P|oc1ffc5xg%޴@]z 8cd  -1xXk8\%rs0{A9?0 w.~"Ek,SO]X.\&E)=S(t0\+ğnFz08.Ԅ p{8KsƫĜ<<9o g җOl{<ް!2*pW8/'yȡ3P;CߠC-J igIAd)<[+֙frgD E1/@LaMXл:ɬ@Èurz{""PU1s~nh |mKLߟdҐҋ\WB^6=A'!® Ԋ[>?3Q*JQ&kS261 ctR-?L۝z)1bhh!!+5 O2&aY}YS呃7k^~+Ϳ3SxgM4 q*X'5/Zr݇qQYe伛 @e{i_&]4@}YuYoL+778*ݚ[,VU;'buDb#;wnٺ=zVFV|Ou]M뫐քA=Guz3F4xڌmapӒ SlJ仚35=jE7{Pd0??!";f. $װ`m9?o`Al*1WV8B6JHN#CEc-rc% V95O+P3&3=]Cw,|ax+FCl֜w%>_wbB <tד#ycO+ s4{aިeIBJEIU(q`hk߈kjoL55$]Dn4ŋk{tBC7:0K۲4b7z;r Kvؑ3~ss҈;Wiӕ7UJKOUV=SP"Iw1ݿVW|=e]k׌Зp/O%!!9Ğcƣ^oSfӲ=H5f;tawbh$di<ҨѵoZ?4$ߏ?0#-seNVA{65,g`Ξgc__8C>O!݇ vhy+U2W8|p_"萃r QN6`aG\Joi>K/ UGqDzҞ1#|c/+t_M= 4C_vgC) m&7Rvԣ##W_=22mxZA wOm}7A})$R?K

%sd3}CY7ϛ0UHQBxVO3R0-"%58|dSDf>G`O#P`mb>yp˻}FWDְ   U40]2uwldK&9"xdQ+[7=]1a.vǪ][87{kxz'7Oć#eOgC2\ruaR$Rd+"[WvEgo-~cec0pbJumC!35 w/gךzxVllA9)"T.:$.AC`Ӆ$º}p߇yEK%ܢ.S7CTu3Hn[;\HR I%uY3Y=f(t h%!Sy'pN<7jQ6&d qg ՊK:I{+lkq_;o?czT2z`rwM"|R߱kMgoA@2ziF1#V `z y={UzPys q g`Z;p Dze[ m,]qO S#a2@L{G׭؊C>$Ta$һ 똜w]&|xy01qaF;[i @˹Hu!d#%3M8qo޳텟rp?S8;ԛ6k3Q."/vnIM[0C@۷@91; o4A]%>L; xԁ{'@f'}Pgʭ\EO { owuOۻRnhROQXwǩh~&΋tgDV͎Aa>|$ q9h>*+wBu90ڐu戾jF*jEy+ZnW6n7u[e%eN%DBKIX\ $~1&Ɔve˗fZvrtE#hO88H7;(1z.",BPs4ŽG/\~uY[t_^GZ7Y0 PyI(t(`wi&4*QHsO4Ϭe{\ YFFP!h6pi0NQmp&Ivok %$+ʡ2t[ :/oF)C'N9Jp6q H3N?fiY؁Yßx}"g1ey(arx ?EMiN:XFI*99MFbaE. )+5N}#z>'̬FѣA0} y:$<χgC$"eg"@ :RIU$gԮꘁRD2c 8.ϣśK1{($l7k!y)A4X3*HDz!AQ/fФb(-٥X;hM{} C1ˡ`M@̎(<{E&mESju=Ɠ \vøוp-1͜G}(w' Y:7wmuɨ8 љpcBEpQlRcat7֥×Ja||Td-)]( &0: YKC#F¤r piqf7m}rw_o=:6S[%qp|V?W!|BՏۊg%1TIUO@늵(i%fܠHJ:Fkj岮 Xg9V~?7^aP0Ҳo٩Y.tۯ0XqX~ӄ5IUg zh0~FhZj4/~SQMbJy+[h |%bVOޡYVU?e1q/s}~HXJL~$TJ185fLMZP?R*K 4*K, %+$Fʺ-zI&>WԂA]c4s1$wl|_ܬo$W | :1bRzoNPʀ\*Ap| EO& UOI S&5(Rk? ]+LEPJoir֎ia?!CT;$=8pGno! }l庼po+7y9h}<ݏ|Էg=)RpBJql~BN{:+H\g^$Vhe>3;8DhRTs_z~_ ѽ*{܉!}!%k2Za44 4.+΍sHIx H0gieX8֯EЮl[\*uj7c!JKppiʍPNqAا%uAa>j8vk%3rB% ZF)]Բ]ZTfY0j-t86]siEA>ͽ|A%tP;J]Rr&Ж"%SRAOs0ɥ,`IU"~\yD/dwwěgR 0sc b=R"6me HN ȣKg r xB=^YbJi}!;Y8aN^gVȪVM\+QW!M~;e'h_+Kt@)$o:Q/^M:]C P38.oȨ#LneTMŸ+^XL}c1G5/MSAC׊Xe%?*8K*='1AL?&A4hɨ̜ :(BM8d?q``׼$>-"d}]5 {+2!cV%qYEdJ$U$*qI~%9`pIx$_e5`~IUѪm#c珼օG¬dMܑ08?o$@XӾfbm%ܰۿ{8jlǓ3>EcwD.+v+ -ew T svw7R[Y_eº6JtFRzXԆA*ېm>rmN&'%a<(j5҅EU &/rê!(`y9\ƶ Tӏ,{-N"zڠu桰ΘXN/I(^\gq3U%.^P~7>7uxS[Z+ 6yY$:`epa."3l]~CNdL9a?)zS9h?ۈYaCY7 a.\"WD E䡱:OĐ!6NG%|$$Q3hF+㓥r:NƑ E礝d Ug^~Cnd1.39V a"2)fA˄EhGF樃+ Ja+SݝVW]NywR~oM=ǷD>g7/Mã?8YxG.?#lgO\zrt=וL@e Ef%U'tD5رX;1# (-;smvyբ$;AIWEO{~0yj_׻ 3+#*< .Odb#EJOB)T=}9g29" &O1 05癖y<6]W2g*Zs,#Ϫ7`݇L*+. bТ4: ?0c ;0^ C-At6㾢E_UjEb2[>t5P2|BS)\4L/v W׃D#J ?n3d\ Ij?`79A6g.5ۑZz5 QgM||v奼O\7HӰ9r@&S8^MTD-OGEaG%[>#s/^$sdN:'Nd TfnX`%Ȧ">u*o=vL̽Nt+PU?@ԟmM86_cGh(]+һ-26OA)~QOTzz1_"Qj#Qa?ڮ(7&.- vaha[ٰcڀRNbSZ0GX׌㫹|!{/?`*y'#YP   @$Dmɪ4m)D'Cs{k! BsZ-ZJȯ$3}XxjMvs)Н@ r459L{Ep{&m0n " {de{ Y{*߀=Db$1N֏2.av>Fl3ò.@sq]H,q;u6W4yG&t`D f*^uzWE{\oX] ; E3V.ߺnL$h 7Q[@($aV3S~H6DB+gH IuK U: @ &C!2`d7CXFc=,WEN+ǔ+`re]ݞ5^:TnG/}-?nۊV^Ѱɭ7} 6n(˿&94jF%ZD)6BWw2`pAu;F!cJ= _9њJ/;#9Wt989tHvTr9S3ߨ?i#H^tKXӓA"m1>1i]bAi`m 4Tiw,{OGaHz'֜30OmEi8 =q)Ga1|,mň$X_~yr]ƃX?/hrx8?Kڊ(%W=K|mPVj06 ~fFl0^ՍUF!4Wf œ}/G0P4/Ss.E7W֍ "'d;v0^;@?>[ 8hb˰M!(k2_|FW|-st;jvo&RZcv3P#KI`7B|~D@َnlGLDB!y5Zl !-ƀ5kH$DMv/Ҁh%90$ bХv T9n7Kt]ێw 4Rcc.iW=y^ nh%'=Fg̠%iv!igɍciBkl*RY!BF8ĬzIԚ$c} ꫯD6Xhj4uqdddn>|LpGXlp/S%UD궪\).ȕjy+(PVt<  C9α(7)ݻZ"5xظt``Ht;/rgTŜ,=V3\ @^+pU߇d46dB\wWPs9fp PÙP0I4DqLMؓe=Z2mXAe܌aMV@Փzz^Odh,rRVќ(c6g!95^n =mÄn##QS`CnG{CZ:~7Sw;~T~/KS= ST"コ Jh@:|ĜH!_O\Y[hT}1I3%ZUG(JTuMJu;Zz= :D|?tYEwPm)`)!1ǀi%aϔh[Wl"bfb[yUZyYUTX"=9B 5 я|wNԁ3 Yb  rd/2ʔhV,#+M#b},?+^54bKR ƚ)2ObvI/.b']hFQtkP@RXțH !")l)83)0w;sR)Hu8Q>m *hQ%l C@z/ @|0uʱM'R!z!@%Ea&)zϹyͥlGl%lnp+ߖMD?ufzZlLr y1iS5XAcJ"xΜ@UP!jo%;(ELܭe/`Y=+UrȵR$!n٭<[遜:zXõOR:הenw]%Ǯ"B֝5A/'01*"d)B=[ajwy#",lYܼ!P+&T"j&&jV&T-$Ӣ.tt9/J୺PeRżQ̭L*]R]f`6c|7Nrq\!W7\| DHCF쳑S%^;wkđv ]Y!5nbv˨\@v2A$ 8evRaJlWMvqWhJF*Ԉ(I?AndIc.0/7T.1 ޾Cm%J/dMu$\ FI*-FkaB8,pO{WY /mkOs450˫\ǨU6j7*5dG1}H,1,kj)F.$.;gA^Fm^U$IosK<3%M vQHm.JTpvТGY>=g.XKbFj6!fndh_ _Ubb K27ؼ8vKl˩jL"b^@ T)RJ ƾ ؀zMl\Z0J{SQ}^Cs@?oE~ˍl#,a/2&Bd ҳ>0c݈ڳ4@(:3b/t`QdoH(P[ܘ wu2!nx~ 뷂m|SVhFDa8we2@*QcD;CE5,2_ĄSVrJ+"@nor1c|{p&H/bm͜]ڻM lI,ԏ5A\?WƣkT~^ zI6e(o&a|s'jȻEE}T݌GnqiB 6?HB׋0yKtJ_iBrjN|Y)}pи\zhO1?"7jV91WyєETؙ!Ǧ_oѰ$}jބlԨ.ɚ#GkLE}5o[.C\3Kȅw{)RLV?Rg[DKWg+,cC\ =ea.N:`EM1l.+*&KYz,nkg=ndhj`O!:WZ[{:9^Z*f9EwK`(0Rw/$ӓO}mY/MwgG-I޷2Jl~>rLPc|&]cGmczgyH}3H롦~򰪴Bʼ9*d1:%(2>eΤг;E~FkW[noXEᱡ$v2;OY߰̇z_OR9l1)n^^ $ %.9pk1`h6O97AELo?èx%x ]/exy&%$S¥FXDEujY uݑFMPWYPM)LJalNz3̎h0Z*fx,a&:pQC[BhZ^ :&û 2 ˝'l2 Cޅx,X`^fGˎ5AQg838Kv[g6RʨE6AX v{Fu/@s7 e$ %Cl͇Z: VVZ6I-+rx6k}ߖn$٭{̃|S5lxtS}w" ,~}ֹp&4^  ff9K8^/Ϻ8ʫMn/93c&yA/[2ae(X.bF6w (UbRt?dy˱9G,MB Bm{’5˟"ƍLvX@Vx*);W%չ NRQ$2VN7*qlEE+ Ȗa'Pp" X RS\'^t yb+jL nda[دDrW t#wUA\H Kˬ@oh1V'pBM-Y l8@Cz((ڦd=RԂK*QU+UID4F\w h_hݻ4)efv%=d vxoRoCL#zM,Hҋ`&ܾd,iKY4iE$4YyVJyKq/vl?AV %sC G0/"]!Z̑åYy(+KVjB )2\ >$vt@h`  Lb1dQ~W,h2MRuFrEZLlxfK@IN-7YnBYI9( *-}NjJe^ KBvGp#ܟF YVK?SnOtW{St$㦂bE}E7EkF\8Z~/(_t# FntqKӧ7Oñ'sqY|!a18ac)|;xR( ]`jf1]3Jcs3I"-D8@/,x;Mj?\%b_Y*ś̉-μi\Ds ٜ sd>!g[1rХt 30/EK ʊ!.(G J pcK͢8o4ϯ-X<9Ϗ r~#\cqO47vҢ),u_<'Yo,rwghf1StS,EA}>w,egKLFAZ> ?4/ d>%|ߟx˟3ŜQ*h^qeHpDp䟣ą JE}0-z|2R+(^TtL |J(VTzH֔Uޞ:muCe;zƪ֝}z,h=<'b,V%=K+ݫѳ]T0k:Ss6'>J@DW̳l>YB@4d;0 ]@E>BX;;6rոHYLYEyO ]@, WP8?x=.ѱA];RGcgQ.աYg&?m^tH>qJKUJNpk[e MT C ya\,lm+g9cXܖ$^ѽ``\ӱEOɺӞezLYƐ')P8JF'vdy8#SB 3xsUq.,Fd'66C'JC.>|t{S~N>L('+OeH @')SJFho+4ͥ"݁6݇ W~O)y%V'0 SZ}^KeKZ}?>`ЭtHg> :+5d~m[Pk2&`kbe2y+,De5a(.]U$ v/1`ƎP/tvb$*C!-k" oA VAӄ,}]uU٭ 9R}KOˮp tLRG_0}`,SIti]m!}QW#m{rZZh(9-,vBD9s4P9by#ĂbRH5G⁧mΗkC.(֤*͓3ÕǍKۢ@uu 5KY(AQ'A|BB%>ChYAt(­U M5nH(h-j( G6:Ν'^|Q5w3L"/mWC9X>7˃՘&fZ4s(/ Dbv@1 w^SdXꢆ I6ku[UUw=kLΨ= mxB#uMmJz{u5Z|143H $Fŝ0rPD& dQŠ|ePL@[^3l(0xțPw>&ڦMx kW7i9o;{JV{Uo"ݖ;mߎu-m]P"9诧dC6*Ǥy$h`3%0=tײA+lW'>?8WLBVWP'F%QVD b19$!բGf xQ`0hV_0ܼ-K5uR4u:c4t3"HNPcsFW*l*R tkw@|dz&V#z 4lhfkfrsn@njc֣թ{jlB{^E?wXCЂ'L|@֯ Fz: 4.k RK  Xeg@x+x*Lk$)M#j4 \)\TV%rTJ%R"Oղ5z] _k? 'رjLD7ZyUvp=yHw;D7OX@e1@^cb УeX@c"ٸJ9 J#J h]1[2pEcwB4Xc!LHwH3H^^wRL /7 })Q@AlEt1@d >+$bn*z)mP0@ˉZC?K@ `[(h@ 5~/e D%Xa %}D}A1@ZY_~ NHi {&G*8#ђqWxMKM*".ޤJIW$(SO:Eϖunk۴&u-5*՞gk6}?rPQAq[aƵy:?8wfX[>nor7Pmt"Ӹ.| >_0|G XD!$ˣq8z2\Gz\e3y"_Itz\ϴ̏ZЁ !1YMq*Xǂ*,"{C^GsJ.dpJl,hwثt[,zڒe`߶f{rgw977["wFNٻђ>jup9:/gÙnT>;֧Pޣet+#l`Kž`CH^us?7$: !{8$lBP`Ӓ (Ṳ&.Bph.#*),7OƗ~5X]V\&!c M yphdv`PMDڋN՚iCQA PpDaTfB]}mO֎xc}5tgU^F;ɸ0{8Ԇ:'C=Gb-ÁmCpގ+Br_)JȲP4ZzZ9d{ ۦePgqCA1\W< *--p@A(cR!e!NiBO^8Q*iƍxcFGY)*][gz8{/LU6 t#IAƋۋ_oaeD7wJ[wT< JmC3e8/A)8Rtu9p(‘0ⴉ^E?&kج\iΫpÿ8{?Qjyqh*Teܩz$u['5a'^#{c잭o'B e ڊl@1ld^ `Z.5_,Xh 3q_L*ΐNP\{h;9!r97"n*.6̡VWVu˜;35[m@ɛqfK/g'$C Fh傰ǙykE D(wR@ sInؼaD0#-}Ŵ3ʾ]uAUmǟ4w3]6) /ܵ"gq*$zɌͼ / q&oMr#R|˔K?U"X$zq>DaZo#q%ܒq`vzKijܽCӶ{ܛV=E #:/wМ oVKVaRP鐮L8`xK6LvLO* 0Z5yΞ=]x~jQ\j=~}=Ļ8=|z:mcޝ]VW6h= oWK>!Dsi7(E͆sK\Wg"ep.[d%@#-,9 ulE*PkVRT!l@ziz\ϞSOWlyh[?x '&dwʿ 5u q c~uvw0NZrP^ Vv_]+HPB-L-5OХ]MhA{ T&uyBGEKCqhil?͛nlwƎd#1..ܵsXWwg/sg|O{'}}o{gb!C"^Y!b _*ZR=(/>[}\atP3>pzڿY3.\+>-Smb0h=8 5Ȋ05Z'69ݧ"iXU/ԲiiwcОu۬;Y7׺wjյ5]QR*|qjﶽ* ˭sj怭֎-ȓmw}ε+G'KǠ fqR_(dqO5rR& m(!\/vh!Yx!MTR8y|ɸ8p[V>YC0/Px7!߁\, |0/N,ز%?&.W}~paypQ+ [ĂVk^z}c=k^ݎzG;;zwh#}ybtȫzDm|aUv|!$B#oU9O.6[sa2VZ4˄[+ϐ THeȁ7Z*MX+e@[n%PB6q뤜Z h'*TP|"vKTPH_J{29W(l*_~V=zV]*Z6 $4٥F͎i̱9<~L3^{vgtVMv]8лlY6زa}ERٖ\Q䦟k UOMd5h@h G5ʜRsN'!c"z[pb)QXի5 Y"@|@ YF!zâi\(VФC:Yv|6)K u>NčOMhD]bT\h sHdE%  zAy,%-akJQDf 3LÙW\V(e)ZƝyuQGdEYg@VtkYW4߱0M7ds?xilcy_)r*J5RReD5LY_g !J$o3+ {q$H]PN3[cJĽlER[#vǕ +LgnEe ]#6snf)o7u71PQ:k7%76 /ֆË^^N$QwUsr-&ڌ$BvwF¨y0Da 6EeUY+{ P j?YS<\s8.[i+ iF֨q*o4ἅg,o7tD5dy`NHrRH#U-o9qs-DN nfFv\x(8Np=r#$lb$/%oKŸUww@yQ bv"Zn g)exiE'E W:hG1ݒ+n^ˠ7! erܬ Sf*-PkP 2`Ff ͥ [:OX)a6Qr`Y)۽k-\|$@#>VԮ>@nFKgԖB 2o'{2JmV|Wh{'d>J ʠ kP@AH$0m 2۞8ޠ3q '}.0ɹ,7Ž4 #Q%C(D6%s_Nz $CkG{^l祏/Z 2> ^}觞SM7L77> 'gTj2ZؙМ#t& =z^}5Vy0n.zTLI )/oBC$Q$'Eeg @ٌIPХ k5:'5aIDfdsU?9v8?XΎ9L<>s[x\WU~|kh|.țfkd ,\i 3A̠ehW#v 9:槎0nSm?(|ɣw'H~ٻr8{@gXƱLAUd$$Q?0)L.$J.YYٯ"k[#sf@XFPа,iPĩ2&[amjkU藫~9~ozvb#T fC/2*>Fjbطk:]$̪mb2mgTMo)qbdĊufr3]z780ޞ;*_o=8npMfuIhєyEL.RB[)ZGO`M+w4VJc'k$^{ywtzՃ?ٞzXEø)Tgp$$OK M>6y9D$:j7EE?,F]v-aʆt7E$%iI'uCL'{q[of]gch_QiZv#ۺwno1`C•xF?qo5՞=m-Xߕg;;wb2oSƪ0B (%3ߴ!nSPnyJ‚@g2~w}Z'w eϞ8oq8(-~d1;riuZPn4TQ%r9\grm\vJl"hG&P}f}v{̑2gۃevGȐ;xciQ)Ω?O.xFٷeeS_47~ąqJBf]( y ܠ b)! y xk]_\H \khxت= k˽^Onv ?L񌷢RٷdR%Pd8-'e!$r8;BJ5.a. B4ELG/%9M6=J&g5!}Kև6`߀tԢB2 v/3gW +"(%9HԐt~Uj B_Iԉ59HO 2S؃]+;szvUE v,GcV1˴hyq\!1cV(3erJF11:;Ab{:2'}4(qXjKOe9%m J\6]skЯ{9idK½dT^HPm{+`\F㲡{q]+JQX<*V ]|>1K[9HF)*CꏴM2cƟx=orc!<.M&3]韩?/ Oxk\pOd8%w=O/ݍ67SgC<wU_9J9*D# -+F蟫rįӳm؝2nBWlWG]2LԨ8CN~,5G6HM&͌SKL2~x^&>3Jųj" SRf2t42,8`O^xvt0yzCYg9Q-$ AvIM5ttTS`GǁM5p5>ߚfHK8?ІhtáC+WY5oM%Zu[+-ׯo{ SPJfmnv ؖ[_)t3b$4hys 2U*d/TSIT3Ŕ2pLsG_%GRc# IdxBV_%H,pZ${:*|1z])2)=.~Y|'eȔSܺPQ|bb lhu:e%zІ7jBi!7F 8)G`Xe1u 6Acݸ͇[>yyO]hv?1'͉) Z?nv>~a2ZMEAO] a\^;(('H:s@.c7H "0 ,cmylWBepw|רUYBަ*1vj=8$,lv9zX("=S<y- }-@3c#e on;NUY' :62}⇉ghK9 ثI~~istEeo$v]ӿuO·7FC+̿Ϡjә8/BuF#vԐi3$AS+:Wg+Yؼs6iqR46$H|n.xvo05/ FEDwJkjԷR7-5;'xF); idjQnqqKT;Qؘ C\(@_TO( I y}vrigG7D_5:Jo6_誅`e`PY=Ooe|']tf؉9X2#шb#HnSD-Y,xaWBhvDˮP )]ݭA iW݄݊T"ja`՞L)P6$߃ U?I}G4kR؀* qWkr qJo&sj8+TfAEB)+v>6( ȆO eYUtq~T~ʙ[xF?׾jv_kႽjv-疞>nș}v?Qy[type|f~{mTcc=Ao+g#-#~tk75T U̕ Cw D~ِ[ UQ'jqRt ʫM8BI$b E)&LDiSQ\Ya 7cR2E U-΂n^ːm[5&~kPͤh/G϶,3A_\s1۷b8FG#(2Cq;ѱ۰ $ C$Sr3bg>6p\dZs)=a/L"# vNįζ9%\NsNo#ΐF+Z9(BiG%[` ecK^cWHFHo(.c;Z<^a'SW]ZW\Y'DT\@3&:Ȼ8HQw,iW점gH Yrlu R6t5k25 w ^_3KK^bsjI\5.T^>ڴ"É($et[xd|dܬ7ql6`}YGw;'I At'Z_2EJ93P#()̰DI)Uf,F3 EW۹ Ј  .qvJ&˰fAc4 jఠ+gڱQciI@I')_;\R龆\ X^k84I-eYwT@DhB׸ҽ)س/˒L΢r3A+2-_n2AQ铙KN"sf%uF{-s`f)V|F{аP=\$kE]-;lWQ9?q:?k{ʼ9:u6,s5VRN1%.=JL#XSx1W<1/. 76IDcFK'׿XԾ!3+X]IhK$Ke2?^X^yi.%9AseG^2c+tЏ΀dhşyAq/+?fH4T,l KVcK'5⤹OU_WW'+hhjh(T,E:;#ݷ=5|E~H OcZf/+,Z [^->}7 gIrTt-QD| |9chf+vX3GF#_aʧ1]SJ(wUZVu#jvmu4j|vULt%~ QߦӶbmuD[9u|wd땟ld 17GR!)pGԪ4krfy  Js./wk\,KJr9CŽM9MO{%ݤdPN=hrJ 4byc*f>g/EY![@o]L/?箪$b_A=h87ڏ,o%AXs帱6_Joo\ݪimiil''5wQ3'gއ#yWt̂3cz j+g1*{HE?Jm |p4䫃5^ERV/HWd.'"-EnHFEDLB!PCgA܌O-FY6?+KeC r\ƙLUM5Sϧ~??*"bDjO?qgG#l){޳7Ru7 u0ύ6G<+(ǹT>;v L (ZM}uRFAPUUBb65`T];nz.*%iV4ʔQEJ`t(Rb@:dIA4?N4hQ<*0kA u\o!ӗ#+,&Fv%!YIҜDssrZG :oNQy{>'׊K|6n+'[e jz^T[!\,/ +Dd:3[SL_357=|-+3fj$[=Dѭ6F" ͯMĕ\ ""V2 * vAB :na+ tcE7m}Kȗx5GVD-PDdɢ<"CR5 6O( 5*nhbBDEPjc Meֶؠ,@< MfܪjIa )F6jm]+zPaD\7cM"o8D?9+I1nd,b1zn8~YDzhb29FJF$taz1ƭF0'B %~05eLfbs?i10L&濒*eO]&ŷfu÷$hI1NL&g2pW_@,WㆌjͨEZq4"0™"2O{_0 / 7ືlnr/Z朷  ?REos*ݾ=AkrL'"pC}w?CfCP'gy I_ΩToc͏B峷޺j_oxfת\NjUQuF]t#ݝx*swy.س;8ndzcc {mJR۠@dWU"]UȪߩ?=&evtfd7 ?Wl1^Ud܎,@ F3)=?+aeWj{msSG>Ҿ~cްl}táXeWSk0Fv1HPQ e\ LeP| ͅ1ZeѨ [)fzk@+h 1.984ZX\ho{7^ݶjW=fݲ'zѪΡ;hټʶ@GOc@pǖC>U}困5}4T&RM+8AH/VͺN.c=K.8C)LD{<.SyE:p432,q)j{nN|(yq@@l/*jj 6pW]AR=(̙yE̖|= iLq:Á}\J3p6Wr`ds]zslYuާO}H{[x9L[WoF|؅wZ!UJmy0b$]e*D0eNB:9gNR :yf2Űp>TEsh5KYlJڔw``癪5o/E5wXiHgױmSd738Ȟy[Zͩ==菔m0;_q^虌lqT8gz2\M|`G1xmM$NlɄSrLݬ3%q'O{-nƴX{c=aJߦ]m< }'6N|z+;;XXaxȅ#MsOlH]jO|,H|$%8q[MB6.˳Kѻڂ@G_CPKw{c~~eUBlDr>jS:E˂!^C9~$4^= S!o!u?鯾oڵgÑ=#[メi-G'#)?eb+12&}0~$o{x-tGIik8-6ѱ=.8zF R|xKׅўC[O\3ual|><LJ>d7޶@#=NLi>|l^>|?ʇEZK/)suB}!Ƒ/v=z|Zd E/V1 CsJ0&$d^ .p 걛LzAbe05 +5j,nF3Dg+f0>W[3 ,T_^ᶎA4:eG5w??C 58; _߽6ٖ{-=K~zדsl:\uݝOt&F^1=m㧎*?o趓i\]Nx\+c[,ònJ,!>\˘d m#⚦feuuezJYCCWW{nA3R+[TLМx"@ȶP3"3A+rX +>Dxiܹbo se]"u,aÉ0c-~_ا;C\Q1:OXJz7c^ykbNygST\֦ھxG)ܮ7@w6^dcC@/f'ub&c%vĕJV)UxpqyW "XvK: ܂,˶,˶B8661븬z=.PBHI! a<.PR6RfYHCR$lf<<$vOmmN'%FコM-l.e/Ј ar$I`%`<?|9ҩ^w8#0A}ȏ~PC{bo<̄p?z3qƾ1{-0PG[/Llﻡ4n߇_:!uב'5,XsD?V}_G>h}%5Sc}i-õ N]gg+ ݓDgmG6muՉ#g\~>w|X⡎ϒjH`qgQ6WI/G2ě"5`6lepGiOJ5wqѕ 3"W5  kD[mJmva#NL]JyT6"xnZ>mP|g?ջ3pC5~opl}[=_> -t& 7qִ[D gJms=x(3Or8M4q9s "Θx`eOQ縒?j hǡyG3/kE\<`3:p@槩yy=g=>ͯk *-XaX4T)>R'L P_᭚D&U _Yǁ:*MzfjXN}7%R 2i2N0ӹog}נ4wtY|NiWqi ~MR $|\}~d謅|ZE'*XgK?P౗{g򆔇3/Kضq- #ZgO 544.`U.C hbaT֎X%|T*;ў{W<*xm {l@PKK!޶mxd֑XSS, HL+]#J&n;- sO߰KI8ݏ,9Z @2d^fCp(3@l\"PN|@vnf71;3k9 gpZ&?>iGH,F3Uo/ nm_3x4̤!D'v5\)36eߑgzߍ'S¥6Ayx: p[ϪE{Z2"?d^OpgxCoYPƉ :HNٔZ,fjrf\Zycy3[]-ßcNɇ{M#6o@O ѧ:x^+du7UcgL9N>+yc[oT(4kb"y-ɳsvH\|VRV&OTdhrbq!Uhr$sVV-Ql'N't]JOE ";-ҹ:YSF iApT2).mɳ٪%Z}41_K\e/)"k;# s)Qk!J;ܑ]B!؀EЪyf^npj̏'j|揞ϟ٣ދSgYJ'1N3u3 9 ‘pYJ&b"|2}D;reҌM 6B~\kVJWFvX+Mm?y 49'#!6\ʊ> \ usHS?6.dvޡ ` !~&>4 %~C6FO9tf]y[I*v<۬؋f~6/|!*OO57Q.D4UiX!Y/H)<*;jN9(2b$MU! -7ڛnXS 3u/PlYE" wGa# ”s@gt5Mְ;\p;A'犁Npje-f|z<=T/ >^cVs+n6Rfk"Qpw^#7Sܞ,FT2`6O>|*iU㫤)I~%*GVPc Qгi"[UX3g[Ћ-y ˴ yV=Q \llvfW"M\7oUja4 JoEpz DO)'>%c!gTwRM Åաt%QYTep,Y>`h}6a9VVYdX"o09y%פv{M5'rp>=yaQ+ƴ@PQ5kSNt#sh $:àTGMbK\vBF& rz~i9/Á'\bԑuهpR+䢦f ˕wv ;QwVwv7w_A8Umm@G01g胬L#6"R1;X@ .tzv?s0oe8VLjQVwccd9Ac)^0Xd{\4-T 4F7GSU*lꫳz`PMŸMukk`L\f:s<im܁:? &WOCa4tC 3zݕT5th8Wy nVV~e+Mhr^c+3-o~i(s] l>Xu(Y2y}.fǥX2GXsGʕ[!c+>97َ_ vlnhk馶B~ƋOݻbŽO:{4R2c>ScnTw"q#wpN1N&N^[`fXi'5GWm*d-T"]}) ֪s5Q{\=wv620GG7tv~=p^19"1FlMfMncĎtˮt>¼2Rl2w%x hXC.K+w.N%ViroOFk>pr㙯߳_?sc:?toYY~#hm74G,DUP`/N4w!y,Z#T5[m5151Gq˃k_\u4}n2lKc/=69'RL,L 2[ZB#$YYIco >xqloe7*:&^>tO}<yjL{abɓuDZJz9P2^ח^g0fIrHf31g3x,PD6(%^cic<r<9QK>~gA 'grP)!C~ jsԙ:-bR<&ȇzoy{w FnmɢLCqDmpF] %dj{y!s?ɼ5p!3|unn"b*#3D C|AblIy~oC:qI8t fRnN Zfi-%>ቷ:`m&nbPRls]y]+[t~!Egn=YwKFDuYtGE{C{v=wǎ?&'.?rq |ҁ3/tfghDVfxh\h f !ոZ )bGx/ٱvl==={u齻Olxp89,x7#CxϰFnx)LJ93LJPŬiu?Ƨ6m5\&0liTH8EOZ I# _W~$,=":B(@qTK 6BVJ6D[ u!:Yn*+YWkw[Gwݽ#b,~!3#ýWpB#muZ$C8`0 vՐV4BGk{R,sUro.)m :lT-gK5/c) [{zux6=~:++{7t|#H4G={6?X6Z @N2^(Kl$&V)9< ~k˖]?Y}۷=SzMWO|+b^&4q:%iKlq^SdCt @;yq=9CmW2k2sc%q .ХWvdi86chkM3^`2*Nb欭6jV+VVB1s坘? 3=, k؃L3ʵXNNClKNt")Y#Mp0"PU WC9a)gj/U2-1ja) ]~:yJ-xikBR#s˛/ݝbyes,t&M3A?w2_WѿHVe^ޑ%xMYz㭁{l>ZiF%!}2U[bdΕQ/P bgHH1 $+li*X`# -E+oIr.ʩkNȩȩr%q6vZ'I_3"_Z t jJ`}ʱyJ1 p1Ծl]7\M'U:(ev ghҹb.yj~5"q!,ZJ"Ji%ZzaY.jPn9n+nx|,x"H<'\9$mAnos|lD_W̨ 8k5:`b#njr {Ʋ|sۥmt~Ƿ w]q.)@ 7F;^Z))v4f |׋wrw+THWeHx@شeJqWLTdS'`*(n T` xMI^uG‰Ɋ1[z{>}|j"V.#eDP@t\ f8NqߟV]ssnS,1JTCSX`'Y:)u#*eD\Uv7VD?/^'oT..QܵJ,+Lkj f-.D-ZJmJb+UvI˵<ZKeCi\Є^BwcU7MzLEU%Ȣ eA%dGCQ _YUMS^<3Άݔk`\wΘwEmSpU؆}ձV_Hɍ!UnCt+E8‡W8N n?8k?l$qZ၎ѤY0VR*Xar̈́V5e3_x77i I ?ɿ:Nu%Z=.¥]*O &֙ZN4Pr 뚛#iO9@s5UII6BOI-n L V&jۗ\ 5t^~Q6o)7HnQf,V5#zB^o~`x$-u&3GY Q(UQkȩ"FVLED (1SIT-cXY$@]nWNW5*© X竳z1:[jZVkE` 'Ĕ8PQ u`SmOP=!;ep/=`-R7ݖ.-^u5PХ+Z3b+fr}j350[(Nj)h C2PgFy}UJ1xb_fffj+NrX1Z@3oԈgFn)a>(NyTfPbh]hY[>*]+i=%uQp--L8ZMmI (WҨo1/q8BGBkGdʲ**Ŗe%|Se.kTz?5Q+`XT³jʹh~k,eb0zFhQZ@`uɀcBe˟+4|:J&} mRE <ځGv |X`gl\f@6eHNi,%wٻul@|XmwW"*_A3e:Ԋ*ث{ ;-yLytt?g4L!lM1,UZ+屃{%I41C3(eb *Fw;%uũz@ӗg oAnIj:irZj6_Ysr?LӿhSIStr3l*Q$#o Ř٥iF;>WcglQچ+'m㔓 0#P0ȞJ;.-^G׳!/Fۘ_T5!ђfIH/[e=ԸamLIq4-VfYӒT^tbѕ(r9G`(DIYcIgc2NduJFGp4yہj,y&luxggfq܌c d da*,+,)< j*NrTXim')xe{G]aL$9ׂrEDh-!jͤmUxmAlș v1N[a'HnOUYx2f`GW#ĊGVP'$m_*9]\c˷ǡTܯX~P i.]xK N@Օ6HxiO|lhtg?t)Se0cM;u)[CKPli2@UffZmė1"Y^$2 4.H(&\ow>\ĀHd:\KՉ4!@k.,, #ƎR^؆]#J"'`62++0F-V֛B˕eR9g4)"dD @#ܞ@C#GlSDy"Q%#Rfa>G>n]k{[6|^DDW]2G/~p`jڐO†ȡylHN^Ƌ :$K՚3C1 ډ).XG4w-BM q3g|y|5Mo*\lmm7 m@K pt8i T[AT+9O;SU\H ?g(,a‡$_FX[KصSFARe:dѨMGBнn2td?}p>ñ0ς+Ĵʡ:©J@jZcde)g]A% TA#K1:(*&0W24#TyKC̻p{iHӁ!P3[Tyh;ʿٸCW:b#_9BDyrc{'Y}P֓ 4ƃ-\,bpB, rZ,BY~х"rpoJJWS)92KӫٽtMoĥ"0NlwXV6|8j[Ȅ9?[e+wAAH: UHh|(ßAoV!q ad_c=Tեj:0(IPFiu-ev!L4` yF #"qwQ~U'Bvx;|ε4oY!fN3fU=e~ɆAvNϓs-<4+C<]J: V)+#@N[O$v(hEI&̼ȈdaTebh2L}  x5X<)Lr鱥Z tO"Ƒ{ʃRܙ`j2ܔc5,`Aw8vɄhK,ȣ% yDX6_s%s)i)V/ֳl1U͞%^!2pJ<: Ghd4W LOϼT %E &MA]=.y$5.: cn)F.i%WOhBmq`=j?UiM$72\Q饌V4uHwgt E==w6rSqZb)=bDLiTh) t~ޢԚ|je~OWq>t=Yj 5ZG eg-ҿ ZeҥJ0Hxi.}?ȥi&3/3r|i2bZQ/5npDnk\<%ىX(7#=y(U #. /r-qڄ(M46<5Rc Y)sꍳL۩"'  C˂AqFj fYNuYH~V-)@hqXZ9Z+.lE/pQ mC!mM F v'Jm=%sk'[ HIV_m~F[llIb]?H4y?O:JGYD56yӨ8r,R9)'e(_G5ìO F v@(Y*k›ivwSsy̕Y"ysP̶ VKrJ3N`]]Py9+|uJWEA{@ZKV=ߣc:sh2Z #}|$vdb*rXsMH*Ͽ9 gih\ZCm]jnG>kÊ,0ŎnO[0aSLxXK .-$ 1i&dG\1(x [J!v{ ڈxH;mbY-ڭ*kmOZ\rID.-~*`%n|\UnxgK+猗?@)SK3SΥe'R NQL:fy1Bn:kAkf2 ^(q|`"ѬLFA])`R RTdKkDblj@65Wxqi=LIDM`ͬs)lSu0 K DQ!'u[R 0$ɀbxE:=3%. ma,/~B4PSr Տ>*ds4#9H>$ݩC'9fsHDb݅{$^"R2 '1 QOYM $Tu bN@43[o{퐦h(yQsld,O8PY[Sjr+szŞ|6l z{/9BxPaa Jd%ۢw[!'$R"0yk #bXu-Pӓo,6jxcl:4|eL SXJit81JƔS6rboZz ,]^ pWKXH9*:"LDr"̇CC{Flӕ ,5 h0ŁJ #7(dA|fЉv?q[)M/cEROk"2iWeVo"*TnItVPOMTuI$wZmMתDnT/VŜqIhZY&v"KMo@&4(5MXSTSQOUy8ٟS/o͌Bv*鄬ݞ/La[d^.')*EFJ-|!$vϕlurUw*uj5{ : N< J7nzaU&wYe iFtڄ .TB[ۉXP6[b+/U\dT9"+A _Lq~$I} XRg;Ƕg5!ڤ6d*;S1Te"-HP)oq,w? sRC9klVJږ+cl -'`cESɖC\b~֡ |.][,9+ e\an( >mvʧc>>Xy{2ԽE7돩g3:C؜YŦM1b@:Il[׌ |.v k92h@ +&A/OP)Wf@CWE\]4NJ y|r`բC?dֲ9{k kX$np\Y9]4Mr mV"v;G`p]F-;/eerl*| 9cfG%ʴɴB:ef hԪF-lj*rZL6ZS]O[18Bv ?Т?jcJvٓORMس?,)0DOnL&IOzOxNG$C%8Ķڔ,O],^غT L5p ̹Cd-70$%).Nb+-O~ȷL V|wtCw#֋M< ]4-iGX#'3BMq B}]q:;vrl<*4PUƪ*I{N$tN~RFiLGߦCHc lq̲cMTRԋX@ɔ:,`?5'UY&%kDYFD1C= ;ֳ)Lcqb?/+@n=%K㩀 sPr˕r'5,'*D [2܋C~S^ȃm%敋zI ˳#Y_fk1 T]Bܻ0w#&s5r <;5%0×onDE:' CP\D)rXd(aTUI +T`].T~3U(*nLJx.tnq.H()Yr" jKK*`-;xR*6[=B2c$Գ{SXnmW6?#GwWnVD"Vͪ= DKmVp_%Bki?M l. %xn)q maW'i(7nNyoG̈l}?@$̃R4,At Sdf_+iv .ř[k._|< ]U̮}QB cj3\3L+V4RzɸW7+ȟT\U̥B 63γ S|O(Eֺi)!;#DN`>w 9Rڿy*RJN={X [㩐8l"g*@ukP\]O/V-F[Jm ^a@h/x%.Zb#4mŮ?|,1evpSrf:LUpV2+euW4tޝ|+m::v]:Ϗ V9V|z $OBO'|rKٴΤUYd:HJO =&G)6~F/V$vу1yDcP Z,j;O3#B 0fagǮe^}6=c7^jpZO\:ĥ/MlʆHd۶nh>a=' 7}# N{H̋]3C.' cCk5G7oORq ~pIAAlj#ѯ*\jA*$ձ5ý5!vS;t^LWjwZVZV&_Բj{{;{LJb#z}X}x#Y(L^HF: m%r'hZ- %F[dzfYA1Rb-REvk. 6[NO tۺ?m+[Wݱqۡw?2 JN!y ~սj2-B]! +Կ46tlN\c#i=r~:=Җ Pz7s؏2oQCpꁳ+KXG 3Bg- Hb .-Y$X <4 Ӳ>5t 4oۤ۞2;rKQގ+U-F7[&2]`_&)~x<<&p'V[MC,μ[ Ud_)q32@]lvXapz2F+9]N[LN,h8pfo]7ec_T}y|ﺷn4t?ȏſoIt:3t`Cl04!6\T^U&S (NJG SN8B] !XY VUj/u{T;^8z˯c~?;v>NdBXl'F-6BA\{UO^c&l3ɥJmYHV٦&3E>¢6.&kNolj͞R-ǔK*/Χ=7n8/;0]/w7GFw&oh]#}qƹwF7kpVOF݃o#1r.AAsӼ*W#Z+'Nl>@n vCON3::YaKʈv)mMqJ.j +"| mp_߳{o-aO Vwpk7wLپG;)ߪO;o7SCk6GE^NK4l鉇+[=P]_:h~h]mxwt.]kc>x*mI g *[,%z"GgQZs% ײ\Ԅ.^㇏9S +Ctd3m ` 3Ld MB&2wf~}?$s]{PZ :J4yfvsYm;_gŇ{$󐴾*3YL+!o۔rkxrKUuyTO]h#VC(((=]~5 srfgyDlSpsב5|Go}tWw ?u'Ùݑ&%9n8HhP:*"]Ehɝk雑/;Oq~Ù3S I~_1\K v go9;P3BOY'W%[dL|0O`<'_jn8!jE鎝Imsb#A1R|\UZB=<33dN__d$O-ǽ2UNH*hs͹="'Ǟ۴uk{]̋=>-jϯFnYV3V&$u! 3h”@]KYaz(n=^9*jP+[GHۨHh;u0:t軑coۻwR~YoԋcfϞ}ɓy[Xi3 R6˚APtl)@ gkKȌ $-GaҴh +n>9~%Xo~`,m{F}r[dm6jz}rqT(qJh168ۗQe+ 6K/w}5qtD6wt =пaR8+ŗXZ64n\m{ G_t^Et5'u 6FOBT^vmqp&sF-9r+ۉY&`T+$Ti),x[6z򛧟Tg2#;2/[?O%2q]abU0rBS/=z1-3'M9p㫳Ic ѐwοW0_[vDTU;&)˯47*i{\Fo(3T2a?+߅>f)y>;L23w𦁃7iv ~$/$IʆGރaܚ4\HD~pwkv5鹐2V>ip~]e ?m-Rp~kSJ~~_)~ W|'bV"@({uey jyXr!D92h^۶wZ}6,׷0nD#7әG+rV^!N~eY|2r[3`4Ve3YN^gL<gW Tg~\ ߑ~mvvHWD]X*O-:ҙߞQQ|cK7ng%ߟWZ3M\Qz2A'EW9Og C[#[?BanEĹGٚfpIAJ k?nEJ̦x=kluI~Խ96YB>ŷ!#Ǹ4-m1TV y>{sv9`CΎs~Na ėx&38xg僱SԠr4qmw3ko/=(o}-y_4~^Py|jiQ8@c̼@կPl$hoxc`d```9).+<\;Fɾ H2F xc`d``򗕁?9;"Ȁ%xڵhUǿ=9 Zl ;B(%- 3K.r\0j$ caZnnuv "R EҮ2E\)%XqTm]>{ͮ—>uTܤ/r nTѻ:c/9!GuȽ߀hD[[ZZ9xĝ*z`hJyK'@W8ϳ2_g475 ~d0gڹ ig<7A(S>^}ƭ:7gY+MAܹOyqBfD~&Wz=Ɣ#۰&J=Xobܨ5MgA!ϩ};׷NG7*TE}8{ANNQ=6t;h]Lt:SsY7ݬPw$}ڕV+ z_mEC\{#lq7';=M ٠`;xڭ,^A|ljcJ-M^f5#{~ >zJ&ӏll>Up\|ˣKy9ޮ2OXlGc/況s%:zrZc3VsGc谚*$/#1g~9qhP')6ek-`4->1I _zOy9{ 6-K9S>'esq-'V]`,Ӯ&52A2)sxY+\Itric *>dG h3݌GgŹsPIuSVwyπ4,߰M!f6r)1ݔsqs)|XK?`O۩=w<q6ŋ;1NCEqu/+|!!-\IĽg~g `=]PDyr]`,EЯL阽Ko-_66u53nzȁ.hr6鴎gҞ,{AS:Υ~"UC5$~Eܟ8)G\ǧ[\oxLGK֛]~?o3?BE3ï1S)gVD'NyUJEoV6ҨN'fY?} {39[ciҧU-][a]kS;K6&;5Wt}j|a3'ug:67/;jOt.v6Ϥlߚ]mZow2{.S`y9!o$gDo3GFOƛ{e5>9y֩l|pQѳ.E ;'2Tc/e3Z@oeč׽ͥw[]:i7}xYe/)G-wȳB~QKΒWM5̏/ J+`~DޛG{k-Ia4~zjy֗h?9Q~\Y9j].RvԬhڢ-ri5e'zܵY:h~SDYÃn*kn1! ǝn(g9j,xڕ{|e?aX hfb!0 0,Lhj2Cgժ9F!$ɪh1UK:=xzxz>s߷_@d%[r %J $W\n p_jR-O Ս+eR8! 0 ?jڣ(3өH Wg#uI/=R7r{J^R/yKBx@@e(B »0ޅy({w(~HFNAxdhzscxǓ{4'O`h"}''7'y)=ShxLA|Ǒ3{>1/%47 x{I6;Ļ91d7/y2'×x|^fµϩ󽈌bW8x=ٓ籒7М,,⼬&5Iu_(Ye8&{?٬/y|C~8ROs> r&/~3pKf|Bf-9}|8?qu\D%e֮wcw@gO@/腷޼ CF}ߗG)B۟~z Pj Fh0U %p#42#HEȷDȌy,=hzO#L&3Xz<]"38=Mf*>稛Zy@zDf?a6s{'1Hf>KAo!oYLYdҸ.㬼<ÝΞa@*kz-uogc[䙉dwAYd oÕLޡ׻d\9z9\fVN;eVn7=woMffr^G2rP{y<`F't*D2v^8hgvdpY?/x>C}0/w|_L XH7;gMz?"xQ98<|{1s-|]E/{S 42g2l'zLWu\@-ݦm!_U1t?'ʪPɺDpTzl 7 d_u i5=ek֎u I_yzQ ɺ{pߓQ5(mzhZ#6BOc5|YOo&)Me/3/o 跀3 [H 񖊏TjSE[ĻEd3xZyY*q4q^1e̎o}/srԶEK<9~rڱ}9r{tDMf _\9G;=@rRh닇ErBӻ?k L/g2R"'0Q7k<@rp d6Ҋ#UOPdzsx^3oK4+H69͌NivdcP_}fs~CZ czԛ=jFPS]Rּ4 TwNWפ3}$@_(On;qsJ)py Uς>+^ jCWJ#b=(R;!V^ ,RG@Ne;@6G}J9ӢQ̽QQ-O764Sɫ$M~IPJK"“:a"hsڬg~s. j]w +c _4 59>>_>o`K+;KRtC`aۤevbnL5*S|rԟS*% re$xAqh`o(" /gBP1S}Rp9Bᕘ#x~7\~M`q15 O67.6=Ҧ&ri8ItODp>8~2VmpyEZzbmQ /5iuA ZN:؂ڌڏ.M| +301}Y?TFYSj'gH#uF:#v`B;m9lik$+Sv|58@f 8c$s7~!6dfjLPԁ&zHմ1L-=b,{lеHF\LyN=^\4O,jzϽ'A{\8tD9N}ȼ΃FO⏑ew:0oQߋx^k=\[Ys,z75d, F q#otu$Q!?k23B[otf"/o~Y` lHE:W݄#Sp}aFժ}#4GЗ\.\Og(ᯍb@uū S@BҚjruM."noJڞiW#d% e2o#zqQG s6*B{~31f<֭@w%'6-Ŷw_ʡ/׎h 3~9 /gHNzr]LKMطۇs mnQņL+uٍpܗyPv}QHva\.[ijL |-5 Z88tu`X'_] ׳*{ ug[Jfqғh:e2ºʑyYC])5\.8Nr՟'B߹\5UQ!v,Пn]ܻY@zLsH4:g(  9H.V34 L6e| _/ߟpP\'Rw_bŠk*HT7s֩kh)?Ş.Am]xӣъlY;G6ڲ-nRý `̞ŌDxA5Έz(1 FȞ;dKjcm/5lF}'AtWO8'?[bLl.֝H]3jO@ (bM/ tyZlj7J?@|M>h\ w ;9[TM#1)Ri=Aq炇ԣwM|1;-qFߚ'!µzmbnUJ5AA_UZsTWϩ#YN̓—9mQ[5+X3$߭)ݮ[> t)>C98~nYm2} ~ω8yd =_YC|:P).Wv&)A<,]êgBUt_gvX%Qϭ f5B,€Y9B5njvyG͖y:<ӋV r*P(Izbk4*FU`p~\Pذ5bƭ!Y;!rׄæt9z=Gȹ}ceRkboZ bͮQг)ov#ۙ(:|V\{ao\8wiKFA3t00xmYg`~LKIIe˒,˙EI%R!)+v{4M4{w޳m&i=R}>0秆!!)* @-A=Li0VaXVa XւaXփa6a6a a!a@D!;ΰ A`@LHÀv fC't `>,nX=za1{ .#H΂(8 J qcDc!xp!\?#\\ }S <Os4<e_;8^e/k8@ C.< P"A 8| XÁppW ܉5XuXSq t\ WUw\Wq \µq\q7'7Mq3-q+mq;lC_U`F1؂;θ 1& lǙ8 ;zgc'vp>.n\=>{޸Z؇i  aRpsQ>}E,.q  <C0<#(<c8<O$<OS4<3,xƋb/7-xރ] /ǿW«ox ^xވ7x ފxމwx}x?>C0>c8>OS4>s<%|_W5|7-|w=|?#?O3/+o;#ŸwoS"&ES(@UTMAZzJh:D+**F&Ek:.G!mD&)mF%mE[6-mG =5R&RZiڑviڕv8%Ƞ$6A4fQͦN94|Z@ݴzhbڝ=i/ڛ!(M!ZJ4B9n<­p< 7-p5 Rp/G%h~VtHtJtIGt KtH't JtIgџl:Υ:. t]LХt]N+l+ t%]ip>\'p&]MkZFn[Vn;zz1z')zg9z^ӋLЫNoЛMлOЇ}LЧ}N_З}MзIM? Ko{yyG&fV<\:oF1o›f9o[V5ovs#8n(Ǹ[wy'ޙw]y7s N)n3ywl.sy q//yޓyA,/<#<\"x8y|̇|G||'|̧|g|s\> B3_%|)_Ɨ_ +_W7zofovn~~a~q~i~y~/K2¯k:o[6{>G1Ÿg9_W5w'G7?//ʿ *RJUQNիjVR+UԪj5ZCRkuԺj=@m6RMԦj3BmR[mԶj;ՠW**TTTjQjIvQT\%T)զfv5SRjT]jjV UZzbCR{}TZPjHeT Sy5UUT%5qAƼ\1(.cŚP!qKD99҅|22ˁx~riHg 鱑~iNgrKɴeא,ǷJUfDԂjL/PƥU0uČm}IyXpX0R;{jFUPC"^gY%c&%׬X6uHLn`"冭\6cL`i4zpt^9_`,Щ{i9k4_,C.J?&S0U54 c#X>? ӚfTmӚ uۢ}'hJcL.X,X4t3/Nwe2s`Jw!2f4?K8&Ǘ鸏rqpf7 WL-2𔮡|!7%N9fH ;KJdHPJFe6$ %[[2FM=>kJ+S Z[Rj&U8P`YK44kX`tIH!h jc†dH{CR2au(l #RċHH`H`DP5I&$$^ċJJď2?*xc2ޘċII=k ̸l)f Z跊^8[]\K~qiq+.~ůĉ_q+.ş/.Wt%'D?! O~B'D?! O~B}C 7D}C 7D}C 7D}C 7D'E?)IO~R'E?)IO~R}SM7E}SM7E}SM7E}SM7EB^=ї; gE=%)QOzJSzQ/e #MQ```%^\cHB5B*) PƈHGD:MWd g ²]]RM4u0VӜÂ0V4P&[Vs3s3deef71ISs#\JVa,mO<gU>7̱B^W$&ׄKopH?Q˨/iH?p f|)o{PeR O9sмXk 蠭UVp9Ϗ;/L̰LyQ GB`R'Z^K5(z=,cLYXlj!Aiקp4uc2c!.5}n{*cDI0{dי9+89&Mufٙ9̜v:3̜Nf6ef3+9uf62#Y'Wы.p̲gU'@J7eڍ x#>1oo'|þa;i>>. M3|uƤF_ߗ/fxO~ӯW:.{&|zIz1^l^̧+eEP"V:L\w;ۙiP,N6 KUV 0"i].fE]̴Yva.b]̵yv1.E],Xdv\r)qȮb.>\ٗvZU1]wZ jz4&<ѸG .Mxq^܄7ĕm2vfvZ#[ c~ަ}>Y9/|M]ootM7]sY VgM7=͊? ga³0ᥔ,4< Bóp,4] kdNmbmnRm&m S}o QPRolwlwlV;nnַ1]#9i8vO0{V?ܮ{J? ^ [?*'s;kgid+\W\W&wuu% !MoFތLz32Ȥm61Sl{m[ &=A4nf3ku=oUzE=٨'u':R8o y3 өF\pѭhutL  {b^v1W{<'^nn-O>D<hG[=7LnpM9.oʶ63߰n^}~dSƒ&Pʙۋݩ},j_ڀY^ X#byˌaJt]JWRJ,WJ]t)eG)]CNU0׷b03",/ SCJC50KC:5tiaykX[B =iհ6r92@x\>|MWt;xEν`qR٢U$^"6b$78LzI]2k6q5IWG$krG2zIa0 ~0Q- X F (e6Dͮݻz6l!~Lo kT PK!ë''ckirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibolditalic.eot'F&  XLP  0Source Sans Pro Semibold ItalicVersion 1.050;PS Version 1.000;hotconv 1.0.70;makeotf.lib2.5.5900>Source Sans Pro Semibold ItalicBSGP`d{lgisutx&s44Po+{zwGdRɰHLxݫ1$j̑,aIPNQy$n; \4'"H~pe^r&GX}fAYC6э凔7Udll oL^tY[׽>t6*V!cUJwq <K`g"6GB͓+'WEOcz_.O ro0L2X jc)pSOy>u+3+ 3qR0|4*txX3JE 0ێ,7B3"&:n "_M[f B LABaնe Ρ6+&9syhJ)(QR(@-PyQQ*JK*ȣd[4Ce >mGp+1h!8kDI<)u@XE'u+Ttߝ'CI[ĝFT:;Kr&i8odۉMǮÖB]D#ɈcI]70+TCZKVP9f-ERiT1WFD67XSaO2ë!vj&<|ܨB%MX@,ǎ,@(BX@A@Vy[MFJx)u-tDPcKFD~\KEHAA$m+CAŔU [x%> s/2,U-7Wslt9jaiOmW %u% Hj!,ƣƴ)Kk{MA >6PlF$g)8PVOLH1]6~9:~ͪRG |'7 ?! fD${D(W􉅐!$B!7&G5l{(\׊/)=I%n}+"&a ے+kjݥ~2]Xu{BFٔxGW-y$Ki 6փ/uʘU2 e svmK@N%DI.52^&||x\cfBm;#M"f6 g1!%M%Q!d%T%X!;z{rt t 9W}DgxֻUڕ , H2e!4d6 R@b90X]'YfA/jfhiiHGdx X><p $ ίK!!{ M`xX.DtA3`5aoD2O/vlVzgkH2lݔݏ&#D'I5p:;]L3sb\eCQH  d&!{zM>TSakp \nFWNJ [BI!BD!,3o '4t/wv8Df>RjGq!3>K|5b/ĩMA7bE >,`ày¡qĵA+u)6yMDY<٬l5}D>"AD(ҡ%8);@;Ut^VXRFU`Šu" vlp A=01n D B=q4hDNSURI+Y?wU;zPHC\Y!0DɻxC˵2⽟H%^ QT iq*AջTMC,C_i)< >"eQ}g$V33X c:YCȔ[hC8y6H,T2 ާ`@x?$E/75+[ubcpe.7D騺,~UFx^8[ȦP9NG &Ddrv@A[}N ;Y-H)DlpRG5D[ںtEROr7ڤR5@ *6>N) E3g3}kf?EmqK^LyGx}R(ΝU {ąN[ PT$f&THU6n1iY9b}kcUJ7Ѓ8 "_EBL4I n:c2ljdMLFjPC6(á~1E^( {!ӮqEE:=2 ZqǬMhBPs %Z5@P&X 7e1B"7,k !Vl }<&/鉦c/90ᨴ܌0;Mh7,@9'POYaQjd Hc6fe!ɉs`#X`U@E=p4M"+T z݉Fo3't24gJ/)|@O?d=x,Q?A7ZHY H!7 ^м3 2T%%uہgg>`!^NgK:fpxŒw,rL2_r*dL"[)sERyvpeTT;Jh#LVr{&KiĀK!ڒe1`\XZ."*p;vF.`RbB 2f`|V خuJ~!H3¤d2rv .8466µ&EM?C+ZHi2&H RA|@ғgHeNPX+2i&/G%ա$p-R8, Spu# @`dNp^ԯX 3ZIBO> bZu$pAOs e 1 J$sێ@FTtrӎkD6U&@UP9THϝјO 7gXd4Ŷ`Aw!Sa;35VkUO Z\Fh})ܗXY,kJse#^/SS.X7hE `vyAFԻJ ('4M2KClkˈd5' Bp[Au7Am ~Τ|NMHYa܃@FQ0VV>)OCO:#WEQj:W\, I㘝b0l vAu V@&ڿX-Fqp^+ũ ;tvYo^g dJ gF,Uϋc aSh 2kGJ2B*h MɆ'f?G(_՝\n݂p1`kKRd1ωe۶S`fф |a9Zj'-JTY`Hπ [jz:Ҁ2 +=dR7g=;*\An̓JTT Th[grø(%#$ȷdIEs!Nsu1u[Hm04J )GC$5DHCOQMc)}fQ7ԟ@MC&sR٨.#$) N!LN87WP !L]eP9ʌ” N0/u |Pp@nwUJ|w%hC8#lw7#wo&k7u2vQ~"}1*%iuӴT ,f{HY&4;%tp2;pIoxhQ o.ⲻ2lbJ(eOKoj cL"Qwb*0T]qFVJZ5[Hհ6ԣBڣB^1xGb0 ףq/ub- tRWHPTژ* XQAR58QU @ $%rh @ĺ5NRa+FtU :UuBR*^]iu6<6L[AgZR'$H,X+塻0 `+}(4U- X3mІ\дQJc١S9͢@RQR@WtZGU^bI5^s`%) %9MW@K h mhw %\l •*NrHU1J.UB]Jeֱ\79x\-;@[#P^8'<2A-0, > M{Qdd)T>u*dMtc  B0RqOF'Zv\׍z#N dma8o-JB-Lj\U(DP^2" ^z_9(~ȳz"cT_Li 8zK|y:6qQ@Um 116朚+NM 5(.?zL ~_=WJl $NJ-hΫP${BM)zXB3@2)j/O{ۦXt,ÜmDP|1WJۃB$3֋GLoJ(1-R 'J'$a9gR(wIE0GEQj0ZFv+r[f^RCA93$khCrF5m[pmH݋;bpغR;beP=l=(A R4 t a#BQM6Hdtjr*}:NѵpF8d@HX$pISH#S&cLJM/$EZCb_E07L1y\]1˔WE ,!$DImT˟UMN^:Ò%\kz ~/ً3X Ig g/E8r+%ȬckWg"^_YOi@%5 L$,ʣq! HB5(fzi0$蓦[(ܲE{=Ab\{+u ,q%k@Q ʡHY6 G6SX"43Zʋ8@1-m.$) :!ԡS`vD1 Py9R.ED,nEunb4zOv9${hbVc`0!l g(7s<~ /BA*c %Q4S`  CHŃ9 ` @a !@ H,zDR!6`B !`O<оQvJq |rܞ'"x~HGKu‰Gk;|}n^j1X>b?8b6DG=sL+V7= LpORߩ11GݞIiLG#MOr)*oWՑ;@@Sk)&Q`3W3J!.5׀08K9!7+V~ !O; ~N GC/gڮBs4:\?QoU۸QF⋨Njh뱤1=[o|t0(s+R2<2rg%80n%aF iD 1P5BJm9S@UeXCd.[l[C* ꬊP'S`[ѶIHTƖB$ , GZNp`@@@J3fk5J%pzV^eu &KiuMNSj5Ҳ*X$Hx!,"54~g(ov9Z]h,r"!.KwoKpcM.<7-ЗRC0ȍ0W#m,=.]7+L9t%8()j2.̶Nږ%q pϽjz-@gXzr ɎZ1E+̜W9Ϟ"Yx>x>3جkD6rpYT[Ay",R\lv!A{^F3O^IIe;F0`t֌N#3O+.tȢX)~!GsMb|X/g@qpɓTBᠿܢ"#dP0W^`񟸺4 Nt* ݷ>zepUhC<:1B,bU㡪< sg{ Ugh8N2WgٮMԢUjEvCOxz{8p^biJYNJ٥*[WheSKFʩpO'.]!DzjY9t}3Xv_vn]6d>pt=%ɴ1Lޒ>lvf87ECn  C,9dnKǗc,Vյ+x<ܹ[Fj+6!/jZDz( #4"HC/ňxmp˻fF8NGتQ^қg6mG &-.Vmrpd<O4Rzi)P#R5'ʓbQ{Wsļ8VL8sc.Ht#I!Ԁ8-r"A'4Ӂ){`TKP]X5>6 5 ,4mAplW?zhC&d#yNSçZԕNȁ+\DLubc8Hk̜e%<4/ cXO._^_:}JP5M AxGֽG[%PtFV ,喾Gj>+L_8Z2T6jpSN*hF;OuQNobx.S# ׏hp#Tww ,+cO uVDA`VOA!Ӻy,K*-Ej"puQŽ''#M[a'E`!\VdlarsIv˔RľZ(Kv2G*$q2Ý ?B'nH&P:^he8픵;\$XU% 3Cag+'J@dZb7쥩~kFA J c鬒X(|-=+"BPػ̡ղg(8 _L*"(GoS-$u.MC"2ESAL/L2@dQP>D0ޣx2ht FQr#iL}=]H) =)jjzG~!,`zᰆ`- kE !֐Pz | U$Xqws7,T(fDQ+KTwa8 /Z~A;yey^LsToxrsȳ SlFv!:ܶP{p3Bwj@д=o`0Ly]DBU+%k;0C GK0 *3!LrRCʠ \/i ܌WPftek0tú52Z*LMv1odFԖC!RAKB;& '/B l7(–0^GEˁe HE‘NԿcCl"4Wei 4"BP!28r^?UQagDi /g^ַj ǭxܐ<șd/m^@b'X:ϗ3Jd t^tHm&cWw[9U{:4JE݆CHm̖r[e{ ~5Sqvbm-5( 5\D^`Ny 5}qkN!`d>N:7UT -+kf#bYUBU!<Pa:@.׈_e!N/vs1Rr&\b<&sdq N-?Gt>%%ӕY4._u. C&am$&efJ(/_x=jdտm3c`E]m e-  zǞ"pFTR {CN nldq^0{]K จl J Y&b3Y8Qa /% %=Ox{ErOĂ9QvܿB>ϷWt(q ̨7O 镕)&%ݠ(V4q5BwNfC`1tԎ Qhyrm%v(PELJK[,+P([/|$b?ӳt|xщ 6ѳ2ж:/0]f." h<8 `,.|=XUY)Zuk'w&73š͑bVj5_4;Cn6tTT Np:#OM]CDD~M W8G#SN9DGe"XPF%ZLTa j茟pĠAF@d7:tzQ%ӹ LoaER~"8I1T\ ИanqhC2yfHO97uY-~\ۿp1W8}}ђ}#+> @;2OC A!LIZq ezpS"BЋ5§t#_zyZH e(X%4 .KyQxKuE}ܽdr5.N\;X6}rp#h+➫!cA0_.6V x%d F)Lu|g#p'AX>;j ^-oxJE]zq!+s*A5³!9./JH 4g L쓥 XK'( Rs 5)s!A|Od!Zttp?פV焥~.41CR*6ѕ^K.C/@fkH[O7=fPz"`&M%T67$:?9@"T$`~Z#&SJD-$RɒrH嵅Fe[TZnT)j)П/=cE Ţ -ə"e@PL=2n<!כZhGq6a$D]&Q;(G2ػٮJ '3cדW%/%h6eB@[a{I!7EM8e\T,R/T|6Zre83~|0t=lO9iVk_mW爊Lro3DuLST9'@V.VGa?"+-Çzݙw2ʜ]ZV.x!Ek !ٯXE7dg7iNWmz9ȷr: 2[ڪs&^ֿPD3k[*MMBҬvnMWu\\1,-P+Ql|pDw!Bk8(ȃD)yZ 2+I PuqiP{EBrơ-:sst{̼z]ʝ#<=k_B^4i B"@;((jwmlw:ꁴޞxUO *n^eig* ->5"i{R`vN R9PDS׋GE㟫(Q4]B؛"v9z<Wcjb_:tB#Q@ T EW6Or]D:lx]9ySmx;(nK 3x_kh>5 hCMm!cV.o-?e=g2+;4a Fmh"kt[Ɖ $0@3b/OIšږR0- ˅@/ DCj񝱙P&wKXdbWgfA:O|F 1%.K@Q ##w"LVj}Gf'^"Yoc]3)zBvmڧږ* ATrN 3p&E^ _ȹ;Z$l9`r A >MAduRd;ej$5ɶ<ǸT+jVH?M^"bJ㳹8 O/ 76NS ݩ,԰R7b;Y#ZdaK!>ks@Hy<+܄_I֦ wmG%mOPω+Pp GTۆoXQ ,`3#`m& ~($ )4ćoʁkϊHgR.z( S Ls>\Πo^Ac}nk1U=γQ~XӲSU;~bC'قCtVѕpP4NlBp#n@zNkiv䵼>nʱ#5<.QOFbXJ:HmuP?qUΓ)NI9ͧ94kȈ3>RMdDޭ>=4[do,ĄV1] 0~f.DWG_>: b\Fa}L~g~&qMU w~4zUKGOyz$ 롄W{BN-P?Cyi?=MB0"JD{>Am+H*>&k'ط$=$k0R *2($ܾpcq0hp0jp+l8`QVCXҶz^H,^XQ2µy~00tty)p 2$Ϥ!y.a YY%MgUúk'ΚY4 *̀h 8!Tvw$/ S'exko2z:[N@$ZJ&ENJGē% ij Itq 9գ|EdͶUHXO0 Y2 j|1g/ U+Xd_oyŲWFK!8t#Rw 4Sn~ݲ,R.> A! 7d4z\of΀{2k8XÀQ"LT؏ k=F93@+´ *:䨦OUj$*IrQJ54,DmGOWvemn`}h$+JND4]E~YC2v"ކLv D9НlPcg#=@1jzsp+a =HKኁDe\NC-7S؞:`Kp">%w(WY@q^vZ%XG10. +vc ]? >oQd\Qarn ru,:p~N \X8{x;#%rvc`),8ԜӴJ3t8B06^ϣgoGEk/.zՈ7@{@lۚ*ЏcM >Xٗ=6?^B`xOqX Y1.DFb3a< ?F^)R|\vsmףU o3~R,nTð I%/T uWX'1E :Akp E-nYv/q^DL=vvm&F"PE樓ȗ?$~+Gm$Y:YO${)iRy]lP %lJTRF%bblW6H)I|*,NOJk<(o株 HE:~`@!C(@y$$xYip9iP9G/THUHfK< bb"ă׬-k)HHGL0ǩhC#XeFOr13Q|ru\,q_4>x\VebeGFπ;!:.xCA c``bKpT\RI׈JuPIsR@-)X߰9`8KDnDI֙qixq2( M8[3x#Fjuʸ_`"}vZ&ٖ ]%va=VQmR(Bc8, /PpRwC,J!~.M_: /( i_^/NXGlGΡ5&7,JI^ҏt> n|8]{FOdqmsFX'1G^Hhi޳'5p9( LŠv'{d$o>PK|6m.NlT:'Pc,ęL|'F.:TVTChU*4&Kݸzۀd}_!x0K@lZ d: m&%£Y|02bppkh1F q0O?6M8UX1%rf{EphNy+ĜQQgZX 6tѡVG OKüa:7 䐗j() 4^LA`Rr, X84 3weId x\R 1)ؠ RpnePxU5[A? O,Ңj2_ܚ C}TH+R:?n킴a"K(f!Q\w_,r%= >ޠۗb1e1`ѡxB xˇvx3{FNwIK3~ppNcVD^h!s,== [?0,9Gfތ5uVCɶ17:i ؁h{X˚i@͹?dB{ rhԥ˰qӱ&"A0\:d12cUPgYsG>7o*Q8 f4$Qzrhm̌fl0𾴧b9mI E ,"Ǯ_{8- fÙS5>iʱe^f$׸pENj 6bYL:kL_8:e% $ėf`m4 n/IQ)T5'=2˃K4)A@zJtwӃEFI`l6R䙣*2ӬeWGLz>RX7P} RG[Pif+qɜDw1uA0tx0{,(h岢f_h^g2 {LȞ٤8dU |ҴxhNIM#P4JB2֬kYDK+3 vҝ ߧ}o% 9@1&n'wQxFc`b`"0g~| $*+쭭G4{Sci7 =8 OɌPqcLUꉠ&rG~&Óe:. hvP'XJZ &@im$ YK^2h#T2PN[&@-Bcq^ U^#e=J J'N}^PznĄ@🈢 )NmFuNڑ;-,8`)W!Þ P"g0Qtm2 (| 0&RmwtW0[ J!Fcp$`a"_ _@sDgM9 (B]L H\V1R^8pw( F@}F9E!;goV% T@$Ka(+G"aPjrM69@aLT&lcIL j| ﮠI?j*$D<^+U &! ?H@$ mX㍲B)D`=AgmQ4 Qn:h޹. IE(JC=b H=9Rd|5`_ ,5h 9JCtρMV'*4;)HC+xurY$)$IȧbF䳮b& 89]tZŞ *QDjυ %Ӄ.xYGÖbi!Aubel)=2 u-1eIbl5J5Ɠ!;C@}&!GC|w@@E$K, %80eCC0M5~B?[6bc`L8؋2/t2fJYn#pЗ J . OU 1.wN P1Izf g"9Kڨ8X/?(l3g+<`a1{ç 5"-FyV`Ԥ֣Vp ʎK<9Kbh>E\2ধqlnj[r: &96SIdPDh|JT ^}:6{eبj$N&ckT8+=dO"#Xtձ:ոh#&82C*I HϲP{ؒ  %DzVW>RN%EwѦ 0 \ #jK.uk+ˁ#%B*ɷĭk?FP(N^s+w3󥰜%!(HYԹfYEr4@183MN)UEDB9".TQp E!hS/0Ov@'\BJ ,m[եcyskkRz։¦M/Ά{cŴ Xb`O%}ϯ-i+AKkHQ$OPH`U\+?V什3CȒMQuת1}rݗDF`p=)jEG5??OƢ#o ps|/8$itu^^-tM9c<>9k9Q 4 m85L90yP Ь+pP/ DlK&KH]JY6_5IqCbErx;3o }`0f0Ei΂Kx q0tW!ќ2ºY7Ì#_b66/񮄚Cי{B)&.!g`)k7+TQ ʫRfۘȍCTZ˗T Vh{[A% Fb-CM$<fCMGn0d3 0v=8=w]{8?Xs P0IQ!v@"nB5oG0?$|RĨR" TyѹSHYuA']ɪP~hB%d0nB. ;nY9!fgP$cD7Ad%vV?_>d`*Cbup`ieo!%y_Pe,Nqzu t訒D(Un &!nP}K;~-3@W١wosKrY_GOnw٘$ߨݺIg~\R"sM7dTb%g@ V'5{*ں)ȓ\Go . kҸWq>KRE˂df&H )ӻZ WP^U~pn?A35_X!Dba/h0 WA ə+F:5=c& Z6 RYbiA 0}%k$gU`05$7;2$ 4d;#p$Tm)(8:UMj%mbSL@䣩.=g1i2:Lp c= jAbS2 J&?%mq?>P-F r>oN60f6R$v \gDDp9 .^6!"Hϐ"a UaAXbn.t)&wVt9~^PNR)Eò0Kh *dVBf3 U ڑ9 sGPMw/9Q-W"8C<*,>[ l7юˮ)2h.ßD"eUsG4P"#:962=!fZCv-qшe|ꈀx>bW9 4"yDH4Ё`l!"3X !DbC)\ pCJ>QکSc( pBamoc6Cr#wA<)՟M7Pm 89nQU2WLV1Z`'~$aטc)\[SG6eP݈}uwX;,'c圛)\p$S$&$ZQӤ+j8^ O2:b$&A/X̤#E&kX$<,k!0V䛄@3` bg_`@"% ,:[@dVdM/PtEJ?u*O$u[.ܟ͔FDyGa<x11X}_XR!e)׋br;LJؘ% $ra21bJ@0h;!OPM؁1 feeM̚QL/k@3u:lA AR1$kf(gC㠱bš7SOs:^_,t~ ??"]Y'~cyڗ~D_4!БV~AbBP&ʛܢ>`Fy)662eD7FFC5=U$b;*ł藝e'ABW=]um SHh͂V8RzDiN64ElAeqJDxIP{=D$ft&({H|l:EJ(&@)~99|ON'hޯneaLKĺGZF'U5LF!<JdVZDtbỶ'@4>{._{kbY,5Mv܊n ^o=LH 1NLX-O#8)JFBi &;!.d]b#q/a%m@ Ax @*[0դ6RĐjDAWmQXĄ Z1V*eks%]a+BWH}UY\3 :nGP#@"NH E[MhBJɠ>}cp$ux-$^%ٝhrB%=R\+ǖAT<)I8^b'zsֱzs`0$>1}ԔDIT lЈXVޞo F~B] ɺPOZv+₡묒bSi@KХ"*YaQ&O_VFtE9¼LIS yфK fbQaRSX"^;3K?~?1)-V:1Bl . j3X(/U.#K .Tە*yar9rm ֥~9"An>@W&[2 U\Qesk 9|!S)V5lZ'n@&]~æf@Q]d8 Հ~&b+N7A(KGP! !, o'ř%%$ݬu %Uv@A @,@Au⥩#S-:H~@Z(^vfn+:A!oU Oc]*iwz85SN@غ=dzɍ|>r5SnLFI=S Dsfh7 3'p 2 X3-uw 1jIyP:580f3wbY  塱5&.emcRHxw`#<6D'7 v0)&'L L¼1IL&X2 2֡!pƞ,$/:&0rF;[h/xqD"RC W*F&/e ɁP&uti(Z@"~DMaUG!]_r_@&>`Nh0`/wd 3J0.>'2BԺ sSI!2cxGK86_˷#WM6V @"*n@[Lxw\(la#Neʹ!包3zuixyG֤sɛE"Ix-ŚM>졢w_" 65TBcQ'6KE #lu~kPm=+QuOd_*8>< L.B/: R׌aMm ŭGhyL&ƀ</GYāhLPg*hA zLCBtWZYøiKs:=' G؅u 1\J7-q_HDp pI^z q6:xhڅ 1O@_PBR*{b:c N> شI1wt0U"ViĎrэ?5š-YXv2M*m;A >I2nFM6u 臄mBE$8f'RU!^椅)GN(gO't%W3Z+E( Gfchu >r0%ujTlX]J9f tzҪ7NrH׀<0Ef5xھǤipA1?x3X5|LFT+BZb1EDMR^ìPVd,JUa]yIPphc%Zo5`vlN 'B/0 `l+̓C;["@`e|0D0$y4 Tࡊ\{<= Fi&ONܾak7;nCNVQidUs+XXHyUUYP﷪Vxx8¿EB>VP5m8!Xu[?!L0ө Ѷ;!61:Y>}RMDz 1VBa/j$[vĥ|s}|67?&a1B"$e$>s =K G>W꿮(gąޞ*3@DWJG SnÍ+9ɣN%̚t бf dz٦T-qHhd;F(c޻&.=i O^TsDǎ]l}h1?@w"%jÀm4'2? = \uR)[ʘX3rFЉ`p3-tȗv:~#L/F1ore$b0֞$E63<6#[n)cQ'._ٕy=0sJ3 Rb>YJp2zh[^ E3tƷedvnkLՆ~ߵ8~|Sq塧 "̗Ϣ"~7= },͊ԌlCBӑ0`lG 1I +j7#aiuoGrtq$^,6l007LA~/SD»gf3\HrM$JsX_vG&mmgXmH;$ev0cف#^2SQ瘜x C/s@l>x2P0鸼o:d]ȖX + 9<8J*'%y%G{;N3AA8c-fi2I!*DٕgFi?@%hڊZgXw-w\9AlQO&hK oMR qH/]G%lщ%ԥ5RI u:WAD56t 'ÒZ)7EaSƚ&j OIuI(SϦ$ l+"oO@ne S]_i,5!w{},:ӬIļ{cl/pWP6}fJp@@YY͒e wMXї*8*sZst6AqqAz0-ʇ &N\G_9p;3IdR9=F0G˓v|-`^9:9hŵE˥;%')/W#3Zi9&4<chVPTpZG})5whIVu<e8^qj>(3+Ce@dU:nî#~G޶޸E'N 4fcT"I)0(}Rᑸ-o͈lmp.]LwKgT;XqT40i$ױhacͣR͡o6O4[a˥cC3*WvVe Hp98`\0v|R[H8c‰"'#rV%atYZ"N%Iu7 P3= xP#3Z4I)$QPax̲m<#&Rc+i$~fZA#o!iPM`0poE;ڞ َq*?@@´fo?'+!t[aWM8[KC WxUF1ZE$ۋ BPP:q@3>,1bZ, UCRHتyqB 4Џ@N2PwSI9 WKUbF[\!:,C*u:$NHn}5Z:cp TxɹB M!3&h_+C@\q~"THI/6x"Unr"Z3%+חF b^Sסo.o{"sclH(X{ eo~w@A,lz8@ylf2PP],&"$8FuvN#BҘ&Lie+r^ZVUnxeU#9{趫aޫb|08Bf.vh-8M0pX]y2]vos*iT~+_t~,A}P"IrAњ*-]ضu}+W04 &7dWa-gÀ/zLlIM_c9m))e^&= ͕m=,t<^ Kݎ[BR5d17#ǭBlZ_8-2EM-Լʫ;Na: [( qyKad ʼnV@XDC(;!k=\O(;(C88z½LBDs'#%G=6خ+Vȵr8,Ree21X-Mڶ!3͇+M>L"ED#iwECV?\66(erUt Y`x2ITXm"99|=գf_1v%%P#:^jw6vYLHYimav AVv2"7lGd "f%LU%$ H 1 2/o#b/{?X9T5mI.گaȎ8}{9!ّ'nzAaC)1/<+ӊM !J~/GդHVeːQ?̠ "a`CIom+7,Jh Wecj xS!^2O31rqYL@s16X ?!%ladw;SV+i o}Kb[co'!`A1  [BfcY;zŷd$;XT&T*-'塼*EgLJ=`HX}tΰ+oe ؋Cj bO)9ccI@~ҡf/'11gH gvPp{۪rQod]8{8ʘf^ WT 8t%uPdi?a Lz}nס``#Z l` hsNegfA-a d3ol&>W1Q,PPm1b!ڴQd:tL0Se3AY,)v3R *(? =+Kb?9.<)`9z@[R /YM%pɈ1$ јQ3{!t9Br@?.@[_} B۟bJCuWbs5`дXtU q-¦Cj0uk\X3 T S@%Z= XƐ?iȒ6E: Db5j.@I5ed[d,ɜ"+l :|).+We>u@0hD`R nJ& 󧩓xX"[q )a;TY o{/@ W4nqZ%DC,v؇6 aB߄ Srq0Z- qB(,L %hrjxT,! Sd$Y!vhÑf,IVCNXc!幀~ux49ikXnIY XUܵy#H MYHZ+r!{njOgCVp'0&ŸF01;kn{aɣ"8UwYPl8>iB{1?F dQ+pV-֛Kzw=,8D>k c]ݓ.3;FhKN \I.Lu{bC蒷\.Fe%;(y% PpzJ{eANEB`KІ-S%a)a9|\,]/V<3<(BSRwhLa60<53f@2pG<ȁn-c j(S-dR4HX^)Ps)Є@j){:rhWpľcbЪݨ`ZN4*vF U|F (B(\D2සLV7(Oi d`M^CIW)9׈2uKBDTL,Noc9vsP'`Ȅ-sPYhB]> p42 ]\)<=+YuiV2~EupPdTI: pSK^ƫkvܧO`g$w ;n`$V|"AqdҨl}O0〼u9uNڀb>K^myƦu;C4Ԭ kV!Q_ƺZy N4%B<\"6v%0 nhkhbqPsJ ECHf.cϮmo7T|fwi IlR|Y 3Kp)2-bKbgM!h6(DfP!Ǡ$B}МCH%yFN 6z[S mRWoY9UR¼N}V݅m"ch EPoQ&= Ao6򡔁e[8U]՛sEtHS\{8Q,&=n 4fL>ЄӔ^_ ^ڹ c4AisI+uh xHܗjaf7b2807r [qЗt]^Yk+}JQ7)dS"Xkкe(A2@=^b%#,׋+rӄdʣT vhl0  Y6eJt6ԅдlMF2KD<nM{{i .16)hWƞV='?GC3AG>Mwj6B:O|s=bOvX =q$ĘC3bE 6xi3ݒ(U6LIwY>A)K3+Ц@@}f:Y "E*װ$Շ@kZ:co,`@P>KΤӰٚgPj`lJC mX(<5Gr+xhY8)gTd+L>6ذ1=I^ssfaCţv s=Rr'Ke*f B='"piU[4$lDTG*KfYUGD9+)dE r嫅@JRn@ϡ+ ~SFx\J ׀̎k)JUlj0(vSlCMl]7||.UdZ,vMSPiEIսN}\rkI ¢0 I!#cTX'Q1W%V5h?7 OQ5> DnmpH$X}@ţ-c'JIig(y pJU+҆"t۶LEE9l&X&>-fo,򓾃yֵ,>Gcmx&=3o:V@bɎua%iGJQH1FbXo-h_VV񕩰.u0 tTfu;gS=ǰU+)m%Vceϗs6NրLE9Z~9!ތKؒ3V/Aa԰WOmվ&oӜCsu/"q^IOߴp6O,#O]tB(ɰ,msi̼.R'WjF:8UCHZ46\;2锻hAQ-)[qv{VfWcOOF[S-!+!IRe64JJ\ !KPGL(8 MMR%Ah a=/«/Br!yxA6\!#H*Lm9dAّ|.wIÒJ#x* :Pa)PHdB4<gklg2Ƭ(«4-~Jt☬r@QĈ:Ȥ2Oъ'y.&]UXpC690UBNGJpErsz*nkP-~:zi%mXde[)t`:܇gDR5rGʀ-NaSޘذ=!dm! HmL> d)(@,4j d1S,^. ">6)1zl0Eْ5e<;9hx903Bۇ~If"$$ /9 Y3ُfe $k$_tJsC>aacʅcD/a)o !J+|@;HdQĂM.D ')@,1bt3vEUYP2/6,Ϥbu3(tLDh脝pU<ͮ @Ӽ#Ę0fI5'2̻9br`ֆm1p[N*7.,%(Z\3ܺ:^.DX$(eUnDx`x׫:!+-5ح0K]  ,9Si@]S̎P0W<]&fiF\?H9mBV4"S= SP V r0@(~l4 U07-_, e2L!%{`m\x0I[P(XC㩲͆tT~eeUñ9j+N)-'dPbb8~LǦM+ *VLjZF210L#XNʰhBy:cM@%$0h͹D#HaȹO$^,[n<͕7X} E$J b5İ['2MR/QJRDbqn0}lq+ב`R(qF")ψ8dAdt"F%,i+ѐqI;aS(" H{0WmJT&jKJM 0("Ff ͔4K? M2& "(3@Hi u2 :bk"z;$6tB{V1&q,鐈=5m}zG5XXQ+ |TCb "c!eAznLmJ)".,r"ACGi3e3JA쭙yRA,@ {ZAAE2U>$- JbiW 5vLTwu1&x/T=Uŕ^DL 9Y啋v{y,g%e M]5P=8GFX3_QK"cNao- ʶ, (c$ ypgW,B`"U7>@Ȳ'SBd% D$(aQ & JU ^T&"~A=MT1Pv("ŗފ'ȕM+}TQ,iEzOQJsr] ۜLQ']e*B%Zc OV%ł:K +'1sO?(|s?O O)0>C"$fEX#$7$Ha !OM@ߢ2fT/a↺ `||u!gY b@vl`xZ<{qKn|uyig& 0 wU5pLM냇/u#8bjy_V-Jٵ*k*؄x3=DZ=O!.LAxbL: 0f v]2P8lɑ'Q <1P6+X0$VZ^"uۖi^`EV^d]!o\}v6ENĮTrK֞\vl*\!D'd!:ЯcbM^2(?P~ EY1U=$2EHP^Q6A򈴉ӹ`@).OQ-f%-؎׌虝GÈxy@Jq$*s HHM8JD9)]_6U +2TϪZ"f!}: h(; `PbdquNtT'ElSdVّ#)!~C'62F[@$6 -%bY Vx*֥nkњj!l;gQޥ 3TXQ5B #SWN-]7o"t"t"t"uh"]P"]L#USJ4u"{a.dU(-j$戚2ڀiͧ6liJ-+aa̜aa|a{i!֏pujlM q6 aY&GVƿgeHfSQBq%XS|ff *K+GSIn\, .Qu*12A,0 ɸ Rt B0'X(B[1@F{tx Է"^]gK9FŜ".QTLJUtov>GN|ЏCVds^tV^96)H*E=a[pQխ?ۡ[\ZJ +]DތȬUyĊ;td\pLIX3ԏY *UڟUvtXٕ1X7/}8* 7*īh:xJ2:7pSh(gG79U&_2J%$ۨum .gɈ%a-k6ŕ"BlY[]ˣaԉ*1jԉ)k,'R$+Ŕ5q1 Hc(r>u8}8$' E !Df d:R%J^vrН;bNЋP5LMd iHr$'Rdc#$AV,uYreѱ+[)8A-eGFfŸXbq´m/ U* F`61,cF5a5ŹOV䳷UYY* !ƫrv4*ڳPơ1ZyXpq5HaypV Ecc9uw%kJ*n -3!_q9| 0)Z Z@XUA=Eغf_eWa\%L@td$ptO) ȣO/ơbgp= pL,IxwLŎ䄤@-@I},`*N@"2сE qRŋAIWDqHjyaRtrL2NPެ.Ci6S=n<3KlЈtZG:;br9"Sj-ũ%.E8ޢRVeubu92aVjV#FX2"PKq25S`NL,>Ƒ6 R6}⡐O:ǔs)]CeKe(_PNԁ(sͬ(4DoX2E%䤩Z"E}8 >;;omv( ۱/~(tZM VŒΫ 'ޠ)[JVtWADxY {W Vً b JX`p\ 0R"pF.'7 aQxh&ջ[@,\mP HT la|z+Bw\U7qpFPQH_Yav2?dڟ@􋜙:h-) nc=Bp {8q46zoM4 Diu#eJ1DW+bԇ"UzD88L+M޿V 7ש/.a]وD\ϧ\ᛍtTi: ݸ'QI#paަ/L  ^Pn`uVBn,JʔF$6`;ܺP36I$$BC<>b/[_ E=WY&mZ o|wc ?hjWk`0j |1+j)0,A+R2( 2c5I/7y-: fj D*,EZ6 Qc]9x_Gre.D5^я&wMj1aZ3p|˚CfH 5"D=S]jYQQ\CF|xTLq 4i^4l2|PV0lY0ˈX>8 T251Jmg9bE >4ObWEjYFKK7nVI[uO)7D|aaԮ,jqg3J-Hh2Ra!擂e+2[V gk/0h )Zds< #!m U=@%AX$gLv"gpGߟB`N*'ɏ v_ ]rL`tϫ')V*.P(;5NкQf& }#;y3Ia@ԧUQgɇ(ҳ+/0qf(C Y cZ3D',8(l@5>$vO5*8+_[ArBxsMTBfH.(gGMo"쓅tdZ}d D嘇8d6DP1!$7 Y]^bݽ'YнK,(3rwF*͙N$~tE9ˎ0Y3h ʅL]i-F^cGqߓLNxJ=$- 8 ~*(a%/s}=$*eX35Bivpx zbWX*zif;aUp"p䃷QDA{y͝w (;ZŒXh7NnC! \kw)H(=EP&*Mds6YԫaM}dUE t襻H6= _!3YN rdacFRe{@ SDxŸCk}~abޅSb >Cq ׉ nW'.;zuv,-Wi!%}!VD$Pz U`nMsR ց}kII-fJ=#-n+]m;>!<#&qFI]TMp鈍K $(8?Gbb?,9`R%DOf*D.|֠ͳU,dL޽\1Zd8[17VFPI"8)ØD$"32ĠcD8CتM%>JR,1%AKyd<(ˎXy`}2iͻsј6M ]@dfwdxOD2 ,%eT\CT!K@D:07V0t$ lp%W*XB0˖8Lr^#tW:A` ˈJk]A}#2<`/c31sɽ|jۿ{ HQp}nxU,ϴ۹VZ A#b rneo+ x} H*q^.bM & @]{>fk Y1ô/:ef1#cRڏLJ3'Sn"*E >?xiem Rוr"O%Ge۹9wE®F΃/pSM,J* +ؐMas, *& _&BfPW*RNHDL >.E|*WtWDvX,,X/m"7[E&t+D M`=v)Pef 6Yv߬<)]9ƥmP6 $xrlҢ m::ӂdD`L:$4e DnI|O 0%*Ɖĭ|AIm!g"|ۤ[V/C7i4'XD4A!Ib cWX/TYi-b`X Bs&# A b "HWHCV'`n! }xKԡ`UFNPL^e~}v-lIy?Bߣ9v/GXJN(%ǜzyAEݷ<>9BJ慆Sτɏخd/m@$rSEzhݒμTbZY`MSZ}d1YbFY?_lTC m ELʌ.cց28psA;J ,?,+%6xH(p0Ym3יܞf* Xe$/b'@`An+s/!88M?@4 Z-/ 4SXQ72"S~iÐ"! ؝D@#VtB('hy(C+-ħy/ڱUz˲rDOzH ҙ*loF-GC`Be|@W(PKB/-==)/k՟j]c$}Z^gDc4j#ݜu8D1cL(.S?e#~bTib ]J{ ދ**vϐ8o\ rõΜ*. tTy!`Иp,E0*8uK2u{8ؐ]2w"x]Q:V6y_lhzurNl#Wv-H!%u}#m$k% ™|GJs k(aso4jEd}d!sGot~)!B;2CUˤZlAF`g; *8io@8,Ltuj ^As|$$?̭):bJN2kkJ)Ã+}mqt0=k20)jyfqaHhәUy fP r%#1Bm6!g9Sf,!ʽPf;F,yX1$Ĕ7lr$YoʨAʺP=#b˜PbMx |I|RE{Eѧ%I\ w'ΎN[g0d s)*1D \=l?-^FTA$Hχ32C< WncmTcXx7)=Αޥijűg9UO fhd  `q!H4hpVAܰ3Hc{)cYr"Ca8j3zhMf@urhV7j@@sū,Ԥy0sf6B,'0A[v# Pq 0  `?爸" H6Œ[ ߐ@X@b7\ ^Lq`Q2L>c1gZV71Rtf% N^`!piek,&G{c6M &AZ-O`b& P@[j/-\iӒnSA;j(37!o9Ys!Т!vȚ0 OH_Ha4 { S¬~E)5JW&"0yi˲0;X8$B+:Rb..d>!VW p,m+60!5K Ȋ"u*(WRR. i~@GFјn40 1;fB#j箓P$2 vFJ=Ħ<hcW%≘QVCIT%pu8+SI0] /}RZ ʂ_-.EdyN,#+%\B&JƟ#^g"+_VrM@ll2v!T>. $BLmq$3&ӮrD  yHue2Shk.mD>cD`Wj9v ̵+ϖhtpHJ (X C'S뽦VS\c1Cp!@p3,|n+'pv? `۪YOQNӇ88VRkZp}6A `+:8;A+}Ht4d6#b 聽4wbj]QMϗrУIۓbgX2ƷvTԠ;@ >:X0`{8tM.:ڃM׊)R4?]W%s% &ܘ:[:KtC3ךkޝ1htbkMhIē&T G۝*BA1ad>1C%PBxTJ&=ߣ{ =$63$2Zg26adN65: RSBPc8TO5@C_OIdˬ`K A-$1IEGY`*?B1Hh IVIJp $yqd~"W{1E aI2嫣!( (oSPKQ z "&_=pwtS Ax&$Jh0]E9LO"AcLlJ< b;uJ漕F"b",`} *&8#ݩ~ ҴPI]yɀY"VC! І=d,A{hoj4Uظ,so6b* t}e͚Dj0#3Xc.kT|%Px"6ͼyQꉝ+h Cl牘f;*5%7h'փ._o+ڰjqš7߬ I~DbqnT˫"ǏM6lx^:o'zjLCgsGBqlPtNȓ2x8@1f19UQ[hʽIJ HуA!ݼYBF j&ahr2UG0 p\-j0Uc>i183Yy9U??"VH={ dD#P\XTYl%B5ٽܺ`;bDpQ9ͪԇ$w!&>FtR9y1V[Cbnƛy݌i128 lp#ݎ>A1=kًn[IڃVD2Kl(`x(K$ҟX%ѮLrrǪĆT&؃/d)ҋ{Ɍrץ)wf,?"Ņ5D4A\ l zS4'&%SЪ(cؔq{t*F>jNjZ &q͘QRSzɡ&Ur=`?($GK<؜ z -SRQǷDLYEpK[ð1[. p#?RtoMLCgZtk+0_̃K#Ue^Ȥ^DaTqM@z#b ͩZ#8jDLV9xLD"VDa!k1hE5'ؓY`A5].JF8q-_1EFelа_6ÝDF *߳O@)EUMF\ݶ];"+)ͶJW(68͒$/F1Cs\=l"=[ǂAL'Z<8r(^'/P l[PJ%*چ9㨍*ՠlr\ J;3, 4֚A+]ݔLG `-*HՑ~dٺ$mnew͈bO.X(h.Ab .amf%+ v  lPہـb֖(ƺ:fZO`蹀`Y"0B{xKSuБF.JqZ:$5W"hgI8%|"@*&A  !W9 mˌ'cqa+okȹnCA({IK^RWu&^j9:/&H-ppQ.AX *  xJ B|̴FysT \+%B8! 8)$>(N,QBÅx` eˁ:Sa{2~12sHsC9)2">Xd% $apjEX=ߊ:!\E)+e$GT jT, 0bh<$$| 8* Y9ȺaN@y L$nPM//.\9]FLER)#.(,G (xJPf-ƒ_4r\yAuXb|%,K3,\ǫQd,MggH!g"{EIS?|&Nŋm3[@Kc8@(4gRX\0?CRxqߍ҅A&Dq9.z %K7 Ȑ 8l<$6T|∓0L"G 1 dP@BDW]pǚܐըAhZPxXxT9²dqD/ 4x9r6[pSKz(AD{x~}!$m@-16A֨(QX"P 9g 61$83T?F!v&`tK(UG $ Ӗ6>K ̭I(;υkT@^PXj(K 3nfRq%M*n `K& Xj@ڒK5  /Y][`Է`B5&+:X, ~uXdus~%2I YT=/g7eA= ?I]ՠT$!1qQ>N_Ь A l+zpG@`6|2&f+E#Diݽ+_ .l o_yڈS_80kXmLu6?vZ$rW[| \]!2Q?];y0.Dt.` o,VIw.$Q[`#ZW/l.C yXjVk1)22TQ:,SA;!m-pv6EJ6WL3t@J;TBw&\34(%f',igvPDH\C\o,JH~~(74G:T<ts]#&A{gc`2,l@2iqoH!P.;z˓C42Ci,m8mSfagX{'N+!ٯH!Mcbl"帙&mN /b HAu k!tH$S6!Xɶ $ÆkĘ|;'-AaV>r҅fnB8i'I7?!.JXu1n=XHT~N:( M$AĀZ3wK6OJŘ)$$` ňg!5x}N)=`ɰ&!b1"t~L`؞署*1F/JYPs?l5h6)yU;xp)E)h4J+fmPAiUb0J[0_`Frz*^3p8Q/řѲ150"j)AKNPb|̀d)#FSr ?O4 p LK/rR gH ;@sK8C?<ƣ$$ }:zcшW;ub]5`9UJaVkqT2j˥yv!LŒC^7{W!b/l@I IxJr,&Dx0PsAC!tZEG S HFlʌ `𢪠ɀh jk-.2\8rp"xM>`%~[o64@!%LJF1#zTQj}dykYg3r\$ʋ*# -}hD`-W7# e!'x` Br6\CKa3=89)rB[5vЍ*%AzcW9#^`ڨ E 01 CP>f8 0HbCA瑁ڎ#F 2OX8F>04rˠL\/Moy>LS)amPƂ+DU' 3cl]OiW HC܉M;2$VG%1APP;h$|%QESG2ز0hLB v֖5 5P 1U,j!DNHz1Q,l&0,l&2݊a#LJrD.Ʊ7 UWM:-], ;v8_t*|36vvg 1%]f?BmD>ߡݸtQ0>%)~`{vhdcd >ŵu0|{G Ί:%@aQ9Aۑ"dJQrт(ZB@8'- F-kРsBZXARyPDږ0[K 2ˆn$IոX  Ȧ<|ˊII8$@2dQlNă@HFo@,BEA * GV:MdrV/ypzX:4P0~6\:37?%}VԓCs~R,9Qᢧ IK"H[xQ$j!t m CFA!y;co,d-6͢Z[7? OÑϻbRRv RGdC$1*f)8Gc?n_ț)\(j_"LpkU xtk !v/6WJ͞)v<4as%j]Waφch}UfD6Fm!%5$ҩcTT{SZXf.b;]B\YMPY FzPq֢޲2hPܔ@JJ?WRخK(ącP%sw`F-})!W@ƌ:ϒG-QqNY66RT41m(M:.;١/դ4bR1-\,B̡UJKyDI *A0{1ӉX:ň15}\E1EJ-mϓPâ,GM5D$ϸb\0Ȍ|^aaQ+M,2[1DAJ R;  :%V "GV;DbdAQlae;{ga;'90vt;;4C )6@?yBXa貂~zV|oQWddPO$ZOE 0*5Eݩ$b oMqs#@Fs:q(N9]ID&! RHSCǧ4INW H Y)<#M;A-Xᙖl'haT34hh2@ 8!"-BEpȒ@(ߺk8SL 0 3W(2pQUQ#S_?M.0ǔTc߂|?=QER; ɁMIp4 Tb59]1E9cOBcEhj ^FD#7 5xgB\Eiz[P$%TW(QV8"eJx **4치7H%6a'30GdRO61eKzIpqq%L}g\$Cͬ# #W"%W 6[Me}M-  Iu#5Gdc$) JFo!mWar(@@`8^1>T,( zʨpd@hj0 Z` "X1tP|W[7LdH-Ϧow8gU!:8 TT$=N1y$?Y7ۥSC[YXw [E t@tB[) gx1鳜:(D3Q׈y8t-\xtU =a=tʡ ={|d;m1ʪep:iyFȳvc]cbœDG 1z7ZO:ߔKe P@͈-W5N׋^`IGdD^f~hjKU |lߩ4vF\ZfPm:v`<6hS`PTtCNо bgB2fE ̈@#]R~;xqabo& sLpvB>7+.~HpXx5$+ =n1 5J"t4lmƅ`q,~ W눃49B9 Z/~Xԁ,?hw3Y_oj7SkvP sg|アhdb G@q:%p$a C)\"eBg{Dx-WDaUhESס<)* ߊ4X+TE%)͑1_:@-Wŏ╻@ヘtXys= >"MB5`  V{ibDYePQGqV5Y `tT! ܉Pb"u :1zNR8| ^aO'U%&14/Zf4 mMT$UDRͷrQ̓A ȵJYHBjO7ҠHO9A0o[Bg "JSQ5KL'$5M0fǩQmLQ@DDe8}up,Z9D1yd0_^d E#"4 P/" $q}VHRb$Ќa"ňIL<1V70l'%gCO>#H ?&F'v+Y7ŎP&$eN(heCz:,-bQ@8FP+lSsq%i]jKXKe! yNL^3ֆt`6 THO\8L1x2 d;:"P5d AnUl*QWFAeEDNќXydZ `N2iXVA~EcNDmU'9'PGḫDHjetlH4~AH Z#1Dm$ W%s73MUS7r{C Xj S6lDCcu Y(UG V8),:waZAA`R-T3n0P]X9q%H!nv#q'@ ;-m?:׈jʌȶO iO8ɂ=Dl#* ]0 S0ڃ_C#YC n=*p71X}eʌ j+ JP*IS!*BOP:Ų!^0LTں~BDO?WvtAd+> B+ :4\n}.xpB t DOiV!dd!5.AC wv֢&(hRsᶿ|ϙn 2wd)t!s#oLzyzG_!DljPhP NgJ6*aBcz do$7(rQv3KL95s?gakB ̈́¡ƚ8v |"K2 1K}B}WTD@dQXY` @ekza&4`\SU 3 TwP@rh^<'+CTr`  Cx: #b:O|#C4&A4Nf H>^ #ք&E <J݆%@R0 e %7|r|GrG(|%2pB 9PDɉ#1Ah %n+˸@SSJ[ A`ƙI#E`,e|xG("rhlIdb߆3$ ݐPÂwߖ3bN#h_"CyQ-e"9Q5bf6jonkmӝȍQS&Or{,h2~%'D MʛzS] 6"K=ޖu)Tc (3ia16zP /0փOmʓԠ+FL", der:") k  !kX%q\PB:ZQQԸ H("< LdF4l35XA}R14B cԀmp?_1ڔ2Pqa$,JJt0M@18wQY#,2d6/ec$K:j".YKeAӊ| |]ֲ[@dd\T H蠿ѶTm9/FU)w>O9 K\> AtCG`.|^4D<% Xpf\,%y cW;:s  h wbDhʈB jɕ:<P1j:Q~0jţ"ʌrv ~"%̷b&y5δldM-^ xO)Ԫ8BDՄ4^¬dwE@^UBUT1aj")@!M,fd#va`o_ !v 傺&Z,#&1LD\;'a GZ˒bI.rdHE.(bLv| D .a9K!%$QR-h.  ACA z)nWډױuh+L `5ژ!aRw]#V+#N+:wLd#wRh$$SC`\HIuhMFLZ*ǝ ,H" Lm`9aaz<M B A-0V7@ Q 4"Y jD}i* ,M@3/ ư0P0qp5x")C${t<Q ,2p<a@P {4$D;&)c-tN@Z*qWx9EqIǰ+ϣJ*@Cl3@.x$.xrbDDy2ܰy(,ℼQ YDE lOMJNՄ_B3Q'Fl`&flNg8gT$TJMd1cuOh|gjV~&k&*tI+fɖAb~lf}kL4~:څk:i{ Wx7[0Dd7xjw;%̆N$BJ'蠎qPҴ\jiClQDmgRd55eմ-HUa%<&̒ 2NC93+? DgO_r6f\YqoDOf 7-ɵK7B(ld2d?&" ,K%jȖchYX +0]?hS uPc HΐbCa'˻ɧTw'Ќ̾,ѯ&$1x0 P` #aeߢUf& y :@ H'V_ a-aBMH$^9i؉ZGrʨM;FLr* %%e,BA׭bIҬwC`>Ph v~T.4,IlL|;PomYUYQBv@uR`("{SȬy h ZA(,FNfFAkb:n@=spX8@Dm~dg@@KH$ˆF"$HcU4w).* &~?dju$P_rtiB/"1 AH + a I7ݎE;Sb7:ɷ;Xr a/LW$RD( F 5=)rh86<}\'tn#&sI|Mb@D5pS- 8R6(sKK#j#{G;1CGv3(5+ E~WjY@\] >}Z{lE:\8.CKiOe7Ёg 8Q=Gb[I Q,EEa(#(9M@䱢ABqu4./#J yD$=q5C]"/5/' OW=W,0mp픂(9?rؓ1. WbL2uRR(9zJ R5(Oo}95,/^Q7GMM-R pl"ig60IفDy1RC.\I(HWS=DV*:APC-%wz!Ro+-=tRa Zc9H!IKn'O (cӚTq(ՉrwRP%3;(Lvvj;dV-+s$Oˎ(%F`p[a70b@@GgCvU,B >Q/ I =eҢ $ <Ɣ8ԛAke_11 BS#f$#]) ƁhO-L"!L/P]b,w4W7t#KDȍ!+E($Zd gh "Yp?0>nTIsr")v++u JF"]NRѝsaM1'=kIc5ř!*=2F<5AlFkq}Bڠ5Lla,^ J;9yyEG4G0РJ8H#ǂ}V̓hmQľC5ef ཤʘؗՑ+c l ~5#\OźVQ<.٩G'd TI ;cOX?#} $1cǨx:޶*6c"S<ǝD,4a$zx5>\OՄP\STɞ0Sf!&OBk!S"XEՙR-KoԕUE 85I@8q{ӥ >*_*qX{Bh$Is  @8F86f,XfaN<,B@TxKA#nA Яz \qJgu)0 lS&R3ytR}4;́4:.ص1DNβraq/,\R[׌:-vSvM!;ڵkOl!M* ; T:">nC8 rwق5&5>gv]?6KN5<[N\4$\#naY%h2+p(!2t$~BtU @E ){0#rP4sdSyDO]+5 !Â[GL(SUW~L!~CЋ(ba-pC$G1dp_ʰ%RBChC̀a7Iqban.Y5Kq t=#m&nG| L2 !0E9 Uhf"UsL:;;-qeM+AJ^J`Qc!2\`Ч Pǰ$s y L{`=DB] a+.oCAA|$WY3: wb`r_l 'dQ9k6y%*c ܞIq%H hlJMưP :PZMsI n)V3BOb̓9/!]VDЊL05tAy ˓$RFNddj AEQ340ArGӐDF"1$Ғ#xb2AEcә ob.: *Џ6v/"9  Nv< I1x5dH<7+r4f O b_K\5TW: 54E'1!!2 cf4Gqh>3j"B&p5Ê@!ü `CF~h{ef 8<÷)a,$NE&'ԥq@Z/TK>ב}y[GlZr ME|1bL@"p,"bd!)~ZtEz)!B@VĹ0ǹɋo8vk/97 ER0OW?p0Ŧ1z6F7c"U󕓋#ȅ:kb Dg4?OqQr1 _ʆfO/RQHxnĨ=mhF$QSLD=ںw!M^ 8Yyeް?M 6g ,"rq%_yxɋYn `)2p#i[ۮ8/t*2j2OɽI(JTV"$58":ԗ  ,3]TlA.TFL$:J Зf?B+>uUluyO]$zP'b >DkL4aw40̦cAd =4hJĎݤAf9JU]J4~q kIvY~Վ%[bޔi&>Ky.ILGj.NK9Tl2p[#s}1 \Xx59e" u3(ime @xl(Ƚ–@ I% 8#䩓r u?,9i t(Yn9˱0xem$# 66r͌4t$r8GcŁ4bRo`/DW,I4O%pCR.gDP~egŐ )feD(%Xa8b@ѧF#!SBCa!w:xE֤:j;2SV8]uE/֪U'r2p)$Hh++ ?q'auQ 2|;4-v2@3URI(<AS$*^KVkPX!Aҧ%6 A3Cb&6Lu,Fe\ȵ}玭GNqc6AX1Z X'D7YU6 ͢t95 v?gO2#P$zwi ެb9!c.2E8pNW~BGF"E2R9ݙpUݮhlT'`e s/~j*m5 e6qͲSl'"F  c}(Ul 8VūUH\'P)-݈\"8(P?ҫ7'6-$e;c:\l.eo5?/f tYwG.:~e>.Er([iHVTa_D;a%BgܯW8nOmZ<}ڙ:Mo,P7ICxKvm \u b;DVHa\n]c-ijua) ig M@aÁEkOM>A\ 0Z `Fm1(+a,QYN>ޟ0E$":xpɯ[\',Y< ?Gا{vt'ϑ65nEK{a?7$ڙd7W,HJf['Ȏ|dsQ ])=!WqHWM֢ͧ\8 jbQ 3 n:P.1,t݇3Xӌ,6WLGb0qIeP`0Z%HjJ#JܕiFU7 G>O m#H]I ). (B 22 _[YI7gO6jT bB]ue҄vJx/qA>E!L[ѩAȈ %>bBUB! e\.JS35YB2~ɤ騅GtI+bMU/@,P (/gN.)F_'%8 N I3G rg)~TSi:UkfCxel.ĥ]8`^}լ K ذi[4Hj|yR~LDzp{ߍ qH@k< {*Ըr5pR6 <Ҳp9) (퐿!t C̹gȃ=P{ `)A7syrrVNa J`,Wz5ю$;ZNlepӓmjed11fEZk|րU_;yLAkWЕh"4+X&o8.U ϟXmb m-w2B3jʹIm.d]ΩԜ?5X!:Ψ\G\34fXlȸT˟YY]z :HN\Pg`g xWPfHL$xK ],e},0P5BN, Um A=l: }2IFLӒOoųohguovJ#L̜x⢒df9:FhZbum'~p؍ 5Aj)ih\2_ix 5r%4Y-5k-2=;Mą {pTI,]CʡyZ@mAPj8&E%|FdP# 9\֪t;cpS?Cqі~S}.Qâ}F3O : #R<2gPW}C"ՊDNAZ,-YmG|jV A~! 򅜌#GW:HùE.mP`!Ç`>qqrO3Aߗ8庐ff 4F~`!č ĭC}'[| fE*}ތwilU:"աfȶF `E*3{9j{g3?喑~16G&be)FoYЏ'~HZ &Ʈ`5Oz4fVNi"N ( B#Fl jyƴlL s'ʉ MqӉX )xp>sN "EH6P₽1B$7zun"*,x.s,n 9XNٹ*ψrٮ Q8ش}< 8z÷~!:1" \EGvXY2-HnEX:Fv.kA u)2dއzVqܻ,N')wãZ0XGɪMP1eG7`8oGĆYYP HX!jr{C+4$*t/vF8w<J!h Z;k -ra0\1UA};: 6sN vy}o&V+kkNQB4Lcț1u}qy* ?42=HAvR!L$jVGFQ@24Ĥ#MA&ƎK5#t:y^eoB ׉N[ = 4DU{[bCO $̓OQ% 2ƚzGa"V8IcHZ^7.#];EwG^(F᳄;hz \h:F Cp:P&hm Ua1i/^ Gpb۟cUMPO@V3i(\SUSXz 0Dja!1SQiͦQi͉:1WJ//=}E\S:b߁+EMa Et^P*i Z@NS"@qA|r!q!dJN"sPcR[ļ1G\ 5:N*1i]" !Bt6P _:dcG YN1 [ /bD9F#5(ogPɣGTRIƂ* OPP(i ږP!UTzJѦ FfL$: ݙ:H/q?]6(GN02]+w+`EB I&;K:f-2hr`'>^(D̶tDC(Ȣ`]TFOyLfд傧rQ Cj\zMP`m3 4߿ 3) ;\<ЙnxLL$`2t6O)th8e] \D|%۹(<<,'/B)܀U MfHMU S,{ 9@pX-1I @ M#}J 6`M2z 5Vm>@G/4rVXIyue3E%$sI5nQLAI,tnP{I`I&LP(yH#!XBX%d^ vi8.=1 V6Z#,l::7ڎ^3`51m>W I,(7Ι7iuu RӶ]uAk@ s݌ {F N#Pe!cB, 7 gUL:rm펳,61S5(!@oƈ8iC70BSCH=5b+P},\0k!b0&[Gx^%1 =B ;fUID:f l3XmCT'κ,l"Vn!;jfH(lqBч|NBЉ)ٽ 3F@ǵen ÿ3NW')C6d,;%G55:Hˢ)1XQLj[SD@LEDV苐d*@n(SA((1Ljtixm87^AXK1&BJʜx|&ZØN52cXOӷX%c3?  [yB), (H),D0| =zEw1)(Ed0TNH]xxPK&b3ljkp?[rHRՎH7[:B"6u;6U;QxUÜO1uTl*;}d+Qɝb!TY捘M.+ثIU9DsP9\4QΓx K\FTwy؇6O8jFokX$zC{ ce9PK!,bb00ckirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibolditalic.ttf@BASEsLPFFTMoGDEFFIGPOS'714GSUBR}97OS/2j7F4`cmapToQF&cvt 'LHfpgmS/MegaspOlglyfOthead<Il6hhea#I$hmtxI loca'0Wt maxpFe$ name0ۊeD)post@<prepǷMDwebf T(ideoromnDFLTlatn$  МK͗ѻf $%%&z{78^__``abcdej{8DG^``cd <~DFLTlatn kernmark mkmk.size4d (08@:0   * Pr U $*06<BHNTZ`flrx~ &,28>DJPV\bhntzuuuu'uuuouBuu{uLuuuXubuubuuuPuuuuuu%)7j^ZFBhuuuu{uPuuPuRubuw{!u!uqqL&?F_45678:<=>01@>>B@CCVWG\\I^^J``KkkLrrMNOPRT{8DG^``4cd57 &,28>DJPV\bhntz "uuuuuuuuuuuuuuuuuuuuuuuuu}uN>V  &,JXf(89HXYE `n @ $*06<BHNTZ`flrx~=1w=5FPL//5TFBBjZqR;BB) &57?F_34>>5@C6^^:``;<=>?"(.:.@  )+PD4:TZv "(.4:@FLRX^d`XBL &*.4:FJNTZF 0&R 3##}{8DG^``4cd57 &,28>DJPV\bhntz "uuuuuuuuuuuuuuuuuuuuuuuuu}u+`.4^t"<Nh4Zp  O\>ONN\N\;[]rN{N;=]r)]rN{=rb{df;[r1;r1{;   ) ;=];=dA$A[]rr=}u!R)))! ) !  2A{Z')+-/1CKMOQS!#%')+-fffffff   f    f f  f   f     f    +  +5;=A[]egi{v      D;.3\R)fmDmmm{\)d3 uD3uD`;uX=u}}} ?d3LX\u!ud}\\3NRL3y\33m-{{3B=mh;NN\mdDdy%=d3m\dudPNPuXfff9==fRR9dbV!{{\ydm))`;d)Z9uJ))))!5RR9)NBB1md3umPu`mu`L}?}LmmXd7723 , - / 012"!!!""%&'9):*+2536 4!""""""*"*         !!-  . !!!! " " "%%%&&&&'')*+++" #( "  "&'"$8"  !!  !!!! "%%%&&'')))*+' " " " " " " "#####(((((****3333$8$856 ' !!-'%'++    -(((()#$ *-&%, (   (((((((( ) ) ) )  * * *  )" ((((((( ) ) *                %%%%" " '&,L  $$ &) +,/14AFH"JM%PP)R`*ee9oo:qq;{{<=>EFGLR_e~ >@EH[]`gh3456789:5;CHiJKoPPqUVrtuwx |DFLTlatn@  aaltzcaseccmpdnomfracliganumronumordnpnumsaltsinfss01ss02ss03ss04ss05subssupszero   20.,* 8@HPZdlt|@d~4<rv D z    & 0   6 \   aZbc1cydze023p689:;<=>?@ABCDEF45          HJLNPRTVXZ\^d%.GHIJKMNOPRSTUVWXYZ[\]^_nEFU_x{|}~GIKMOQSUWY[]c(2<FP^lz,an-bo/!. "Yd#}e$vf%wg&[h'\i(]j)^k*_l+`mx FLQF"(.4:@*}4}J}T}*J4T    | N||z 6X $cU~SQ{O| ]~[Y{W| M{KI|G}&0:DNXblv~V0 ~W%1&*,.4:FIJLNQTYZN{|}~GIKMOQSUWY[]c&'()*+,-./0123456789:;<=>?   "$&(*,.024679;>@BDFHJLNPRTVXZ]   "$&(*,.024",-/."#$%&'()*+ "!  #d"+"/WW!77&"/ab@aZbxc1cydze23pF___"abY}vw[\]^_` "nodefghijklm .      .       fh eg@89:;<=>?@ABCDEFHJLNPRTVXZ\^d%{|}~GIKMOQSUWY[]c 6 Qx804FnE 5 LU  .F YKKN`-ab89:;<=>?@ABCDEF !HJLNPRTVXZ\^d-d{|}~"#$%&'()*+,-./GIKMOQSUWY[]cX33fN   ADBE! z ; | ~1Ie~7CQYa $(.1CIMPRX[!%+;ISco    " & 0 3 : D _ q y !!! !"!&!.!T!^!""""""""+"H"`"e#%%%%%%%%&&j''R.% 4Lh7CQYa#&.1CGMORV[  $*4BRZl    & / 2 9 D _ p t } !!! !"!&!.!S![!""""""""+"H"`"d#%%%%%%%%&&j''R."wnl@% {zxvohgb`PMJIHEC|vnh`PHFC=<61/.-*"!if^]ZS/)~|yvjN74~ܮܛCۛ]Ԏ   !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcMtfgkOzrmxluiyn~ep?oPdDEJKGH6WvUVN{ILRkvsrst|wul;~]P,KLPXJvY#?+X=YKLPX}Y ԰.-, ڰ +-,KRXE#Y!-,i @PX!@Y-,+X!#!zXYKRXXY#!+XFvYXYYY-, \Z-,"PX \\Y-,$PX@\\Y-, 9/- , }+XY %I# &JPXea PX8!!Ya RX8!!YY- ,+X!!Y- , Ұ +- , /+\X G#Faj X db8!!Y!Y- , 9/ GFa# #JPX#RX@8!Y#PX@e8!YY-,+X=!! ֊KRX #I UX8!!Y!!YY-,# /+\X# XKS!YX&I## I#a8!!!!Y!!!!!Y-, ڰ+-, Ұ+-, /+\X G#Faj G#F#aj` X db8!!Y!!Y-, %Jd# PX<Y-,@@BBKcKc UX RX#b #Bb #BY @RX CcB CcB ce!Y!!Y-,Cc#Cc#-B%H 3!  !/#3?B 3LD3C<5H$?JmZP^. ++/ִ++9990174>32#"&73Z/=%7B-=%7Ds#1f!@1J7!@1H5'^ /3+2 / +0173373-#1e-#1e'VV+3C+333/$3$2/$3 $2 +@ + 222 /ִ+++ + + +!+6=+ =+ +++ +  +  + + + + ++++ + ++@ ................@0173#733333#3####73#+#T%sssr%T#Thhoo1/2/ֱ -2 .+./ +2'+3+6>+ ....->+ ..+--+,-+./.+/. #99,-99,-./........,/....@ . 999$9'901?32654.54>?3.#"#7./Vbu?_l^@5cT')H{1)q?Vg@^m^?7dX)+Z=^jZBbTN\sNNc=X>}9J`N7VNNb}VRmA du/b#';K7+$3? / G/- / %2L/ִ++ + (+<+<D+2+M+$'$9D<%-7&$9?(232#".732>54&#"3 4>32#".732>54&#"u5b[;bH'5cX;eE'8?1L78?1L7Շ+5b[;bH'5cX;eE'8?1L78?1L7PdZ/RvFf[0SuNVhAoJVhAmGy@dZ/RvFf[0SuNVhAoJVhAmT+6D})+#3/"2 +BE/ֱ,,+7*+7?+!+2F+7)/4$9? 1999&99/)&9B4:$9014>7.54>32>73.'#"&7327.'>54&#"5Zu?7"&54632;j{;LVJFI7fX#{JA:=c[MV{XF7V!//ִ ++017!F #/P5 ++ ++/ִ+++0174>32#"&//=%7@+?%7Bf!@1J7!@1Hq?37 R/!B+/"/ֱ+ #+99 99014>32#"&732>54&#"R^kNX1\jKNDy^7KNDy^7J?wkÁ} -= U + 2/3 / 3 /+6>B+ . .   ....@0137!#7>733-%bB"q2'/E+ / /ֱ+999  999 901#76$>54&#"'>32!b\\;w>l\cP#¯ZPh=8NTf/,_*+ / / -/ֱ% .+!"99 %999 !"9999901'732654.#72>54&#"'>32#"&3V{#Re!q[$Z\oxm\bŊjmJkrH]}f/L7)AV+J\\B;}/'^`h8{  +3/ 33  22/3/ ֱ+6>k+  ++  + +>+ + + +  #999 ....@  .........@ 9 9017!3##%!>7# DCF? $'L'R.R5BF;s4&g$+ //'/ ֱ(+6=+ .......@ $901'732>54&#"'!!>32#"& /b7gL/o`/-3!V%-X!G+J}\5VcrF])MoDmjFw+VVwHwh/"3f+&.// 4/ֱ##++5++#$9 99.&999 9 9014>32.#">32#".732>54&#"h_9_J9!T;D{fN?;Bw_Xd6iV3R;!VV-DK1=u375.54>32#".732>54.'>54&#"J/Pj<9:AoR?z^;l?iJ}ZFqEu\-VB''F^5Rki^=aXLNs;Fw^H9~NV^1%IsN; +gZd6)Rq^s9R7/L@73Zk1-\P`f/"3f+ /&//4/ֱ##,+5+#99,  $99 9& 9/9901?32>7#"&54>32#".32676454&#"T;D{fN=;BwaXd6a9]I<%XV-DiV3T;!u3;A}sDE^PCwe1>bo>V(}5Tj/N ++/+ /ִ+ +!+ 99990174>32#"&4>32#"&//=%7@+?%7B{/=%7@+?%7Bf!@1J7!@1H!@1J7!@1H!F/+"/ִ +  +/+#+  $901>7"&546324>32#"&;j{;LVJFI7fX/=%7@+?%7B#{JA:=c[MV{X!@1J7!@1H^R 5  ^iV^b`bs/// +015!5!beesƞbR 75-5-5bi`bu+~ ++(/ ,/ִ+ *+/*+%+-+9 +999%"($9(+99990174>32#"&>32'>54&#"-@$7@+@%7B)B\7Vg\C @T`R5RH1^)f!@1J7!@1HBNRydZ_nJTeTRX7HR2+Zo=GV+3 C/= /)  K R/ W/ִ8+8+H+H.+ +X+6>_+ N$&%NON$+ON$ #9$%&NO.....$%&NO.....@.H 3=AC$9=@9K9R .8$9 "9014$32#"&'##".54>3237332>54.#"3267#".%3267.#"ZKVL\Hj+{A3YC'AoT`2g.J-`P39{ÉӃVfB9>iJA8'M)F35[?%Nq^ボRPJ;M'JkC^TeT@\g>wrhR˵ϋF%#{XVPP5;2+"?bw;;+3+ +/ֱ+9 901#!#!!'.'#wK V1\5;y!hnohB};%+3+% +&/ֱ! '+6>W+ .%.%%+%+%......@9 99%9013!2#'32654&+732654&+B /Pk=mYw˦{;?mV= ~msi1{\k{gNUuT!8+ + "/ֱ#+9  $90146$32.#"3267#".uhu5'cAf{F#LtRH};aDǁsC/q\u=GotTb7=1;eNB; ` +3 +3 /ֱ+6>+ ..  ....@ 9013! #'32>54&+B +iqIR;qT甴BL; i+ + + / +6>s+ ..   + + ......@013!!!!!B %H%2V5%;\BL; `+ 3+ + /ֱ  +6>+   + +....@013!!!!B %N%1r;uuT#z!+ + ! +3 2$/ֱ%+6>+ . ......@99  990146$32.#"3267#7!#"uh }5'fJmF#N{X9^#B#yJ{1q\u=GotTg7#<;O'B; + 333+333  + 3 2 /ֱ  +++ +6>+ >~+  ++ +  + ....@0133!3#!B ol{w;\B);?+3+3/ֱ++6>+ @0133B ;;W+ + 3/ֱ +6>z+    .. ..@9901'732673#"& lN\qݽHl`w?PRZqBmB; + 33+33 /ֱ  ++6>+ >+  + +  #99 .. ..@9 9013333 #B yJ-T;^ZBZ;E++3/ֱ+6>+ ..@0133!B %;B;&+ 333+33/ֱ + +6>+ + .>e+    + +>+  + ++ + #99 #9 9@   .........@   ............@ 9999013333#>7## #B j'qц gn+ ;c/mnk/u/^^}B ;j+ 3+ 3/ֱ + +66S+   .... ....@  9901333>73##B N yN y;hn`%mowT#D+ + $/ֱ+ %+99 99014>32#".732>54&#"whq}Bgq}AㅇXuCZrD+NсNёjtkB;s+3+  + /ֱ++6>+  ++ ....@9013!2+32654&+B `uB]b;$T]w9 h\wT.X+* / //ֱ'+ 0+'$9 999* "$9014>323267#"$'&732>54&#"whq}BZ)b#; #P"=ㅇXuCZrD+NсޑNF /jtkB;+ 33+  + /ֱ++6>+ ++....@ 99 9 99013!2##32654&+B `uA7bPh;"P}X^sNbT-T+\)+ + ,/ֱ+$-+ 9  )$9$!99$$901?32654&/.54>32.#"#"&;chXJXsDy^yH3Tbk\NbaFm{R`l_?T-V5wPm=mX9OoFBO/V9uZs@s;J+3+22/ֱ +6>+ ..@017!!#%%;v+ +33/ֱ+++6>~+ ....@ 99 901467332673#"& ݖnj)١;-j4VH; 0 ++ 3/ֱ+ 9 90133>73!- 1d2PJ;Dmnmm; j+3+ 33!/ֱ +@ ++!+ 2"+99  $99999901333>733>73!467#! -^+1 'R'?!;PmoojPojFMNN';P+3+ 3/ֱ++999 999901#33>73#.'#JZ #D b'E!/`:7g/3mXN3f:9k5;g+ 3+ 3/ֱ   /+6>+   .. ..@90133>73#L -R/dd;NNNL^b; .++ / +9901#7!7!!%As'P/3 +/ +/ +6>{+ ......@01!#3`{yyS/ִ++++6c+ ......@013#Ɠ Y/3 +2/3 +2/ +6>g+ ......@0173#7!P1}yy;\ 3# # -/q\\q;!@mw/  /+017!V- /+/ִ ++013#uH+# + 3+ + 3+ $/ֱ + !+%+6>.+   .. ...@ $9  $9 999 9014>32373#7##"&73267.#"HZhJ{#+ɴ HVPFB>R#X/?xZ5VjLAuJZojM]B9L-$++ +! /3%/ֱ+ &+6>`+ ++$+$ #999$....$.....@999!999! 901333>32#"&'#32>54&#"-#H1HTZhLu#+_!U/?xZ7QF;99LkLBuB9KbohHID=+ +  /ֱ!+9  9999014>32.#"3267#".D\u\){#E3D{\7dg;\'^9rTf9dJ1)%J}^s|/)L8hH$+ 3+ + / 3%/ֱ+ !+  + &+6>+    + + #9 9 ... ...@ $9  $999 9 99014>32373#7##"&73267.#"HZhJs!Fݴ HVPFB@R#X/?xZ5VjJ;dZJZojM]B9LD!+l++)" +" ,/ֱ&+ !+-+&"$9  99999)" 9014>32!3267#".!>54&#"D`bXyL#!  Db95o)R=mZj;H\\Z9eNBz0&9J#2+@:l+JpR\+3+3 2/ /ֱ+6>+ ++++........@9 9 9013#?>32.#"3#R!9b+J7=N#? t PVzB /+3++ / /$0/ֱ!1+6>b+ .(''(...'(....@!9 9+999017326?##"&54>32373#"&3267.#"b9Ns!1HZXfJy ++`OB;+ >I+ ++++ #9999...........@9999 9901333>32#>54#"-#X'N\o { 5yPVBZ{#A)^#1JRR--e+3+3 //ֱ+/  ++6>v+ @ 9901334632#"&-V=/NV=/N;U<7=R;Z1v+3/ //ֱ ++6>e+   .. ..@999901732673#"&4632#"&E'47;6PpL3RV=1NX;1NVV8J\3;U<7=R;-/ + 33+/3 /ֱ  ++6>+ >u+  + +  #99 .. ..@ 99 9013333#-#۶kݬ1sQR+y+ /3/ְ22 +@ +++6>s+ ..@9 9 90174733267#"&R# =)XR/<F+ V-!,J+!",$3++3(2-/ִ!+,+/,"+!!+2+/.+6>+ ,+>w+ "%! >Q+ ++"#"%+$"%+#"% #9$999@  #+$%......... #+$%........@99!"(99 999(9 99901333>32>32#>54#"#>54#"-ɲ NR9R7ZR}q {z'{Nx y){LDb1C)Vd{#A)^#1JRR^#1JRR-+333++/ִ!++/+2  +/+6>+ >I+  ++ #99 ..... ....@9999 99901333>32#>54#"-ɲ P`o { 5yPDb{#A)^#1JRRF!D + + "/ֱ+#+ 9999014>32#".732>54&#"F`g`hTb5ZX;oV3ZV;qV3^۾_:jfs|G}`s{H{s$+ ++! /3%/ֱ+!++ &+6>+ $$+$+$+$ #999$....$....@9!$99! 9990133>32#"&'#32>54&#"#HVZhHs$ :!U/?xZ7QF;9s{{?TkH;?7KbohHIHs+$+ + 3+ / 3%/ֱ + &+6>n+    >++  + +  #99... ....@ 99  $99 9 9014>32373#7##"&73267.#"HZhJ{#+>EHVPF;@R#X/?xZ5VjLAu+J\ojM]B9L-9u+3+ 3+ /ִ!++/+6>+ ..@99  99901333>32.#"-ɲ;\;)I2H=w^} ou3-`)++./ ֱ+$/+  )99  $9$9 $$9901'732654&'.54>32.#"#". 1yCHhV^ds:dLb;{'^;FZ1=!qn;kV/d_RjBEL7/D57\DtR/R=u'7I6(%!;\JwT-1Hm+ +3 2 +@ ++/ְ2  2+6>/+ .  ....@ 9999901?33#3267#"&5467m P5#f6?-)%jFyg?  %#77 h9`+3+ +333/ֱ 2 + ++!+/!++6>+ >+  ++ #99 ..... ....@ 9999 99901746733273#7##"&` y|dDzL\q#D'{#1Ddy 0 ++ 3/ֱ+ 9 90133>73!y5 #G#LNNN$[$+3+ 33%/ֱ++ +&+$9 #99$9990133>733>73!4&5#!7!3F7$$#$HJJHHJJHHNNH&+3+ 3/+9901#33>?3#'.'#VJ;lL!?#-R+)V+-\++X/b:+3/ /ֱ + 99 9901726?33>73#"&bE#'Bv)@ #H#/`k}KLeV=DGHHR^4 .++  / +9901#7!7!!Vg"#}¯?;4)/' +/ / +5/2ְ12!+ 2$2+-!+-/.33$!+#226+6>l+ .. ..# 1?6+  11 +1 +1 + 1 + 1 +  + + +>F<+ #!# +"# +./.1+0.1+/.1 #909"# 9!91 #999 9 9 999@   !"#./01..................@  !"/0..............@'-999017>7>7>;#";#"&54>54&;3J-  .C\Bp-HAXLf')<)lfW#'#:/71VX\5RmAyR\V\olj5-/+yTX9)+HJ/ִ+++013R5/ +(/' / +6/ְ2"!+!2"+ 33!+27+6>+ 0 >Z+ ..!>+ ++++>N`+ +!!+0  !+>@+ 0-0 +.0 +/0 + #999.0 9/9-99! #9@-0 !./................@ -0 ./............@ 9'( 99990173267>7>?.54>54&+732#\.HAWL7/');)mfV#'" !7+5H--D^@yO]V\on B53-/-yVV;)*!/7`kRlBVF2///+999 99901>32327#".#"V;E9[PK)T>r;F9ZPL)T=j[4?3wLj[3@3w'. ++/ִ++99901734>32#"&'1u#+@%7B-?%7@4!?1H7?3Jb%&/ֱ++++'+6>E+ ..>+ ++++++ +!+ #9 9!999999@  !............ !........@9014>?3.'>7#7.7Xa))Ll+;)7`)FBV))EB}5aE)LϕZ O1{#) y++< buB`y;%w+#+  +32&/ ְ22 /'+"#99#99 9990137>7#?.54>32.#"!!!Fxaj4#O:b3LL ?䍖 )L#jyAbJt3;?#uO w.p/"*/ //ֱ'+0+999'  $9999"$9*$9  $9017&5467'7>327'#"'32>54&#"?:`xe5u;yRa=6gwojyRTK/[E+QN/YG+HyDW^>xg"?s}BW\+ ++++......@99017!7!7!33>73!!!!#/7A +R)T7??=oq{DGHBDqo=J#/ְ2+2+ +013#3Tddq6F4/ /G/ִ7*+7+#7?+**+/*?+//H+4C$9/ -;$9*'9949 -32.#"#"&>54.'q3IBTB`s`B{_1Z{J^At)o?5PAbubBqf5`P`Acu17=?`q35F5RG<-C@AToNj+;#FtR/VF}-D?<)C@FXpLu/154.#"4>32.#"3267#"&DnwǑPowƒOl+  .  .... ...@ $9  99999 99014>32373#7##"&7326?.#"u=eE/J~ /r:Xh3')^)-6'K:$^{H1.Ne\3:}H@69+#2QoRX 77R=H\=H\'N;;'N;b3/ +@ +/ִ+ +@ ++015!#beVH9V!//ִ ++017!H #%3</ +2/4 +24 +@23 +&/22+6>+ &'3<23<+43<+'24<....@03!$9/.942.999<+ 999014>32#".732>54.#"32#'#732654&+=o\F{^:@oZF}^7ZyFtV1$Da;FtV1jT;J5/5`)>+&+0!+XL5^NX}L3_Vw32#"&732>54&#"/Nh;h/Nk9h{?;#:)>;#;)J?oR1o?oT/s7N 4C%7N!3Cbyd+/ 3 2 +@ + +@ +/ְ2 +2  +@  + 2 +@ +2+0135!5!3!!#beaaX^!F/ / /ִ++999  999 9017>54&#"'>32!uo57<%I#\=}Pu`Psf13:1#b;FviwՁl#*f + ++( / +/ִ#+ +,+ 9 #999  999901732654H>54&#"'>32#"&nP9BVVo?T192)E+FByGhXV?B/Tm=hN1;?;5Hi'3)3n+#jZNq^6=^@#_  /+/ִ ++013 )+ 3 + 333/ֱ+ +  +!+/ !++6>+ >+   +++++ #99999 ........ ......@99 9990133273#7##"&'#y}`Ŵ ;C3P:k#1B[".\{; U+33/ ֱ++6>+   ..@ 99014>;#". 3aq^/Z{H+%˃?y/_!8. /++/ִ+++014>32#"&/=%7@+?%7B!@1J7!@1HF(/ +/ִ ++ 901>54&'73Pl+9oF'59`D 51'j:/7P6d R/ 3 + / ִ+ +6>+  .  ... ..@017>73#d)?8/{ibs F / /  /ִ+++!+ 9999014>32#"&732>54&#"s?iEq?kFo87+J787+J7bn>bn>FP/Pk=HN/Pk39 77%73^^;B;ŤN;B;Ť` !+ 33+3 +33 +22 +@ +2 / + 2 / ִ+++!+6>+  . >+ ++++>+ + #9 ....@  .........@ 9$9 9999017>73#3%733##7'3?#)?8/{Շ+`vu''7ib\yXpp`'+'+% + 3 +   / +2(/ ִ + +"+)+6>+  .   .. ..@ 9 %$9"&'99%'9"99990137>73#7>54&#"'>32!Շ+)?8/{uo57<%I#\=}Puyibu`Psf13:1#b;FviwՁV`*.9?.8++733 + +/:8 +3;33/ +6922:/ +@:1 +22(8 + / ,2@/ִ#+ +#8+7+A+6>+ 8=72372+672+898=+;8=+>+ <8=+<8= #9<=..2369;<=.......@ 98/0:99971,>999:/09 #>$9  99901732654H>54&#"'>32#"&3%733##7'3?#VnP9BVVo?T192)E+FByGhXV?B/Tm=hՇ+`vu''7N1;?;5Hi'3)3n+#jZNq^6=^@#_xyXpp{+o/ )/!+,/ֱ+$+ *+-+ $9!)999$99)999014>73267#"&4>32#"&7VgZC @T`R5RG1_+qB\->%7A-@%7?\RydZ^oJTdTRX7HR1+BMC!?2G8!?1J=+3+ +/ֱ+99 901#!#!!'.'#3#wK V1\5 ;y!hnoh?+3+ +/ֱ+999 901#!#!!'.'#73wK V1\5b;y!hnoh?+3+ +/ֱ+999 901#!#!!'.'#73#'#wK V1\5FՎ^;y!hnoh采/'W+3+ +%/ 2%+ 2(/ֱ)+ $9 901#!#!!'.'#>323273#".#"wK V1\5R|H)9//7%wzH+90-9&;y!hnoho!'!eo!' d)|+3+ +/'3!2*/ֱ+$$ /++9 999!'999 901#!#!!'.'#4632#"&%4632#"&wK V1\5-I5)32#"&732654&#"wK V1\57#;N-Np"+ ..    + +  +. .......@01#!!!!!!!!#F}$G%FV $GT)FC;\djhuFT!3s+) ++ 3/" +4/ֱ%+.+5+"399%(9.)999"(+.999 ) $90146$32.#"3267#".>54&'73uhu5'cAf{F#LtRH};aDǁsCPl+9oF'59`D/q\u=GotTb7=1;eN 51'j:/7P6BL i+ + +/+6>s+ ..   + + ......@013!!!!!3#B %H%2V5%;\BL i+ + +/+6>s+ ..   + + ......@013!!!!!73B %H%2V5%;\BL i+ + +/+6>s+ ..   + + ......@013!!!!!73#'#B %H%2V5%dՎ^;\采BL #+ + +/!32$/ ֱ+%+6>s+ ..   + + ......@ $9013!!!!!4632#"&%4632#"&B %H%2V5%}I5)+ @99901333#B U;BO+3+3/ֱ+ +6>+ @999013373B ;B W+3+3 /ֱ+ +6>+ @9 9 999013373#'#B Վ^;采Bg+3+3 /32/ֱ+ +/ ++6>+ @01334632#"&%4632#"&B uI5)+ ..   + +++ ........@9901?! #!32>54&+!!Vs+izqIRPkCq-T甴osB )+ 3+ 3'/ 2'+" 2*/ֱ + ++66S+   .... ....@  "$9 901333>73##>323273#".#"B N yN y|H)9//7%wzH+90-9&;hn`%moo!'!eo!' dw#'G+ + (/ֱ+ )+$&$9 99014>32#".732>54&#"3#whq}Bgq}AㅇXuCZrD+NсNёjtkw#'N+ + (/ֱ+ )+$%'$9 &9 99014>32#".732>54&#"73whq}Bgq}AㅇXuCZrDk+NсNёjtkw#+N+ + ,/ֱ+ -+$&($9 '9 99014>32#".732>54&#"73#'#whq}Bgq}AㅇXuCZrDՎ^+NсNёjtk采w#9g+ + 7/' .2,'7+2 $2:/ֱ+ ;+$,2$9 ./99 99014>32#".732>54&#">323273#".#"whq}Bgq}AㅇXuCZrD|H)9//7%wzH+90-9&+NсNёjtko!'!eo!' dw#/;r+ + -/93'3232#".732>54&#"4632#"&%4632#"&whq}Bgq}AㅇXuCZrDI5)327#"'.#"32>54' Bho>b=gӁ o#fFZrDDFXuC ̓+JC\ㆈsNC5:klfjtJ>y+ +33/ֱ+++6>~+ ....@ $9 901467332673#"&3# ݖnj)١;-j4VH+ +33/ֱ+++6>~+ ....@ $99 901467332673#"&73 ݖnj)١;-j4VH+ +33/ֱ++ +6>~+ ....@9 $99 901467332673#"&73#'# ݖnj)١;nՎ^-j4VH采".+ +33 /,3&2//ֱ++#+2)2)#+0+6>~+ ..@ 99 901467332673#"&4632#"&%4632#"& ݖnj)١;I5)+   .. ..@90133>73#73L -R/dd;NNNL^BoH+3+3 +  + /ֱ++ +6>+ ++++....@ 9013332+32654&+B +\n>_9^zH$R]w9ѓh\-D;+;3+#5/ + ;::..:..@-; 99#*05$9 299#95  999013>32#"&'732654.54>54&#"-Nu`Dx_7N`N)?J@)8`LNB^-a9DZ+BLA+P^P@G/N@- VqA"FmI\w\R6#95;H\>Hz\601!+TB)A:7AN6Lf\fJ?N-Ki;H+#' + 3+ + 3+ (/ֱ + !+)+6>.+   .. ...@ $'$9  %&$9 999 9014>32373#7##"&73267.#"3#HZhJ{#+ɴ HVPFB>R#X/?xZ5uVjLAuJZojM]B9LH+#' + 3+ + 3+ (/ֱ + !+)+6>.+   .. ...@ $$9  %'$9 999 9014>32373#7##"&73267.#"3HZhJ{#+ɴ HVPFB>R#X/?xZ5VjLAuJZojM]B9L)H+#+ + 3+ + 3+ ,/ֱ + !+-+6>.+   .. ...@ $%+$9  &(*$9 999 9014>32373#7##"&73267.#"3#'#HZhJ{#+ɴ HVPFB>R#X/?xZ5bTVjLAuJZojM]B9L)ױH+#9 + 3+ + 3+ 2/$3, 7,2+' .2:/ֱ + !+;+6>.+   .. ...@ $'5$9  *,2$9 9999014>32373#7##"&73267.#">323273#".#"HZhJ{#+ɴ HVPFB>R#X/?xZ5R!tD-;/-!-)wuE-.+   .. ...@$9*999  $9 9999014>32373#7##"&73267.#"4632#"&%4632#"&HZhJ{#+ɴ HVPFB>R#X/?xZ5fL5+;L5-9mK6-9L5-9VjLAuJZojM]B9L55P717L515P717L5H+#3? + 3+ + 3+ 1/7 +=/) +@/ֱ$+4+4:+2,+,  !+ / !+A+6>.+ .  .. ..@$9949 9  )17=$9 9999=7,$99014>32373#7##"&73267.#"4>32#"&732654&#"HZhJ{#+ɴ HVPFB>R#X/?xZ5!) +> ;  H/ֱ22;+B+!+I+2 9; / 59$9 ,8$9B"%)>$9&99"%,2:$9  B9990174>7654#"'>32>32!3267#"&'#"&73267&47%!>54&#"7a=H5V`bDVXyL#! r5m+P;im)^ooL<5F\H\Nma-'-%-9PVNX9eNBz2+@iLV_;>HL3V7r&JpDF1v+' ++ 1/ +2/ֱ#+,+3+ &1999,#'999 &),999 ' 9999014>32.#"3267#".>54&'73D\u\){#E3D{\7dg;\'^9rTf9^Pl+9oF'59`DdJ1)%J}^s|/)L8h 51'j:/7P6D(,w++& + -/ֱ#+ !+.+9#)*,$9  +999999& 9014>32!3267#".!>54&#"3#D`bXyL#!  Db95o)R=mZj;H\\yuZ9eNBzPrJ#2+@:l+JpD(,u++& + -/ֱ#+ !+.+9#)*,$9  99999& 9014>32!3267#".!>54&#"3D`bXyL#!  Db95o)R=mZj;H\\Z9eNBzPrJ#2+@:l+Jp)D(0y++& + 1/ֱ#+ !+2+9#)*.$9  +,-$9999& 9014>32!3267#".!>54&#"3#'#D`bXyL#!  Db95o)R=mZj;H\\#TZ9eNBzPrJ#2+@:l+Jp)ױD(4@++& + 2/>3,82A/ֱ)+//#+52 !+;B+)9#&$9   8>$999& 9014>32!3267#".!>54&#"4632#"&%4632#"&D`bXyL#!  Db95o)R=mZj;H\\'L5+;L5-9mK6-9L5-9Z9eNBzPrJ#2+@:l+Jp?5P717L515P717L5- W+3+3/ֱ+/ +6>v+ @9990133 3#-Gu-U+3+3/ֱ+/ +6>v+ @990133 3-")- Y+3+3 /ֱ+/ +6>v+ @9 9990133 3#'#-ɝT)ױ-f+3+3 /32/ֱ +/  ++6>v+ @0133 4632#"&%4632#"&-əL5+;L5-9mK6-9L5-9 5P717L515P717L5NV#36+' // /4/ֱ$5+/'999014>32&''%.'7%#".732>7.#"N?{oHv'^+ %Z5dJ5)+DIEȃNe9b^?kP1!dFHlN&jhʝcD?͍{lm'E#)d;xlkd}8fi\G}b5SBh-3/+333++(/3" -"(+ $20/ִ!++/+2  +/1+6>+ >I+  ++ #99 ..... ....@999-99 (+$9901333>32#>54#">323273#".#"-ɲ P`o { 5yP!tD-;/-!-)wuE-32#".732>54&#"3#F`g`hTb5ZX;oV3ZV;qV3u^۾_:jfs|G}`s{H{F!%N + + &/ֱ+'+ "#%$9$999014>32#".732>54&#"3F`g`hTb5ZX;oV3ZV;qV3^۾_:jfs|G}`s{H{)F!)R + + */ֱ+++ "#'$9$%&99999014>32#".732>54&#"3#'#F`g`hTb5ZX;oV3ZV;qV3nT^۾_:jfs|G}`s{H{)ױF !7i + + 0/"3* 5*0+% ,28/ֱ+9+ "(3$9*,099999014>32#".732>54&#">323273#".#"F`g`hTb5ZX;oV3ZV;qV3^!tD-;/-!-)wuE-32#".732>54&#"4632#"&%4632#"&F`g`hTb5ZX;oV3ZV;qV3rL5+;L5-9mK6-9L5-9^۾_:jfs|G}`s{H{!5P717L515P717L5b1 ////ְ2  +2+015!4632#"&4632#"&beL77MM77LL77MM77LV5JJ57HH!5HH57JI5!+o+$ +,/ֱ)+-+999)"$9 99$999 +$9 990157&54>327#"'&#"32>54'9`ghtL5`ihr3XHxX221VJxX0b^byF^]_w+%DR=OT%#`+3+ +333/ֱ 2 + ++!+/!++6>+ >+  ++ #99 ..... ....@ 99999999 99901746733273#7##"&3#` y|dDzL\q{u#D'{#1DdO`+3+ +333/ֱ 2 + ++!+/!++6>+ >+  ++ #99 ..... ....@ 9999999 99901746733273#7##"&3` y|dDzL\q#D'{#1Dd&)` +3+ +333!/ֱ 2 + ++!+/!+"+6>+ >+  ++ #99 ..... ....@ 999 999$9 99901746733273#7##"&3#'#` y|dDzL\q%T#D'{#1Dd&)ױ`$0 +3+ +333"/.3(21/ֱ 2 + +++ %%/+ !+2+6>+ >+  ++ #99 ..... ....@ 9999 99901746733273#7##"&4632#"&%4632#"&` y|dDzL\q)L5+;L5-9mK6-9L5-9#D'{#1Dd5P717L515P717L5b:+3/  /ֱ !+ 99 9901726?33>73#"&3bE#'Bv)@ #H#/`k}KLeV=DGHHR^4)s%+ +" /3/3&/ֱ++ '+6>+ >_+ ++++%+ #999%99%.....%.....@9$9"999" 990133>32#"&'#32>54&#"#sH1HTZhHs$ :!U/?xZ7QF;9s39LkH;?7KbohHIb'3{+3/ %/13+24/ֱ" "+/ "(+.5+9" %999(9.99 9901726?33>73#"&4632#"&%4632#"&bE#'Bv)@ #H#/`k}KLL5+;L5-9mK6-9L5-9eV=DGHHR^45P717L515P717L5^D+3+ +/ /ֱ+99 901#!#!!'.'#7!wK V1\5;y!hnohߓH+X#' + 3+ + 3+ $/% (/ֱ + !+)+6>.+   .. ...@ $%$9  $9 9999014>32373#7##"&73267.#"7!HZhJ{#+ɴ HVPFB>R#X/?xZ5VjLAuJZojM]B9L#u+3+ +/ + +@ +2$/ִ++%+9 $999 901#!#!!'.'#332673#".wK V1\5y59;J}2Ga?9R4;y!hnoh1CE/1T?%%?VH+#5 + 3+ + 3+ 3/* +&/-36/ֱ&+'+' + !+7+6>.+   .. ...@&%999 '3999  *-$9 9999014>32373#7##"&73267.#"&7332673#"&HZhJ{#+ɴ HVPFB>R#X/?xZ5 y.>?R4NhB?VVjLAuJZojM]B9L=a3?ST>3aK--F;%]+33+/  +&/ִ!+'+"$9  9 99!901#!327#"&54>7#!!'.'#wo`+#-)d+Nc':E)K V1\5;3y5#%qKH/XL=y!hnohHV+'6%++ + + 3+2 / 7/ֱ((++8+6>=+ ./ ./ ./.. ./....@(%+992999%9992!99 9014>32373327#"&54>?##"&73267.#"HZhJ}!+hu+%")'f+H^)>I!HVPF;>R#X/?xZ5VjNAw)sA!#c"HG/YK<J\ojM]B7Lu!%8+ + &/ֱ'+9  $90146$32.#"3267#".73uhu5'cAf{F#LtRH};aDǁsCd/q\u=GotTb7=1;eND#=+ + $/ֱ%+9  9999014>32.#"3267#".3D\u\){#E3D{\7dg;\'^9rTf9dJ1)%J}^s|/)L8ht)u!)8+ + */ֱ++9  $90146$32.#"3267#".73#'#uhu5'cAf{F#LtRH};aDǁsCՎ^/q\u=GotTb7=1;eN采D'=+ + (/ֱ)+9  9999014>32.#"3267#".3#'#D\u\){#E3D{\7dg;\'^9rTf93TdJ1)%J}^s|/)L8ht)ױu!-c+ + +/%./ֱ"+(+/+"99( $99  $90146$32.#"3267#".4632#"&uhu5'cAf{F#LtRH};aDǁsCtX<1NW=1N/q\u=GotTb7=1;eN;T=8=P9D+h+ + )/#,/ֱ +&+-+ 99& $99  9999014>32.#"3267#".4632#"&D\u\){#E3D{\7dg;\'^9rTf9X;1NV=1NdJ1)%J}^s|/)L8h;U<7=R;u!)8+ + */ֱ++9  $90146$32.#"3267#".3373#uhu5'cAf{F#LtRH};aDǁsC^/q\u=GotTb7=1;eND'=+ + (/ֱ)+9  9999014>32.#"3267#".3373#D\u\){#E3D{\7dg;\'^9rTf9pVdJ1)%J}^s|/)L8hB h +3 +3 /ֱ+6>+ ..  ....@9 9013! #'32>54&+3373#B +iqIR^;qT甴H$)+ 3+ + / 3*/ֱ+ !+  +  %+)+++6>+    + + #9 9 ... ...@ $9  $999 9 99 %)99014>32373#7##"&73267.#"3HZhJs!Fݴ HVPFB@R#X/?xZ5sReVjJ;dZJZojM]B9LV; + 3 +3   +3 +2/ֱ+6>+ ..   + +++ ........@9901?! #!32>54&+!!Vs+izqIRPkCq-T甴osH,+3+! (/ / 33 +22/3-/ֱ+!+.+6>H+ %$%?J}+ .  + + ++  #9 $%....@ $%..........@ !($9999(9999014>323?!7!733#7##"&73267.#"HZhJq1## HVPFB@IU/?vZ5VjJ;lsi {JZojM]hB9L{BL^ p+ + + / /+6>s+ ..   + + ......@013!!!!!7!B %H%2V5%;\˓DX(,z++& + )/* -/ֱ#+ !++2.+9#)*$9  ,99999& 9014>32!3267#".!>54&#"7!D`bXyL#!  Db95o)R=mZj;H\\@Z9eNBzPrJ#2+@:l+JpBL + + +/ + +@ + 2/ ִ ++6>s+ ..   + + ......@013!!!!!332673#".B %H%2V5%y59;J}2Ga?9R4;\1CE/1T?%%?VD(:++& + 8// ++/23;/ֱ++,+,#+ !+<+9+*99,99# &/8$9  299999& 9014>32!3267#".!>54&#"&7332673#"&D`bXyL#!  Db95o)R=mZj;H\\q y.>?R4NhB?VZ9eNBzPrJ#2+@:l+JpGa3?ST>3aK--BL + + +// ִ++6>s+ ..   + + ......@  999013!!!!!4632#"&B %H%2V5%X<1NW=1N;\;T=8=P9D(4++& + 2/,5/ֱ#+ !+/ #+)+)//+26+9)999# &,2$9 / 999& 9014>32!3267#".!>54&#"4632#"&D`bXyL#!  Db95o)R=mZj;H\\X;1NV=1NZ9eNBzPrJ#2+@:l+JpG;U<7=R;BFL;!+ 3 +/  +"/ִ!+#+6>s+ ..   + + ......@999013!!!!!327#"&54>7B %H%2V5%/P9!+"-)d+Nb);D;\3DH#%qKH1ZN<DV4>0++<%/ 50 +5 ?/ֱ(++9+ !+@+9(59%-09999"6<$9  990!(,$9999<5 9014>32!3267327#"&54>7#".!>54&#"D`bXyL#!  Db95o)RZqC+!'''g+H\%56  Zj;H\\Z9eNBzPrJ#2/VLD!#c"GH/TD1:l+JpBL i+ + +/+6>s+ ..   + + ......@013!!!!!3373#B %H%2V5%^;\D(0w++& + 1/ֱ#+ !+2+9#),/$9  -999999& 9014>32!3267#".!>54&#"3373#D`bXyL#!  Db95o)R=mZj;H\\`VZ9eNBzPrJ#2+@:l+Jpu#+z!+ + ! +3 2,/ֱ-+6>+ . ......@99  990146$32.#"3267#7!#"73#'#uh }5'fJmF#N{X9^#B#yJ{Վ^1q\u=GotTg7#<;O'采B /7+3++ / /$8/ֱ!9+6>b+ .(''(...'(....@!9 9+999017326?##"&54>32373#"&3267.#"3#'#b9Ns!1HZXfJy ++`OB;+ . ......@$!9%99999  990146$32.#"3267#7!#"332673#".uh }5'fJmF#N{X9^#B#yJ{y59;J}2Ga?9R41q\u=GotTg7#<;O'}1CE/1T?%%?VB /A+3++ / /$?/6 +2/93B/ֱ!!2+3+C+6>b+ .(''(...'(....@!92 $1$9 9$9+99017326?##"&54>32373#"&3267.#"&7332673#"&b9Ns!1HZXfJy ++`OB;?R4NhB?V͓/?yDRfLAuIfbGPuB9H{$a3?ST>3aK--u#/!+ + ! +3 2-/'0/ֱ$+*+1+6>+ . ......@$!$9* 9999  990146$32.#"3267#7!#"4632#"&uh }5'fJmF#N{X9^#B#yJ{nX<1NW=1N1q\u=GotTg7#<;O';T=8=P9B /;+3++ / /$9/3b+ .(''(...'(....@!90 $$96 +$9 9$9+99017326?##"&54>32373#"&3267.#"4632#"&b9Ns!1HZXfJy ++`OB;+ . ......@'$*+3$9.!$9!$+.9999  990146$32.#"3267#7!#">54&'7uh }5'fJmF#N{X9^#B#yJ{\`+ ;R^7^{D1q\u=GotTg7#<;O' // TB>9L/B /?+3++ / /$6/5 +@/ֱ!!0+9+A+6>b+ .(''(...'(....@!90 $$99 +$9 9$9+9960=99017326?##"&54>32373#"&3267.#"4>7.b9Ns!1HZXfJy ++`OB;+ >~+  ++ +  + ....@ 9 999990133!3#!73#'#B ol{wՎ^;\采-"+333+/3#/ֱ++2  +/$+6>+ >I+ ++++ #9999...........@ "$999999 9901333>32#>54#" 73#'#-#X'N\o { 5yPjՎ^VBZ{#A)^#1JRR采L; +333+ 333+333 + 222 +3 2/ֱ++ + +6>+ >+ +++ +  + + +++ + ++@  ............@013#?3!733##!!7!L~--++yy)jr\-"G+"333// 3 +2/3#/ֱ""+2+/2$+6>+ ">s+ ++""+ "+>u+ "+++"!"+!" #9 999 !......@  !...........@"99 9999 99 9013#?3!!3>32#>54#"-#%Z%'N\n ws 5yPi sBY{#A)5#1JR{Bm+3+3/ 2 + 2/ֱ++6>+ @99 $90133>323273#".#"B |H)9//7%wzH+90-9&;o!'!eo!' d-s+3+3/3  + 2/ֱ+/+6>v+ @99 $90133 >323273#".#"-ɭ!tD-;/-!-)wuE-+ @9901337!B a;˓-XV+3+3/ /ֱ+/ +6>v+ @990133 7!-ɀǑBx+3+3/ +  +@ +2/ֱ+++/++6>+ @ 9901337332673#".B :y59;J}2Ga?9R4;\/1CE/1T?%%?-+3+3/ +/ 3/ֱ++/+ /+6>v+ @9 990133&7332673#"&-O y.>?R4NhB?Va3?ST>3aK--F);{+3/ /ִ !+ ++6>+   .. ..@ 9999999014>7#3327#"&L):A/ Xc+#-%m)L`1ZN<;+5#%mKV-#+3/ !/$/ִ + + +%+6>W+   .. ..@ 9999!999999014>7#3327#"&4632#"&R'9@;^Z+#")'f+H\oV=/NV=/N/VJ:/s;!#c"Ht;U<7=R;B\Z+3+3 //ֱ+2 ++6>+ @ 9901334632#"&B *X<1NW=1N;;T=8=P9-E+3+3/ֱ+/+6>v+ @0133-c+ + 3/ֱ +6>z+    .. ..@ 9999901'732673#"&73#'# lN\qݽHl`wՎ^?PRZqBmN采Ze+3/ /ֱ+6>e+   .. ..@9999901732673#"&3#'#E'47;6PpL3RDTVV8J\3&)ױBI; + 33+33/ +/ֱ  + 2+++6>+ >+  + +  #99 .. ..@$9 9 99 9013333 #>54&'7B yJ-T3\`+ ;R^7^{D;^Z // TB>9L/-I/ + 33+/ +/3/ֱ  +2 +/++6>+ >u+  + +  #99 .. ..@  9999 9 99 9013333#>54&'7-#۶kݬ1)\`+ ;R^7^{DsQ // TB>9L/-/ + 33+33 /ֱ +/ +6>+ >+  + +  #99 .. ..@ 9 9013333#-\kݬ1+QBZ R++3 /ְ2 +6>+ ..@ 990133!73B %;R+ /3/ְ22 +@ ++2+6>s+ ..@9 999 90174733267#"&73R# =)XR/<F+ VBIZ;|++3/ +/ֱ  + /++6>+ ..@  99 990133!>54&'7B %\`+ ;R^7^{D; // TB>9L/I+#!+ / +/3$/ְ22 +@ ++ ++%+6>s+ ..@9 !99! 99901>54&'74733267#"&T\`+ ;R^7^{D# =)XR // TB>9L/B/<F+ VB i++3 /ֱ+ + +6>+ ..@ 999 990133!3B %+Re;R'+ /3/ְ22 +@ +++++6>s+ ..@9 99 9990174733267#"&3R# =)XRRe/<F+ V%B;k++3  + +/ֱ+++6>+ ..@990133!4>32#"&B %/=%7@+?%7B;!@1J7!@1HR5#+ !/+/3$/ְ22 +@ ++++/%+6>s+ ..@9 9!99 90174733267#"&4>32#"&R# =)XR/=%7@+?%7B/<F+ VT!@1J7!@1HZ; + +3/ֱ+6>+   >+  +  + +  +  #99 99 .... ......@ 9901?3%!! %u$rI% ZoRļ/j+ +/3/ֱ   +@  + ++6>+  +  + ++ #99 99 ...... ......@ 999901?373267#"&547/'}f f =)XP M-NsZZ VN)BB t+ 3+ 3/ֱ + +66S+   .... ....@  $9 901333>73##73B N yN y;hn`%mo-+333++/ִ!++/+2  +/+6>+ >I+  ++ #99 ..... ....@999$9 99901333>32#>54#"3-ɲ P`o { 5yP)Db{#A)^#1JRR)B9 ;#+ 3+ 3#/ +$/ֱ++ + %+66S+   .... ....@#$99  999901333>73##>54&'7B N yN yD\`+ ;R^7^{D;hn`%mo // TB>9L/-I)+333++)/ +*/ֱ+$+$+!+/!+$+2  +/++6>+ >I+  ++ #99 ..... ....@ !$999!$99 99901333>32#>54#" >54&'7-ɲ P`o { 5yP#\`+ ;R^7^{DDb{#A)^#1JRR // TB>9L/B t+ 3+ 3/ֱ + +66S+   .... ....@  $9 901333>73##3373#B N yN y-^;hn`%mo-!+333++"/ִ!++/+2  +/#+6>+ >I+  ++ #99 ..... ....@99!99 $9 99901333>32#>54#"3373#-ɲ P`o { 5yPVDb{#A)^#1JRR,+!",333++(2-/ִ + + + +, +!+&+%2!&+""/!.+6>+ ,+>I+ "%! "#"%+$"%+#"% #9$9 #+$%..... #+$....@99!"(99(999901>7#"&5463233>32#>54#"hm 5HNA;F1Vr@ɲ P`o { 5yP-8959UYORlNDb{#A)^#1JRRw^#'V+ + $/% (/ֱ+ )+$%$9 &'99 99014>32#".732>54&#"7!whq}Bgq}AㅇXuCZrD+NсNёjtk+FX!%V + + "/# &/ֱ+'+ "#$9$%9999014>32#".732>54&#"7!F`g`hTb5ZX;oV3ZV;qV3^۾_:jfs|G}`s{H{ޑw#5~+ + 1/( +(1 +@(, +$26/ֱ$+%+%+ 7+$99%(+1$9 ,9 99014>32#".732>54&#"332673#".whq}Bgq}AㅇXuCZrDy59;J}2Ga?9R4+NсNёjtk1CE/1T?%%?VF!3y + + 1/( +$/+34/ֱ$+%+%+5+$ #999%(1$9+,9999014>32#".732>54&#"&7332673#"&F`g`hTb5ZX;oV3ZV;qV3 y.>?R4NhB?V^۾_:jfs|G}`s{H{)a3?ST>3aK--w #'+P+ + ,/ֱ+ -+$&($9 )+99 99014>32#".732>54&#"73373whq}Bgq}AㅇXuCZrD۰+NсNёjtkF!%)S + + */ֱ+++ "#%&$9$')99999014>32#".732>54&#"333F`g`hTb5ZX;oV3ZV;qV3Ϻϻ^۾_:jfs|G}`s{H{++w;+ 2+2  + /ֱ+6>+ ..   + + ......@ 990146$3!!!!!! ;#"wh s%F%PV%㽬=mqJ 0p\ TF1(8B&+ 3, 2+ 34 @29& +9 C/ֱ))1+*+=+!+D+1)&99#99=  9$999,&9#)$9491=$9014>32>32!3267#"&'#"&732>54&#"%!>54&#"F^dw#DaXyM## =V45l+P;mm#HoZX9kR1ZV7kT3H\R^snmt9eNBzPrJ#2+@yuq}s|G}`s{H{a+JpB+ 33+  + /ֱ+ +6>+ ++....@ $9 99 99013!2##32654&+73B `uA7bPhu;"P}X^sNbT-aw+3+ 3+ /ִ!++/+6>+ ..@999  99901333>32.#"3-ɲ;\;)I2H=w^} ou)B9;!*+ 33+* !/ +" + +/ֱ++&+,+6>+ **+"*+"*....@!$99& 99 999"! 9*9013!2##>54&'732654&+B `uA7bPh\`+ ;R^7^{Dm;"P}X^sN // TB>9L/bTI9!+!3+3+ / +"/ִ +!2 / +!+#+6>+ ! . .@9 99 9999901>54&'733>32.#"P\`+ ;R^7^{Duɲ;\;)I2H=w // TB>9L/^} ouB"+ 33+  + #/ֱ+$+6>+ ++....@ !$9 99 99013!2##32654&+3373#B `uA7bPh^;"P}X^sNbT-}w+3+ 3+ /ִ!++/+6>+ ..@999  99901333>32.#"3373#-ɲ;\;)I2H=wJV^} ou-+/`)+ + 0/ֱ+$1+ 9  ),$9$!-/$9$$901?32654&/.54>32.#"#"&73;chXJXsDy^yH3Tbk\NbaFm{R`l_?T-V5wPm=mX9OoFBO/V9uZs@sPc-1e)++2/ ֱ+$3+  )99  .$9$/1999 $$9901'732654&'.54>32.#"#".3 1yCHhV^ds:dLb;{'^;FZ1=!qn;kV/d_RݨjBEL7/D57\DtR/R=u'7I6(%!;\JwT-1H)-+3d)+ + 4/ֱ+$5+ ,99  )-3$9$!.02$9$$901?32654&/.54>32.#"#"&73#'#;chXJXsDy^yH3Tbk\NbaFm=Վ^{R`l_?T-V5wPm=mX9OoFBO/V9uZs@sP采@-5i)++6/ ֱ+$7+  ).999  /5$9$024$9 $$9901'732654&'.54>32.#"#".3#'# 1yCHhV^ds:dLb;{'^;FZ1=!qn;kV/d_R TjBEL7/D57\DtR/R=u'7I6(%!;\JwT-1H)ױF-T+=)+3 ++ =/, +>/ְ,2/+8++$?+/ 2=999 3998 )45$9 999$!99),2589993$$901?32654&/.54>32.#"#"&>54&'73;chXJXsDy^yH3Tbk\NbaFmvPl+9oF'59`D{R`l_?T-V5wPm=mX9OoFBO/V9uZs@sH 51'j:/7P6F3-?)+5 ++?/. +@/ ֱ1 +:++$A+1  499)599: 67$9 999$9).47:9995 $$9901'732654&'.54>32.#"#".>54&'73 1yCHhV^ds:dLb;{'^;FZ1=!qn;kV/d_RJPl+9oF'59`DjBEL7/D57\DtR/R=u'7I6(%!;\JwT-1H% 51'j:/7P6-+3c)+ + 4/ֱ+$5+ 9@   ),/3$9$!02$9$$901?32654&/.54>32.#"#"&3373#;chXJXsDy^yH3Tbk\NbaFml^{R`l_?T-V5wPm=mX9OoFBO/V9uZs@s9-5i)++6/ ֱ+$7+  ).999  /5$9$024$9 $$9901'732654&'.54>32.#"#".3373# 1yCHhV^ds:dLb;{'^;FZ1=!qn;kV/d_RFVjBEL7/D57\DtR/R=u'7I6(%!;\JwT-1H?F;L+ ++2/ +/ִ ++ 9 99901>54&'737!!#Pl+9oF'59`D%% 51'j:/7P69iF.'+ ++3 .2 +@ ++/ +//*ְ-22*+ +0+6>/+ -..-.....@*9999  '$9' 999$*9901>54&'73?33#3267#"&5467iPl+9oF'59`D P5#f6?-)%jFyg 51'j:/7P6  %#77 h9R+3+22/ֱ+6>+ ..@9017!!#3373#%%g^ mv!+ +3 2 +@ ++"/ְ2  2 +!+#+6>/+ .  ....@ 99$9!99999901?33#3267#"&54673m P5#f6?-)%jFygRe?  %#77 h9#,+ +33*/ !2*+% 2-/ֱ++.+6>~+ ....@9 !%,$9"9 901467332673#"&>323273#".#" ݖnj)١;b|H)9//7%wzH+90-9&-j4VHo!'!eo!' d`.+3+ +333'/3! ,!'+ #2//ֱ 2 + ++!+/!+0+6>+ >+  ++ #99 ..... ....@ 999*.$9!'$999901746733273#7##"&>323273#".#"` y|dDzL\q!tD-;/-!-)wuE-~+ ....@ $999 901467332673#"&7! ݖnj)١;-j4VH`X+3+ +333/ /ֱ 2 + ++!+/!++6>+ >+  ++ #99 ..... ....@ $999 99901746733273#7##"&7!` y|dDzL\qB#D'{#1DdZ(+ +33$/ +$ +@ +2)/ֱ++++*+6>~+ ....@9 9$999 901467332673#"&332673#". ݖnj)١;y59;J}2Ga?9R4-j4VH1CE/1T?%%?V`*+3+ +333(/ +/"3+/ֱ 2 + ++++!+/!+,+6>+ >+  ++ #99 ..... ....@ 999(9999(901746733273#7##"&&7332673#"&` y|dDzL\qs y.>?R4NhB?V#D'{#1Dda3?ST>3aK--&2+ +33$/* +0/ +3/ֱ++'+'-+++4+6>~+ ....@ 99-'$99 90*9901467332673#"&4>32#"&732654&#" ݖnj)١;#;N-Np"+ >+  ++ #99 ..... ....@ 99)9&,2$99992,!9901746733273#7##"&4>32#"&732654&#"` y|dDzL\q!~+ ....@ $999 901467332673#"&73373 ݖnj)١;۰-j4VH`w +3+ +333!/ֱ 2 + ++!+/!+"+6>+ >+  ++ #99 ..... ....@ 999999999 99901746733273#7##"&333` y|dDzL\qTϺϻ#D'{#1Dd&++F;,+33"/ -/ֱ+%3!++.+6>~+ ....@"*99 999"9 %99901467332673327#"&54>7. ݖnj)١HdRqb+ -'f+N`!3=-j4VHT'y3#%qKH)PJ=`V+ )+ ++333/ ,/ֱ 2 + +++-+6>+ >+  >+ ++ #99 ..... .....@ )999$%&$99)999 $%99901746733273327#"&54>?##"&` y|dfw+!'''f+H\)=H!L\q#D'{#1)sA!#c"HG/YK<Dd (p+3+ 33)/ֱ +@ ++!+ 2*+99  !($9"&'$999901333>733>73!467#73#'#! -^+1 'R'?!Վ^;PmoojPojFMNN'采!)j!+3+ 33*/ֱ++  +++!9 ")$9 #'(999!9990133>733>73!4&5#!3#'#7!3F7THJJHHJJHHNNH)ױo+ 3+ 3/ֱ   /+6>+   .. ..@990133>73#73#'#L -R/ddՎ^;NNNL^采b#<+3/ $/ֱ %+ 999 9901726?33>73#"&3#'#bE#'Bv)@ #H#/`k}KL}TeV=DGHHR^4)ױ'+ 3+ 3/%32(/ְ2 2    /+")+6>+    ..@ 99990133>73#4632#"&%4632#"&L -R/ddI5)P+ ..+++ +>x+ + +,+, #9 9 9 ,....@  ,...........@& 99)99013#?3!!3>32#"&'#32>54&#"-##X1HSXhLu#+_!U/?vX3RF;:i sl9LiLBuB9I}\baHI`*d+$ */ /+/ֱ**+,+* 99$)$9*$9  99901467!6454&#"'>32#".632>7!{}^<`NՅuu;nmv@JoCHoVLHmAJ3H\N}Jdi79m\9J^(+& / 3  22/ )/*+6=3F+  ! +  +!!+ !+ !....  !........@&99  9990173267#?37>32.#"3##"&VB1Jb/{!#+;Þ+Z)F5#>1'+!E\{P/\  %=R+#Tj>wq).k+" +* //ֱ'+ '+!+0+'999  99 9*"9999014>32>54'7#".732>54&#"whgTb v?Dgq}AㅇXuCZrD+=R;)5;4\JхNёjtkF.i+" +* //ֱ'+ '+!+0+'99 99 9*"9999014>32>54'7#".732>54&#"F`ghTL` wX`iTb5ZX;oV3ZV;qV3^- P<#"85Vj_:jfs|G}`s{H{N" + +3#/ֱ++!+$+6>~+ ........@ 999 901467332673>54'7#"& ݖnj)uPf ;-j4VHU9#%75Z>`#+3!+ +33$/ֱ 2 + +!++!+%+6>+ >+  >+ ++ #99 ...... ......@ !99999 99901746733273>54'7#7##"&` y|d[Hb kL\q#D'{#1 P;!%75:\fDd#?+3+ +/ֱ+999 901#!#!!'.'#3373#wK V1\5^;y!hnohH+#+ + 3+ + 3+ ,/ֱ + !+-+6>.+   .. ...@ $%+$9  &(*$9 999 9014>32373#7##"&73267.#"3373#HZhJ{#+ɴ HVPFB>R#X/?xZ5VVjLAuJZojM]B9L箮B  T+3+3 /ֱ+ +6>+ @9 $901333373#B _^;- Y+3+3 /ֱ+/ +6>v+ @9 9990133 3373#-`Vw#+N+ + ,/ֱ+ -+$(*$9 )9 99014>32#".732>54&#"3373#whq}Bgq}AㅇXuCZrD^+NсNёjtk뇇F!)N + + */ֱ+++ "%($9&999014>32#".732>54&#"3373#F`g`hTb5ZX;oV3ZV;qV3V^۾_:jfs|G}`s{H{Ӯ+ +33/ֱ++ +6>~+ ....@ $99 901467332673#"&3373# ݖnj)١;^-j4VHƇ` +3+ +333!/ֱ 2 + ++!+/!+"+6>+ >+  ++ #99 ..... ....@ 999 999$9 99901746733273#7##"&3373#` y|dDzL\qbV#D'{#1DdOZ"&2+ +33 /03 *2#/$ +3/ֱ++'+2-2-'+4+6>~+ ..@ #$$9 901467332673#"&4632#"&7!4632#"& ݖnj)١;B3)1B3'3@B5%5C3'4-j4VHA-L1)/L1qq-L1)/L1`s$(4+3+ +333"/23 ,2%/& +5/ֱ 2 + +++!+/!+) /6+6>+ >+  ++ #99 ..... ....@ 99%&999999901746733273#7##"&4632#"&7!4632#"&` y|dDzL\q7F/)1D3)/PE1'/C1'1#D'{#1Dd5H/'5J3+qq5H/'5J3"&2+ +33 /03 *23/ֱ++'+2-2-'+4+6>~+ ..@ #999-'$&99 901467332673#"&4632#"&?34632#"& ݖnj)١;C3'3A5'3 ?6'3B3)1-j4VHA-L1)/L1-L1)/L1`$(4+3+ +333"/23 ,25/ֱ 2 + +++!+/!+) /6+6>+ >+  ++ #99 ..... ....@ 99%99&(999 99901746733273#7##"&4632#"&?34632#"&` y|dDzL\q7F/)1D3)/E1'/C1'1#D'{#1Dd5H/'5J35H/'5J3"*6+ +33 /43 .27/ֱ++++2121++8+6>~+ ..@ #999+$&*9991')99 901467332673#"&4632#"&3373#4632#"& ݖnj)١;C3'3A5'3CZӖ?6'3B3)1-j4VHA-L1)/L1χ-L1)/L1`$,8&+3+ +333"/63 029/ֱ 2 + +++!+/!+- 3:+6>+ >+  ++ #99 ..... ....@ 99%9&,999'(+$93-)9 99901746733273#7##"&4632#"&3373#4632#"&` y|dDzL\q7F/)1D3)/e\E1'/C1'1#D'{#1Dd5H/'5J3{{5H/'5J3"&2+ +33 /03 *23/ֱ++'+2-2-'+4+6>~+ ..@ #999'$&99-%9 901467332673#"&4632#"&3#4632#"& ݖnj)١;C3'3A5'3Oꁲ`?6'3B3)1-j4VHA-L1)/L1-L1)/L1`$(4+3+ +333"/23 ,25/ֱ 2 + +++!+/!+'2) /6+6>+ >+  ++ #99 ..... ....@ 99%99&(999 99901746733273#7##"&4632#"&3#4632#"&` y|dDzL\q7F/)1D3)/w}FE1'/C1'1#D'{#1Dd5H/'5J35H/'5J3u#+z!+ + ! +3 2,/ֱ-+6>+ . ......@99  990146$32.#"3267#7!#"3373#uh }5'fJmF#N{X9^#B#yJ{^1q\u=GotTg7#<;O'}B /7+3++ / /$8/ֱ!9+6>b+ .(''(...'(....@!9 9+999017326?##"&54>32373#"&3267.#"3373#b9Ns!1HZXfJy ++`OB;32327#"&54>7&32>54&#"whq}BD}qb+!-'f+Na#4=ㅇXuCZrD+NсӢ1-y5#%qKH-TH7$jtkFV%5d+1 / 6/ֱ&&++&.+ 7+&9.#)1$991 )$9014>32327#"&54>7.732>54&#"F`gRd9AqXha+!&''f+H\'5:ZX;oV3ZV;qV3^7ib}ɚp%+{/!#c"GH/VF3 ˺s|G}`s{H{9-T+;)+ + ;/, +32.#"#"&>54&'7;chXJXsDy^yH3Tbk\NbaFm|\`+ ;R^7^{D{R`l_?T-V5wPm=mX9OoFBO/V9uZs@s< // TB>9L/I3-=)++=/. +>/ ֱ1 +8++$?+1  45999)98 99 999$9).5899 $$9901'732654&'.54>32.#"#".>54&'7 1yCHhV^ds:dLb;{'^;FZ1=!qn;kV/d_Re\`+ ;R^7^{DjBEL7/D57\DtR/R=u'7I6(%!;\JwT-1H) // TB>9L/I;v+3+22/ +/ֱ2 + /+6>+ ..@ 999017!!#>54&'7%%\`+ ;R^7^{D' // TB>9L/fI,%+ +3 ,2 +@ ++/ +-/(ְ+22(+ +.+6>/+ +.,+..,..@(9999 %99% 99"9!(9901>54&'7?33#3267#"&5467f\`+ ;R^7^{D P5#f6?-)%jFyg // TB>9L/  %#77 h9ZY+3/ /ֱ+6>e+   .. ..@9901732673#"&E'47;6PpL3RVV8J\3;$,+3+, +!3 +$2%  +% -/ֱ) .+6>s+ .,.,++ ,+!,+$,+%,+@  !$%,..........@99%  99,901?!2#!32654&+!!32654+/Pk=mXw7Hͤ}#Vmh \=iR<qwm3m͍\prybH+# + 3+ + 3+ $/ֱ + !+%+6>.+   .. ...@ $9  $9 999 9014>32373#7##"&73267.#"HZhJ{#+ɴ HVPFB>R#X/?xZ5VjLAuJZojM]B9L3%r+ +$ +$ &/ִ!++'+ 99 #$99$ 9 99 901467!6&#"'>32#".73267!3e uf5o3BN^abXyL#%?/\%F Z;w)')1Ӎ[:d@%D1/B /+3++ / /$0/ֱ!1+6>b+ .(''(...'(....@!9 9+999017326?##"&54>32373#"&3267.#"b9Ns!1HZXfJy ++`OB;/ִ++++22 + 22 ++/++6>+ ..>+ . . >p+ +  + +>s+ ++>p+ + #999  9@ .............. ....@99990133>32#>54#"d-%/n>VJ TNJH`X)<\R/\TgBV / + +@ +/ /ִ + *++ 99 9901732673#"&4632#"&m4'% ki!;L=+#8>+#7n 77%b}m';)))9)dh / 3 /ִ+++/++6>+ ......@99  990133>32.#"d)a;%5 /T)Tj5D 7A\RZ/3+ 22/ִ++ ++999 99 999013373373#5##JJټHZZe3 3/ +2/ ִ ++ 99017326?3373#"&15Hv-X732#"&1VqA'hm 5HKB;HRlNe-7:59TXD?+/ +/ִ + + ++01>7#"&54632hm 5HNA;F1Vr@-8959UYORlNZ 2/ +/ +/ִ ++ 9017>54LHG/7h]ZZF1'3X^Jb\ 2 / +/ +/ִ++ 9014633&HI/7h_bZE2'3X`+/3+/ִ+ +9013#'#T)ױ+/+2/ִ+ +9013373#ΒVb/ +/ֱ+013;\bvX!/  /ִ++017!Ǒ /+/ִ ++013) /+/ִ ++013#u\Nu/ +/ֱ+013\>w&/ +/ 3/ִ++01&7332673#"& y.>?R4NhB?Va3?ST>3aK--5G ( / /ִ++ +014632#"&5X;1NV=1N;U<7=R;VL / +/ +/ִ++++ 9999014>32#"&732654&#"!733267#"&&323273#".#"!tD-;/-!-)wuE-+ ......@9 99014673327#"& .?:'  v @3 w'm%/ +/ +(/ ִ++"+)+  %99999"99%9 "$9901732654&'.54>32.#"#"&3\%V/1:7@;R'AZ4Fp+LK.+3D-BO{FV%1/%+"#V@-P7!8$a+/#-#VDbs@&/ 3+2/+990133?3#/#){-'D\3+Jkb9{nbrh)o/+/ִ +013#)uN/+/ִ +013N)'/3+/ִ+9013#'#-T)ױN)/3 + 2/ִ +01>323273#".#"=!tD-;/-!-)wuE-?R4NhB?Va3?ST>3aK--w $ / /ִ++014632#"&wX;1NV=1N;U<7=R;+ + /32/ֱ +014632#"&%4632#"&)L5+;L5-9mK6-9L5-9 5P717L515P717L5o. / +/ +/ ִ+ 9017'>54&+x+Lf: 9D?qrR?3L5#^%'"9VH / +/ +/ִ+++ 9999014>32#"&732654&#"9!7#"&54632?F!3B/-5n;+1%554'7Pf +X\T/NW=/N;T;7=S<XB + /32/ֱ +014632#"&%4632#"&E:)9F9+7lH9);H9);1U6/1T5/1U6/1T59\/ +/ִ +01>54&'7\`+ ;R^7^{D // TB>9L/F^$/ +/ִ + 901>54&'73Pl+9oF'59`D 51'j:/7P6Vw)/ /ִ+9 9014>733267#"&&+ >S+ .........@9  901?!#327#".7!#m%u 9)?P+ sդ٣; /3 +H^6M;u #/ / $/ִ+ + +%+6>+  .  .... ...@ $9  99999 99014>32373#7##"&7326?.#"u=eE/J~ /r:Xh3')^)-6'K:$^{H1.Ne\3:}H@69+#2Qod $/ !/ %/ִ++ +&+6>+ .+$+$ #99$......$....@$9!999! 990133>32#"&'#732>54&#"d-%+h:Xh=eE/JH6'L9%3')Z)'3w`{F/-K)#/To=H@-6u L$/ / %/ִ++ +  + +&+6>+  . .     + + #9 9 ...... ...@ $9 999 9 99014>323?3#7##"&7326?.#"u=eE/J+ /r:Xh3')^)-6'K:$^{H/)L\3:}H@69+#2Qos $p/ +/ +"/ +%/ִ++ +&+$9  99999" 9014>32!3267#"&!>54&#"sAiC=U3 jZP%A!11u;{-;5m)\l>)FZ1-P\^h# /HZ= // + /$ +/ 0/ִ!+1+6>-+ '('(....'(....@!99 9$9+999017326?##"&54>32373#"&326?.#"=D)b6D[1h+ .. >p+  + +  #99 ...... ..@ 9901333#dwr}!+"zfh)W%/3 2% +@% +)$2*/ִ+)++/)++++222+2++/+++6>+ )(>+ ">+ ++>e+  "+!"+ " #9!9@  (!".......... (!".....@9%99 9 99% 990133>32>32#>54#"#>54#"f 1n>JA 9s>VG RMFT-XM LT-X^/@F31HZV)4a#P43BT61Bs F / /  /ִ+++!+ 9999014>32#"&732>54&#"s?iEq?kFo87+J787+J7bn>bn>FP/Pk=HN/Pk-$/ !/ %/ִ++++ +&+6>+ .$ $ >+ $+$+$ #99$......$...@9!$999! 990133>32#"&'#32>54&#"- 1f:Xh=eE-L )^2'L=%3')Z)N+4w`{F/-)%1Rq=H@-6 Bhf/ +  +/3 2 +@ +/ְ2 ++ 999 99901?33#3267#"&5467f5"?DI#dR?9w  L s cI&1  /ְ2 +222 ++ ++++/3++6>s+ ..++......@ 999901467332673#7##"&TPH'M1Y3o?VL+qR25e^/@Z  3 /+2 /ִ+ + 9 9013373#!_\es </ / /ִ++9  9999014>32&#"3267#"&s9fT;^\);/P:!P8%94mAqRyJ/#`14Qg3PNd+{/3 2/ +/ִ++6>s+ .++++..........@9 9 901#?>32.#"3#{lV\xjFA3 %Nlu Jh#qsH3 7/ +/  /ִ+ +99017!7!!3|2X\>}B}; )+3+)/ !  +!*/ֱ% ++6>W+ .).) )+!)+ !)......@ 9! 99)9013!2#7!32654&+732654&+B /Pk=mYwp˦{;?mV= ~msi1 {\k{gNU-(++ +% / /3)/ֱ"+ *+6>`+ ++(+( #999(....(.....@999"%$99% 901333>32#"&'#7!32>54&#"-#H1HTZhLu#+C!U/?xZ7QF;99LkLBuvB9KbohHIBI; !u +3 +3 /"/ִ++#+6>+ ..  ....@ 9013! #'32>54&+4632#"&B +iqIRV>/NW=/N;qT甴3;T;7=S<HI!0+ 3+% +, / / 31/ֱ""++"+ !+  + 2+6>+  (( ( +)( +)( #9 9 ()... ()...@%99,99  $9%9,99 99014>32373#7##"&4632#"&3267.#"HZhJs!Fݴ HVV>/NW=/NPFB@R#X/?xZ5VjJ;dZJZ;T;7=S<ojM]B9LB; g +3 +3 / /ֱ+6>+ ......@9013! #7!32>54&+B +iUqIR;qT甴H(+ 3+ +$ / / 3)/ֱ+ !+  + *+6>+    +! +! #9 9 !... !...@99$$9  $99$99 99014>32373#7##"&7!3267.#"HZhJs!Fݴ HVTPFB@R#X/?xZ5VjJ;dZJZojM]B9LBg p+ + + / /+6>s+ ..   + + ......@013!!!!!7!%73B %H%2V5%;\˓D(,0{++& + )/* 1/ֱ#+ !+2+9#@ )*-0$9  ,.$999& 9014>32!3267#".!>54&#"7!73D`bXyL#!  Db95o)R=mZj;H\\FZ9eNBzPrJ#2+@:l+Jpu^#'!+ + ! +3 2$/% (/ֱ)+6>+ . ......@99  990146$32.#"3267#7!#"7!uh }5'fJmF#N{X9^#B#yJ{1q\u=GotTg7#<;O'BX /3+3++ / /$0/1 4/ֱ!5+6>b+ .(''(...'(....@!9 9$9+99017326?##"&54>32373#"&3267.#"7!b9Ns!1HZXfJy ++`OB;+ >~+  ++ +  + ....@990133!3#!4632#"&B ol{w^V>/NW=/N;\;T;7=S<-I&+333+$//3'/ֱ+!2+/+2  +/(+6>+ >I+ ++++ #9999...........@99$9999 9901333>32#>54#"4632#"&-#X'N\o { 5yP V>/NW=/NVBZ{#A)^#1JRR;T;7=S<BX; + 333+333/ + +@ +2  + 3 2/ֱ  + ++++6>+ >~+  ++ +  + ....@99990133!3#!&7332673#"&B ol{w y/=?S3NhB?W;\`3?RT=3`L---X,.+333+*/! +!* +@!% +2/3-/ִ+ /++2  +/.+6>+ >I+ ++++ #9999...........@!*$9$9%999 9901333>32#>54#"&7332673#"&-#X'N\o { 5yPN y/=?S3NhB?WVBZ{#A)^#1JRR`3?RT=3`L--B; + 33+33 / /ֱ  ++6>+ >+  + +  #99 .. ..@  999 9013333 # 7!B yJ-T;^Z-/ + 33+ / /3/ֱ  ++6>+ >u+  + +  #99 .. ..@  99 99 9013333#7!-#۶kݬ1wsQBIZ;f++3/ /ֱ 2+/+6>+ ..@ 990133!4632#"&B %V>/NW=/N;;T;7=S<I+ + //3 /ִ+   /32 +@ ++!+6>s+ ..@  9999 9014632#"&4733267#"&#V>/NW=/Nu# =)XR;T;7=S</<F+ VBIZ^ m++3/ / /ֱ2 + /+6>+ ..@ 990133!7!4632#"&B %=V>/NW=/N;˓;T;7=S<I #+ //3 /! $/ִ+   /32 +@ ++%+6>s+ ..@  999!999014632#"&4733267#"&7!#V>/NW=/Nu# =)XR;T;7=S</<F+ VDBZ; L++3/  /ֱ +6>+ ..@0133!7!B %`;\++ / /3/ְ2  2  +@  + ++6>s+   ..@ 99999017!4733267#"&# =)XR/<F+ VB9;'A+ 333+33%/(/ֱ+"+" + )+6>+ + .>e+    + +>+  + ++ + #99 #9 9@   .........@   ............@9"9999013333#>7## #4632#"&B j'qц gn+ V>/NW=/N;c/mnk/u/^^};T;7=S<-I!,8g+!",$3++3(26/09/ִ!+,+/,"+!32!-+-/!+2+/:+6>+ ,+>w+ "%! >Q+ ++"#"%+$"%+#"% #9$999@  #+$%......... #+$%........@99!-(99" 0699999(9 99901333>32>32#>54#"#>54#"4632#"&-ɲ NR9R7ZR}q {z'{Nx y){L#V>/NW=/NDb1C)Vd{#A)^#1JRR^#1JRR;T;7=S<B + 3+ 3/ /ֱ++ + !+66S+   .... ....@99 99  901333>73##4632#"&B N yN yX<1NW=1N;hn`%mo;T=8=P9-%+333++#/&/ִ!++/+2  +/ ++/ +'+6>+ >I+  ++ #99 ..... ....@99 99#99 99901333>32#>54#"4632#"&-ɲ P`o { 5yPRX;1NV=1NDb{#A)^#1JRR;U<7=R;B9 ;+ 3+ 3/ /ֱ++ + !+66S+   .... ....@999  9901333>73##4632#"&B N yN yuV>/NW=/N;hn`%mo;T;7=S<-I%+333++#/&/ֱ+ + !+ +2  +/'+6>+ >I+  ++ #99 ..... ....@#99999 99901333>32#>54#"4632#"&-ɲ P`o { 5yPV>/NW=/NDb{#A)^#1JRR;T;7=S<B ;{+ 3+ 3/ /ֱ + +66S+   .... ....@9  $901333>73## 7!B N yN y ;hn`%mo-+333++/ /ִ!++/+2  +/+6>+ >I+  ++ #99 ..... ....@99$9 99901333>32#>54#" 7!-ɲ P`o { 5yPsDb{#A)^#1JRRw#'+[+ + $/% ,/ֱ+ -+$%()+$9 &'*999 99014>32#".732>54&#"7!%73whq}Bgq}AㅇXuCZrD+NсNёjtk+F!%)Z + + "/# */ֱ+++ "#&$9$%')$999014>32#".732>54&#"7!73F`g`hTb5ZX;oV3ZV;qV3^۾_:jfs|G}`s{H{ޑB9;&+ 33+& / + '/ֱ++"+(+6>+ &&+&+&....@9" 99 9 9&9013!2##4632#"&32654&+B `uA7bPhIV>/NW=/ND;"P}X^sN;T;7=S<LbTI9  +3 +3+ //ִ+   / +!++6>+ ..@  9999 999014632#"&33>32.#"V>/NW=/NLɲ;\;)I2H=w;T;7=S<{^} ouB9^&*+ 33+& / + '/( +/ֱ++"+,+6>+ &&+&+&....@'(999" 99 )*999 9&9013!2##4632#"&32654&+7!B `uA7bPhIV>/NW=/ND;"P}X^sN;T;7=S<LbT@INX ! +3 +3+ // "/ִ+   / +!+#+6>+ ..@  99$9 999014632#"&33>32.#"7!V>/NW=/NLɲ;\;)I2H=w*;T;7=S<{^} ouǑB;+ 33+ /  + /ֱ+ +6>+ ++....@99 $9 9 99013!2## 7!32654&+B `uA7bPh8Ū;"P}X^sN0bT`9+3+ 3 + / /ִ!++/+6>+ ..@$9999017!33>32.#"ɲ;\;)I2H=w_^} ou-+7)+ + 5//8/ֱ+$$2 ,+,/2+9+ 9, )999 5$92!"/999$9$$901?32654&/.54>32.#"#"&4632#"&;chXJXsDy^yH3Tbk\NbaFmX<1NW=1N{R`l_?T-V5wPm=mX9OoFBO/V9uZs@s;T=8=P93-9)++7/1:/ ֱ.+4+4$ /$;+  )99. 99 999417999 $$9901'732654&'.54>32.#"#".4632#"& 1yCHhV^ds:dLb;{'^;FZ1=!qn;kV/d_RX;1NV=1NjBEL7/D57\DtR/R=u'7I6(%!;\JwT-1H;U<7=R;9-T+7z)+ + 5//8/ֱ, 2++$9+, /5$92)99  $9$!99$$901?32654&/.54>32.#"#"&4632#"&;chXJXsDy^yH3Tbk\NbaFmV>/NW=/N{R`l_?T-V5wPm=mX9OoFBO/V9uZs@sR;T;7=S<I3-9|)++7/1:/.ִ4+ 4+$;+. )17$94 99 999$9 $$9901'732654&'.54>32.#"#".4632#"& 1yCHhV^ds:dLb;{'^;FZ1=!qn;kV/d_RV>/NW=/NjBEL7/D57\DtR/R=u'7I6(%!;\JwT-1H?;T;7=S<I;t+3+22/ /ֱ +/++6>+ ..@ 99017!!#4632#"&%%V>/NW=/N=;T;7=S<mI(+ +3 2 +@ ++&/ )/ְ2  2 #+*+6>/+ .  ....@9  &999#9999901?33#3267#"&54674632#"&m P5#f6?-)%jFygcV>/NW=/N?  %#77 h9};T;7=S<n; Q + 3+ 22/  / ֱ  +6>+   ..@017!7!!#nF%%޼ + +3 2 +@  ++/ !/ְ2 2"+6>/+ .    .. ..@999 99017!?33#3267#"&5467W P5#f6?-)%jFyg  %#77 h9 $n+3+ 33%/ֱ +@ ++!+ 2&+99  !$9"$$999901333>733>73!467# 3#! -^+1 'R'?! ;PmoojPojFMNN'!%g!+3+ 33&/ֱ++  +'+!9 "999 #%99!9990133>733>73!4&5#!3#7!3F7uHJJHHJJHHNNH $n+3+ 33%/ֱ +@ ++!+ 2&+99  !$9"$$999901333>733>73!467# 73! -^+1 'R'?!{;PmoojPojFMNN'!%k!+3+ 33&/ֱ++  +'+!9 "999 %9#9!9990133>733>73!4&5#!37!3F7HJJHHJJHHNNH) ,8+3+ 33*/63$029/ֱ +@ ++!+ 2'+!!/'-+3:+! 99' 999999901333>733>73!467#4632#"&%4632#"&! -^+1 'R'?!I5)733>73!4&5#!4632#"&%4632#"&7!3F7L5+;L5-9mK6-9L5-9HJJHHJJHHNNH 5P717L515P717L5+ 3+ 3//ֱ   / +++6>+   .. ..@ 99990133>73#4632#"&L -R/ddX<1NW=1N;NNNL^';T=8=P9b'[+3/ %/(/ֱ  +"+)+ 99"99 9901726?33>73#"&4632#"&bE#'Bv)@ #H#/`k}KL!X;1NV=1NeV=DGHHR^4;U<7=R;9b; K++/ / ִ++ 9999901#7!7!!4632#"&%As'wV>/NW=/N;T;7=S<I K++ / / ִ++ 9999901#7!7!!4632#"&Vg"#V>/NW=/N}¯?;T;7=S<m%(4+ +3 2 +@ ++&/23 ,25/ְ2  2 # )+/6+6>/+ .  ....@9  &999#99)$9/99999901?33#3267#"&54674632#"&%4632#"&m P5#f6?-)%jFyg)L5+;L5-9mK6-9L5-9?  %#77 h95P717L515P717L5B`,+,3+ (/ -/ֱ,, + 2.+6>+ ,++..+..@ , #$($9%99( 999013>32#"&'732>54&'7.#"BX{XwP ϋ=m]oC'jN)J7! 1]{"whL+\e5uVl@TT5H :N-F-VVI;c+3+/  +/ִ+++99$99901#!#!4632#"&!'.'#wKV>/NW=/NwV1\5;y;T;7=S<hnohHI+ / + 3+$ + 3++ /0/ֱ!!++! + !+1+6>.+ ( '( '(.. '(...@!$$9 +99  $9$9+ 999014>32373#7##"&4632#"&3267.#"HZhJ{#+ɴ HVV>/NW=/NPFB>R#X/?xZ5VjLAuJZ;T;7=S<ojM]B9L!c+3+ +/ +/ +"/ֱ +#+9 9901#!#!!'.'#7'>54&wK V1\5v-z+Ng9 9B<;y!hnohuT;3L6" \('$H+#3 + 3+ + 3+ -/. +$/% +4/ֱ1+(+(  !+ / !+5+6>.+   .. ...@ $%-.$9199  99( 9 9999$.(9014>32373#7##"&73267.#"7'>54&HZhJ{#+ɴ HVPFB>R#X/?xZ5++x+Lf: 9D?VjLAuJZojM]B9LrR?3L5#^%'"C+3+ +/ֱ2+$9 901#!#!!'.'#73#'#%73wK V1\5.㽍Zb;y!hnohyyH#+/ + 3+ + 3+ 0/ֱ + !+1+6>.+   .. ...@ $%+$9  &(*$9 999 9014>32373#7##"&73267.#"73#'#%73HZhJ{#+ɴ HVPFB>R#X/?xZ5{רoNGVjLAuJZojM]B9LC+3+ +/ֱ2+$9 901#!#!!'.'#73#'#3#wK V1\5.㽍Z-T;y!hnohyynHo#+/ + 3+ + 3+ 0/ֱ + !+1+6>.+   .. ...@ $%+$9  &(*$9 999 9014>32373#7##"&73267.#"73#'#3#HZhJ{#+ɴ HVPFB>R#X/?xZ5{רoN1\VjLAuJZojM]B9L{F'+3+ +!/" +/ +(/ֱ2%++)+!"$9 9!$9"9999901#!#!!'.'#73#'#7'>54&wK V1\5.㽍Z`'fh 135;y!hnohyyCaH5\WN )#HV#+; + 3+ + 3+ ,/- +.+   .. ...@ $%+$9  &(*$99 ',-56$9 9999, $%05$9014>32373#7##"&73267.#"73#'#7'>54&HZhJ{#+ɴ HVPFB>R#X/?xZ5{רoNV%l%AZ33.4VjLAuJZojM]B9LabH71F/ P'#!M/j+3+ +-/ +$2"-+( +20/ֱ21+ $($9 9(9901#!#!!'.'#73#'#>323273#".#"wK V1\5.㽍ZkoA!5/)5'fp?#3-);!;y!hnohyy%do%]do#ZH+#+C + 3+ + 3+ ;/,34 +@4;+/ +72D/ֱ + !+E+6>.+   .. ...@ @ $%+,/@$9 @ &(*24;>$9 9999; $%99014>32373#7##"&73267.#"73#'#>3232673#".#"HZhJ{#+ɴ HVPFB>R#X/?xZ5iz^ij<%3+'1gm;%3)'/VjLAuJZojM]B9L{{#bk +)bk!+)I%l+3+/  +&/ִ++'+999#%$9 "999901#!#!4632#"&!'.'#73#'#wKV>/NW=/NwV1\5FՎ^;y;T;7=S<hnoh采HI+ /7 + 3+$ + 3++ /8/ֱ!!++! + !+9+6>.+ ( '( '(.. '(...@!$07$9 +1999  246$9$9+ 999014>32373#7##"&4632#"&3267.#"3#'#HZhJ{#+ɴ HVV>/NW=/NPFB>R#X/?xZ5bTVjLAuJZ;T;7=S<ojM]B9L)ױN#y+3+ +/ + +@ +2$/ִ++%+9  $9!#$9 901#!#!!'.'#332673#"&?3wK V1\5n@9;Xp}sf;y!hnoh;@D7`FH+`#59 + 3+ + 3+ 3/* +&/-3:/ֱ&+'+' + !+;+6>.+   .. ...@&%999'(9 36$9  *79$9 9999014>32373#7##"&73267.#"&7332673#"&?3HZhJ{#+ɴ HVPFB>R#X/?xZ5 g;HB_m4PhB?VlVjLAuJZojM]B9L=a3FTVD3aK--N#{+3+ +/ + +@ +2$/ִ++%+ 99 #$9!"$9 901#!#!!'.'#332673#"&3#wK V1\5n@9;Xp}sfmAt;y!hnoh;@D7`'H+`#59 + 3+ + 3+ 3/* +&/-3:/ֱ&+'+' + !+;+6>.+   .. ...@&%999'(699 39$9  *78$9 9999014>32373#7##"&73267.#"&7332673#"&3#HZhJ{#+ɴ HVPFB>R#X/?xZ5 g;HB_m4PhB?V-EsVjLAuJZojM]B9L=a3FTVD3aK---+3+ +/ + +@ +2'/( + /! +./ִ+++2$+/+9@   !'($9$99 9 ($901#!#!!'.'#332673#"&7'>54&wK V1\5n@9;Xp}sf%gj115;y!hnoh;@D7`#`F5\XN )#H+#5C + 3+ + 3+ 3/* +&/-36/7 +D/ֱ&+'+'A+:+:  !+ / !+E+6>.+   .. ...@&%999'(9 367=>$9  *$9 9999&*=96:>99014>32373#7##"&73267.#"&7332673#"&7'>54&HZhJ{#+ɴ HVPFB>R#X/?xZ5 g;HB_m4PhB?Vr%gi/+/VjLAuJZojM]B9L=a3FTVD3aK--dH5bVT%#M'5+3+ +3/, +,3 +@,0 +(2%/ +2%+ +26/(ִ)+)+7+)('99 #%,3$9 /$9 901#!#!!'.'#>323273#".#"332673#"&wK V1\5 oA!5/)5'fp?#3-);!^n@9;Xp}sf;y!hnohdo%]do#Z@;@D7`H+#;M + 3+ + 3+ I/@ +@I +@@D +<23/$3, +8,3+' +/2N/ֱ<+$2=+= + !+O+6>.+   .. ...@<99=;9 '8I$9 @ *,36@$9 9999014>32373#7##"&73267.#">3232673#".#"332673#".HZhJ{#+ɴ HVPFB>R#X/?xZ5j<%3+'1gm;%3)'/ce;DB]h 3Li?BS1VjLAuJZojM]B9Lbk +)bk!+)71FH/+RA''ARI/+3+/  ++/" +"+ +@"& +20/ִ++++1+ $99"+$9%99901#!#!4632#"&!'.'#332673#".wKV>/NW=/NwV1\5y59;J}2Ga?9R4;y;T;7=S<hnoh1CE/1T?%%?VHI+ /A + 3+$ + 3++ /?/6 +2/93B/ֱ!!++!2+3+3 + !+C+6>.+ ( '( '(.. '(...@$1999 3+?999  69$9$9+ 999014>32373#7##"&4632#"&3267.#"&7332673#"&HZhJ{#+ɴ HVV>/NW=/NPFB>R#X/?xZ5 y.>?R4NhB?VVjLAuJZ;T;7=S<ojM]B9L=a3?ST>3aK--BIL; z+ +/ +/ ִ++6>s+ ..   + + ......@013!!!!!4632#"&B %H%2V5%V>/NW=/N;\;T;7=S<DI*4++2(/"+ ++ 5/ֱ+%+/+ !+6+9%"(+$9/,2$9  999992+ 9014>32!3267#".4632#"&!>54&#"D`bXyL#!  Db95o)R=mZj;V>/NW=/N-H\\Z9eNBzPrJ#2+@:l;T;7=S<+JpBL + + +/ + / +/ִ++6>s+ ..   + + ......@ $9 9013!!!!!7'>54&B %H%2V5%-z+Ng9 9B<;\uT;3L6" \('$D(8++& + 2/3 +)/* +9/ֱ#+ !+6 -+:+96@ &)*23$9# 9- 9999& 9)3-9014>32!3267#".!>54&#"7'>54&D`bXyL#!  Db95o)R=mZj;H\\+x+Lf: 9D?Z9eNBzPrJ#2+@:l+JprR?3L5#^%'"BL !+ + +/ 2+ 2"/#+6>s+ ..   + + ......@013!!!!!>323273#".#"B %H%2V5%X|H)9//7%wzH+90-9&;\o!'!eo!' dD(>++& + 7/)31 <17+, 32?/ֱ#+ !+@+9#)/:$9  137$999& 9014>32!3267#".!>54&#">323273#".#"D`bXyL#!  Db95o)R=mZj;H\\!tD-;/-!-)wuE-s+ ..   + + ......@013!!!!!73#'#%73B %H%2V5%}㽍Zb;\yyD(04z++& + 5/ֱ#+ !+6+9#)*.$9  +,-1$9999& 9014>32!3267#".!>54&#"73#'#%73D`bXyL#!  Db95o)R=mZj;H\\;רoNGZ9eNBzPrJ#2+@:l+JpB i+ + +/+6>s+ ..   + + ......@013!!!!!73#'#3#B %H%2V5%}㽍Z-T;\yynDT(04z++& + 5/ֱ#+ !+6+9#)*.$9  +,-1$9999& 9014>32!3267#".!>54&#"73#'#3#D`bXyL#!  Db95o)R=mZj;H\\;רoN1\Z9eNBzPrJ#2+@:l+Jp{BF !+ + +/ +/ +"/ ִ+#+6>s+ ..   + + ......@ $999 999013!!!!!73#'#'7'>54B %H%2V5%}㽍ZH'fh 13;\yy?aH5\WN )#DV(0@++& + 1/2 +A/ֱ#+ !+ >+5+B+9#)*.$9 @ +,-12:;$999& 91)*5:$9014>32!3267#".!>54&#"73#'#7'>54&D`bXyL#!  Db95o)R=mZj;H\\;רoNV%l%AZ33.4Z9eNBzPrJ#2+@:l+JpabH71F/ P'#!B\ )+ + +'/ +2'+" +2*/++6>s+ ..   + + ......@" 99013!!!!!73#'#>323273#".#"B %H%2V5%}㽍ZkoA!5/)5'fp?#3-);!;\yy%do%]do#ZD(0H++& + @/139 +E9@+4 +<2I/ֱ#+ !+J+9#@ )*.14C$9  +,-7<@$999& 9@)*99014>32!3267#".!>54&#"73#'#>3232673#".#"D`bXyL#!  Db95o)R=mZj;H\\)z^ij<%3+'1gm;%3)'/Z9eNBzPrJ#2+@:l+Jp{{#bk +)bk!+)BIL + +/ + / ִ+!+6>s+ ..   + + ......@ 9013!!!!!4632#"&73#'#B %H%2V5%V>/NW=/NՎ^;\;T;7=S<采DI*4<++2(/"+ ++ =/ֱ+%+/+ !+>+9%"(+5$9/,26:<$9  789$99992+ 9014>32!3267#".4632#"&!>54&#"3#'#D`bXyL#!  Db95o)R=mZj;V>/NW=/N-H\\#TZ9eNBzPrJ#2+@:l;T;7=S<+Jp)ױBw+3+3 / +/ +/ֱ+2+++6>+ @ 999901337'>54&B .-z+Ng9 9B<;uT;3L6" \('$-{|+3+3 / +/ +/ֱ+/ +++6>v+ @ $9901337'>54&-8+x+Lf: 9D?qrR?3L5#^%'"C); f +3 +3 //ִ+   / ++6>+ @  99014632#"&3 V>/NW=/NL ;T;7=S<;I- y +3 +3 ///ִ+   / + ++6>v+ @99014632#"&34632#"&V>/NW=/NJV=/NV=/N;T;7=S<{;U<7=R;wIT#/a+ + -/'0/ֱ$+*+*+ 1+*$9999 99014>32#".732>54&#"4632#"&whq}Bgq}AㅇXuCZrD-V>/NW=/N+NсNёjtk;T;7=S<FI-c +! +) /./ֱ++&+/+ !$9&)99)!99014>32#".4632#"&32>54&#"F`g`hTb5V>/NW=/NTZX;oV3ZV;qV3^۾_:j;T;7=S<s|G}`s{H{w#3u+ + -/. +$/% +4/ֱ1+(+( + 5+1$%-.$9 99$.(9014>32#".732>54&#"7'>54&whq}Bgq}AㅇXuCZrD-z+Ng9 9B<+NсNёjtkuT;3L6" \('$F!1s + + +/, +"/# +2/ֱ+/ &+3+/ "#+,$999",&9014>32#".732>54&#"7'>54&F`g`hTb5ZX;oV3ZV;qV37+x+Lf: 9D?^۾_:jfs|G}`s{H{rR?3L5#^%'"w#+/S+ + 0/ֱ+ 1+$&($9 ',-/$9 99014>32#".732>54&#"73#'#%73whq}Bgq}AㅇXuCZrD㽍Zb+NсNёjtkyyF!)-S + + ./ֱ+/+ "#'$9$%&*$999014>32#".732>54&#"73#'#%73F`g`hTb5ZX;oV3ZV;qV3רoNG^۾_:jfs|G}`s{H{w#+/S+ + 0/ֱ+ 1+$&(,$9 '-/999 99014>32#".732>54&#"73#'#3#whq}Bgq}AㅇXuCZrD㽍Z-T+NсNёjtkyynFs!)-S + + ./ֱ+/+ "#'$9$%&*$999014>32#".732>54&#"73#'#3#F`g`hTb5ZX;oV3ZV;qV3רoN1\^۾_:jfs|G}`s{H{{wGF#+9+ + 3/4 +,/- +:/ֱ+ 7 +0+;+$&($97',-34$9 993$'(+$94*)99,&%0999014>32#".732>54&#"73#'#7'>54&whq}Bgq}AㅇXuCZrD㽍Z`'fh 135+NсNёjtkyyCaH5\WN )#FV!)9{ + + */+ +:/ֱ+7+.+;+ "#'$9$%&*+34$999*"#.3$9014>32#".732>54&#"73#'#7'>54&F`g`hTb5ZX;oV3ZV;qV3רoNV%l%AZ33.4^۾_:jfs|G}`s{H{abH71F/ P'#!w#+A|+ + ?// +624/?+: +,2B/ֱ+ C+$&(,4:$9 '67999 99:$%99014>32#".732>54&#"73#'#>323273#".#"whq}Bgq}AㅇXuCZrD㽍ZkoA!5/)5'fp?#3-);!+NсNёjtkyy%do%]do#ZF!)A + + 9/*32 +>29+- +52B/ֱ+C+ "#'*-<$9$%&059$9999"#99014>32#".732>54&#"73#'#>3232673#".#"F`g`hTb5ZX;oV3ZV;qV3uz^ij<%3+'1gm;%3)'/^۾_:jfs|G}`s{H{{{#bk +)bk!+)wI#/7n+ + -/'8/ֱ$+*+*+ 9+*$09991247$9 39 99014>32#".732>54&#"4632#"&73#'#whq}Bgq}AㅇXuCZrD-V>/NW=/NՎ^+NсNёjtk;T;7=S<采FI-5r +! +) /6/ֱ++&+7+ !.$9&)/35$9012999)!99014>32#".4632#"&32>54&#"3#'#F`g`hTb5V>/NW=/NTZX;oV3ZV;qV3nT^۾_:j;T;7=S<s|G}`s{H{)ױwq.2p+" +* 3/ֱ'+ '+!+4+'/02$9  1999 9*"9999014>32>54'7#".732>54&#"73whgTb v?Dgq}AㅇXuCZrDN+=R;)5;4\JхNёjtkF.2o+" +* 3/ֱ'+ '+!+4+'/02$9 1999 9*"9999014>32>54'7#".732>54&#"3F`ghTL` wX`iTb5ZX;oV3ZV;qV3^- P<#"85Vj_:jfs|G}`s{H{)wq.2m+" +* 3/ֱ'+ '+!+4+'/1$9  99 9*"9999014>32>54'7#".732>54&#"3#whgTb v?Dgq}AㅇXuCZrD+=R;)5;4\JхNёjtkF.2o+" +* 3/ֱ'+ '+!+4+'/02$9 1999 9*"9999014>32>54'7#".732>54&#"3#F`ghTL` wX`iTb5ZX;oV3ZV;qV3u^- P<#"85Vj_:jfs|G}`s{H{wq.>+" +* 8/9 +//0 +?/ֱ<+3+3'+ '+!+@+<"*/089$9'39 99*"999998 99/ 3999014>32>54'7#".732>54&#"7'>54&whgTb v?Dgq}AㅇXuCZrDb-z+Ng9 9B<+=R;)5;4\JхNёjtkuT;3L6" \('$F.>+" +* 8/9 +//0 +?/ֱ'+< 3+ '+!+@+<"*/089$939'9*"99998 99 99/ 399014>32>54'7#".732>54&#"7'>54&F`ghTL` wX`iTb5ZX;oV3ZV;qV3+x+Lf: 9D?^- P<#"85Vj_:jfs|G}`s{H{rR?3L5#^%'"wq.D+" +* B/2 9272B+= /2E/ֱ'+ '+!+F+'/9=$9  :999 9*"99997=  999014>32>54'7#".732>54&#">323273#".#"whgTb v?Dgq}AㅇXuCZrD|H)9//7%wzH+90-9&+=R;)5;4\JхNёjtko!'!eo!' dF.D+" +* =//37 B7=+2 92E/ֱ'+ '+!+F+'/5@$9 79=$9 :99*"9999= 997 99014>32>54'7#".732>54&#">323273#".#"F`ghTL` wX`iTb5ZX;oV3ZV;qV3B!tD-;/-!-)wuE-32>54'7#".732>54&#"4632#"&whgTb v?Dgq}AㅇXuCZrD)V>/NW=/N+=R;)5;4\JхNёjtk;T;7=S<FI*:}+. +6 (/";/ֱ+++%++3+ 3+!+<+%.993699996.9999014>32>54'7#".4632#"&32>54&#"F`ghTL` wX`iTb5V>/NW=/NVZX;oV3ZV;qV3^- P<#"85Vj_:j;T;7=S<s|G}`s{H{I;"+ +33 /#/ֱ+ ++$+6>~+ ....@ 99 99 901467332673#"&4632#"& ݖnj)١;V>/NW=/N-j4VH;T;7=S<`?$+3+ +333"/%/ֱ 2 + + ++!+/!+&+6>+ >+  ++ #99 ..... ....@ "$999 99901746733273#7##"&4632#"&` y|dDzL\qV>/NW=/N#D'{#1DdE;T;7=S<&+ +33 /! +/ +'/ֱ+$+++(+6>~+ ....@$  !$9 9!901467332673#"&7'>54& ݖnj)١;*-z+Ng9 9B<-j4VHuT;3L6" \('$`( +3+ +333"/# +/ +)/ֱ 2 + ++&+&/+ !+/!+*+6>+ >+  ++ #99 ..... ....@ 99"#$99999#901746733273#7##"&7'>54&` y|dDzL\q+x+Lf: 9D?#D'{#1DdrR?3L5#^%'""& + +3'/ֱ++!+(+6>~+ ........@ #%$99 901467332673>54'7#"&73 ݖnj)uPf ;-j4VHU9#%75Z>`#'+3!+ +33(/ֱ 2 + +!++!+)+6>+ >+  >+ ++ #99 ...... ......@ !99$99%'999&99 99901746733273>54'7#7##"&3` y|d[Hb kL\q#D'{#1 P;!%75:\fDd&)"& + +3'/ֱ++!+(+6>~+ ........@ #%$99 901467332673>54'7#"&3# ݖnj)uPf ;-j4VHU9#%75Z>`#'+3!+ +33(/ֱ 2 + +!++!+)+6>+ >+  >+ ++ #99 ...... ......@ !99$'999%&9999 99901746733273>54'7#7##"&3#` y|d[Hb kL\q{u#D'{#1 P;!%75:\fDdO"2 + +3,/- +#/$ +3/ֱ+0+'+'+!+4+6>~+ ........@0 #$,-$9 9- 99#'99901467332673>54'7#"&7'>54& ݖnj)uPf ;$-z+Ng9 9B<-j4VHU9#%75Z>uT;3L6" \('$`#3C+3!+ +33-/. +$/% +4/ֱ 2 + 1+(+( !+/!+(+!+5+6>+ >+  >+ ++ #99 ...... ......@ !99$%-.$99(9999.-999$(9901746733273>54'7#7##"&7'>54&` y|d[Hb kL\q+x+Lf: 9D?#D'{#1 P;!%75:\fDdrR?3L5#^%'""8 + +36/& -2+&6+1 #29/ֱ++!+:+6>~+ ........@#9 &.8$99 96 99+9&901467332673>54'7#"&>323273#".#" ݖnj)uPf ;\|H)9//7%wzH+90-9&-j4VHU9#%75Z>o!'!eo!' d`#91+3!+ +332/$3, 7,2+' .2:/ֱ 2 + +!++!+;+6>+ >+  >+ ++ #99 ...... ......@ !$999'59$9*,2$9./999999299,9901746733273>54'7#7##"&>323273#".#"` y|d[Hb kL\q!tD-;/-!-)wuE-~+ ........@&,99)# 99 901467332673>54'7#"&4632#"& ݖnj)uPf ;V>/NW=/N-j4VHU9#%75Z>;T;7=S<`?#/+3!+ +33-/'0/ֱ 2 +$ *+ +!++!+1+6>+ >+  >+ ++ #99 ...... ......@ !'-$9*999 99901746733273>54'7#7##"&4632#"&` y|d[Hb kL\qV>/NW=/N#D'{#1 P;!%75:\fDdE;T;7=S<o+ 3+ 3/ֱ   /+6>+   .. ..@ 990133>73#3#L -R/dd#;NNNL^b:+3/  /ֱ !+ 99 9901726?33>73#"&3#bE#'Bv)@ #H#/`k}KLueV=DGHHR^4E9;+ 3+ 3//ֱ   +/+ +6>+   .. ..@9990133>73#4632#"&L -R/ddV>/NW=/N;NNNL^;T;7=S<9'h+3/ %+(/ֱ  +"+)+ 99"9"9999 9901726?33>73#"&%4632#"&bE#'Bv)@ #H#/`k}KL8V>/NW=/NeV=DGHHR^45;T;7=S<+ 3+ 3/ +/ + /ֱ   / ++!+6>+   .. ..@ $9990133>73#7'>54&L -R/dd-z+Ng9 9B<;NNNL^uT;3L6" \('$b+j+3/ %/& +/ +,/ֱ  )+ +-+ 9)%&$9 99& 901726?33>73#"&7'>54&bE#'Bv)@ #H#/`k}KLF+x+Lf: 9D?eV=DGHHR^4rR?3L5#^%'"%+ 3+ 3#/ 2#+ 2&/ֱ   /'+6>+   .. ..@9 %990133>73#>323273#".#"L -R/dd"|H)9//7%wzH+90-9&;NNNL^o!'!eo!' db1M+3/ */3$ /$*+ &22/ֱ 3+ 99 9901726?33>73#"&>323273#".#"bE#'Bv)@ #H#/`k}KLm!tD-;/-!-)wuE-732#"&1VqA'hm 5HKB;HRlNe-7:59TXD?+/ +/ִ + + ++01>7#"&54632hm 5HNA;F1Vr@-8959UYORlNZ+/ +/ִ + + ++01>7#"&54632hm 5HNA;F1Vr@-8959UYORlN'y%Q/#3 2&/ִ + + + ++ + +'+ 99014>732#"&%4>732#"&1VqA'hm 5HKB;H1VqA'hm 5HKB;HRlNe-7:59TXPRlNe-7:59TXD%Q/3 2&/ִ + + + + + + +'+  9901>7#"&54632%>7#"&54632hm 5HNA;F1Vr@dhm 5HNA;F1Vr@-8959UYORlNd-8959UYORlN%Q/3 2&/ִ + + + + + + +'+  9901>7#"&54632%>7#"&54632hm 5HNA;F1Vr@bhm 5HNA;F1Vr@-8959UYORlNd-8959UYORlN\ 0/32 / ִ !+ + $90173%%#%#7R+#նTi\/3 2/ 3 2/+6??6+  >.+    ...... ......@99 9901?73%% %%#"'2O#%7P+#3N-%3NCDT PR5. /++/ִ + ++014>32#"&R%Ec=\}%Ec=^{5iR3g5hR3/T +-33+%22 ++0/ִ+++ +(+1+0174>32#"&%4>32#"&%4>32#"&/=%7@+?%7B/=%7@+?%7B/=%7@+?%7Bf!@1J7!@1H7!@1J7!@1H7!@1J7!@1Hu b#';K_o7+$[33? c2/ G/k3- Q2/ %2p/ִ++ + (+<+<D+2+2L+`+`h+V+q+$'$9D<%-7&$9h`[Q99?(232#".732>54&#"3 4>32#".732>54&#"4>32#".732>54&#"u5bZ;bH'5cX;eE'7?1L88?1L7Շ+5bZ;cE'5bX;cE'9?/N89?/N8G6bZ;cF'6bX;cF'9@/N7:?/N7PdZ/RwEfZ/TuNVhAoJVhAmGy@dZ/RvFf[0SuNVhAoJVhAmPdZ/RvFf[0SuNVhAoJVhAm'R /+/ִ ++013ӨR'Z' /3+2 / +01333ӨRR'ZZR/ִ ++017R=H\'N;3/ִ ++01773^;B;ŤL`3LՇ+ylR#H+ / $/ִ++ +%+99 99014>32#".732>54&#"5b[;bH'5cX;eE'8?1L78?1L7dZ/RvFf[0SuNVhAoJVhAmd| / /ִ+++/+  *++6>+ ..  ....@ 99013 4632#"&d=+#8>+#7e\';)))9); / 33 + 22 +@ +2 +@  +2/ ִ++6>+  ++  + +>+ +  #9 .. .......@ 99 901733##7'3?#`vu''7LXpplJ"E+ / +/ #/ ִ+$+ $99901732>54&#"'!!>32#"&nR@7-E8%?#;l12b}3Xs?hN1;+;%=D< }lDqR-_lR*o!+ '/ + / +/ִ+$++,+$ $999'!999 99014>32.#">32#".732654&#"HtRT\?-X!^5fs1Rj:;bF)J51R:3#P"LJCXf!-y`FqP-0QuHfRZI5<''-s 0/  /ְ 2++ 99017!#67-+Z}X91ZXb9l+*5/# +3/ +6/ִ + +++ &++ 0+0/+7++ 99&#).3$993# ).$9014>?.54>32#"&732654&'674&#"!5D##--Jd8h\<+:1Rq?uD1;TR9ygA3b:)1CA+H>1N/3T> l\Lo!S>5Z@%yo3BF99<=)/?FG/4:l-*o+ /! +(/ +/ ִ+$++,+ 99$ $99 9!9( 990173267#"&54>32#"326754&#"\?-X#\5fs1Rj:9dF)FtR83#P"I61Pg!-y`FpP-/RtFLJD'5;''fRZL/ִ ++  9014>7.#KuRm{)/jja6TL3XwL/ִ ++ 901654&'7wz)0#LuRJTK6Xom`d /ִ+++/++222 + 22 ++/++6>+ .>+ . . >+   +  +++  #9@   ............ ..@9990133>32#>54#"d 3pBVJ TNHH`X^/@\R-\TgB^#F/ / $/ִ++ +%+99 99014>32#".732>54&#"-5b[;bH'5cX;eE'8?1L78?1L73dZ/RvFf[0SuNVhAoJVhAmp R/ 3 + / ִ+ +6>+  .  ... ..@017>73#p)?8/{ib-F/ / /ִ++999  999 9017>54&#"'>32!Luo57<%I#\=}Pu`Psf13:1#b;FviwՁ/*b(/ / +/ +/ִ#+ +,+ 9 #999  999901732654H>54&#"'>32#"&LnP9BVVo?T192)E+FByGhXV?B/Tm=hN1;?;5Hi'3)3n+#jZNq^6=^@#_G / 33 + 22 +@ +2 +@  +2/ ִ++6>+  ++  + +>+ +  #9 .. .......@ 99 901733##7'3?#D`vu''7XppV"C / / +/ #/ ִ+$+ $99901732>54&#"'!!>32#"&LnR@7-E8%?#;l12b}3Xs?hN1;+;%=D< }lDqR-_^*m/" (/ + / +/ִ+%++,+% $999("999 99014>32.#">32#".732654&#"HtRT\?-X!^5fs1Rj:;bF)J51R:3#P7LJCXf!-y`FqP-0QuVfRZI5<'9 0/  /ְ 2++ 99017!#679+Z}X919ZXb97*5/# +3/ +6/ִ + +++ &++ 0+0/+7++ 99&#).3$993# ).$9014>?.54>32#"&732654&'674&#"4!5D##--Jd8h\<+:1Rq?uD1;TR9ygA3b:)1C+H>1N/3T> l\Lo!S>5Z@%yo3BF99<=)/?FG/4:9*m/ /! +(/ +/ ִ+$++,+ 99$ $99 9!9( 990173267#"&54>32#"326754&#"D\?-X#\5fs1Rj:9dF)FtR83#P"I61Pg!-y`FpP-/RtFLJD'5;''fRZm/ִ ++  9014>7.#KuRm{)/uja6TL3X%m/ִ ++ 901654&'7}z)0#LuR/JTK6Xom`m $p/ +"/ +/ +%/ִ+++&+ 99 !$9"9 99 901467!6&#"'>32#".73267!m ND'=%/5q;sAk?=U3/=5k+VbVf!\n<'DZ)/FXVyJ%-4/5/ֱ&!&+"+"/!+&++++ + +6+6=+ ".."!!!=+ . .!  !=+ ""+!!+  +  + + + + +! !+"#"+("+)"+!.!+0 +1 +!4!+#" #9(9)99 !9.9499 90919 9 999 9@  !"#().014........................@  #().014................@9 99014>?373&'>7#7&'#.7&+y\v@T@7(ETP/H7g-hX^@V@/+HVVVX' DpP-b%/3%3ߴ0 X5d+%X;)NI=ܨyTTwi! ;0+.+  +'3 +)2!$ + 3! + 21/ְ 2 $*22 &   /33&2+ 99  -.9999!9990137>7#?3.'#?&454>32.#"!!!#!sFxaj4#O:bGF< 5ok ;l jyAbJt3;v74 wP?  #!%*.+33/+.$3 +()$2/ &*$3 + #$2 +@ + 222//ְ2+ + +20+6>+  p+ .$,>+ .  ,+. . +  + + +$$+ ++$$+h+ $+$+#$+&,+k+ ',+(,+.). +*. ++,+', #9$9$',....@  #$&'()*+,...........................@999 "$901?#?3333#3####73/#73#373 fFcgcB`ey\IY^#V uT ^u``3Bo=e%Pu/+3#"+3/ /33  22"/ 2#/ֱ+ $+6>+ "++"+"+"+"+"........@99 9013#?!23#+3267!7!4&++CPb7uodXLb7o!1kh8FR%LyTXV({hcd\;qf .+ +/$*/ /33 +22 +@ +//ִ!*+!++0+6?8+ .(" (+ (+(+(++ ( #9 9 (.....@ (.........@! $$9'9$9*90137!4>32?!7!733#7##"&73267&";pLyHDN3Bu=<1Z585O)SF+uumzD1)Tvl V/32.#"!!!!3267#"'%k dh%yaq/G>s/"yj=k/kk F;j sGpVi9Du?!w=/+B#%+1+3/ %/33& +22+/33, +221/ 2/ֱ-+'23+6>_+ 1+++1+ 1+%1+&1++1+,1+@  %&+,1...........@999- $999013#?#?!23#3#+3267!7!>7!7!.++5J|_= qiy!fNJ`}9V);fP8VrV ?cEa7`FfD!#oA>`7a=7Z''/3 2(/ֱ$+#+#++)+6>+ $..$#>7+ . $$+##+"#+$%$+%$ #99"#99@ "#$%.........."%........@#9999014>?3.#"3267#7!#7&Z\y)'Tq'I<\sBso-M?$kq;b)+߰)iGi9Dh򋠶"55X y1$+ + /%/ֱ++++&+6>+ ..>l+ ++++++>l+ + + #9 9999@  ......... ........@99 999014>?3.'>7#7&7y^y%'Rj)5%3Y(i))HGL}Z1߸6߃ nHd-=! 7){!q## T+/ /3 +2 /  +!/ֱ"+ 99990173267!?!.+7!!3##"##j^ i%-/}r!qil P>w!fBv-^/ֱ+*++6>s+ .++ + +++ #9999 9 9@  .......... ........@ 9  $901??3%%>?'^H9VTVRkA˪sفJJJmۉJ:bV-D<#,+)/-/ ֱ'+ !+.+6>+ $,$,....$,....@'$9 99)  #$90167>323267#".7654#"hafTnDox!:"?i-{p8tt)F^<;5W)RyP ss}DT;'4=+ ++# +*+)3= +53* +5 +35 +@34 +(2>/ִ+(+4+49+-+-+ +?+6>+ ()4=34=+54=+)35=....@94#$95399= -9990146$32#".732>54.#"!2+32654&+DnwǑPowƒOl32.#"#"&33?3#?###NbE)/+ ..@99 9 99017!##33?3#?###dbB|-J}1JPI 1ᇇ՛y7T+h+3 2 +" ,/ֱ''+-+'9 *+$999*99"'$901#735.546$323!7>54&#" /Poo}A?ex8!Rg7b}FVD;ևsFqЪ/;q[D1H 2t+ + +@ ++, +#  +# +3/ִ+!2&+  +4+&999 99# 9014>$32!"32673#"$.%3!254'.#"q si T克Vkf԰q  VV mm  `m}i{m yZgm\  `97+3 + 37 + +)"7 +)   / +2:/ ִ + +2+ ,+;+6>+  .   .. ..@ 9@ "&)7$9/992999/9"%,99)&90137>73#732654H>54&#"'>32#"&Շ+)?8/{nP9BVVo?T192)E+FByGhXV?B/Tm=hyibN1;?;5Hi'3)3n+#jZNq^6=^@#_b`GE+3! '/( +/ 0/7 / 2H/ִ+$+@+- :+I+99$'(047E$9-=9@9'!@999(=9-3:$9749  999017>54&#"'>32! 3%732654H>54&#"'>32#"&buo57<%I#\=}PuՇ+nP9BVVo?T192)E+FByGhXV?B/Tm=h)`Psf13:1#b;FviwՁyN1;?;5Hi'3)3n+#jZNq^6=^@#_` .9D,+ 32 ++3B, + + / + 2E/ ִ++/+/+:+/5+'+' ?+?/ +F+6>+  .  .. ..@9:995,2 8=B$9'# 99B2 '8=$9017>73#3%4>?.54>32#"&732654&'674&#")?8/{Շ+'!5D##--Jd8h\<+:1Rq?uD1;TR9ygA3b:)1Cib\y+H>1N/3T> l\Lo!S>5Z@%yo3BF99<=)/?FG/4:J`*.NYdL++3R + + +(L + =bL += +/ ,2e/ִ#+ +#/+O+8O/+Z+OU+G+G@ _+_/@+f+Z84599U=LR,X]b$9GC-99(R/5CGX]$98@Z999b9=#999  99901732654H>54&#"'>32#"&3%4>?.54>32#"&732654&'674&#"JnP9BVVo?T192)E+FByGhXV?B/Tm=hՇ+!5D##--Jd8h\<+:1Rq?uD1;TR9ygA3b:)1CN1;?;5Hi'3)3n+#jZNq^6=^@#_xy+H>1N/3T> l\Lo!S>5Z@%yo3BF99<=)/?FG/4:V`"&FQ\D+#3J ++ D + 5ZD +5 + D + +]/ ִ+'+G+0G'+R+GM+?+?8 W+W/8+^+'99R0,-99M5DJ$PUZ$9?;%99 J'-;?PU$908R999Z95 99 999901732>54&#"'!!>32#"&3%4>?.54>32#"&732654&'674&#"VnR@7-E8%?#;l12b}3Xs?hՇ+!5D##--Jd8h\<+:1Rq?uD1;TR9ygA3b:)1CN1;+;%=D< }lDqR-_xy+H>1N/3T> l\Lo!S>5Z@%yo3BF99<=)/?FG/4:` 0;F.+ 34 ++ D. + +G/ִ1+1+<+17+)+)" A+A/"+H+<997.4:?D$9)%99D4 "):?$99017!#67 3%4>?.54>32#"&732654&'674&#"+Z}X91Շ+1!5D##--Jd8h\<+:1Rq?uD1;TR9ygA3b:)1CZXb9+y+H>1N/3T> l\Lo!S>5Z@%yo3BF99<=)/?FG/4:'' /  / +99015!!'hJ^h !wu99  /ִ!+ +99013#9! ui^I'' /  / +99015!7''Hii]Vw uV99  /ִ!+ + 990173#9wVVu iG\i5!X"4_+( 0/ / 5/ֱ## +6+ #-$90(99  9999014>32654&#"'>32#".732>7.#"5D}jb1bo1e$]FV+RwbDz\8+?)5cVG!l[?fH'3^_\Pt}+3>oӸP.Vxg!?27\}HBf<`w#;*++/+99 901#7!%!.'#A7/\5H2hnoh B/3 2/ֱ+++/ +@ + +6>q+ >+ ......@01!#!6 L Z ./ //+ 999017 7!! !fBu%)hbV//+015!beVL`3LՇ+y8. /++/ִ+++014>32#"&/=%7@+?%7B!@1J7!@1HsHX %373#sEL 3r{فb`@N)%1=e/5 )25!;/ / >/ִ&+&8++?+8&!,2$9;  $9014>323>32#"&'##".73267.#"32654&#"N1X{J=fTDNvNc99cL}\APa7HtT/`NHt/5{ANZMHY\jraNN`7%;H%h5gXVl<{y#G<%6`?JjeGNia%fw{Z^ukjR&$//'/(+6?p+    +  +++  #9 999 ........ ........@0173267>7>32.#"#"&;- !RP:\bH&+ )PT;]`5˟swfJswhHV#)+P + +)//$/,/-+ 999$'+999901>32327#".#">32327#".#"V;E9[PK)T>r;F9ZPL)T=s;E9[PK)T>r;F9ZPL)T=j[4?3wLj[3@3wj[4?3wLj[3@3wbs&/3 2/ 3 2/+015!!5!733!!!#7b?화q+՝^R  + /+015  5!^i yem/PPŠbR +/+0135!5-5-5be}i;PPѶBI+3/ +/ִ++6>+ ..@013!#B{yY+3/3 +2/ִ++6>x+ ..@99013#7!} y{-T/3 +/3/ִ++6>z+ ..@990133-oyoM/3 +2/3/ִ++6>+ ..@01733'oy zf;./ + +/ִ + ++01!f;A)=JN753)= +BLL/  / +9901753%!+  !B=mTd73mG mVd  /ִ+ +990173 mG #")3JB5!#)!=+3L?/  / +99015!# +!;{?!d53#!= !d  /ִ+ +990153# !Z= %EfJ /+/ִ++01 ))/P;'3d/ +1/+#/ +4/ִ+(+..+ +5+.(#$9+1 $9014>32#".732>54.#"4632#"&P;eNNd;;dNNe;})C[13ZD&&DZ31[C)J//II//JXf::fXXf88fX?eH%%Hd@?dF''Fd?9HH99HG\3 #37'#BDnusnnsuHH5++++/ִ+++011!` S+ + / /ִ+++ +99 99017!%!!stbnm W+ +/ /ִ + + +!+ 9  99  9 99017!>7%!&'7367!DDsBAusO>/Bh atJ<{5{FwdUT{5(_$/ +$ +@ +)/ִ+ 2 +@ +++*+999$90174>323'>54&'#".51VuD'C z/%DY83L }n8`N'J;#m3\F(;$1^cj>N31R5d#Z\/'>?{7367 &j' V r`V;TgI!s{j'j7 Q/ + / /ִ+++ +99 990177!%!!j{iGl/}YZ9M/ +/ִ++6>v+ .....@01!#}ט9qy9U/3 +2 +@ +2/ִ++6>v+ ..@017!#}1y9R/3 + +@ +2/ִ++6>+ ..@0133p y9S/3 +2/ִ++6>+ .....@01733PٕyR++'(+333+#333 &)*222/   ,/ֱ++(+'-+6>w+ +>+ ('"+++++((+'#'"+&'"+()(++*++"....@ "#&)*............@+9(9' 99 99 99013#?>32.#"!7>32.#"3##!R!!;d/I7#BQn9a+H6?M#ۨ? ` PVft PVz?R'+333+333 2/  %(/ֱ++/ "+)+6>+ >v+ ++++........@99 999%99 9 "999013#?>32.#"3#!34632#"&R!9b+J7=N#qV=/NV=/N? t PVz;U<7=R;R+ +&33)+" +3 2/3+ ,/ֱ+2 2  +@ % + +-+6>+ >s+ ++++..........@9999  )999"99 9013#?>32.#"3#%4733267#"&R!9b+J7=N## =)XR? t PVz/<F+ Vu#9!+ + ! +3 27/' .2,'7+2 $2:/ֱ;+6>+ . ......@99  990146$32.#"3267#7!#">323273#".#"uh }5'fJmF#N{X9^#B#yJ{|H)9//7%wzH+90-9&1q\u=GotTg7#<;O'o!'!eo!' dB /E+3++ / /$>/038 C8>+3 :2F/ֱ!G+6>b+ .(''(...'(....@!9 9$9+99017326?##"&54>32373#"&3267.#">323273#".#"b9Ns!1HZXfJy ++`OB;W+   .. ..@ 99999999014>7#3327#"&R'9@;^Z+#")'f+H\/VJ:/s;!#c"HR/+/3'+ +33 -.222 +@ +/ 0/ֱ//*+1+6>w+ />/+ -.,++//+./+,....@ ,-...........@/9*9 999'#9 9 9013#?>32.#"!33#3267#"&547!R!9`-J7=NEP6#f5@,)%kEy fŦ? t PVz %#77 h9>; S + 2+22 / +6>9+ ..  ....@01#73#7!#3'Ś''Ş'Ǻ9 S + 2+22/+6>9+ ..  ....@01#73#7!#33#'Ś''Ş'Ǻ9J S + 2+22/+6>9+ ..  ....@01#73#7!#373'Ś''Ş'Ǻ9% S + 2+22/+6>9+ ..  ....@01#73#7!#373#'#'Ś''Ş'Վ^Ǻ9采` !j + 2+22/ 2+ 2"/#+6>9+ ..  ....@01#73#7!#3>323273#".#"'Ś''Ş'|H)9//7%wzH+90-9&Ǻ9o!'!eo!' dA # + 2+22/!32$/ ֱ+%+6>9+ ..  ....@ 9 999901#73#7!#34632#"&%4632#"&'Ś''Ş'I5)9+ ..  ....@01#73#7!#37!'Ś''Ş'Ǻ9˓ n + 2+22// ִ++6>9+ ..  ....@  9901#73#7!#34632#"&'Ś''Ş'qX<1NW=1NǺ9;T=8=P9T S + 2+22/+6>9+ ..  ....@01#73#7!#33373#'Ś''Ş'^ӺǺ9  + 2+22/ + / +/ִ++6>9+ ..  ....@ 9 901#73#7!#37'>54&'Ś''Ş'm-z+Ng9 9B<Ǻ9uT;3L6" \('$A; n + 2+22// ִ++6>9+ ..  ....@ 9901#73#7!#34632#"&'Ś''Ş';V>/NW=/NǺ9;T;7=S<F; + 3 22+22/ !/ִ!+"+6>9+ ..  ....@9999901#73#7!#3#327#"&54>7'Ś''Ş'X`+ -%j)N`)9DǺ9+5#%mKH1ZN<7!++3+%+ ) + ,/ֱ""++!+/!+-+6?+ ()(+(..()....@"9  %$99  9990174>7674&#"'>32#7##".7326?7aPNB}GFV`p;R3\D)L<5j7674&#"'>32#7##".7326?3#7aPNB}GFV`p;R3\D)L<5j7674&#"'>32#7##".7326?37aPNB}GFV`p;R3\D)L<5j7674&#"'>32#7##".7326?3#'#7aPNB}GFV`p;R3\D)L<5j7674&#"'>32#7##".7326?>323273#".#"7aPNB}GFV`p;R3\D)L<5jE+6?+ ()(+(..()....@," 992 %9999;A99)999  9990174>7674&#"'>32#7##".7326?4632#"&%4632#"&7aPNB}GFV`p;R3\D)L<5j7674&#"'>32#7##".7326?7!7aPNB}GFV`p;R3\D)L<5j/ֱ"".+/+/++!+/!+?+6?+ ()(+(..()....@." %-$9/ 9992;99)999  9990174>7674&#"'>32#7##".7326?&7332673#"&7aPNB}GFV`p;R3\D)L<5j?R4NhB?Vm_-'\F+'-9BNo7Q!BZh=<85ra3?ST>3aK--7!+;G+3+%+ ) + 9/? +E/1 +H/ֱ"",+<+<++!+/!+B+4+I+6?+ ()(+(..()....@," %999< 99919?E$9B9)999  999E?4,990174>7674&#"'>32#7##".7326?4>32#"&732654&#"7aPNB}GFV`p;R3\D)L<5j7674&#"'>32#7##".7326?3373#7aPNB}GFV`p;R3\D)L<5j7674&#"'>32#7##".4632#"&326?7aPNB}GFV`p;R3\D)V>/NW=/NL<5j7674&#"'>32#7##".7326?7'>54&7aPNB}GFV`p;R3\D)L<5j7674&#"'>32#7##".7326?73#'#%737aPNB}GFV`p;R3\D)L<5j7674&#"'>32#7##".7326?73#'#3#7aPNB}GFV`p;R3\D)L<5j$9)999  9994,-8=$90174>7674&#"'>32#7##".7326?73#'#7'>54&7aPNB}GFV`p;R3\D)L<5j7674&#"'>32#7##".7326?73#'#>3232673#".#"7aPNB}GFV`p;R3\D)L<5j99919599  990174>7674&#"'>32#7##".4632#"&326?3#'#7aPNB}GFV`p;R3\D)V>/NW=/NL<5j$92;?A$9)999  9990174>7674&#"'>32#7##".7326?&7332673#"&?37aPNB}GFV`p;R3\D)L<5j99 9992;?@A$9)999  9990174>7674&#"'>32#7##".7326?&7332673#"&3#7aPNB}GFV`p;R3\D)L<5j/? +L/ֱ"".+/+/+I2B+B !+/F3!+M+6?+ ()(+(..()....@." %-$9/09 >$92;?E$9599)999  999.2E9>BF990174>7674&#"'>32#7##".7326?&7332673#"&7'>54&7aPNB}GFV`p;R3\D)L<5jHQ$9)999  9990174>7674&#"'>32#7##".7326?>3232673#".#"332673#".7aPNB}GFV`p;R3\D)L<5j +:/A3J/ֱ.".+(+.:+;+;++!+/!+K+6?+ 454+4..45....@(" 19$9;: 999>G9919599  9990174>7674&#"'>32#7##".4632#"&326?&7332673#"&7aPNB}GFV`p;R3\D)V>/NW=/NL<5j?R4NhB?Vm_-'\F+'-9BNo7Q!BZ;T;7=S<=<85ra3?ST>3aK--7V5?1+9++ $/ =1 + @/ֱ66'+++A+6?+ .<<=<+<..<=.....@69' 19999 $99,-.$9 !991 '9999,-99=9  990174>7674&#"'>323267#"&54>?##".7326?7aPNB}GFV`phv+!))e+H])=J ;R3\D)L<5j75.54675.54>32!##"'#".732>54&'&'32>54&#")'?P+ H;/d@p\?& FlhT#X^=rJub9cH)sd1H5+H?/N: J=/P9-N@3H)7d#)rHXo= ?Xh<2-+ )7L1XX+5_nHA+8#93  #)/LV+G]/NV+H\D%9KSc+_+5/= #/W d/ִ:*+: +T (!+T\+*+0 BB/0e+(  G999T5L99B@ %#,=+FMRSW_$90NPQ$9#= (0G$9W %999T\$9014>75.54675.54>32!##"'#".732>54&'&'3#'#32>54&#")'?P+ H;/d@p\?& FlhT#X^=rJub9cH)sd1H5+T}H?/N: J=/P9-N@3H)7d#)rHXo= ?Xh<2-+ )7L1XX+5_nHA+8#93  #)/)ױLV+G]/NV+H\D%9K[m+W+5/= #/O k/b +^/e3n/ִ:*+: +L (!+L^+_+_T+*+0 BB/0o+(  G999L59^=F%]$9_+EO#$9B,Wbk$90e99#= (0G$9O %999LT$9014>75.54675.54>32!##"'#".732>54&'&'32>54&#"&7332673#"&)'?P+ H;/d@p\?& FlhT#X^=rJub9cH)sd1H5+H?/N: J=/P9- y.>?R4NhB?V-N@3H)7d#)rHXo= ?Xh<2-+ )7L1XX+5_nHA+8#93  #)/LV+G]/NV+H\ta3?ST>3aK--D%9K[g+W+5/= #/O e/_h/ִ:*+: +L (!+LT+*+bT+\+\/b+0 BB/0i+(  G999L59\%=#FE$9b+,OW$9#= (0G$9O %999LT$9014>75.54675.54>32!##"'#".732>54&'&'32>54&#"4632#"&)'?P+ H;/d@p\?& FlhT#X^=rJub9cH)sd1H5+H?/N: J=/P9X;1NV=1N-N@3H)7d#)rHXo= ?Xh<2-+ )7L1XX+5_nHA+8#93  #)/LV+G]/NV+H\t;U<7=R;D%9K[k+W+5/= #/O b/a +l/ִ:*+: +L (!+L\+e+eT+*+0 BB/0m+(  G999L59\=%FE$9e#+,OW$90Babhi$9#= (0G$9O %999LT$9b\i99014>75.54675.54>32!##"'#".732>54&'&'32>54&#"4>7.)'?P+ H;/d@p\?& FlhT#X^=rJub9cH)sd1H5+H?/N: J=/P9m7_{C\`+!75.54675.54>32!##"'#".732>54&'&'32>54&#"3373#)'?P+ H;/d@p\?& FlhT#X^=rJub9cH)sd1H5+H?/N: J=/P9V-N@3H)7d#)rHXo= ?Xh<2-+ )7L1XX+5_nHA+8#93  #)/LV+G]/NV+H\D%X9KO_+[+5/= #/S L/M `/ִ:*+: +P (!+PX+*+N20 BB/0a+(  G999P5L99B@ %#,=+FMS[$909#= (0G$9S %999PX$9014>75.54675.54>32!##"'#".732>54&'&'7!32>54&#")'?P+ H;/d@p\?& FlhT#X^=rJub9cH)sd1H5+H?/N: J=/P9-N@3H)7d#)rHXo= ?Xh<2-+ )7L1XX+5_nHA+8#93  #)/RLV+G]/NV+H\D%9Kaq+m+5/= #/e Z/L3T _TZ+O V2r/ִ:*+: +b (!+bj+*+0 BB/0s+(  GL$9b59B@ %#,=+FO]aem$90RVZ$9#= (0G$9e %999bj$9014>75.54675.54>32!##"'#".732>54&'&'>323273#".#"32>54&#")'?P+ H;/d@p\?& FlhT#X^=rJub9cH)sd1H5+!tD-;/-!-)wuE-u+ @0133-#Z-J+3/3/ֱ+2 +6>u+ @99013373-#HZ-']+3/3 /ֱ+++ +6>u+ @9990133 3-#:ReZb-5e+3/ +/3/ֱ+ + +/+6>u+ @  990133 4>32#"&-# /=%7@+?%7BZ!@1J7!@1HI+i+3/ +/3/ִ +2 / ++6>u+ @9 9901>54&'73V\`+ ;R^7^{D{# // TB>9L/ZI+ d +3 / /3/ִ+   / ++6>u+ @  99014632#"&3%V>/NW=/NR#;T;7=S<{ZI s +3 / /3/ /ִ+   / ++6>u+ @  9999014632#"&37!%V>/NW=/NR#,;T;7=S<{ZZ+N+3/ /3/ֱ+ +6>u+ @99017! 3#_Z/j + 3+/3 / ֱ  + +6>+ >u+  +  + +  +  #99 99 .... ....@ 9 901?37#/'}f -NsZZ{R+333+3 2/3+ /ֱ+++6>+ >u+ ++++........@999 999 9 9013#?>32.#"3#!3R!9b+J7=N#q#? t PVzZR/#B+/$/ֱ+ %+99 99014>32#".732>54&#"RbnR^3`oT`3VXFb;VXHb;JAwi@wX} T+3/3 /3 /ֱ +6>b+ ..@9017>73#bB#2'#/E+ / /ֱ+999  999 901#76$>54&#"'>32! `RR;w>l\cNډ"¯ZPh=8NTf/,_*+ / / -/ֱ% .+!"99 %999 !"9999901'732654.#72>54&#"'>32#"V{#Re!q[$Z\oxm\bŊjmJkrH]}f/L7)AV+J\\B;}/'^`h8{$  +3/ 33  22/3/ ֱ+6>k+  ++  + +>+ + + +  #999 ....@  .........@ 9 9017!3##%!>7#$ DCF? $'L'R.R5BF;s4&g$+ //'/ ֱ(+6=+ .......@ $901'732>54&#"'!!>32#"&/b7gL/o`/-3!V%-X!G+J}\5VcrF])MoDmjFw+VVwHwh/"3f+&.// 4/ֱ##++5++#$9 99.&999 9 9014>32.#">32#".732>54&#"h_9_J9!T;D{fN?;Bw_Xd6iV3R;!VV-DK1=u375.54>32#".732>54.'>54&#"J/Pj<9:AoR?z^;l?iJ}ZFqEu\-VB''F^5Rki^=aXLNs;Fw^H9~NV^1%IsN; +gZd6)Rq^s9R7/L@73Zk1-\P`f/"3f+ /&//4/ֱ##,+5+#99,  $99 9& 9/9901?32>7#"&54>32#".32676454&#"T;D{fN=;BwaXd6a9]I<%XV-DiV3T;!u3;A}sDE^PCwe1>bo>V(}5TjH#B+/$/ֱ+ %+99 99014>32#".732>54&#"HGRZ2HTZ1QVBqT/RTDpT/=qb>qsqip-= V + 2/3  /+6>k+ .    . ....@0137!#7>733-%bA"4'G+ + /ֱ+999  999 901#76$>54&#"'>32!\\\;w=m\cX`4LӅ#ǨLNj?6NT1Z{JVkL-e++ + + + ./ֱ& /+"#99 &999 "#9999901'732654.#72>54&#"'>32#"&1/T{#N^oX'\X5x;j\bbkJf1sH^k/N7+DX/L\1-B=2)fbm9{d / 33  22 +@ + 2 +@  +2/ ֱ+6>+  ++  + +>+ + + +  #999 ....@  .........@ 9 901'733##%!>7# #DDRC#)J'NƪTV?H;s4L%g+# //&/ ֱ'+6=+ .......@ $901'732>54&#"'!!632#"&//c7dN-na/-3!V%-^FMJ\5Vc1qD^)NnDqrE!-ZXwGyh/"3f+&.// 4/ֱ##++5++#$9 99.&999 9 9014>32.#">32#".732>54&#"h_9_J9!T;D{fN?;Bw_Xd6iV3R;!VV-DK1=u375.54>32#".732>54.'>54&#"J/Pj<9:AoR?z^;l?iJ}ZFqEu\-VB''F^5Rki^=aXLNs;Fw^H9~NV^1%IsN; +gZd6)Rq^s9R7/L@73Zk1-\P`fN"3e+ + /&//4/ֱ##,+5+#99, $9 9&9/990173267#".54>32#".3267>54&#"!R;/B=FvX2D{dXd5`9^J:^V1GhV7ZB%s332#".732>54&#"HGRZ2HTZ1QVBqT/RTDpT/=qb>qsqipL+3/3  /ֱ +6>f+ ...@017>73#bAܽ4'dyG+ + /ֱ+999  999 901#7>54&#"'>32!ZRL;w=m\cPZ/J#ǨLNj?6NT1Z{JVkL-e++ + + + ./ֱ& /+"#99 &999 "#9999901'732654.#72>54&#"'>32#"&1/T{#N^oX'\X5x;j\bbkJf1sH^k/N7+DX/L\1-B=2)fbm9{d / 33  22 +@ + 2 +@  +2/ ֱ+6>+  ++  + +>+ + + +  #999 ....@  .........@ 9 901'733##%!>7# #DDRC#)J'NƪTV?H;s4L%g+# //&/ ֱ'+6=+ .......@ $901'732>54&#"'!!632#"&//c7dN-na/-3!V%-^FMJ\5Vc1qD^)NnDqrE!-ZXwGyh/"3f+&.// 4/ֱ##++5++#$9 99.&999 9 9014>32.#">32#".732>54&#"h_9_J9!T;D{fN?;Bw_Xd6iV3R;!VV-DK1=u375.54>32#".732>54.'>54&#"J/Pj<9:AoR?z^;l?iJ}ZFqEu\-VB''F^5Rki^=aXLNs;Fw^H9~NV^1%IsN; +gZd6)Rq^s9R7/L@73Zk1-\P`fN"3e+ + /&//4/ֱ##,+5+#99, $9 9&9/990173267#".54>32#".3267>54&#"!R;/B=FvX2D{dXd5`9^J:^V1GhV7ZB%s3: + ".M#$MNM"+NM" #9$MN..."#$MN.....@,G1;?B$9;>9J9Q ,6$9" 90146$32#"&'##"&54>3237332>54.#"3267#".%326?.#"-ِHBqRFb){<\7#"&54632dHT %5H1-7H91)77#"&54632HT %5H1-7 H91)732#".732>54&#"5b[;bH'5cX;eE'8?1L78?1L7'dZ/RvFf[0SuNVhAoJVhAm5 R +3/ 3 + / ִ+ +6>+  . ..@017>73#)?8/{bibu7H+ / /ִ++999  999 901#7>54&#"'>32!uo57<%I#\=}Pu`Psf13:1#b;FviwՁw7*d(+ / +/ +/ִ#+ +,+ 9 #999  999901'732654H>54&#"'>32#"&nP9BVVo?T192)E+FByGhXV?B/Tm=hN1;?;5Hi'3)3n+#jZNq^6=^@#_  +3/ 33 + 22 +@  +2/ ִ++6>+  ++  + +>+ +  #9 .. .......@ 99 901?33##7'3?#`vu''7Xpp"E + / +/ #/ ִ+$+ $99901'732>54&#"'!!>32#"&nR@7-E8%?#;l12b}3Xs?hN1;+;%=D< }lDqR-_)7*o+! '/ + / +/ִ+$++,+$ $999'!999 99014>32.#">32#".732654&#")HtRT\?-X!^5fs1Rj:;bF)J51R:3#P"#LJCXf!-y`FqP-0QuHfRZI5<'' 5 +/  /ְ 2++ 99017!#67+Z}X91ZXb97*5+# +3/ +6/ִ + +++ &++ 0+0/+7++ 99&#).3$993# ).$90174>?.54>32#"&732654&'674&#"!5D##--Jd8h\<+:1Rq?uD1;TR9ygA3b:)1C+H>1N/3T> l\Lo!S>5Z@%yo3BF99<=)/?FG/4:7*o+ /! +(/ +/ ִ+$++,+ 99$ $99 9!9( 9901?3267#"&54>32#"326754&#"\?-X#\5fs1Rj:9dF)FtR83#P"I61P?g!-y`FpP-/RtFLJD'5;''fRZPT/ִ ++  90174>7.P#KuRm{)/ja6TL3XTm/ִ ++ 901654&'75z)0#LuRwJTK6Xom` / + + + + /ֱ +01'4632#"&H5)1H5)1L5L5'7J3%/  +/ֱ + 901>7#"&54632HHT %5H1-7H91)732#".732>54&#"5b[;bH'5cX;eE'8?1L78?1L7PdZ/RvFf[0SuNVhAoJVhAm)H X+3/ 3 + / ִ+ +6>+  .  .. ..@017>73#)?8/{ibb)`F/ / /ִ++999  999 9017>54&#"'>32!buo57<%I#\=}Pu)`Psf13:1#b;FviwՁb`*d + +(/ / +/ִ#+ +,+ 9 #999  999901732654H>54&#"'>32#"&bnP9BVVo?T192)E+FByGhXV?B/Tm=hN1;?;5Hi'3)3n+#jZNq^6=^@#_j)H +3/ 33 + 22 +@ +2/ ִ++6>+  ++  + +>+ +  #9 .. .......@ 99 901733##7'3?#j`vu''7XppbH"E+ / / +#/ ִ+$+ $99901732>54&#"'!!>32#"&bnR@7-E8%?#;l12b}3Xs?hN1;+;%=D< }lDqR-_ `*m/! '/ + / +/ִ+$++,+$ $999'!999 99014>32.#">32#".732654&#"HtRT\?-X!^5fs1Rj:;bF)J51R:3#P"LLJCXf!-y`FqP-0QuHfRZI5<'')-H 2+  /ְ 2++ 99017!#67+Z}X91ZXb9z`*5/# +3/ +6/ִ + +++ &++ 0+0/+7++ 99&#).3$993# ).$9014>?.54>32#"&732654&'674&#"z!5D##--Jd8h\<+:1Rq?uD1;TR9ygA3b:)1C+H>1N/3T> l\Lo!S>5Z@%yo3BF99<=)/?FG/4:j`*m/ /! +(/ +/ ִ+$++,+ 99$ $99 9!9( 990173267#"&54>32#"326754&#"j\?-X#\5fs1Rj:9dF)FtR83#P"I61Phg!-y`FpP-/RtFLJD'5;''fRZ}X/ִ ++  9014>7.#KuRm{)/ja6TL3X1}/ִ ++ 901654&'71z)0#LuRJTK6Xom``7 ( / + + /ֱ +014632#"&`H5)1H5)1u5L5'7J31C%/  +/ֱ + 901>7#"&54632HT %5H1-7H91)77>54'"'>32#7##"&7326?BAqZg)P11;AmtJ%l5H`-#%H#{Hb@  fl'en2I%5Xm'%)!Hu$/ / %/ִ+ + +&+6>+  .   + +  #99 ...... ....@ 99  $99 9 99014>32373#?##"&7326?.#"u=eE/J~+6 /r:Xh3')^)-6'K:$^{H1.NPѠ3:}H@69+#2Qos#'u/ +/ +!/ +(/ִ++ +)+$%'$9  &999999! 9014>32!3267#"&!654&#"3#sAkC=U1 jXR%?#13r<{/97k>Pq1\l>)FZ1-P\_h#/HZs#'s/ +/ +!/ +(/ִ++ +)+$%'$9  99999! 9014>32!3267#"&!654&#"73sAkC=U1 jXR%?#13r<{/97k\1\l>)FZ1-P\_h#/HZ's  *|(/ +( +@( + / ++/ִ!+!++ '3+,+!9 $$9(9  999014>7>54'"'>32#7##"&7326?sAqZg)P11;AmtJ%l5H`-#%H#{Hb@  fl'en2I%5Xm'%)!H'2AO./6 +/D +K/ +  +P/ִB+3B++/3+ #+BI++) 9+9/)+Q+# ?999B.69999 &=DK$9)'996#)?$9D 999BI999014675.54675.54>323##"&'#".732654&'.'32>54#"'X92'!%-Lh<1+m# (Li?e?%VL1B;PhGB%#9V1%V0%;P /'?I19eJ+w,u  H@;V: #=N+'3)#!3f-;d-9dS/ִ++++6>p+ ......@013dFP`3PՇ+y o//ִ +013# {D//ִ +0173{$/3/ִ+90173#'#-Վ^采Z)/ 2+ 2/ִ +01>323273#".#"9|H)9//7%wzH+90-9&o!'!eo!' d!^/  /ִ+017!˓'#* / + +@ +2/ִ+01332673#".+y59;J}2Ga?9R41CE/1T?%%?V $ / /ִ++014632#"&X<1NW=1N;T=8=P9; + /32/ֱ +014632#"&%4632#"&I5)54&-z+Ng9 9B<uT;3L6" \('$PH / +/ +/ִ+++ 9999014>32#"&732654&#"P#;N-Np"54&'73Pl+9oF'59`D 51'j:/7P6 Fq)/ /ִ !+ 9 9014>73327#"&)>EN^+!-'g+N`1ZP>5}5#%qKs ; /3 2 / +/ֱ+ 99014632#"&7!4632#"&yF/)1D3)/PE1'/C1'15H/'5J3+qq5H/'5J3^Z ; /3 2 / +/ֱ+ 99014632#"&7!4632#"&B3)1B3'3@B5%5C3'4-L1)/L1qq-L1)/L1 ; /3 2/ֱ+ 99 9014632#"&?34632#"&yF/)1D3)/E1'/C1'15H/'5J35H/'5J3F 9 /3 2/ֱ+ 9 99014632#"&?34632#"&?C3'3A5'3 ?6'3B3)1-L1)/L1-L1)/L1 A /3 2 /ֱ+ 9 99999014632#"&3373#4632#"&yF/)1D3)/e\E1'/C1'15H/'5J3{{5H/'5J3P A /3 2 /ֱ+ 9 99999014632#"&3373#4632#"&?C3'3A5'3CZӖ?6'3B3)1-L1)/L1χ-L1)/L1 = /3 2/ֱ+ 9 999014632#"&3#4632#"&yF/)1D3)/w}FE1'/C1'15H/'5J35H/'5J3 = /3 2/ֱ+ 9 999014632#"&3#4632#"&?C3'3A5'3Oꁲ`?6'3B3)1-L1)/L1-L1)/L1 !/3  + / 9990173#'#%73qרoNG !/3  + / 9990173#'#%73R㽍ZbyyX !/3 + / 9990173#'#3#qרoN1\{} !/3 + / 9990173#'#3#R㽍Z-TyynV/ +/ִ +0173#'#7'>54&qרoNV%l%AZ33.4abH71F/ P'#!F:/ +/ +/ִ +99 9990173#'#7'>54&R㽍Z`'fh 135yyCaH5\WN )#}9/3 ++ +2 /ִ+990173#'#>3232673#".#"z^ij<%3+'1gm;%3)'/{{#bk +)bk!+);9/ +2 + +2/ִ+990173#'#>323273#".#"R㽍ZkoA!5/)5'fp?#3-);!yy%do%]do#Z`4/ +/ 3/ִ+99901&7332673#"&?3? g;HB_m4PhB?Vla3FTVD3aK--N * / + +@ +2/ִ+01332673#"&?3n@9;Xp}sf;@D7`F`6/ +/ 3/ִ+999901&7332673#"&3#? g;HB_m4PhB?V-Esa3FTVD3aK--N 2 / + +@ +2/ִ+901332673#"&3#n@9;Xp}sfmAt;@D7`'e/ +/ 3/ + /ִ+++9$9 999901&7332673#"&7'>54&? g;HB_m4PhB?Vr%gi/+/a3FTVD3aK--dH5bVT%# i / + +@ +2/ +/ +/ִ+++ $99901332673#"&7'>54&n@9;Xp}sf%gj115;@D7`#`F5\XN )#)R%/ +% +@ +2/3 ++ + 2*/ְ2+901>3232673#".#"332673#".Nj<%3+'1gm;%3)'/ce;DB]h 3Li?BS1bk +)bk!+)71FH/+RA''AR;#O!/ +! +@ +2/ + 2+ +2$/ִ+901>323273#".#"332673#"&oA!5/)5'fp?#3-);!^n@9;Xp}sfdo%]do#Z@;@D7`+b$/ +/ִ+9013+RebXb/ +/ִ +014>7.7_{C\`+!7;Wsu`yy7676^wxR/!/m+-/'+/0/ִ*+"+*+*+ *+1+*"$9-99' 99014>32#"&732>54&#"74>32#"&R^kNX1\jRVF`:PVFb:+9#5:XF5<J?wkÁ} R;/F5=gDR/%H+#/&/ֱ + '+ $9# $9014>32#"&73267>54&#"R^jNX1\kKN5a)#& !$LM1_J?wkÁLB9b\uHR/#1g+//)+/2/ֱ$+,+,+ 3+,$$9/99) 99014>32#".732>54&#"74>32#"&RbnR^3`oT`3VXFb;VXHb;+:#59XF5;JAwi@wX} R;/F5=gDR/'H+%/(/ֱ"+ )+"$9% $9014>32#".73267>54&#"RboR^3`nT`3VX5f+'-%+VX5`JAwi@wXJBGb`yF#/ /ִ+99017!73hǑF#/ /ִ+99017!%739˓ ̪_<ѻfѻfL  dL dj+BtZ+zu"z{~^b"zF"/qR-hJ"/"^bbjZ;BxuBBBuB/BBBB B-wB-wB$+ 531&|~5ZH\-DQHDpRMC---R-O-1FZZH-MmK`yjx;~Vt'/5XDu|RbzHf5b5 I"5ds|3X5Vj;;;;;;xuBBBB/B/B/B/BV B-w-w-w-w-w-    B-ZHZHZHZHZHZH7DDDDD----?NO-1F1F1F1F1Fb1K`K`K`K`Z;ZH;ZH;ZHxuDxuDxuDxuDBrHVVHBDBDBDBDBDuMuMuMuMBC-3LC-/B-/B-/B-//B-B--BRBBRBR&/ BO- BO- BO-?-w1F-w1F-w1FwpFB-BB-$M$M$M$M+i+m K` K` K` K` K` K`3&j&j&jC-7-w9F/p`;ZH/B--w1F K` K` K` K` K`uM-w1F$M+fZH3Md`d"""5G559\5555555`93)Nw9uw1|mudus=d\fs-Zs{O3B\-BQHBQHBDuMBC-BC-B-BBB\B- BO- BO- BO--w1FBBB`$M$M+m+n333&jm7B;ZH;ZH;ZH;ZH;ZH;ZH;ZH;ZH;ZH;ZH;ZH;ZHBDBDBDBDBDBDBDBD/B-/-w1F-w1F-w1F-w1F-w1F-w1F-w1F-w9F-w9F-w9F-w9F-w9F K` K`/p`/p`/p`/p`/p`GmzFzFHH(H(H"""R du"R3L`d-wdp9my +;%+Zy^`XDNlf\xbVhJhVK'9'9V5ObL"hs NVb^b|B~|-~zfr)r+tmtmr)r+t!t!xP&(5lj|~|~RrRRuMR77777777777777777777777----Z/tR/R$hJH-hJHhJxxdxxp)Pxxbbjbzj1x`xBusss'`dP {'P  }+}RR/R/Rdddddd4PT  4 p tlh d\`Td!\""#$x%\&8&'t'()p**x*+d+,,P,-./l012|3456X779:;<=>?@|AB$BCDD|FFHIhIhIKTL@M@NPNOPhQRSS\SU(UhVVWLX0XpYZ\Z[([\T\^4_tahbXbcd(ef g4h i0ijkDlPlmLmnopqrLs t0uPuvwpxTyHzt{,| }`~Dh \\lt `d|,LX($$40@LTL<Ÿ4ɔH PΘd0<4ӰL ڜیDT<l@D tPLTL,8    4PTtTx!@!##$$$%&()X+,\./l1<24@5H6t7x8x9:;==?@ABCD\E EFXFGGpGH@HHI I\IIJJxJKtKL\LMhNLNNO,O|OP$PPQLQRTRRS8SSTLTUUlUV@VVWXY[(\ ](]_`tabxc|cdte\efh(i jkHlmhnopqsTtvLw0xxyz{||~PP $$PlLx H8LL@4HxhPL$˜D ( ,ΌϤ \ Ո`P8LT<(P p$Px(<|X                 < p   D l( L88\H |  !"#4$$%&&'L(0*+.H/l02 35 67\89;<<=>?ATBDFHJHJJK<KLLMN$NTNtNOP$Q4RRtRSSTTxTU4UXUUVV<VVVW<X4X|XYPZZ[H[\8\]$]_4`b@b@cdegDghXhij\kXklmLn,noqrpsu@vxz{}$$t(p(,@HPlXtTpLH$PLt$hÜĘdƸlȀɘxx(̀άϘLШѸ@ӸԸhTּ,و<<dXHHxHX (ddl,t Ld$h$hHXkrn     ) 5 0   R >M  0  = 4 1 2I #{ H'1 'y ' ' 0' ' ' ( ( (/ (E (W (oStraight lAlternate aAlternate gSerifed ISlashed zeroCopyright 2010, 2012 Adobe Systems Incorporated. All Rights Reserved.Source Sans Pro SemiboldItalic1.050;ADBE;SourceSansPro-SemiboldIt;ADOBESource Sans Pro Semibold ItalicVersion 1.050;PS Version 1.000;hotconv 1.0.70;makeotf.lib2.5.5900SourceSansPro-SemiboldItSource is a trademark of Adobe Systems Incorporated in the United States and/or other countries.Adobe Systems IncorporatedPaul D. Hunthttp://www.adobe.com/typeCopyright 2010, 2012 Adobe Systems Incorporated (http://www.adobe.com/), with Reserved Font Name 'Source'. All Rights Reserved. Source is a trademark of Adobe Systems Incorporated in the United States and/or other countries. This Font Software is licensed under the SIL Open Font License, Version 1.1. This license is copied below, and is also available with a FAQ at: http://scripts.sil.org/OFL ----------------------------------------------------------- SIL OPEN FONT LICENSE Version 1.1 - 26 February 2007 ----------------------------------------------------------- PREAMBLE The goals of the Open Font License (OFL) are to stimulate worldwide development of collaborative font projects, to support the font creation efforts of academic and linguistic communities, and to provide a free and open framework in which fonts may be shared and improved in partnership with others. The OFL allows the licensed fonts to be used, studied, modified and redistributed freely as long as they are not sold by themselves. The fonts, including any derivative works, can be bundled, embedded, redistributed and/or sold with any software provided that any reserved names are not used by derivative works. The fonts and derivatives, however, cannot be released under any other type of license. The requirement for fonts to remain under this license does not apply to any document created using the fonts or their derivatives. DEFINITIONS "Font Software" refers to the set of files released by the Copyright Holder(s) under this license and clearly marked as such. This may include source files, build scripts and documentation. "Reserved Font Name" refers to any names specified as such after the copyright statement(s). "Original Version" refers to the collection of Font Software components as distributed by the Copyright Holder(s). "Modified Version" refers to any derivative made by adding to, deleting, or substituting -- in part or in whole -- any of the components of the Original Version, by changing formats or by porting the Font Software to a new environment. "Author" refers to any designer, engineer, programmer, technical writer or other person who contributed to the Font Software. PERMISSION & CONDITIONS Permission is hereby granted, free of charge, to any person obtaining a copy of the Font Software, to use, study, copy, merge, embed, modify, redistribute, and sell modified and unmodified copies of the Font Software, subject to the following conditions: 1) Neither the Font Software nor any of its individual components, in Original or Modified Versions, may be sold by itself. 2) Original or Modified Versions of the Font Software may be bundled, redistributed and/or sold with any software, provided that each copy contains the above copyright notice and this license. These can be included either as stand-alone text files, human-readable headers or in the appropriate machine-readable metadata fields within text or binary files as long as those fields can be easily viewed by the user. 3) No Modified Version of the Font Software may use the Reserved Font Name(s) unless explicit written permission is granted by the corresponding Copyright Holder. This restriction only applies to the primary font name as presented to the users. 4) The name(s) of the Copyright Holder(s) or the Author(s) of the Font Software shall not be used to promote, endorse or advertise any Modified Version, except to acknowledge the contribution(s) of the Copyright Holder(s) and the Author(s) or with their explicit written permission. 5) The Font Software, modified or unmodified, in part or in whole, must be distributed entirely under this license, and must not be distributed under any other license. The requirement for fonts to remain under this license does not apply to any document created using the Font Software. TERMINATION This license becomes null and void if any of the above conditions are not met. DISCLAIMER THE FONT SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO ANY WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT OF COPYRIGHT, PATENT, TRADEMARK, OR OTHER RIGHT. IN NO EVENT SHALL THE COPYRIGHT HOLDER BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, INCLUDING ANY GENERAL, SPECIAL, INDIRECT, INCIDENTAL, OR CONSEQUENTIAL DAMAGES, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF THE USE OR INABILITY TO USE THE FONT SOFTWARE OR FROM OTHER DEALINGS IN THE FONT SOFTWARE. http://www.adobe.com/type/legal.htmlSource Sans ProSemibold ItalicWebfont 1.0Tue Jan 6 11:18:46 2015orionStraight lAlternate aAlternate gSerifed ISlashed zeroFont Squirrelgfk  !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`a bcdefghjikmlnoqprsutvwxzy{}|~     !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvwxyz{|}~      !"#$%&'()*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ[\]^_`abcdefghijklmnopqrstuvNULLCRuni00A0uni00ADtwo.sups three.supsuni00B5one.supsAmacronamacronAbreveabreveAogonekaogonek Ccircumflex ccircumflex Cdotaccent cdotaccentDcarondcaronDcroatEmacronemacronEbreveebreve Edotaccent edotaccentEogonekeogonekEcaronecaron Gcircumflex gcircumflex Gdotaccent gdotaccentuni0122uni0123 Hcircumflex hcircumflexHbarhbarItildeitildeImacronimacronuni012Cuni012DIogonekiogonek Jcircumflex jcircumflexuni0136uni0137 kgreenlandicLacutelacuteuni013Buni013CLcaronlcaronLdotldotNacutenacuteuni0145uni0146Ncaronncaron napostropheOmacronomacronuni014Euni014F Ohungarumlaut ohungarumlautRacuteracuteuni0156uni0157RcaronrcaronSacutesacute Scircumflex scircumflexuni015Euni015Funi0162uni0163TcarontcaronUtildeutildeUmacronumacronUbreveubreveUringuring Uhungarumlaut uhungarumlautUogonekuogonek Wcircumflex wcircumflex Ycircumflex ycircumflexZacutezacute Zdotaccent zdotaccentuni0180uni018Funi0192OhornohornUhornuhornuni01CDuni01CEuni01CFuni01D0uni01D1uni01D2uni01D3uni01D4uni01D5uni01D6uni01D7uni01D8uni01D9uni01DAuni01DBuni01DCGcarongcaronuni01EAuni01EBuni0218uni0219uni021Auni021Buni0237uni0243uni0251uni0259uni0261h.supsj.supsr.supsw.supsy.supsuni02B9uni02BBuni02BCuni02BEuni02BFuni02C8uni02C9uni02CAuni02CBuni02CCl.supss.supsx.supsuni0300uni0301uni0302uni0303uni0304uni0306uni0307uni0308uni0309uni030Auni030Buni030Cuni030Funi0312uni0313uni031Buni0323uni0324uni0326uni0327uni0328uni032Euni0331a.supsb.supsd.supse.supsg.supsk.supsm.supso.supsp.supst.supsu.supsv.supsc.supsf.supsz.supsuni1E06uni1E07uni1E0Cuni1E0Duni1E0Euni1E0Funi1E16uni1E17uni1E20uni1E21uni1E24uni1E25uni1E2Auni1E2Buni1E34uni1E35uni1E36uni1E37uni1E38uni1E39uni1E3Auni1E3Buni1E42uni1E43uni1E44uni1E45uni1E46uni1E47uni1E48uni1E49uni1E52uni1E53uni1E5Auni1E5Buni1E5Cuni1E5Duni1E5Euni1E5Funi1E60uni1E61uni1E62uni1E63uni1E6Cuni1E6Duni1E6Euni1E6FWgravewgraveWacutewacute Wdieresis wdieresisuni1E8Euni1E8Funi1E92uni1E93uni1E97uni1E9Euni1EA0uni1EA1uni1EA2uni1EA3uni1EA4uni1EA5uni1EA6uni1EA7uni1EA8uni1EA9uni1EAAuni1EABuni1EACuni1EADuni1EAEuni1EAFuni1EB0uni1EB1uni1EB2uni1EB3uni1EB4uni1EB5uni1EB6uni1EB7uni1EB8uni1EB9uni1EBAuni1EBBuni1EBCuni1EBDuni1EBEuni1EBFuni1EC0uni1EC1uni1EC2uni1EC3uni1EC4uni1EC5uni1EC6uni1EC7uni1EC8uni1EC9uni1ECAuni1ECBuni1ECCuni1ECDuni1ECEuni1ECFuni1ED0uni1ED1uni1ED2uni1ED3uni1ED4uni1ED5uni1ED6uni1ED7uni1ED8uni1ED9uni1EDAuni1EDBuni1EDCuni1EDDuni1EDEuni1EDFuni1EE0uni1EE1uni1EE2uni1EE3uni1EE4uni1EE5uni1EE6uni1EE7uni1EE8uni1EE9uni1EEAuni1EEBuni1EECuni1EEDuni1EEEuni1EEFuni1EF0uni1EF1Ygraveygraveuni1EF4uni1EF5uni1EF6uni1EF7uni1EF8uni1EF9uni2000uni2001uni2002uni2003uni2004uni2005uni2006uni2007uni2008uni2009uni200Auni2010uni2011 figuredashuni2015uni202Funi2032uni2033uni205F zero.supsi.sups four.sups five.supssix.sups seven.sups eight.sups nine.supsparenleft.supsparenright.supsn.sups zero.subsone.substwo.subs three.subs four.subs five.subssix.subs seven.subs eight.subs nine.subsparenleft.subsparenright.subs uni0259.sups colonmonetarylirauni20A6pesetadongEurouni20B1uni20B2uni20B5uni20B9uni20BAuni2113uni2117uni2120uni2126 estimatedonethird twothirds oneeighth threeeighths fiveeighths seveneighthsuni2190arrowupuni2192 arrowdownuni2206uni2215uni2219uni231Cuni231Duni231Euni231Funi25A0triagupuni25B3uni25B6uni25B7triagdnuni25BDuni25C0uni25C1uni25C6uni25C9uni25FCuni2610uni2611uni266Auni2713uni2752uni2E22uni2E23uni2E24uni2E25f_funiFEFF uni00470303 uni00670303 iogonek.df_tI.aIgrave.aIacute.a Icircumflex.aItilde.a Idieresis.a Imacron.a Idotaccent.a uni01CF.a uni1EC8.a uni1ECA.a Iogonek.aa.aagrave.aaacute.a acircumflex.aatilde.a adieresis.a amacron.aabreve.aaring.a uni01CE.a uni1EA1.a uni1EA3.a uni1EA5.a uni1EA7.a uni1EA9.a uni1EAB.a uni1EAD.a uni1EAF.a uni1EB1.a uni1EB3.a uni1EB5.a uni1EB7.a aogonek.ag.a gcircumflex.agbreve.a gdotaccent.a uni0123.agcaron.a uni1E21.a uni00670303.al.alacute.alcaron.aldot.a uni013C.a uni1E37.a uni1E39.a uni1E3B.alslash.afl.a zero.pnumone.pnumtwo.pnum three.pnum four.pnum five.pnumsix.pnum seven.pnum eight.pnum nine.pnum zero.tnumone.tnumtwo.tnum three.tnum four.tnum five.tnumsix.tnum seven.tnum eight.tnum nine.tnum zero.onumone.onumtwo.onum three.onum four.onum five.onumsix.onum seven.onum eight.onum nine.onumat.case period.sups comma.sups period.subs comma.subs zero.dnomone.dnomtwo.dnom three.dnom four.dnom five.dnomsix.dnom seven.dnom eight.dnom nine.dnomparenleft.dnomparenright.dnom period.dnom comma.dnom zero.numrone.numrtwo.numr three.numr four.numr five.numrsix.numr seven.numr eight.numr nine.numrparenleft.numrparenright.numr period.numr comma.numr ordfeminine.aq.sups egrave.sups eacute.supsa.supag.supal.supa slash.frac uni0300.cap uni0301.cap uni0302.cap uni0303.cap uni0304.cap uni0306.cap uni0307.cap uni0308.cap uni0309.cap uni030A.cap uni030B.cap uni030C.cap uni030F.cap uni0327.cap uni0328.cap uni03080304uni03080304.cap uni03080301uni03080301.cap uni0308030Cuni0308030C.cap uni03080300uni03080300.cap uni03020301uni03020301.cap uni03020300uni03020300.cap uni03020309uni03020309.cap uni03020303uni03020303.cap uni03060301uni03060301.cap uni03060300uni03060300.cap uni03060309uni03060309.cap uni03060303uni03060303.cap uni030C.a uni0326.a space.frac nbspace.frac uni03020306uni03020306.capzero.0zero.0szero.0pzero.0ps uni03040301uni03040301.capKPXYF+X!YKRX!Y+\X E+D E++D E++D E}++D Eb++D EH++D E;++D E .++D E ,++D E ++D E %++D E+D E+Fv+D E+Fv+DY+T PK!qidkirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibolditalic.woffwOFF0BASE>PsFFTMoGDEFFIGPOS4'71GSUBpbR}9OS/2]`j7cmap4;&ToQcvt pHH'fpgm eS/gasp"lglyf"t6<headX56̔<&7Ē<6`d`a` ( МK͗ѻfx%MAzW0~7 ,9 #N XcOe&/:k@Y!Pqrႇ/GWdͮn78g\ TF[{):G]n=`$={#{/-Syj[%xZ tUՕBQ_1"FDcd,`JS)cj+ gH)+uX,CYӦ].& #L`D"km}!3w{y/vZg}{~g}9%DBqRO5C>fRd+Y`kի(gիh??؃4EZ$z3{9~I7bqt+͠NYN~'nSAp&RY)VT2^@MotHg.1r*g|3l.\Mo/,kx'p-zo}?sɗR*] TT& U橅\-RjZ֨1zF=~^P^buֿ׆Z넎.Zb($^h$Ib˄6r)9#$*VBwncLޗ,'M^m@JfSGH_봴?"tз(t|s?J7 J~o$|ɗ$[[QR֧HP^uуh5x4]).QT#Rb҈^ک:iyBjIIRO2BHI*x:!i_ }U8CãO -##%eviyRv)]>)%Bwl^ݰ"?JE͓B+\猔48IV'%gSc3%Z(s̩3I%qHlՄ8G%*nN0rA D Dm8ͤ@Ͼ|xУr3󬳠>v> y-Н.y`RVRQ۬zY'%/+L=,Tj;(%BiN)(ygwZk͚h}7[,р|I~꯻_w x¾}3]7Dޅ7*S~ڭd+ϚmY+gVdi>.ER]VX:dJG4>܋T:$ee(+CYnCu%6zu_Fz݈E4G7&|ğzvմ __Ehx}(CC/yڨ#Cע8al1yݥ:tU'}c0T}y.@y*0c qEF!.CBH1JWb~tUoK:2!N&pge@q+Tƿ(Dw@[ɔk;(KtxZOK0~Wn~ Jx,L&w t WB_ ^717[@ px-~N!7u@QJNC+t;JW6C!xfv逵:S{ 15AԄ4FMx3eט:)1m! E&KǺ~cj-U"wF/2Ya%<+%Y-gQ-DZ闪as~iC۠/Aү_7E^dZdtW׎z9 | }7>M{LjJOo3cծ+XVuK}.YmCLoXT+J'sķAgD"ݨ u-R%vۣ(>GD+n`#~: ]G^j]'o ҷ ^'y;94|&!u b96XPrbj[ ?m0Hu*Dkmٲ8Ef3 [ vjsum>wc4yw]GA֠]h!լ[ŪI N~G8;E5vǮ5:櫷]ɘGt{7B>鉻E:JWV]g˖h9\E[sr{ӢKQ^N6<(4SktrײF.!`J} kg.0fo)~rvlܹFߘx~%'ut-q[bb&yJpMW-&|+s }!Fsm6Vr=( ߭!УRֈ[vcUDf +Rd=q[U^o'L8&{jZP: [/vO0݁zZP^;4r;:}%ݿ} &2>{s(uB*hvԽ roށ] l̆}'sZOdwgy;b9]GH2B7>8G[@To=^k놽C2}<6Zzp֠s#nϙ:D͸Ś=ƹպp"ak{=Wl~Xx҇ң4ޝ5R{xɆؗ_­FR}ixMq/X`섧W[_ #LX, că9# G'sJ[' gv!E3f$;s kmj=mXFwa͍6wA'U,16msB'Zqg-OOn؄ntsL2OD?cb y40M); ;j>--ҽL9R>UPA0,z#ͦdiLŸMoyTC;nII~L?z*@zN mHO{HOR):]NJ])mϐ~Hg-'qɜL)E;.=<7y?@+\EJ Kgy??? s~:K\u)/e~_~.>y8_@*HS)4 i:kLe)gd5ԝj?{aUeuת%^^V/IΨ3xڝW tf%B!bd'@vDj1 C)DTA@Զá"ZD#RV#[Yy OΛwϽ3 sd%sfρ5=o#L0Jr@y(TD4*!*cG\V֤阝? rr&OyS&ciY9X=i,͛1yM!Æ)rq7ޒݖ?1o< ӛa?is$m" !m?cj>7m(-TgBvOG?u0 ra-*XURe]@lCmі(@]FWFH7tGBoa  0F(XkkoI:1I9".n1Td #I#se̗yJ<+ 9Y$eOg9$GrZ>/KJ.% h^__UFu76YX7a6Ȇ0a,oP|j|L|4d6rncƖYQ{@u GMAlD-KX[-aKۮsV۪b78ciMZ5<h-Yxۜշ:R'`5D?үM8kh5t>WM9K$3YMKu =B:KO;г2*6 DDj"/I_& hGQ\ G;:T$|'nV-~|"QR1'*A4bH=tJNt8%>&r⴪{+^o}]ZNӹ lV0Xj%cBγO[?'ZI(1i sCI{.nޚu!^=ԭGoδ~(3/`5sk=6antd= bLF;C=[萓1~sN.rkBgD_duCf!K{Rc&ӡJOޫф(84K~|T6 Fr~)߳3hIflK{3BG<,9OS!d[+/a=2^ c; B>|Jf, "^uw!\um1 rR-1+q/ (I,)RKH=i X$]KVKG$HgbhW.=2PP. Y#kMdl(dllCvn#W~9 A9,GHN)9#gy(\krCn)TFhFihi&h&ih-jcMtm^CMiĺĴĮF8LQ2gUgDdʃlYUj`-jX,s]ǹKN)>joך: ]Bi=֚1o\MF=Xe;I-ꄚrwzcViLu]q&+1\MdEC[Be"0%<2c4+b^X&Mdye}v!j\ZGBmuCvٻ/5?o9V dMKJjF)e#!Qq&'fs)rs:Oa3k^a֎ܟ2WX>ݼ~?"X.)ƋbHL58%NsY$ȑr<_^&+x+J(\*JA(աWz[> >%4`,euz7񂾍P]3i$oKhåA}ks܏Ghgl*^1TaBXX1ALo%q`@V4K}'XaMP^K:WO/[fy1/-ì7Ef9Tsm%h1&qh0v;FQl3+dy2=4O'cHz^W{]z^|=KOgv}>՝sǺcn-AW4ͩ}h[MmF[-Ֆh9Z6ڵUp\ 9DW 9;/8;[SW6o}>@+_*^+ūr5c( ` pH Ԫ<6pMpD@E$0cxXG&`"&0 1S1 oc:f̄IH, iHld s0Yl`>  yxK ˑXUb>18pq_Σ -h\% +U\C'7K(FUb; 8A(֣S-հ::"TXD7>D6Q=NGQIYX]؃,Q%S:ͦJE7,R)-\L4;)2(QuA4ъr'>l#+ma%(gVVJw;~]Px]QN[A  9{ Սbd;i7rq@D گH!H|B>!3k4;;sΙ3KʑwkS$6NH덌Zlfu є;j=o)M;Z ;4: !qKͺb00.?R4j˰Ѽ34@Skm!qK˦6$tUS]`*́Vy &ҷ$, b 9@HƼIJ;ㆵƑ6O'ӿZxܽ|ו?:wfזr aej#۟I>y_*W/SzaXf lɃ^ Oxh ̙V`_eL`.Fȼl8d-7" k`mEaFϹ꣫K]Md}wkzpo3"$3Z/jCD J;;l1𜭾c:r^;#Hax*1.;`==O maYn |0 %.Xuz|WzbJǵ9̧4(:$Fh$ ';kS@ R&/w-~) !$XOptT5k*$(\@Gqw_(wljIϹ%RҤY⪺hnO?X_qdm~S=ѡmC G:5& byTDn:RB¡57u$)!6M KxEy"}uwYRs׶Ꝿ u,YSY`QǶYQڽwժ_{+khsokoKgKuT 3p:c,211&":ØlrSP +($j|T i[$[$H .$3V&sBW-EE"7Wf5\x -%\H5Z̫Y u1PӷX_]]{%Gwz?^K\q {nKw4ø~畛T?F\+8u|}HoOX jIJP*KWq9X?G@Ĉ $R޹BR#P5EZb)n(, fbeT7%0oa `5zep1(W#Qkw$j[Q]5+VhRw2W[4絏լwozyá+;65[ׇo_Țn[{W6hȥꛤmwdk=MeemA_ob* LȜ&b&Y 7S{ss)ahRGI+Y:pbnX<)i*o-%]&b%O\&uᇶG6;p 3"Je.BRF}|HV\|QTA{(挊j!RrDn)x<ͫ9f7d`Q:\ yU7RYMSf\_, پ0R#ORS|hws[TIDh`1v.0+0$ @Kn+(DUQF9ȣ0Flio¼SMskv>]BMjh{y{ h-h!U8CX3z0քK D !Q;N֡YR ̰ԸMamȝGL=uGpK`V,F4:J*I3\YQr@tVVY3o~z c-͍7GV=gyڻn|Xg#I)*(&*yoW/6_S3 MFvBK<{A]¹%vl Ge|C9Nu p$LvqGzNe=bW/pUA$&3 c SF54Y@3qLÌ+1 D#͋ 5eO?_:U5~Kk枈iz{÷yۏY<\;teU%[oU;cK2~  @AL>sZkw4pXюIDw yT%Y FlCSeXm˂`E,TZ7;C}{Z` <~"ro]ӹ󙻆_/noXF#X-^p[6WN3\1af/U²lTJ<< ALa5 2IR堘WUd@&h49QQeLv`yy-Uk8|a{hNwGapUk~Dѵs ܝ}5^ToXvpo>Ա;V:l{o"htyx cԠS"hjd #oVp[w۱|#u!"!KSL rc^ s-UK}*72aޟЕ3Zri!a"053DDUQqiXE8I^iFgqTG&@qMXe,.j2 aE6,.\ڿk=mrpE _t{=5kS{gWKFkTMk綞ꊛ7߳kгm[D\okm@>͖OeUA)_-g^F>dɧ'$zcJ:%@(&*pT"J&)ώVvY:NЇ* eGS6sKKkΧ7}ή]+߉Rś.* 1plƆږm:tԳ(/Ͳm]ӱ֎5ӸID@4AQ8,`Fd07,_@5DE-L',LaYf?3!!N=1,ň8_= I2Dz,(›4S6yr%t trT'#ײz ʞ.azS3-5@M  !y>m>+[5O;#$]J$w7ٸoyy>FsG SWRܽW3M>?Q[dXs-\'DV%S R {"%( E\e*@ulTRNh17KZaKT>a,),)/w=鼧{zIGo{M{Su/[g[l߼r5 CwwwEC~M%Z&9U.]j刍^0(AY HE3wM1%|#u)? [Z|T^+FMr@"0f9dW3뚂&~ssOVo.>|tKxo5%5Uַb|л#{9vyĎ;RKY}kOocGcghko|_cbb2 'פZ_Ro$F3*YZ #noAri6HrN:VwרbD6VT=-0 ST0ejRvFЎ%veP,<#QT05"<'.~":8ܽ{Z?zh0vUhL܉՚3&oܜjSHVPeB z0!\F,eX#>>pQ]KWl|iKΆW7>35"߾{Hmݭ*HOOzezK98 IX*@h 3)6)^ܛfJeJ : )p ǔy)cg<bOϧ.:OmWR2ϧNdvo 7W]u"P<7T"Bp)w\zqcz<ӹ @ZQxViW `.?DNUBlM*v<؏R'OԤOVE)u`+rY|[,ǏNZg6ݴғjIUߏ3Ki<2a` It"{3BYLЇJ_rU+Y2_LHpE#O͡$3B5yW5O 5zZ==W?J}\oY¼,JFL*2mN8,Cp@\u( Ј,\4N.iR#`N8[8-Puc#?o/(Q4dDRᥦB+ E/^l iA46BGYF=>\OU" jݲ0B_RJ<D/$r Jx|s(bf|Ir Ƥr t*r k?O#F}F{-Q`ʬ,"a x8!sj RO}Sp:ꃩ},R)²O om0uj|;@=3%=?kWRE@FOs2mH[S5ʀ0KNgA;VLֶCBju6n|:uv6bW>N}l'/qjR~ 6lq`K[ "H cJV-)OvRLY6iuҎ -$/ץnֵo`ٶm+"w95|(uo>tjwԚr^{ ؘ ōtcIC2t4%⏳060m3!ϖ6< Npl@ˡ}ǏoU/MC\-aS{ St)1zwTw )«e2'Uf{qf3WNS)c1`-fT*ª.PV)fP!@d=dbEj{N0?D龫TF Gz=yiFDkhxkapfQBkF1O &.F~NSaM>ϡL7 U$2@}F17I~?W~ b4k\ɕ_N㗰@s9X+GXT&aFr&rD=Y–bCj}ix3g[/1"èADҌ *|Ge! ImFG ^2O.$ Ie Ij )).E3KU7b2rLƃ:0N@؁ Z$[?& $+Ҟ$J P -;TѫYXc,~18r9Ϥ/'XTPfHgC` UJI,S|$-jJݍ`nA%_d݀lw:Mлg}][L.k)dqp<mPx-?(G1aVgc_&*]4*Ͳ\h!_S KcӨ&(NPOV1͜vUMmd>4t}#R}V.erXBNkVJyY/.#,,iFAlAH :8v<㤨iWX#MvE%ɶBU> QXElZmDWz{_:7ln+F=K}[Om}'Z@uHswVԜ+Yj1 e˙XDcvc4%~V%LD]b1̭18p~,J&ڹ`+p\1̱/Զ`jOR+jW!r- J8='-vbbRJ V#Q !P!Q.G>wQјhX$kO{Ebgϝ}%N>鬭nUF;;YPwآ̪9 ǹ̷|ɋ"Ӌv^ie=ry-9Qj}ZuFr:W/_X?lf&Z Z |:| +װ<\Kkµ-6}"N>(8.YU34)^gIoRBy4_)`PeN h,;Ѱ޽/sO|uǎ+b a2{=#w,\ت_iލMOm'?S.L=&(d#u@AY2; *a)(G\͇VWqf-:~Ę)C'{]Q-}2c2pܚS˜˅R]K'wt4. ̐QOdh *gYQ+Lœj sOZү_Ǭ<;ViՎ8Y;[ S4ZŜufwF4SҏrP7)xNF^&mjmVr{h{/;8}OuIW̻V~f.+D&琌.\Vk=7yvR*}0>hkíﵛaTcprvLhI[8K I\\QLOF 3\BL LF] *,tͫ&BX3;YEWH5>1saW!W^)ojn״Kb&6imӔrq#LeVdrGdl2N3o7F3~j݋nYy/NKS~W :}>s(b2aLsI3UWN:tXm\r+>ױsK&'_ r%m>pদȕ?o3}n[VH+Kyz"_v)c&g=[؟`hgc3leD_0镓 rAV@5A1tF%]. %]!}EU8yp{B!iW iG}Oi\ lbn\Q/T-#д$ vqy]E>U_x= #3qVwvu״_yE\SmsGW=>?)4ܙq4+&¦-1ك S S5dWm׀NjҮ|&B(Y&ː;/kIr"GK,)*,j/S6+ZXR1gX>ſ$PPPL(Tt(LL?r-$\Rm/B"0EA8帙WY,T\F0-%RD㑬:+&tϣ;FšGS$(6Bu)Ctm=u(9*gQմTL/` PW~U[5MBR zNn(BuB}MxC C͝gYYzm_Wd\#!#lZjSv,y`C&l?$qiIh+O3nu,?1Q}^]xS˚K ƛ:H9DH3ID$2H nҩ o)Z;Z+g n[?x`^1sd}u5mK7ޭm/Hm]pMckoZXdiGΘ-EeK2;X+NᖥKeխ u^琞a 706[QADļjՂ4WbPE5yk D[x״E#-5+HCU,gvʑM*礇^'-\2X20^0ߘfa?fFi(V7(ةm+ 5o8ш?v:wuOu{dfj7#RaR*2fH_:"*"exI¨ )BKLT\5Rm]hX2"uK6&jw,6۴:_ص@;,,؞CMUwwnyi'~Oif2j0FyiwڦԅCݻAmMz>FbˉO%gt'^'ǮNLW' ۹o-&dRScwp_*`Fw1/#LΓwNh$T, &gDwP6Df`aLX~/1|4CY.RT)QD(,<74oQ |nj*y!Uh~9e Z$ IMxǻ{.|E㖞ȊY]pg _t<k +sn?~ vcsE}#ͱUX7.ǖDMޭ[_%4VAp?WuMrRvcNJI{OOr][A_ ESh}.IfzX2"2}rrduul7k< }1Og۫G;##UDZeo쁆5+KŜRcx9Ϋ0YmL fYhCqmCq̜) r'h!m~vx?Jޟ:@zp_rn ;_%A\S_"UBZhR8C* |\ӺJ 0p&fOw햶mCmm޸:kʽN0fcizyҐ,Ӓ8K?s$=2rNyNE!F <8Fd"bɒPLt^Bm~[]GuA4[o|otu;׮~Zcu{ a/pYѺ3g\#Υ{i{'Tpש_\=QbW~ҐlNnV`[&1aӍA02WJ`xFR?*WHK_騢6.1JX5yV[\tNAD~[ R& >&pRY-nzmmԈjxw^VP4-v􌬀]1̛DaJ1)̓T(AP `L]P-H6$+ 6%s\Flޱn۟%?O)Ni[Ͱ&y.3LDFѥf,2WUW"'Gi$sz?4ϵG5zkC jWؿƸ0i_£_meQd80gN)`+TxkEPWi%QԌ2q m,uH b,-:<z`l%{W/^V͍q7/A[8WM8(T`):OP(C;0h Q i3DɕVl!liOCcɪP.E]X#Pc tå&:N,if^T윦BSB'8MqSn Eߎ9> >g@=6A獡3?esaNe S: fb>b3&-$G:Y1>;w?q( ,,- ,ucfSJXֽ2w]jsTUǙ 5ӅʦtXz:}3C/*ïLG}oLo̩3)Z#)7+K$aV}/~?eZ3cʼKʼם#3̼7(840ƱQ?8mc'#f9AYBVq`WS` "=v gn3&_4tE*69 D+Dҕ,6Aϼ K5fpSꦔrAhF\16q2u@qHӋ%>!:75d]s/WSCY&XQT^3 0LW0Y!s:*EkgЊcL:w!atpF6U*,Cg*6W՚cVt˨T ;_6 3P(≵ZT |E~/6Hutn]n\ >Ap[]ro6 QRdԎPRt%3^F \v%"5ɌgU'%S`^GANd)s[LQ#R>ǛȉTc'[Z>ߔֿV7n]`FVfk^]M˩F]{ٻo"j p0YKlQBÚ,L⬨X/}Tefp[@5h4ݨ|L%-s7>' gu#̧vK=EDO,j\/PAf2m-7o~5U,4]YF)Cj۹R"^̳ᩃB]eu &6srsIL-C6!Uۧ7'Țom%nHC:E嵟ι!{Nwou.]D2}Mquvo47  o8-oFoحkLSvk* 7;MoL˕JtǔNrW~VI(Qlj1x1_FSsI_]3Lgj? }tÓQ;8QM~Mv5]:_ayr1aQ}6J ߎMϾ$«-zݥngX˜ZK,e-Ȗ{(O"Ykz)ztʚĈ\[\JF`M9쿅-59! EU36Kn]NnD5W豇#ĘH (FÒlK(p9;Cl:p=7(*i7Lu ?Q)60#D0MG4:2B,dvSb~Yvc2vgB ej*$kbjh?#VƁ'WtNş_"'fWrf~M@OO׬- k+)#oD0 .5iyO6OFXY֨ "4=_h/*%iJO[1 rʚ˘*|UcqNXrZ ;N!2ɇєP"瑻`u6ultq~3yӓeTU9< =A>L1z] S ;US:!~WvmA&F`.dOC`2"IkJ&OyfIG)sN4SNf /WgS4 癰@zYO~4j#G?%fߘK?w/5~;h_Ez ڣgE7T ?TE?xW3 >gܻF 2 @P\ 5ӎC.r1}Vx6Q.WHRVÊd6 PLO A]M @ES:g7%e>Z\UdJ*i {T -DStO$̗ouVtfUy9P9/b$.;mW?^Ο Si4_;t[-j5j/dAl3{Om]J3՝h{[:9[W-UlQ \};o" F!BylP1VjT"s/|5|MM2k 裯i+?V%$ { 8ǧ3, xSEOt45?]V.?`%3WzUފ*![M6wr.)"ֺcM_{RobE>ny~>ҺɾmZƦudW{{}+c_]v{v.ڲ`ծ{ݴH_WojgNgW z8˜OfGJq_kL3FsRSP:O^<֫=,CK  {+a+OcltcJؤAUQ&3ŭ|?C3sY[GrQ2#2@>fOg[թ[}iq saz"X8e=l5jy*zgtˌf-sVXY9s?2R[rɻ|>$ry韎 K`37e؊|XYbUvƟ>2,08 Ru3c[u=? fuOAKLj+#mf'((𼐅;Bk^`Jyh ݕ;PdYSuw-ȭF"-Ws߾ٚHSL&|3}7W\fNyS+Ǖ mrA>OgJkʔi|=Z|{39J>SQsB&a/'T0E[喑'_!jjW(Tծێܸg|M丿kh9C~*+PFinGڒqXw7>SgZԃw%`mQi_TM)ZY) . ݏqZ]̦i)sF4u4-/i hc}_ӖI/UٔA<[I2zNAkp{ߔG>li `ȁ 3J&K.ؙ ʄXKQ4}&*bYd2h'u,;Qac\_ ۞)=yΏ=y熙Osi'bp{v'}P==ٹ.>M<.k祅 C zia2?V· xSו/~^zޒeٖeYe` cq 8Ru]zdٱ%~{ZZջr}$_ f?]f.̊9\7/q^h&ܼdaf?9>8[{$v 4 \Lj>u }ᅞ*^'tb}E\¸袞 .BdٞE] >^ Pg]X$tLFjmz业VC!w\7k_8yEL}&} /]~u]Z?cԟʝ,FZmZ 4BPen "II&QŅ,Dע#2 h)] *듵'KO 0yk?0 ]/[-bM8:QDW7B( $,-9BȠCwo\u)`t\.@N,VBx=Y] O 1d1)+T$^ʑRi3E"ټ#5&⛒׬@GʴJl_?j^zbAVtZ;мC=ԳsF`㻰ظUɫ1.z9[jSxb뇱غEdk ijvFb3FU.&č7tFη1Nfg%L̛` ^E0qK;?983һw(Su'*Ry hdp׀5E&6xWVmzF׾ C:o/HoSiX YԯЄ;g5aNIT2{xWڝ{^ft2K4e"e_'Nө-+X+5G"#M}q -fmV:u`߶ .{Dף`gI6~1n &W:z; Tl?hqJ5ݑ= \GknQޝ9Lk_{?ϯ'LoEo}Pl$[!WmW]7edʾ zW(M뿠:p{LIJyXaw`u*MsUnRTO5|zh/d~QHңA?mR NM6Tقq_YX#Q~527lK?g0_NXJEbeEˢiHfp᠈z$k^] c5"'FQ@ da}0Hpӓdd?D$1;*M(skP?\VW%5h\Lv⮭P& 7⻶ 5EW*7lcK]b=Vū%hYJ?R].QhRZD\C , )veZW6Lbۧk\~BG6҂N\[.gi׌4M9gl۵d}$ߔu-~=DU0fe _~@Y`X pOI[1n8`D֏W6A; $wNKz;{O 9{G;E[{|6')w8+jC7Za:)lE1x:2:%\C)鸞T(7M;a(T۴[r{fEW.J۵w]x~Bs sͅ]7uGk{>Dǹ/)\W,&(?*tCxLI MŠ*Ex\҈KT+& [pB yBN`Q#:!N Kh{.:}5v#7dn?<4c޴zW!}.Y(>3{u^ ,#k2k Y_bQf"!U$(.Ti#t3ݤqfJ z3Wbtb4%3 ?g0{ fn_,}8ڤ_x +]ȥ.PUc=4]<t$*^ |}~ˮ]:?T NLNC{RLnĆ'NM=~0`TV&c) RKțRlrŁfJ.gHG'@'lĀήɥڈ)9v^Kc=fg"wߡ5vt Fs5M>*yyfe4W¥$cibq);a?Tqn}%_ghC5IG)Si3  ʳ:+QlB2 ş^e|B~`PW^cCw\ 1 t Kf3Z!pwzIIF~\Y#"0#/#yR. _,:`+gFqx1;e] dC orQ{ki qHXʉ$Ý4[Fu$sVchѡ8+6^^l MdyGn[1YAdTT.)d@>;s*(vyX1" DO/y LiOo*S)cga`̬$ym$Ë^3WRd$Id "h8w$wWqf9b̊rs_t/"ߚ՚9cxTғl]#r?zh D(#Y("Vܗ:a6ΧףR9'LP A<@>yZY df0y& bq1eߔڭ[pȊѾrرb&f,nl Q⚇Bo{Y0^],_ݍмMG4~ ǚf!=,$7Z"ƒW;Z#T)1}-؋mlU*yX"Xs`TyT?t7 "0(DIXJL ?ϢGd3]1: _=ڃMaaatX5;}PSS`q[ 3ONw]g駈^p5ZI0OfhGUWd֊i.>ʓST1nxkY8pqǮ:x;}t2pj:QOH. (HB\7q(dAcSd0>+t.ˮR_nNOi ѧHSU]ȠT ϴ܅I GBp.t]97ƉD/M1L<*/! 4Uy)ZwetfcJcT{䰫IHpRWP0Ԅ:'a%Y82C;7j2eqZU, ۪pOEg< N03e&|l%ҍH @oV1Mad|M31>9jY$Cn@B^HSg0$]AR9WGgTWkֵPuں~O33c=iֵb9k]-j;RJַ:E@_ao?&D PaKRM[HgHw"a{(F]p7e6*l طe1iIɲ6QP6 0b,%#fPDž E;ʍƋIy1H梍1d&x̢7!7DrѽV#i>g0d)̖`b,cQ=y c\9et}U7/te> Asբ]'kюVS,ߙAV7&K6+m |B3*urnis&q!V4F*YB*5E(4y!6e}./g\ ]W`׷$;啶me@3 *}gPV*~>-J?)VJdDq?P5S4V[:e($*ݙ`qsmJDi幜<{Qcyct3;SD=2w0_<G 8fnVhBp9=zN?w:Yx x'E݅Q)sжOw@*oKcTViZ_ GwK6;p -&m_Vxd@zX.֛[" `+ 2-V}nvj$;v!J;/|D{ Ŏt cCZj3qG ~߾GvlitKF7l U*&&T5ޓXJ =̆;+7,h=uz‡&|"e|cћI7%ݖͲoۦm+oP q_Eʨ]ݚnۥ\p )qx4/nhk|HT@⊀`ۉUl5d{ɺ*FY'!HjTU9tʐS YX yOuSUR`m؃׆kC͌kC6he~]5Ԝy 돡NEA\*yENx,äj|3kɕG|PáH>hYJY;.-r?s]}xNÁ}#n<}-E +oDHh;lݲv_C[W|H|q}ۗm ]PIvjwxY8.IJ}R-U<^/쫅ƒkl N ͇H\N[ vR,~}䪫~Q5w˾Zw}KƻoAj!aze]sĀI. $ pPu#49+Pa6y/@!9! DƦIA3Kd9$K}]ʛ.n+M.ɏ36'\v8zP , U0 lT؞IMwr6d%jl n9=jɹ }]ʙEݲ%%!-'%:v/;`r6}u00Ĝse!Viu_Ȟ$oJBZݖ2%sZn KYG^HckT~ >5.9֨%HSH(!w I8WUXg(5; aؑk23% z^l)1ʱVcR_\ 1I!;:5x;TB2 uRn& "8h Zs@ޠBR[5?ͮ7ooӋBDûM9i7`Ey| 3 w@ ,;)qT σ Z8ǵ:^&X2ǧ q%;[9U7$Vn/q.cUc-hNީj1*9i7B 5"צ:#8X!3W!0p:S֔fYGHYܯ!ZW~5Z2 0|ӌy\ O&F\YqSr2j4>f[u}Ԛ}Ӻ3zk:~GMGU9tZlhHkZeI:J 43*7Fjฬ&aSED}H}-H Fx؈,Y-78ГC^caqݾ_}呞¿'?7T텣O߲){υ cgqD0:h,@q,M"q#,b4cZGcʹk31G2M倪e) oj@rNkUŰ_p}Ct,y \Њ|ҚӁQLkڥY03?Zau8q5_)di24p Bj&!"A 6P)DuPժcW :@)l)3'&_9i2~Q[i,8l$yS劺 CNT]Vr+%^!,F`TYwnHVJ,L :zeBV]#(ӎ'qp8,(AVai h.&|$Vؿ Ѹ$KDϴ39qdK"C ˅X !P ,(oVn]Ĕ-5LLE PdB>wT~ P:BZH6(H Liá 7G7o'2x}8zc@' aQ %:mX0߰`N js HDuHM6X $fwAlFuPU6*ܘm#rtJM=\u=t7Yb+Fb, 6 ac+kaYK],S} *[t҂oې 77%GҽgUJ+ս=! \}m `Ү%e ljR5գMnW*5,s O@{p+|`yCGb@kXgk6luD#d̘:-.\'8-**禝: nD@DkJ%"Ԣ8M(i6=L.} Gx3P\ː(!R n%zfydm W&LΆ4rd'';#?#,2i ij6Kҝ߶8ͼ4Zᗜ3"Xr~WnaĩW^O}y`(Maݟ[H'X3;hurec-9CΜW Yhx TzQnK>"F܅K#J+N;2LatB]~X/7^8z&T|vElుBi ;(?+J5Id"IQx4Ֆ,4V(Y(#ц+{ `xZS=|gk oj.s/n,<48xd Fw(RIeGSŞYuB0/4!*U)I>k#)2FRmuuSt͎W&WgpXh: KWw%3m=җ/=܅N]$"l@4Q6CD1rDBi]M atmzzMzan1vyטsPPp|eNʇ{9(QI$D4CM̙ihea{([ΠRW$Gj<]ތޗA4N)7EF1F VU̟K212S]V\:WQi0"ųH eDV9MpN9/-}rMsvFDB+ (O Y|Z?_6_%KC*u%r޾:>gü}uﻗ>Cx QYYum2A%3?0F\&;O/@Q?k}{Q. smzﶧ2ky͊Ef՞n : 9zjd͂dVKJ0 A. ;CM 6[ 3|"8xg =~{Wnl8ɾ ZE{'Fls('%s8p\OBWilRXh3l x#|.E6#K F7 F6)L㚕x8w•& : SNwcH($"(L] >9M|XU3nO4/=$3Vww8y׉Bt[B=6}CVYQhGm=&|7*0bx=2XW1f!BVhRG24~Hƻq;$kN#7l ~ξU;'䎉^pO}gATkx7+Vz&ZMqۋ+K-a7UI!ƫ7LV)6Yo?e7ܷv?÷F£C\g+y H}6h|DʕZqzֺ*'ښw bOUs6 ߌ>Z M`G@pG3X7ء5Q(b.PZ;Cit.'o`C%"ƾ!(Oߏw|;{UUb: ,'d{pnSo'?`;{'lPO$ݵd|oMp%{܅(yjR ;/<. Xbd8ڈH/DW0˅jO_rIx*i-%ZY`"V!zz)#^IR|_ !pt"4tւ6't@}S D hnigJRIͮ BJ4"sT*J>X]2kpX1tEk5Xt"'P-ִ_, Ȕ🾈UXӳ8ڦ#ştKH%ԟ?{je&$liH#T&}o*ʳu*U/[ C"tD(6ϧXL  -Oz(wp-?E9e77}M;TFn\p=^ސq5Mzc ݇89<Ԉ_MniƊI)i5#8)R9G{X5iF Gc6 l\HѡS4@\NtH|>]kry΄o398oG8m,F]jERbL7%D3P{D׃J9SV3"RhN~!ѹ2t!:µi#]BkuNnVxW8UY,BFhsc04>+Koڷ(14)@9|1V}2ߜu ygfn/"[ݳb?I)c3)c/&٦Vx钀a[>}lL~=s (dP6ڨta 3!86%҉PJQͧMā9]&U1;f/ecnhfF>Q{̈́{uh&cy4ulr?r)1?)ãrn?Rvu#T6Q*I1$H^ۤU֌ft3=2th\00t8] A4u!d y3K,>-V̸+s0pݴrwlېસ {C?P-N}Dg.4}dh$!PQ5Nm"N %"#P,@nuA~-x\Dg"^t]3˷ݷv H3)Bw-}J^lwĒU~?m<{V!U}bO}ie&^=gM{b*&f.AjvKEMyme\6s.s ˜ZחVjUX%RG @Gi}qEzܴ,ʐK%3c]ڑ\f5&ߨ1[ЯZX s~U/䍲JJX@.-Z47c'E/sTArOk;ohwUdz 3;T63Mf4&&yz=$Ni弘LI! JNPvVM6IAhz @k0 7Ł6jA %jvInLSib#yIm/\:7iLCO\ΎĽ=S3EFC\!ʩ*D5*TT,Q|GY!ꉼԦ/k_fLc 3B݊|\{3Zxנ#D_@K,sEQA߳!І&Gva}@C)V*1!,2@F9Br&eu  N$]c% l˵==}=k'N<|^zf3;~hKm;4_̧hq׆0op#=1 i4fHs8Cӣ9H9rd-I_y٤E(Y;`7>;TʜvsCpʂ0y,H g][*Niri$aѼcSN={COoXkM gO?+[鱞ck&:_~/'K6\[YCq;'sQ{}~t!Ȅ7u/SAJ8 hFTJS)"NsdAP"A;b w%h>u\Ksl!6՝rvaU#R%?͢jYz N kw@jSI>~ԇ!:]Uon^&nA~L=/&Oa>uTXpz*]5壔h,48) nXj0^->̒  >;LmdK -,_(lYh1󑇏xn9CMF_vn؆=vnK'Hd 6s?_'i Z^Ϯ)a)f+n+]zT8 x&GZx[?p S=Fn<[x~kE5@)a:L %.e0KAuaρ#B;+|> z Ӆ>=>cfb83ۇl@[il4j $%/?f½ߧu(:!ލX8k( 4aAۖ YV mc%]^?aW2}XKțUMn@y 2Nr}l1ݫ(NS`9 ci w/=^lO֭ްc8Z/^#cQՒ9!YҠy\Nw}cG>X%t6Bm7]ZC厱ԝCg$GdjO,O hJn:Qnrgڽ#U^SpLDĨ:krz2^S¢$JL4u@׽"谂E |@Gq o 3=Gׅ;z 7&d$0w &7%\å&O i&)j\{ۊoy?ON ^1Yڟ皩 ;s7Sp:$"#`5z3ȭ7n"O* JEi;^;AYJ47 _ Fݏ.-7k>&>X@mF2!SJ0)[难{m>ujK:˅QF;7HVh ZvŅ -dmAN&Þ;19 [fg푨 pا90{OKFdmОmR4 *_w'cE3:`y0^pg6=!`#4eM˃ٔl2Q_.'Yt=[z=Él N= %tw!`9^ d%A9C+Z{xw-aq?[;ed.+{S[(TTdT-ۀPHPPl1rǹpXKa .Dr9kwq.|.·`>cBe=c H@G2}Ňu P1:};pRַ+7l_c4A^7-e:5x/ O{}c.~&Y'Y;]x/hu/Ht;+I&;^IixAůK$YO¸i}MJj[>=t殡5]WǃV%\jGg3&Gq=35X3+t> tEXb 7J?'qoi̼74Ǟ@u_`g,Ȗ{RɭwЎj9rbhY@c"d(9coI/.{CL3ֵtzkV^ o_kSpW_ iy.`דƽM9T41ŕ>& \{p}E?4Ҵgazl]OֳBZqgX;ݞFX0Xxg#K)poa-5yeżt-{[gmD+"ܠ.E8Ư܏W-͎aiSW(M:Ru(s}4.-|[|}ֵn uk%A+(ǖibʸW6lazSfo@%# W]z#4l+<>7<қ^ pzJtֽ h b. Gロ^[Ɲd_OimY%DڴѲ 5R?tIx18!y7]XRvEτzR?_=^_Pӿȷ>r#RSLҁ[;lÙDPh^x+9e%ǭE/?@-ce=(Ƅ\gquj/5O-YD:Xh, ?e֝=18uxzɞ/ ,[y7M}x+;9tNS qQnQҺYui袟$F\ꛀc YXrsL=Wž&j5\9$*y¨U F+%8FրgQm|M&L5w;ן/DT;}5l c$1#69 5-Jlݬ^ CuKL~VN\kA6 c=jlfF63[c\Y֌b},QRP+S 1bf`yߚ YBk*ߞDs EpL{O61~m$:ۇB=4cZ1<^u~@.)N=B $)HB@[$tԿ#֠CM ՊNZLbq)K3#l1B{W&6,Z'Zccznw=YRӉX\@^OZHnO}Į~XYƏ~1-M# C=d#WaX/R4$3(edžT1'StM,]Pz}T*]d|d~7UMh2Е @.yqF?KH~Ë y#kQ̰57BQˣ?Fgy q\xVM_LlA\n"h5/<ݴ/g˭׌^o~胜~}Lk $ ӝcÞsha=w,!^^C~uPT?Dۆ+ ޠD 'Bp@I04Pwyhqwruw=yd/ÏPc`PK NY}N؃Q٧ =s^ܵͥ{Џ.)Hh N70 |mtc=נؔMyVK-j`Wf5Ph0XYe]iTkM_YW?D25 ,e?ЮBt}ߔ C/t7Z~\ygn4O rOaPhЕ\[*S.$gM'ю HHI":BqP{^'Iu7>wc X/;@UM// &LсHBS gS@g܇ciiȯ[+8=w<{[߽^]ϗ2k7bYx}>R,ՎlN!t!LkX^9lĜR ߆)ט"'*2 rE'/džytF@X8Yb8XDyJyZe:>3;Μ1&Lf_`5Ҟ.gN9_/ DVxEK^^ /ݻasmXZ*z(sѸ<$EtNdSm;{pչdžQ.u=PO^xa[vk_M+׍xc%B-~\(!RMFVSъ҉!ɜv,yԍ:%}RJ6K,-|'Կ⯖Vyԗ_Tx"zSW &qYm~{#)T F!)"T1[9Xh*EƓ 4sI0D<"c֙e +i*.52vzH ?iZ. bK%YXG_1\j cu`m\yL,72f02ydfLM!S9F((eA'b-XykɼmX\k#j_kG0BL!F +s:hG8T0X *FTY*6ua~!VH2]= W[&&zd{ݳǎ=9W^c_ӟ:[sdd4&Pa VYZ`vR4h :tn_M}}QrlN;(1mz`JحiUGSVntmM 2[z^q5 U[xٿ>z0]O$GƗ_&gA?Rqj\G&1meN-?9YGo;nilUA%MP.69窚HmW TμJM !:%Gs%-gZĽ&єXȥ!YT6ъdFȝ$ȊGEZH ,PN>Q~n(3sx32uaݥAŭ.]=ueꟙwfƧNΩq bUh視il_6a͚:NodӱMGB$3_tc DRӏۆxK1Ibo"3 ~Arj>(gΠRyOwx9`VNR{/(0Ǖ̥7pZCȼ6n<1wnyo׮f wۿ;<1uY[=<5\2F LѐRuv3CU-Cg}ZA e0Wr+%H~A%2i*#xV0^$N)oyhD}]юs?l{MX esMa}]Ӂu FR#%S@8 t/w. $$]0IR8' Ǟ܉Gyv‡ ˎ!?~p'͖Q^C:l-"^4;L cKٝfsk=C\-q~ .(4^H3 xR8):tvGB <3?=_\U\iV\ 7a֓fYм/<b*IJ4qE} ߔZ90iqL,7IQě0>c/jbsRLW1I|vAY1[Ȯ!*N/ 9Vw(#ڡbTϩKAJFR mSg'.Ou"c܄ӿ#z&4tfQf¤RO]m <bs3`dzNA[VE?/OJ;e&x^f3\] PSҹ36*)D4װQZhLY^vy¥\' t{h}[sd@3C(./lV!f-ź=Py^pẓwemM~’MiE(0\$H !%smZu=Mo'^Gdӊ5)2\!~{~,)b/&'@^e'G#/&@ӳ~?`Ŏ\)z0 GE.3x̢6ewY\ 4DXѵ ?+X8R(8Z3#t`9%֫l!e"̲Us#ebjjwgfpwqL޳h{qg݃w]Ѵ+{AZ]77rCƊs3E3#etnJaqJFns?_C&WI_?ayX;hCfgخfddV_!nY_+Jx헯A5R᭗ "O6_YӬm:uFډţ3 *HhA)A0G8 A2 s$9m$(#w9^4o ziJ:x A Y\qg%WU*8n{3;d^/z/i[ =DD+]&=ƌs<eB! kf: +e .#R#%sAL/ +fD9be5wXsϊ5{8=Qk~'c#SXS*t)"Hori/JZ!K9YWEĜUtxΖqޜ G5QֽL){V-O ƾ9C:tYsD(SIOy)E=pb-$)a6[q>i96[żlImq?=bTQ\>D#ݷ9}i>XLMXN?FމF3uJ>!ڜ9Y&|΋b7r^a" +mļ͝NO4lFG6Gup!ȁՅ݇LGftGhRZ| .l^+}L<ﴮqhulLSVn͗nOAkܿCe.YS$Zz]sƗ voRf=/,I(̫V<qVyhk;h>H!Wp>Jk*iAy&2IrBzw}2:N:0 :sCbSgH$Rdm b KYC/;vpnuk1n"YizuP5y`pZrU& QyRuChCq<+3Zi8u:ʆGOKNJqvVayyjꪢRRWXp r֓(EvKT5 ?*V~ _H(P!kpH*׬A {d# N 2:*]x8Up҅x7@7jܻ]$p~Xw5Db/ 6o#po)r`{js @ eF59e&O>=3pG&cHev yl$t+Y3j <̽%w[dZ%ob" (c5VL,Cl1\aJ("%Ci-^uPIG޻U]yg^e=l˶,˲,ˊlH'(q75iH`BH!!i&Ln4R4rGϑD( n peR)eH!V^{lЙ]}Y^k:转wޖC5[`,b%zw&˹Vƶ,ߘ [t\}9R?"_P~uAyk]uzA5BkJ-:,E$JȍQZ=Kg4PYF!{uN=>pFMl}[YyrɃϱ|'}~ea\xDn9p a_D(sPTUYnn7A\qC=z6V)A2[y] mP߿-,{R?M'u_ _u`ޣ}}G{YGф{_})ꏝIo=$U\q:#4Xd5?)h<67d06|ӹ VI3fyWbǞLJs}D3yA2NBN-3}A:%@аg>xUؿ/[<[ 0i%7`}r D/c0DB0J4BՙIsh!/2SCJlV\77F6veN3 T8Ig" iM&J.6-1S /qfPcb,!+hX7+k6ik̘RLq;͕f}&_G[F'~ҡOx_Ox<5۱O`|CTJBN.PM"! : flJfv)s6h՜Yuw=F<'%ne*W;=Qnn~]^4雃/*SWs9@;M$pDsvBgd% & ,5jIa(SqׁiNzU׼&N`RFQ! aHH$v#LjHL#/MYM'3aG5B]r$C&be[8"H uɥkzvvS/>Ѿnz~_}I# :{u'ݛW)p|v }'[;F']X>W}h'sJNsRSJ-]P=f1l*&TDʪ9Z-JW װܾi7Uϝ~ZxvaׅОhFG^mYǥsY2S&O̢JUECJenUZyZS4i->ҘS(^D @xiNX+jTBhNmϔ,IL ̓[*͟V&18m)Hjti`@uJ5W`M%RJT W( X֊xY| &;́2fqg 5DaºUtp?ڥI[L>W=9>;z|rPbҫ>$F<bHk$mRM9h~جkxecҏEU[0i5 z9gg=2/-f-X>#QT"JUԑ(*."١7"igN;?=rb.4rӰÞ}={g D0Z?-aSZp!@[)eиMjn}h哏= g&&i+2yit{@Y@] mIXI:Ra'R[ 1fA Qٗ ~6l:3h |oxݗFQCSjULŠsէIL6ggB )-+mkrn%4a)Q]Ι";/^ʓek%ԲhnP0{Da8*>?=SdΌO;Sufl*6x * '04kEf)B-a_mrᑚ1Ln:q{ǹ6ɀ栊1{QEE1LR$)=\q4l;)8;TtŖR^"3hͲ@3q˫zݡ-KRWanvmy%?~,fk݋<#8j? ~5U?:0S=4!΂x:eK#v׭g'kمcώ|9i՗0/\76o.z-P..Qb%Zud {݈:E#yF쎎 ۇL^z|xf9lr$4-r ueաDU]j4+VQn߁~ nl$2I*:VT׊sR A_]Z'Ӆ\Sfc>\LݘKBr;$a(EEL\qYMSE0@z[(|mTKOIjvo+\aёD:Z1 >֍7m6Jtt}1X2xoE=b`pϷl0{}D0V.LkLO10W]m9Dj0"K)&1A$vT<{^-Ws8k=|83V\T:yp 18v g}Sﶌyg!&[)CM׌\\ē0<;@փ3KN {k_7gꦮW#σ% ;DlW}YCj#bQ*) 6^PNm蕚_\>_ٺr[j6c5L Y9mRCZ_(@ 7RKlVh͢גk 䇤\h GAMa$P C5O^Tgz.MtCۨNޛh?U =rWkYrƯlف\ Κ"4#7GLjUhwH6g?m’BvVP)amtH1qb{P|F2? ¤?ך1^Ŗb]3Hx4  B|sv$,7SXZ Z(˟(SmѝqTq ]Rg](dVD;1e~Sf /DQ}E)$,~~ Jޗsύ;G5Obyzյ^HYY4%gG3SmlV}%0Gl^^w|y^w0u$nw%&q-Zpv;~^'>oo2N(9vO1 ==N.%trġoB殪:r4K!Êi\ޤf'l7SLI.U}%ٽد{{@Krqh}`9D Mx-> ;z앏SY?@?sէDLR yJ.>%jiMg@i6ј SgӍwH*]y'm%LUܫ-bҡS(nyisə>Lx0~adaЏ!oNdn(mYT|ٚ \= -Hz|vV[u=rgs黝Du `!=ts3 ȶ2,&Pj_JZrE 2nw;gj?7-H)-JPn/)&J7>d _%X3VLΫP(PQbOG8av^O1jgg7ڟj4{XWBeMY` =*MB"HmՓTY"e:O)Rׄ)0W+)䘭#!FgnJ}gz՚ 6 1EsK&KFj$|Mb>[2JdVƿl6`D{LK p<-SK%} d&gch^ggrk;5O>6=B}ͩ!3/>Ҡ?>M΋$3+=*$Ĝxu"DЦlĒ+-%N^"Zy5Y ޅѫB~N 0VxP B^t@L(7E̐"lZ=V;g;xYWir0h8Μ>bm ӱ!k ZCEbb{t\ٓT,ZV)|,rj懩BV@6`b̢9bl(/Ըbbi(iGUgh7EI-W$ڂ%kO`- G@- [g]slfC V:hӈF^ O`hQdݎ4~<n놨"Ӫ/f>7:7Q$x#-I ~Q"q50^sI-žIGd;0Nj&I.`H.r72 L#)>6oUPM$ۨB[.t(ce5'vɾijzEm~]uX*>u1?[nC4" ?J}@iZѱ@)K S|Z$sIR –J Ϡj06LLlx-4K80S ;G[/KHi1L,"[ oo3 <ذN|Jz,hYB: xPVdQL.T\|,4 Z +d \BV|m UFS0J ~XKѫ*Ӄ"s*鱑kZ$wT,Y雇;y H(1X•262# V{5,dsυQjX ]zm7s_!vJD$ԥ ( 䟯S.y̒x%Oc#PR|@dυcӿ)aGT+vQ%%R<芴cR"g:QNu Lk/k;ԈEݡ ZkWᜱO楎Y?b6,oX\bM* ˬ3i׫ԭ韲0,l.~.fjIUޝM*[-ـĒ),T^ B% RZ)dckUslAh2" j gyc$Ęr WT/,1KdlCȄd"8^Ι:Cݔ;=!cQv-ksXTJdHoG]+eZHL)/8n2o}(zoTB'.bf6{^j&~:~R|%S#-hz -TD(%c!Ӆ>MJ EoVLJKLDdpjPiuRZ0뺱sK_93` 194Q&i:u<Ό2'ʫW#ҭEBT7! ulGqnuwd>{' xhoV5?`˙̀=T ռ&jk,^J[s;cf4Ne ]cJ706Z ΉMuLU*N''BĤ>r4.ODRTi$mUul%-P|*"lН¤EX,IeuˣL6r4#jmS*`)Ud7U; }L%:dE}I%c1]ȕ<{5Cd^5_zά=\J˿IZxƇ4LH ^CsYMM&l)-Ci Z#M&Aυ'0T0 xf tӔza;>"RଙYLY${GOr6J@퍄_= 7X]LJvϬD?3c "R.f EBZ]Z5SԜ7ת^/+><4̶4Z?MP3aHhl-ͨTŴ04 CG5f k#Nj9\ fHCTiiƏKv:J)kW8f&,Fty;8姍** rs(hh 'PPs6Fl$jZڈjz5#?%7׃uX2Zɋ_e( *K!hRHSSև)ޒtqUKHċt6Q#Xlj|)s :rU)-`SV06$HP?R` R Ȍ?ȑ"?{@cFF11U6 @L#,T>Ǻ< 0170AC@G50/zvL1i@u4hDQmT6%0O3,: 0P!su_%;*dg]v: 1Ry0:=:]E6jy#W53 o4^ijD2d"/ydfѻr#3k>w^|$aXA <9=I^C ΢,j3eXCs]^[75,Gz.4d]ޖp.iHI[4b=wrE/}_ur9\iiӐ{|({$E3utBGQm7kd&h ;'910;p?ܯ}\.)|Nzk^9Fy-]b})%1޹86S3^`!|z Ȫd4@B~)gKAޤ~M.?4娻,}eS?5') Dv6̹@E6u:>I5̌H@33%;aлu~/oތX>r=NlJR3ɝ͒J2o(D^U_P=g8c9 0p K6g#3w^wgTHgebgܝAW_2 #~Ę1_~KLZҽzxfh)5TOS0% Iz4'Y{mlM+|F:۪1RsG',O>t _x5DCoGvevu{")G; l}k+6Ю˶mG&V {.N;{6~1# ԂH"umKY3S!Xu I˽zGw~z0^Ig$G3JQے-s~if?=w0 83cWSMdG6;;|R^$S~?M$Tyzs/ꊥ;z?{ia؊Pj5_%Иsrg2q;͠ 1 mΊP2t6=9r}.~DGY ׼uT hJiKӈINJ$CcY!oaUz:~iYׅM.P%6 ⠭ PoxA=i[DX'M:_G0Ý;4'cf~A,`"*]3zB"0:Xø5mU/o.+—u5#1M> J-J8>f# vx#< uz|,tKKFj=ԁP3N#oonKև@wbSdf:"^"켙8A6Pvߚ=|nMş]s'F~1L 4|IjrE12`t-FPAI]a- ִ,Rn@3,O8=&?)+h\XO0zK%vN[*mYfp>!s=ocwt`lh0eZ.z:W( -unKk;{K]=v;=+EθkbHK5ƞ!}(*V{Sgb:cj V-(j vI<т \Fй:]mM'SQx |rҚٍ2e{ۭV2Y>tQMB]1wv觟k]m?y T@zەe/Q1eR:P(P(a2h;|K}JHz2v3KUp ?Tpҿ'%fń,2+VxE ,a.8~/gE42Cf{Ebm)v8|0# ,0j6NP~^gV$ Oqy*,ЪfUʝd :\K\v$.\~F9n EC=+7kpG8}=/cˠ#R*R부g5;=_Oc$|ĶNvvØurJ3diVeսf1M*@hH%U"k$S9-ߩZ'" Vּ+݋Mh[=wڽbxGl]n9%<mdҺȺc-u=k͕six43K ^=L wf)|n&M!Sϴ Q1cma kxwԾk-rYq/g5K]"'6FC7ZgNuJZ$ N\͉j#^lXJ8gjgjɷ@@lIB|""x=XG'yKT^Ŋ=F h_Qȇ|TH4O'KqDea*-xp8k\_AeVVax`&eĵI?bq-"&. I-hlnzO|.7M׃NtvFTZ"i}΃>62`CwmHчoԵ%Ԟ;|$u!&a3؎O%76X Kxx5Pp tv9rR͘WovN7\7'I<񋉲:N#$2{.J9lT-67N=&.8Y9#EXNV}w9r DvUm8zrS/8Pm\A3d=[ÍRvl\Gc1L&ia>4R|W/@&JDd~RAJ*"vX]y8-pFgDze~%:06BBDX(͉R 8֜ /AIc֨-zZR{ uQSO1Z ,2O#aF$Tl֙X%n_0ޯ@eUO:?Kv}Ipm-|=]Ķǿ[ G%X=De(m4߃אd5{ya 5Uh.&,$Rzr5r̆Hv*XAx*btjv vQi͢IشұˮuņnxXqcf78,p\qHit,H~xϞ{GobmGgǍ+npE6lv6S=23kJ2TL7Ǩi7+Գƞd_|1I)_A(_aVNJy'[R ] XgBQHɓr8‡*C%\4Q 8~ÊZ #in% Wm/Jٗ.2lh3l,O|86gxK_ixws ~Z:hsz76[&܆]_dfi7y8Z7":ҏ~K~`'ߤy6tv( ;V3uX1Av"1*"x!ʽi<<[Gu֗߃x-'ԇ"b_춠w[n5 ,voh.7!T2NoUn\N1<ƊI~E8\5`AGق` hbr4>wj#t) v+ N jI`OCTbXZ<9VRﳭw\Q4H@Cԙ{oY> ♝}}жwkMin?~7B {3_1;@Kq/*: ^YaИbԴO";ؒo61&r <"]¤HrA~K^롛X幬g"7Fl6߰rۿJ~3i݋:4/=5u{O:hox);Y* ?g4sȰsYP CvaΜ}nt<54Ri2,,(RIi 1xv|-{>p֋~aJ%ĤMUDPHQ&zFbg$nf] DjQBb0  +3"4kW MPL*a{E qbM2MPӀLKH?5YBڍg1%l[CB`[K,A#~qy{{m5ΨK *V#7Dnc5oV}+{Uwt }gA27[W/i%ZgX7}@7b>0~ Av\63ZbCk/3D6} YB~bYǚ IRX0+̘às-hM0 hǠ5ȡZcQŠ6E).6ڀ *VWFPן٪;woOUzk{t*\RG #D!LRG\4֞>3,@L}.eE 5QfRCΒИ]>OD ^2"kbKNoh|T8} i=oYMhc?tt7G9g.FU/9ܱ|[ŏ]:tGW^l;u,^VW!uLcP ]!}8%ftr`#`fj& %0P h[A =LARANB`h(-ܡe:r&T6H;?ݢCEwhML}ȠK;Ú"mvQ.5j6l۷ehD{*K޼mn+ |Me-mqT{Iʪ8V$uLcq ڱ2ъ 0,j vؚ23 [~WK\41LT*dP.t Oz ++mN5C+qؗR6Ea%&CnHB\:wa݀ ذSPw[Ix2PH;q~5'}'ƒ+[f edz0a.ď0[Ά aUb^Fm91% k 4lFaB)qD&1p2H\H}0H5)fLT^h5_Zn'ϚZwtp!q}Ro+V0QJm,z&/*u*༕9 Y b|W}q2{bD-x.d0#wi}ssQo,ZMXԙx.{+/(Z~4xO*EQg M, nE~uՓقO<ɭJ=:i(1{VvY(ʐuN}ݓo&ޅ ]#K5 ,ѫH|n4gInShݖq-:m5&^qF8D:Kiƍ88M(P  oa#DWtXC `&]J-%;:e1E\"4֑{Αslg O溶Nwl!i}m;=pJKw_wZq#TYkӒ iN;$\z١,["x| ,zDۦ9H0!""V' islh mfbb;e@nSg&%;=~ aww;|9г\[nϖ sʆ?땏"f^a(S06.Ex8NbA/_d`_?09r'Oq:G뼟2A‡10!3֌1Q1i`A`W4çVf F͗BրWuT&%Va"Wk3a@s9 |$ d:Mp޾MC];GoFo]:]岁"w '7!._~Wm 'mxc |t.ٻdzruÁ7rwkcV az 2|YaqَS;]wmu;|r;rјRSvIv;7c\cNT8 MqVή!U<2O"|nUL}EtRdJĚto6!'d/}ut+zy#;ݛLv~|woNb= H`x-v?JS@c`?LD (D74"0k`\/@z}C_2NBmc4 6>Zځ_EǷ^CڽzR=%2936e?)@(?чtW"osIG+A9س&?D h=Anc &PVLfYmI>FgaeEO;q0LEM~ߔ/p3?m50ڇtOR-'NSO8z,GׄCx=ZfA̸Oh TƵ{ҩ (FZҵ?e ufq[6Q =ZFm?ڙHϚx]^v\WgtZ!0HF֨c'bݩyͧv|m7Yg6{gWNZ?O4f|FGQ=! , ~ ǽu!u}J>༰#wOOoO?&({HߣFI#$é5 K[6>~Adwxm׳5>ϗ}?s >#=\˖?zSo+|&Ak͢@ϖ"?4gHLzkqXUjl8r;R*-qP ëd#[! 5 -O_-;>𷥯AsB12.5kpPKvkM&VTL, g$%B\H!%aJP *v麿ݽ]>'.n3* p}K|{t#I2*S/pO^d|798^gR^0)b La(@rD{a3L٨$HRxA(DRdoV-~:b*wSf̲u{>V:l Ƅs|Fs{\ 2 eu4}܈xj+-RԼF J-5:R U6KUWܑOt,ubU Rt[Dot|\Sӧ8qhñ;ʏ7qUJ㉟q? N: _RcpdSYG.Ä=^0C!yJ]@/VƮj:gvsHNs*QXf,[I.)a"X]Dy@;KxU5ٙ(5/" rp>xP#>kox3vxl0crWΐ `}iI}0:v{#dP}<{?ėm;ka׼$+*+05BJ(k+@}z] rf&)y\mcsKCv *RZ"?Q' E~)tqohIŌxC Naq /ch,P4Lm]'q1->Ƣ-d8 GDuDQGgfLX9#1AqBnzT@ge ^r U )eVFg O5BkǺ]+}]7G1i) 5DGwv5?\ԚԷVH^pnK>w B~>Оs݃ V/5c4rSU;0q-XGjJc FR6 ␨ z_ү5ezB IЀ#!`CE%X?wn"z쟑kP2Uнrd]ɇ>p&}5Ϻ$] Qu#&/&DܟPXw\'FG׶EfxmE>Di /dė\'*xɅTvXp䞖idwg2QvKؤ!ҞxAbJ4kޫ;j$ I[+Il0s,܉w᪰I_8E1xI `ͧYOv;P<w>LBYeEc!,eh`L\e\I qO$M\\/_/G:nLں78^miLMJ<|0!vM7 _Cѣ33y-͆+mu֝u셋?__b?m?kC4֫N<K ]Y͟߃/VpP |er9 OO4߄ƈogb'۳o9ײصpm1mI7\e4|[űBK^o߷$sMޠV!ert64~z1i;iFֺ*,kZDYY\Ki`UZE PeS UP :&KJ*)iz)(ą >0F5Q 4Z,8N8A]*4WZ 2X>[4YU@L5*ǂ9ph_F[ghޥSvf5sscr'7n𩻅XGg$Ym`A1MKHQ:N8r$$s=4`tJ6`pb$wq5L<`h2Ъ-Tl!^_ࣥibq"+〰W{\ΎtVn_e&i"}}@+DΆlM;I,zn1f]|ϓB6KBmlwm֠[\{w%f#izNS8<&`u׮mW61N?j@0uX<3lc⧟Қ9D6rem7;ۭsn_^|߮&Rȕb`OA5à`Pmbt !8;h+TQ|Y#}v뗢-%ḭ#R sh\;~6 אLVM\&Kd ʄb[v:iXk UIU5J K Iiv"N=8^AS [p#vi20 eJfI ^954O^y/I<ȯK?^OF_ vR,wlgb:gi|(*./6Ћhcp9̝9/ͭ]6y\NR8yPm]E[v-at>Ջ[2 {5Fs{ ^ehZU50_Hr8˩gJўo;ܮ-vXo}[i9:Ù>HG4ESn@ #}eTf:~dO}.smu[!v4C0Ϻ.rҥ x(ȭ*^ T7\@c#\ݙ^B.}|ߑ*4QAwa7[ $@s@Ej,Dь '~>~Ds2ze """]GBu]ųSq,Uj7.@gͮrdNtibnmT#5~Hi8R`n p¦h]3բ ;~aP]QB? 6lXC ~j&݀jI)UVߣBfԎ0͇kJ1`W ԛo 5YIE1in@P)Խ_ )f8NaA^~]}|w 7+C|iҕX0UK\,TThWiXlq˝;R]]XWMotgo-O$aQ͔ T=hŻy%!l&^8 x#*7BX gJ7PK^jAE1؆ t6EЇ*%TX.\lp >j Գmo)V{Z'i+-w_CJk>d ;!Y&NŪYEi/huk i|7Y0WJ/e'v`\7}egu{v/o=Oho6݅VcEԖֳK&:J6b^wC2I󱁺,EUɘ)3̝܍yƵZE&Rȴø>atc> +rmI=\_ |I["ןO1v2޻B-Q.{1u/Y$o;f[tpqPFEC".~R7N [ љh\b;㢟 nKMڳR"E݄:u"RŎqѭ -_|"0gJYvcp?+|g[OUb`pgu~Zcŝxp ]?#M\Ħwؿ@^+JzbaжeIky{;67n)˪52y>qW`o}bo{r?^?+Gk,%܉eFWOD1ĘIm{Scz7zicж'AۮvAJ$t4wAz~w"˅,5.#e&u#G>;H袘NcLRñq{05襋 Yk[|]b#Ut`o I#62>'F+EOٿs`Nq,{)n_00RB@"s{UY qu1bA&IEhMO'wټb!Q.Nzz_?@HD+hV87g*s2by+I*D7AWfj|1޲-")c~c>ΦQa .,'20G 22>v49b妲O%%ʨ$tM@i|]`09_y:CuRPh T?l@El K@) )WU Sp Wm㑂fPїr3<QSml!~!k7;}THvgYrKz@$#B/B!ʑT %T-k^byn-a?Hj+egBs76w!cC<b5Oa4\N2E 'A>|"CUA I* B}Z(Dp/"sRMG#o~-{4"wb|O%$Z%\ATAJJpbdQ2P2R=(f~qV _Wuп1Wj38D.r"rbҨs6{gˏ=q,u337W7Yq @eVQ+TT W*UΊݗ^NӾSk,Wk. W)P\" P_ ͫEIKc0_| JAxAr QH5EIcJbzx">x|=wK-~GG{ϼNzqGuOuN|m-}d\2 N>*$XB/ >  WiR"V1T mSjQs?N)ׯp*JF'ϊ\قp*wsK"ZH %'PvJFTX8C^zvwxs=!+Ə}~wmg_zc.%d[(<8e"^%DF@UAR,EVw4+\EcN? 䪂)1zAE[t> ?~ʮw/u7m74v['¬XXOkGqDgʡ^BT[B9T$XkA J\P+"X(^@%+|1JZ"1ҤV_5M,(_k$.0=gqz^b6/Aih۶Cjdt`EL ֱnk'.]raPN"/ȫ ccWr+( .YUHa|$vO.1.D F-f|P@ݐ`*蝔4"9.+Bq,Z-^(~V3Շ[Z9yt'y1=-}5vtXMGig.Л~3Yf/gs}M3zPIc57|wm $2Y$ׂ (+& iky-9d}A~Ϸ\,rX{(C"_;Bem=rs= 5kAZ"w ³D,0( S!%&oZBT(/6[2T^T=OI̶XU'U\jCAQ.fV}gqcuLnSKozwS3B;Z t16x8$Ƿw! މkc,_cvMP|Ͼ\[Dz!ϬX|Vŧ6 y@zPe9~0]t3Ña|d8yc sTf9,Ⱦ' uٟb) HD:Wbdk1@Iݤsw?Vy! \ ; $ل\R\`%ఢ96ޒM\)ZvDt:HpHg shk7u6id f0k %ȲWZ8Sf,43!1Tbf*,`ab6YEAz-Q b”<>}R)zSiKsWj8m]gj뱕=kldۺͦîSSĆmcvCf/jSQX8BU(2*-i<LCo-󘆬y.q#o&V)6_|ӑwp>&m˅Ѻ.졞|C4Oew/w=x|Z9ObI6rX5 Iߑ {|ͳؤ1O_G@w:4y=gFה?hz^~mQcnu{ j5HU'J@ ]M,!Js'V޴YV zf3M?@R@L  LQXVՆ=WI:lgfž8P(͑C{>;C=ͼd9"Mo^eNL¿3 HD( OVV[opk6|}b_i{ܽ184ՊNV^`0fVPe]q-+XkX8Pg<_58ײE85wE1~ x6!xxTɹ(U :,UH1t_Vۨkw(|.-mfԚ~GWv<17]wIx%eJ6 k`j 8&P*="Z2C~VdwQUxP]CN9^eXolq0םNxtʃQ,Ee;<åꞚu-h0ccVDp ?<򅹷so9ppr̷q E-O&Av҄b6IkzROX+6Npa/gb>ڿˣp7;!ŭ-&YU)grAE=1 aw]T~Ωu_*n.Y:GlyF>Iv7{M/-6J"r d +\1,SJ"TFs9Rd~Po!,g5pY NNS_izFޝX쭵hW :KԘ ܵϽ۵Zף4|a#]^qr,qX1ja69OQ&cVX=?dy9pW[8kz7pZR sI{qVRH+h|^(! !Cz &+xjP9~de2Vx5z.~"s^6kZoxwv{XloZ`V%kT@i03˜_,:AP0Wbl[zigX68=t ~8oNMgyO8єߊB);7xG{B||kdQ[#+tzms&z:yȘ)P\j,žP\6 /"(@!x6 W*PT&VVh\c A7Zg\W.nh7qA1uv[ݽO:dt J,6Z[ rh94|7>żT.:K($c:<<|G~?ˬԈ2L5lKk ,SgqDMVz6{LB.ÉYAwl%-WBgbG%*ڨ-aIy_}z5_\Wk$΁`ʩQ7ծ1='GJύ7[jq_7j<=0/ RE[}Þ whpa9\{!ʜ:=T]c(95AM1Op i5TidӋFzeoO%Bnp}g~zwljWuo)PkE]26_y hs03f-gN|-/\p+,_.!?QFNgT2Vfno\\G; 5Qg-.9")!wrE@%ߺ %DWh'Na5wI$pЅ")į!5fW7oTA=)u \<i "m2$(rF;5#czWxOpm/N"Jљ **mk;̺5\ G{Dƪ|zjT/wϗ"i{DV#dB6Q֧6)_w+8#$Wh gn!HJ >sǴS/^ps1}w5܍yWx%-{C7a> S PU賌 XOƒwF'Pɿ#!cFubEo~ a~_((5X6qBƜ1}9K4 x$ìESG1b M=C3CּI¨")ny,+ƟD Z^%d|X*w-踒Fjwf)6luڽ9)szstŔ`~쮤crܕW%ME%pofȵ YU!*YR\KڔWʙ/hBȘ "qJKUL AL'HM qvcYQ_W uF!tkW:Lk5FVgn"kR7 \SUYH\4;?2w=>&D/> >[[caSPN`UVsOCawxDž4GZ _M{p|U%v %\omj[͑RYW)em5|3g@nPA Ji,TBܢaܒ(a}OLco7zz#?2w7X@wd~^L9po)DEv n'J.Y8,,sxI?^HG _oֳMffV m\A}GԵ ve'ڕ/̸,ˢcM}Phj363-~{OuMx2].>+0&Bu?e+Wފ9wUi&Rl" k>"({KUo˿V[w1Ok/9S6Uxؤ&6#m.G(Y\Sb~tq>w>+֎DZ1æ.'湑~9G?%[03ˎ#N¾;X}qv|v/'B)v(e. (gPAY 2Da-88phTR=O,R{lgz.Cew=p`bgg8;҄gp:wX8;|fNӌoI?sJ؁OPh KċHTntԣeSpVϓ3Z[ +dD' *ЦљXbhYbJǚ٫69 5[\c{A[\?N"; MΔE>sFE3E8p \G'ʘJfrq-Q?9DO#`_q찓jVQ+eoe_"]F5Z{ZPp~ uJ.+~M؋8R.U;6 `<[&c0 lvBÙRCJRހ}9̓Ƿ22^Gqs)bu5(ya*Nz-Ɣ[ۛ~\)];_˵z*sO\9 JH\8"-Ts;Vc:z+E?uܥMVCUOљm[R5F׻7q=׎h/3ܷݢeٰU6+sk-b%F0 Ί `Iz%!e}ZՎ@\TXmWS :ū[k#쏭61e)1F$?OCMo<ɺt.wb6?}bLnIkuZ*vx:fWE Uy?_8r_BƏ x=d)C5D^Xݺxc`d```9x~  p4:NqU  L @xc`d``_3ϟ ) H9 }xڵWHW~$lmr! \5 ieYk&Dh Z5Hj"DD$4֏%]]ssy@j9-Q(v;0C{ CXcF5`o2\z>V]AiD?Xjs-=zPטf}߽N@{|%W_6iDu8t8C8S6fRVy:yi!gL@ MXD;uEz_GP)BLj([X͐Wc\Qĉh5ʦ=jaju%bDbmQyմ3cNte9gJ,Yy-*b㕾/K\آll-17{梉9?{1;Ξs.|r X&pG#s-;3r.NCfc ႳVLC>)OMr#q)(L?-:oyri>C3q}F23WNU8ca5Ճr 769ިUwVAr=#YNx9o_C \"4=맨^G4N>.c:ij:ߜ+W<߼3G'yq<818|yR,`Mc1_ {@*>ڥn7WkIBİ.%F-1y3r;_r*fr5:w 5yG#: L9Ss T!bZ4#D/פ8IEǯR b*EAgq$*p+a P2/!o6aot2Ui"s SYk_e_lǺѯ?Fkr_Gy|G$xyUojjE귇nmyF"6 L=\Ⱥ4#e\Wiy-#J0VVDPW}#)F]n{;b_2!K{F۱1uZӑM]QF9E鲭:cGſhxڕ}X!,8f2u,'!y2F:ֶlai<bbEQIbQȄ8絇:?N~}>Jo@dHBrdK A(Ȕ?(Im dIMbkN5$YNӎ Cr˅8[AjU$FJ'Imxo_j o[.]jOl{:!WH3NyIY }Ϣ;݉^+FJ Ыggj_+Ez݇:}~Rr}/Pc 9ҠGҋ !o(Dy>_%jiDO "h \/"& B C kL Xf7q'nAϧ/Ugx5ţuĭg.xZfz؂N~Z*R%Mm ۙWt|ہ_;ey{_~Z1/A!zZpG!uï\ gޟagџOr +$F:+"<9_</h.KU+-ǣ syV]7&[s]]r&3>3|@4ԓ ÿǏdd,W22 v4tqi{7'b4#$Ke.qY/"Te,isjDm'ӦR-n52xn_,ӁC:952N3]эg#dzxFt~0y^uI~__~p Ȑy "~P`!a&C`^&>_j&zAG=OOȌ @t(|$o_&'C !/P 0pbǠ;%;D:LwBD'OF0MC4}ߣAY\t0yGc,^2qh˔y#Kfًg-ߢ%`{hMĿ|[7+оO1I2V35hжѾ6a7/,› w؎۩yANjŸ=}CY=sG Y%kkd6mX$~2ƕMOPxeݲO7Ku=-ۼ,N -]~+j˶m ۖ87sCC;7vL}fl>h3$| _^ݩՃܞ>je{yzz>؁);_̐#;4TvXEC?9/Nv$yX(gY;z0C">mh`FaĄ10| #&OHv E w$;q7mɋHzN$~)x6i<o=͠2YMs<s<8_@1Exma踄?epzW{M)g*W໫5]5]':יOT|*sė**|;jjE-lbjU ]%gjݣZk/>ySGz֣?CYkrxZn#Y=IzzF èH$-9N$OtqLL3].L7xG`.;Nhl:u.*k#菾ZSoD[ u_EBS_SwkBo3/著 z@7_&W }_+joHozi|Cy-;DA迪w7(ԓυR[&kݭNc77jBSmbjZēQ#xntLIUZMTj 2x>KUU]{b4"oHumK?"r\SK٤S mS< -z8h.YPZ:>?F?g.60D?CE46Z z >GsoGwk5{D='嶲&MbDԖѺwÃyYwNWׄ #]#H;"<P{܉SRf-sZ+`!+h1|^[+^AO!y<e3@<7GJGӢ^̽QQ-==g1Sɫ$M~(PYvK W7_>o`K+;KR|?\ mGúIߋLڗ1ikB6רB1˕RNGkdcdu re$xAqh`o(" 8*E:h8~2VmpyEZzbmQ /5iuA ZN:F߂h~Ig&c>ֆu=+GLos=A֔Ķ Hgb9.T8SSh-Q4-5sz{#T9)#fHRì8L1DavcmAo 4ՈW]۶Lavtq_ -Qc$(Kt;xXI#zv((z&f ' l4#Dϯ׈XĿb#&R=ՀXF6b*e4vb>-JyO.^PV:{B}ȼ%CFO⏑ew:0oQߋx^k=ZYYs"z75\2#I7:IX5]tyҎa- |K{_;wJ*oȈ\sM82UN`T-p 0F؋J94_C_\˳Pj_ŀ WrbcTG5cQCՆL!Eތ=[.GBJAI߾CE9m*٨ FB!N0ٷn`U,Cڑn(mRWm{PvD[WПXx1 2_ŕϻ 7|99)`؋7!"oek'^+5!ُƋ5= Nq7ry`gy3_11geTe=<\,ʸ\xWnVl]NrNf?y̞%luIw9-EV?Ui-g|,OUx?"),KR]AqԢwM|Kwx3s""\_3&fmSw4W)MX>*tgn99t}s=~ܲ pHY8`K0Gx z ZHxbxheb31f%] xJd2GKױPW噦ֽC`otT kY~l 0`Vx)jG8Lu;^=/dWᝃ]NS{Eϐ9b7W7xFvg.m 2F,6<>G-Gd6QYlxmxG{HƤZ*kAS7iiRHW`YuVRp+㕙̌w޵ݝ'ik/wg޼C'PB+A;t@'tD,+ k l l[ [A@ z5lv=;B t0 0@?L`vi0v]āY0l\`o-p1=p|G p,W%87P8#l*"Z@N<yxixϽ  p;8^e/k8C  a\@  X Ka ~p;\p _7p'cvbNI+ಸ.# "+**&k:.?ϸ>nF1nf9n[b7n=C~WQ8&P^$nමn;!)@-Ld8wnqN]pW3qn8wcsq½q6f09p8` , | Vp \~?Ax0ax8GQx4qx<'Ix2ix:3,<s<<^x^&o{:x^Wx^kZF o[V o;N {|‡| |§|;/ o~ ~~_ ~?/+gJ$&PJmNI]4&2,-G "D+**F&Ek:.G!mD&)mF%uVC1RH8%H^$mMжmO;Ў" 2ɢ4M)OSi'iM]hWA3i n4v94=i/ڛ>dS< QHihp#D p3!  W(*T-1ZLKh)KtHtJtIGt KtH't JtΤ8:Ρs<:JЅt]LХp&]gY-]NWp ÉpNWUt5k:n&n[6n;N{^AazqzizyzN/K2Bk:Ao[6C{>}@G1}Bg9}A_W5}Cw'G7D?//J-bhm]tN%&IbXN,/V+bXM.kbXO/6bLl.[n1UEBhWZl#ۉbG0),/ĀYL.bW1CĠM9bC){ybaȊȋ!Qâ($FDY8bT,E-Ș==V:tWj갛VV7R#vuQ[j$q;h)x=DmFfk#Clӷ9jgr=۰3k!sRL/]Z 3В| V3Pad| CIBIMn*4c) 1%4z[dleW\>R $YeՌsE.PM/ko炂%+f#vVGJpՈ iR~"rhT$kUIS2+%cZ,2lJR\)cR4w0E!: VUF18% #R+R7!jOkUaUYk/kk5Ū2I5qc*|0Ga9"EFJN#) HoȨERR,m(fɉ{jkZjǸc&XSTUnW9>$+Wy|\aUY9^9^9^%x|'8~'x k<_q)O\Og|:uי3_g|:uי3`| 7o0`| 7o0d|&M7o2d|&M7o2b|-[̷o1b|-[̷o1?t,2G.%]fzi#oOc gMj}x)1 57+|C)i*#UF&mK.@چˮHnխ|WcKY|0,rOGm;3dämtȡuf~oL $$S$$$$L22T:EӕuJNy˥jKZJEזIi|Żےsʅ:AGs=uΏF+1T>˜|x+U^TnͫA`*mޭ`RÝA9te`̟/ddOv]g6J[psƂRxYHQcje[ 9!?O5^ٞ+󵌓1V/#%\W4M+sUe&м!ߧt##Pw]vkmw7mw_dvpu۝w{oåA̶ŵ\ε\;ĵV1m{th:1k8 pɆl\F<Ooxvc~^>]?̦v^gz8Ńuu*qZK;bF}ژژ*%o_[pr -F-(0ނ|+ -(oAA?VnAA` \:dTjQ3MFɨ6é3:i2i0:i2&i0|YͻEG۳Ȉ<7og3ʎ,0~f|+3,gVft 2]h/Û],/3 ysg̷23̂~~fA?Y`efA 3߅2/Ù̂23v9nn(?R ؑyYH/ iP~[~Fn|ȵ=QWB^ xk!}! T!o|PL%cRȏkbڌP1'Sh'㒡65ixZi!6xZV&/no|D:˙E(o-w"LOTJuR_;yǐ`x5;0P;NC-)- *[tJ8˚ qVtFS̓W76=^:?0; 0vEH A"!GA! @DKB(QYQЕv/֜G(#6w}\0@(T PK!OȐTkirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro.css@font-face { font-family: 'Source Sans Pro'; src: url('source-sans-pro-regular.eot'); src: url('source-sans-pro-regular.eot?#iefix') format('embedded-opentype'), url('source-sans-pro-regular.woff') format('woff'), url('source-sans-pro-regular.ttf') format('truetype'); font-weight: normal; font-style: normal; } @font-face { font-family: 'Source Sans Pro'; src: url('source-sans-pro-italic.eot'); src: url('source-sans-pro-italic.eot?#iefix') format('embedded-opentype'), url('source-sans-pro-italic.woff') format('woff'), url('source-sans-pro-italic.ttf') format('truetype'); font-weight: normal; font-style: italic; } @font-face { font-family: 'Source Sans Pro'; src: url('source-sans-pro-semibold.eot'); src: url('source-sans-pro-semibold.eot?#iefix') format('embedded-opentype'), url('source-sans-pro-semibold.woff') format('woff'), url('source-sans-pro-semibold.ttf') format('truetype'); font-weight: 600; font-style: normal; } @font-face { font-family: 'Source Sans Pro'; src: url('source-sans-pro-semibolditalic.eot'); src: url('source-sans-pro-semibolditalic.eot?#iefix') format('embedded-opentype'), url('source-sans-pro-semibolditalic.woff') format('woff'), url('source-sans-pro-semibolditalic.ttf') format('truetype'); font-weight: 600; font-style: italic; }PK!\..;kirlent_sphinx/templates/kirlent/static/lib/js/classList.js/*! @source http://purl.eligrey.com/github/classList.js/blob/master/classList.js*/ if(typeof document!=="undefined"&&!("classList" in document.createElement("a"))){(function(j){var a="classList",f="prototype",m=(j.HTMLElement||j.Element)[f],b=Object,k=String[f].trim||function(){return this.replace(/^\s+|\s+$/g,"")},c=Array[f].indexOf||function(q){var p=0,o=this.length;for(;p Copyright Tero Piirainen (tipiirai) License MIT / http://bit.ly/mit-license Version 0.96 http://headjs.com */(function(a){function z(){d||(d=!0,s(e,function(a){p(a)}))}function y(c,d){var e=a.createElement("script");e.type="text/"+(c.type||"javascript"),e.src=c.src||c,e.async=!1,e.onreadystatechange=e.onload=function(){var a=e.readyState;!d.done&&(!a||/loaded|complete/.test(a))&&(d.done=!0,d())},(a.body||b).appendChild(e)}function x(a,b){if(a.state==o)return b&&b();if(a.state==n)return k.ready(a.name,b);if(a.state==m)return a.onpreload.push(function(){x(a,b)});a.state=n,y(a.url,function(){a.state=o,b&&b(),s(g[a.name],function(a){p(a)}),u()&&d&&s(g.ALL,function(a){p(a)})})}function w(a,b){a.state===undefined&&(a.state=m,a.onpreload=[],y({src:a.url,type:"cache"},function(){v(a)}))}function v(a){a.state=l,s(a.onpreload,function(a){a.call()})}function u(a){a=a||h;var b;for(var c in a){if(a.hasOwnProperty(c)&&a[c].state!=o)return!1;b=!0}return b}function t(a){return Object.prototype.toString.call(a)=="[object Function]"}function s(a,b){if(!!a){typeof a=="object"&&(a=[].slice.call(a));for(var c=0;c|;kirlent_sphinx/templates/kirlent/static/lib/js/html5shiv.jsdocument.createElement('header'); document.createElement('nav'); document.createElement('section'); document.createElement('article'); document.createElement('aside'); document.createElement('footer'); document.createElement('hgroup');PK! {{Ekirlent_sphinx/templates/kirlent/static/plugin/highlight/highlight.js// START CUSTOM REVEAL.JS INTEGRATION (function() { if( typeof window.addEventListener === 'function' ) { var hljs_nodes = document.querySelectorAll( 'pre code' ); for( var i = 0, len = hljs_nodes.length; i < len; i++ ) { var element = hljs_nodes[i]; // trim whitespace if data-trim attribute is present if( element.hasAttribute( 'data-trim' ) && typeof element.innerHTML.trim === 'function' ) { element.innerHTML = element.innerHTML.trim(); } // Now escape html unless prevented by author if( ! element.hasAttribute( 'data-noescape' )) { element.innerHTML = element.innerHTML.replace(//g,">"); } // re-highlight when focus is lost (for edited code) element.addEventListener( 'focusout', function( event ) { hljs.highlightBlock( event.currentTarget ); }, false ); } } })(); // END CUSTOM REVEAL.JS INTEGRATION // highlight.js v8.9.1 with support for all available languages !function(e){"undefined"!=typeof exports?e(exports):(window.hljs=e({}),"function"==typeof define&&define.amd&&define("hljs",[],function(){return window.hljs}))}(function(e){function n(e){return e.replace(/&/gm,"&").replace(//gm,">")}function t(e){return e.nodeName.toLowerCase()}function r(e,n){var t=e&&e.exec(n);return t&&0==t.index}function a(e){return/^(no-?highlight|plain|text)$/i.test(e)}function i(e){var n,t,r,i=e.className+" ";if(i+=e.parentNode?e.parentNode.className:"",t=/\blang(?:uage)?-([\w-]+)\b/i.exec(i))return w(t[1])?t[1]:"no-highlight";for(i=i.split(/\s+/),n=0,r=i.length;r>n;n++)if(w(i[n])||a(i[n]))return i[n]}function o(e,n){var t,r={};for(t in e)r[t]=e[t];if(n)for(t in n)r[t]=n[t];return r}function u(e){var n=[];return function r(e,a){for(var i=e.firstChild;i;i=i.nextSibling)3==i.nodeType?a+=i.nodeValue.length:1==i.nodeType&&(n.push({event:"start",offset:a,node:i}),a=r(i,a),t(i).match(/br|hr|img|input/)||n.push({event:"stop",offset:a,node:i}));return a}(e,0),n}function c(e,r,a){function i(){return e.length&&r.length?e[0].offset!=r[0].offset?e[0].offset"}function u(e){l+=""}function c(e){("start"==e.event?o:u)(e.node)}for(var s=0,l="",f=[];e.length||r.length;){var g=i();if(l+=n(a.substr(s,g[0].offset-s)),s=g[0].offset,g==e){f.reverse().forEach(u);do c(g.splice(0,1)[0]),g=i();while(g==e&&g.length&&g[0].offset==s);f.reverse().forEach(o)}else"start"==g[0].event?f.push(g[0].node):f.pop(),c(g.splice(0,1)[0])}return l+n(a.substr(s))}function s(e){function n(e){return e&&e.source||e}function t(t,r){return new RegExp(n(t),"m"+(e.cI?"i":"")+(r?"g":""))}function r(a,i){if(!a.compiled){if(a.compiled=!0,a.k=a.k||a.bK,a.k){var u={},c=function(n,t){e.cI&&(t=t.toLowerCase()),t.split(" ").forEach(function(e){var t=e.split("|");u[t[0]]=[n,t[1]?Number(t[1]):1]})};"string"==typeof a.k?c("keyword",a.k):Object.keys(a.k).forEach(function(e){c(e,a.k[e])}),a.k=u}a.lR=t(a.l||/\b\w+\b/,!0),i&&(a.bK&&(a.b="\\b("+a.bK.split(" ").join("|")+")\\b"),a.b||(a.b=/\B|\b/),a.bR=t(a.b),a.e||a.eW||(a.e=/\B|\b/),a.e&&(a.eR=t(a.e)),a.tE=n(a.e)||"",a.eW&&i.tE&&(a.tE+=(a.e?"|":"")+i.tE)),a.i&&(a.iR=t(a.i)),void 0===a.r&&(a.r=1),a.c||(a.c=[]);var s=[];a.c.forEach(function(e){e.v?e.v.forEach(function(n){s.push(o(e,n))}):s.push("self"==e?a:e)}),a.c=s,a.c.forEach(function(e){r(e,a)}),a.starts&&r(a.starts,i);var l=a.c.map(function(e){return e.bK?"\\.?("+e.b+")\\.?":e.b}).concat([a.tE,a.i]).map(n).filter(Boolean);a.t=l.length?t(l.join("|"),!0):{exec:function(){return null}}}}r(e)}function l(e,t,a,i){function o(e,n){for(var t=0;t";return i+=e+'">',i+n+o}function p(){if(!L.k)return n(M);var e="",t=0;L.lR.lastIndex=0;for(var r=L.lR.exec(M);r;){e+=n(M.substr(t,r.index-t));var a=g(L,r);a?(B+=a[1],e+=h(a[0],n(r[0]))):e+=n(r[0]),t=L.lR.lastIndex,r=L.lR.exec(M)}return e+n(M.substr(t))}function d(){var e="string"==typeof L.sL;if(e&&!x[L.sL])return n(M);var t=e?l(L.sL,M,!0,y[L.sL]):f(M,L.sL.length?L.sL:void 0);return L.r>0&&(B+=t.r),e&&(y[L.sL]=t.top),h(t.language,t.value,!1,!0)}function b(){return void 0!==L.sL?d():p()}function v(e,t){var r=e.cN?h(e.cN,"",!0):"";e.rB?(k+=r,M=""):e.eB?(k+=n(t)+r,M=""):(k+=r,M=t),L=Object.create(e,{parent:{value:L}})}function m(e,t){if(M+=e,void 0===t)return k+=b(),0;var r=o(t,L);if(r)return k+=b(),v(r,t),r.rB?0:t.length;var a=u(L,t);if(a){var i=L;i.rE||i.eE||(M+=t),k+=b();do L.cN&&(k+=""),B+=L.r,L=L.parent;while(L!=a.parent);return i.eE&&(k+=n(t)),M="",a.starts&&v(a.starts,""),i.rE?0:t.length}if(c(t,L))throw new Error('Illegal lexeme "'+t+'" for mode "'+(L.cN||"")+'"');return M+=t,t.length||1}var N=w(e);if(!N)throw new Error('Unknown language: "'+e+'"');s(N);var R,L=i||N,y={},k="";for(R=L;R!=N;R=R.parent)R.cN&&(k=h(R.cN,"",!0)+k);var M="",B=0;try{for(var C,j,I=0;;){if(L.t.lastIndex=I,C=L.t.exec(t),!C)break;j=m(t.substr(I,C.index-I),C[0]),I=C.index+j}for(m(t.substr(I)),R=L;R.parent;R=R.parent)R.cN&&(k+="");return{r:B,value:k,language:e,top:L}}catch(O){if(-1!=O.message.indexOf("Illegal"))return{r:0,value:n(t)};throw O}}function f(e,t){t=t||E.languages||Object.keys(x);var r={r:0,value:n(e)},a=r;return t.forEach(function(n){if(w(n)){var t=l(n,e,!1);t.language=n,t.r>a.r&&(a=t),t.r>r.r&&(a=r,r=t)}}),a.language&&(r.second_best=a),r}function g(e){return E.tabReplace&&(e=e.replace(/^((<[^>]+>|\t)+)/gm,function(e,n){return n.replace(/\t/g,E.tabReplace)})),E.useBR&&(e=e.replace(/\n/g,"
")),e}function h(e,n,t){var r=n?R[n]:t,a=[e.trim()];return e.match(/\bhljs\b/)||a.push("hljs"),-1===e.indexOf(r)&&a.push(r),a.join(" ").trim()}function p(e){var n=i(e);if(!a(n)){var t;E.useBR?(t=document.createElementNS("http://www.w3.org/1999/xhtml","div"),t.innerHTML=e.innerHTML.replace(/\n/g,"").replace(//g,"\n")):t=e;var r=t.textContent,o=n?l(n,r,!0):f(r),s=u(t);if(s.length){var p=document.createElementNS("http://www.w3.org/1999/xhtml","div");p.innerHTML=o.value,o.value=c(s,u(p),r)}o.value=g(o.value),e.innerHTML=o.value,e.className=h(e.className,n,o.language),e.result={language:o.language,re:o.r},o.second_best&&(e.second_best={language:o.second_best.language,re:o.second_best.r})}}function d(e){E=o(E,e)}function b(){if(!b.called){b.called=!0;var e=document.querySelectorAll("pre code");Array.prototype.forEach.call(e,p)}}function v(){addEventListener("DOMContentLoaded",b,!1),addEventListener("load",b,!1)}function m(n,t){var r=x[n]=t(e);r.aliases&&r.aliases.forEach(function(e){R[e]=n})}function N(){return Object.keys(x)}function w(e){return e=(e||"").toLowerCase(),x[e]||x[R[e]]}var E={classPrefix:"hljs-",tabReplace:null,useBR:!1,languages:void 0},x={},R={};return e.highlight=l,e.highlightAuto=f,e.fixMarkup=g,e.highlightBlock=p,e.configure=d,e.initHighlighting=b,e.initHighlightingOnLoad=v,e.registerLanguage=m,e.listLanguages=N,e.getLanguage=w,e.inherit=o,e.IR="[a-zA-Z]\\w*",e.UIR="[a-zA-Z_]\\w*",e.NR="\\b\\d+(\\.\\d+)?",e.CNR="(\\b0[xX][a-fA-F0-9]+|(\\b\\d+(\\.\\d*)?|\\.\\d+)([eE][-+]?\\d+)?)",e.BNR="\\b(0b[01]+)",e.RSR="!|!=|!==|%|%=|&|&&|&=|\\*|\\*=|\\+|\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\?|\\[|\\{|\\(|\\^|\\^=|\\||\\|=|\\|\\||~",e.BE={b:"\\\\[\\s\\S]",r:0},e.ASM={cN:"string",b:"'",e:"'",i:"\\n",c:[e.BE]},e.QSM={cN:"string",b:'"',e:'"',i:"\\n",c:[e.BE]},e.PWM={b:/\b(a|an|the|are|I|I'm|isn't|don't|doesn't|won't|but|just|should|pretty|simply|enough|gonna|going|wtf|so|such|will|you|your|like)\b/},e.C=function(n,t,r){var a=e.inherit({cN:"comment",b:n,e:t,c:[]},r||{});return a.c.push(e.PWM),a.c.push({cN:"doctag",b:"(?:TODO|FIXME|NOTE|BUG|XXX):",r:0}),a},e.CLCM=e.C("//","$"),e.CBCM=e.C("/\\*","\\*/"),e.HCM=e.C("#","$"),e.NM={cN:"number",b:e.NR,r:0},e.CNM={cN:"number",b:e.CNR,r:0},e.BNM={cN:"number",b:e.BNR,r:0},e.CSSNM={cN:"number",b:e.NR+"(%|em|ex|ch|rem|vw|vh|vmin|vmax|cm|mm|in|pt|pc|px|deg|grad|rad|turn|s|ms|Hz|kHz|dpi|dpcm|dppx)?",r:0},e.RM={cN:"regexp",b:/\//,e:/\/[gimuy]*/,i:/\n/,c:[e.BE,{b:/\[/,e:/\]/,r:0,c:[e.BE]}]},e.TM={cN:"title",b:e.IR,r:0},e.UTM={cN:"title",b:e.UIR,r:0},e});hljs.registerLanguage("cs",function(e){var r="abstract as base bool break byte case catch char checked const continue decimal dynamic default delegate do double else enum event explicit extern false finally fixed float for foreach goto if implicit in int interface internal is lock long null when object operator out override params private protected public readonly ref sbyte sealed short sizeof stackalloc static string struct switch this true try typeof uint ulong unchecked unsafe ushort using virtual volatile void while async protected public private internal ascending descending from get group into join let orderby partial select set value var where yield",t=e.IR+"(<"+e.IR+">)?";return{aliases:["csharp"],k:r,i:/::/,c:[e.C("///","$",{rB:!0,c:[{cN:"xmlDocTag",v:[{b:"///",r:0},{b:""},{b:""}]}]}),e.CLCM,e.CBCM,{cN:"preprocessor",b:"#",e:"$",k:"if else elif endif define undef warning error line region endregion pragma checksum"},{cN:"string",b:'@"',e:'"',c:[{b:'""'}]},e.ASM,e.QSM,e.CNM,{bK:"class interface",e:/[{;=]/,i:/[^\s:]/,c:[e.TM,e.CLCM,e.CBCM]},{bK:"namespace",e:/[{;=]/,i:/[^\s:]/,c:[{cN:"title",b:"[a-zA-Z](\\.?\\w)*",r:0},e.CLCM,e.CBCM]},{bK:"new return throw await",r:0},{cN:"function",b:"("+t+"\\s+)+"+e.IR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:r,c:[{b:e.IR+"\\s*\\(",rB:!0,c:[e.TM],r:0},{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,k:r,r:0,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]}]}});hljs.registerLanguage("tp",function(O){var R={cN:"number",b:"[1-9][0-9]*",r:0},E={cN:"comment",b:":[^\\]]+"},T={cN:"built_in",b:"(AR|P|PAYLOAD|PR|R|SR|RSR|LBL|VR|UALM|MESSAGE|UTOOL|UFRAME|TIMER| TIMER_OVERFLOW|JOINT_MAX_SPEED|RESUME_PROG|DIAG_REC)\\[",e:"\\]",c:["self",R,E]},N={cN:"built_in",b:"(AI|AO|DI|DO|F|RI|RO|UI|UO|GI|GO|SI|SO)\\[",e:"\\]",c:["self",R,O.QSM,E]};return{k:{keyword:"ABORT ACC ADJUST AND AP_LD BREAK CALL CNT COL CONDITION CONFIG DA DB DIV DETECT ELSE END ENDFOR ERR_NUM ERROR_PROG FINE FOR GP GUARD INC IF JMP LINEAR_MAX_SPEED LOCK MOD MONITOR OFFSET Offset OR OVERRIDE PAUSE PREG PTH RT_LD RUN SELECT SKIP Skip TA TB TO TOOL_OFFSET Tool_Offset UF UT UFRAME_NUM UTOOL_NUM UNLOCK WAIT X Y Z W P R STRLEN SUBSTR FINDSTR VOFFSET",constant:"ON OFF max_speed LPOS JPOS ENABLE DISABLE START STOP RESET"},c:[T,N,{cN:"keyword",b:"/(PROG|ATTR|MN|POS|END)\\b"},{cN:"keyword",b:"(CALL|RUN|POINT_LOGIC|LBL)\\b"},{cN:"keyword",b:"\\b(ACC|CNT|Skip|Offset|PSPD|RT_LD|AP_LD|Tool_Offset)"},{cN:"number",b:"\\d+(sec|msec|mm/sec|cm/min|inch/min|deg/sec|mm|in|cm)?\\b",r:0},O.C("//","[;$]"),O.C("!","[;$]"),O.C("--eg:","$"),O.QSM,{cN:"string",b:"'",e:"'"},O.CNM,{cN:"variable",b:"\\$[A-Za-z0-9_]+"}]}});hljs.registerLanguage("irpf90",function(e){var t={cN:"params",b:"\\(",e:"\\)"},n={constant:".False. .True.",type:"integer real character complex logical dimension allocatable|10 parameter external implicit|10 none double precision assign intent optional pointer target in out common equivalence data",keyword:"kind do while private call intrinsic where elsewhere type endtype endmodule endselect endinterface end enddo endif if forall endforall only contains default return stop then public subroutine|10 function program .and. .or. .not. .le. .eq. .ge. .gt. .lt. goto save else use module select case access blank direct exist file fmt form formatted iostat name named nextrec number opened rec recl sequential status unformatted unit continue format pause cycle exit c_null_char c_alert c_backspace c_form_feed flush wait decimal round iomsg synchronous nopass non_overridable pass protected volatile abstract extends import non_intrinsic value deferred generic final enumerator class associate bind enum c_int c_short c_long c_long_long c_signed_char c_size_t c_int8_t c_int16_t c_int32_t c_int64_t c_int_least8_t c_int_least16_t c_int_least32_t c_int_least64_t c_int_fast8_t c_int_fast16_t c_int_fast32_t c_int_fast64_t c_intmax_t C_intptr_t c_float c_double c_long_double c_float_complex c_double_complex c_long_double_complex c_bool c_char c_null_ptr c_null_funptr c_new_line c_carriage_return c_horizontal_tab c_vertical_tab iso_c_binding c_loc c_funloc c_associated c_f_pointer c_ptr c_funptr iso_fortran_env character_storage_size error_unit file_storage_size input_unit iostat_end iostat_eor numeric_storage_size output_unit c_f_procpointer ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode newunit contiguous recursive pad position action delim readwrite eor advance nml interface procedure namelist include sequence elemental pure begin_provider &begin_provider end_provider begin_shell end_shell begin_template end_template subst assert touch soft_touch provide no_dep free irp_if irp_else irp_endif irp_write irp_read",built_in:"alog alog10 amax0 amax1 amin0 amin1 amod cabs ccos cexp clog csin csqrt dabs dacos dasin datan datan2 dcos dcosh ddim dexp dint dlog dlog10 dmax1 dmin1 dmod dnint dsign dsin dsinh dsqrt dtan dtanh float iabs idim idint idnint ifix isign max0 max1 min0 min1 sngl algama cdabs cdcos cdexp cdlog cdsin cdsqrt cqabs cqcos cqexp cqlog cqsin cqsqrt dcmplx dconjg derf derfc dfloat dgamma dimag dlgama iqint qabs qacos qasin qatan qatan2 qcmplx qconjg qcos qcosh qdim qerf qerfc qexp qgamma qimag qlgama qlog qlog10 qmax1 qmin1 qmod qnint qsign qsin qsinh qsqrt qtan qtanh abs acos aimag aint anint asin atan atan2 char cmplx conjg cos cosh exp ichar index int log log10 max min nint sign sin sinh sqrt tan tanh print write dim lge lgt lle llt mod nullify allocate deallocate adjustl adjustr all allocated any associated bit_size btest ceiling count cshift date_and_time digits dot_product eoshift epsilon exponent floor fraction huge iand ibclr ibits ibset ieor ior ishft ishftc lbound len_trim matmul maxexponent maxloc maxval merge minexponent minloc minval modulo mvbits nearest pack present product radix random_number random_seed range repeat reshape rrspacing scale scan selected_int_kind selected_real_kind set_exponent shape size spacing spread sum system_clock tiny transpose trim ubound unpack verify achar iachar transfer dble entry dprod cpu_time command_argument_count get_command get_command_argument get_environment_variable is_iostat_end ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode is_iostat_eor move_alloc new_line selected_char_kind same_type_as extends_type_ofacosh asinh atanh bessel_j0 bessel_j1 bessel_jn bessel_y0 bessel_y1 bessel_yn erf erfc erfc_scaled gamma log_gamma hypot norm2 atomic_define atomic_ref execute_command_line leadz trailz storage_size merge_bits bge bgt ble blt dshiftl dshiftr findloc iall iany iparity image_index lcobound ucobound maskl maskr num_images parity popcnt poppar shifta shiftl shiftr this_image IRP_ALIGN irp_here"};return{cI:!0,k:n,i:/\/\*/,c:[e.inherit(e.ASM,{cN:"string",r:0}),e.inherit(e.QSM,{cN:"string",r:0}),{cN:"function",bK:"subroutine function program",i:"[${=\\n]",c:[e.UTM,t]},e.C("!","$",{r:0}),e.C("begin_doc","end_doc",{r:10}),{cN:"number",b:"(?=\\b|\\+|\\-|\\.)(?=\\.\\d|\\d)(?:\\d+)?(?:\\.?\\d*)(?:[de][+-]?\\d+)?\\b\\.?",r:0}]}});hljs.registerLanguage("groovy",function(e){return{k:{typename:"byte short char int long boolean float double void",literal:"true false null",keyword:"def as in assert trait super this abstract static volatile transient public private protected synchronized final class interface enum if else for while switch case break default continue throw throws try catch finally implements extends new import package return instanceof"},c:[e.C("/\\*\\*","\\*/",{r:0,c:[{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,{cN:"string",b:'"""',e:'"""'},{cN:"string",b:"'''",e:"'''"},{cN:"string",b:"\\$/",e:"/\\$",r:10},e.ASM,{cN:"regexp",b:/~?\/[^\/\n]+\//,c:[e.BE]},e.QSM,{cN:"shebang",b:"^#!/usr/bin/env",e:"$",i:"\n"},e.BNM,{cN:"class",bK:"class interface trait enum",e:"{",i:":",c:[{bK:"extends implements"},e.UTM]},e.CNM,{cN:"annotation",b:"@[A-Za-z]+"},{cN:"string",b:/[^\?]{0}[A-Za-z0-9_$]+ *:/},{b:/\?/,e:/\:/},{cN:"label",b:"^\\s*[A-Za-z0-9_$]+:",r:0}],i:/#/}});hljs.registerLanguage("stata",function(e){return{aliases:["do","ado"],cI:!0,k:"if else in foreach for forv forva forval forvalu forvalue forvalues by bys bysort xi quietly qui capture about ac ac_7 acprplot acprplot_7 adjust ado adopath adoupdate alpha ameans an ano anov anova anova_estat anova_terms anovadef aorder ap app appe appen append arch arch_dr arch_estat arch_p archlm areg areg_p args arima arima_dr arima_estat arima_p as asmprobit asmprobit_estat asmprobit_lf asmprobit_mfx__dlg asmprobit_p ass asse asser assert avplot avplot_7 avplots avplots_7 bcskew0 bgodfrey binreg bip0_lf biplot bipp_lf bipr_lf bipr_p biprobit bitest bitesti bitowt blogit bmemsize boot bootsamp bootstrap bootstrap_8 boxco_l boxco_p boxcox boxcox_6 boxcox_p bprobit br break brier bro brow brows browse brr brrstat bs bs_7 bsampl_w bsample bsample_7 bsqreg bstat bstat_7 bstat_8 bstrap bstrap_7 ca ca_estat ca_p cabiplot camat canon canon_8 canon_8_p canon_estat canon_p cap caprojection capt captu captur capture cat cc cchart cchart_7 cci cd censobs_table centile cf char chdir checkdlgfiles checkestimationsample checkhlpfiles checksum chelp ci cii cl class classutil clear cli clis clist clo clog clog_lf clog_p clogi clogi_sw clogit clogit_lf clogit_p clogitp clogl_sw cloglog clonevar clslistarray cluster cluster_measures cluster_stop cluster_tree cluster_tree_8 clustermat cmdlog cnr cnre cnreg cnreg_p cnreg_sw cnsreg codebook collaps4 collapse colormult_nb colormult_nw compare compress conf confi confir confirm conren cons const constr constra constrai constrain constraint continue contract copy copyright copysource cor corc corr corr2data corr_anti corr_kmo corr_smc corre correl correla correlat correlate corrgram cou coun count cox cox_p cox_sw coxbase coxhaz coxvar cprplot cprplot_7 crc cret cretu cretur creturn cross cs cscript cscript_log csi ct ct_is ctset ctst_5 ctst_st cttost cumsp cumsp_7 cumul cusum cusum_7 cutil d datasig datasign datasigna datasignat datasignatu datasignatur datasignature datetof db dbeta de dec deco decod decode deff des desc descr descri describ describe destring dfbeta dfgls dfuller di di_g dir dirstats dis discard disp disp_res disp_s displ displa display distinct do doe doed doedi doedit dotplot dotplot_7 dprobit drawnorm drop ds ds_util dstdize duplicates durbina dwstat dydx e ed edi edit egen eivreg emdef en enc enco encod encode eq erase ereg ereg_lf ereg_p ereg_sw ereghet ereghet_glf ereghet_glf_sh ereghet_gp ereghet_ilf ereghet_ilf_sh ereghet_ip eret eretu eretur ereturn err erro error est est_cfexist est_cfname est_clickable est_expand est_hold est_table est_unhold est_unholdok estat estat_default estat_summ estat_vce_only esti estimates etodow etof etomdy ex exi exit expand expandcl fac fact facto factor factor_estat factor_p factor_pca_rotated factor_rotate factormat fcast fcast_compute fcast_graph fdades fdadesc fdadescr fdadescri fdadescrib fdadescribe fdasav fdasave fdause fh_st file open file read file close file filefilter fillin find_hlp_file findfile findit findit_7 fit fl fli flis flist for5_0 form forma format fpredict frac_154 frac_adj frac_chk frac_cox frac_ddp frac_dis frac_dv frac_in frac_mun frac_pp frac_pq frac_pv frac_wgt frac_xo fracgen fracplot fracplot_7 fracpoly fracpred fron_ex fron_hn fron_p fron_tn fron_tn2 frontier ftodate ftoe ftomdy ftowdate g gamhet_glf gamhet_gp gamhet_ilf gamhet_ip gamma gamma_d2 gamma_p gamma_sw gammahet gdi_hexagon gdi_spokes ge gen gene gener genera generat generate genrank genstd genvmean gettoken gl gladder gladder_7 glim_l01 glim_l02 glim_l03 glim_l04 glim_l05 glim_l06 glim_l07 glim_l08 glim_l09 glim_l10 glim_l11 glim_l12 glim_lf glim_mu glim_nw1 glim_nw2 glim_nw3 glim_p glim_v1 glim_v2 glim_v3 glim_v4 glim_v5 glim_v6 glim_v7 glm glm_6 glm_p glm_sw glmpred glo glob globa global glogit glogit_8 glogit_p gmeans gnbre_lf gnbreg gnbreg_5 gnbreg_p gomp_lf gompe_sw gomper_p gompertz gompertzhet gomphet_glf gomphet_glf_sh gomphet_gp gomphet_ilf gomphet_ilf_sh gomphet_ip gphdot gphpen gphprint gprefs gprobi_p gprobit gprobit_8 gr gr7 gr_copy gr_current gr_db gr_describe gr_dir gr_draw gr_draw_replay gr_drop gr_edit gr_editviewopts gr_example gr_example2 gr_export gr_print gr_qscheme gr_query gr_read gr_rename gr_replay gr_save gr_set gr_setscheme gr_table gr_undo gr_use graph graph7 grebar greigen greigen_7 greigen_8 grmeanby grmeanby_7 gs_fileinfo gs_filetype gs_graphinfo gs_stat gsort gwood h hadimvo hareg hausman haver he heck_d2 heckma_p heckman heckp_lf heckpr_p heckprob hel help hereg hetpr_lf hetpr_p hetprob hettest hexdump hilite hist hist_7 histogram hlogit hlu hmeans hotel hotelling hprobit hreg hsearch icd9 icd9_ff icd9p iis impute imtest inbase include inf infi infil infile infix inp inpu input ins insheet insp inspe inspec inspect integ inten intreg intreg_7 intreg_p intrg2_ll intrg_ll intrg_ll2 ipolate iqreg ir irf irf_create irfm iri is_svy is_svysum isid istdize ivprob_1_lf ivprob_lf ivprobit ivprobit_p ivreg ivreg_footnote ivtob_1_lf ivtob_lf ivtobit ivtobit_p jackknife jacknife jknife jknife_6 jknife_8 jkstat joinby kalarma1 kap kap_3 kapmeier kappa kapwgt kdensity kdensity_7 keep ksm ksmirnov ktau kwallis l la lab labe label labelbook ladder levels levelsof leverage lfit lfit_p li lincom line linktest lis list lloghet_glf lloghet_glf_sh lloghet_gp lloghet_ilf lloghet_ilf_sh lloghet_ip llogi_sw llogis_p llogist llogistic llogistichet lnorm_lf lnorm_sw lnorma_p lnormal lnormalhet lnormhet_glf lnormhet_glf_sh lnormhet_gp lnormhet_ilf lnormhet_ilf_sh lnormhet_ip lnskew0 loadingplot loc loca local log logi logis_lf logistic logistic_p logit logit_estat logit_p loglogs logrank loneway lookfor lookup lowess lowess_7 lpredict lrecomp lroc lroc_7 lrtest ls lsens lsens_7 lsens_x lstat ltable ltable_7 ltriang lv lvr2plot lvr2plot_7 m ma mac macr macro makecns man manova manova_estat manova_p manovatest mantel mark markin markout marksample mat mat_capp mat_order mat_put_rr mat_rapp mata mata_clear mata_describe mata_drop mata_matdescribe mata_matsave mata_matuse mata_memory mata_mlib mata_mosave mata_rename mata_which matalabel matcproc matlist matname matr matri matrix matrix_input__dlg matstrik mcc mcci md0_ md1_ md1debug_ md2_ md2debug_ mds mds_estat mds_p mdsconfig mdslong mdsmat mdsshepard mdytoe mdytof me_derd mean means median memory memsize meqparse mer merg merge mfp mfx mhelp mhodds minbound mixed_ll mixed_ll_reparm mkassert mkdir mkmat mkspline ml ml_5 ml_adjs ml_bhhhs ml_c_d ml_check ml_clear ml_cnt ml_debug ml_defd ml_e0 ml_e0_bfgs ml_e0_cycle ml_e0_dfp ml_e0i ml_e1 ml_e1_bfgs ml_e1_bhhh ml_e1_cycle ml_e1_dfp ml_e2 ml_e2_cycle ml_ebfg0 ml_ebfr0 ml_ebfr1 ml_ebh0q ml_ebhh0 ml_ebhr0 ml_ebr0i ml_ecr0i ml_edfp0 ml_edfr0 ml_edfr1 ml_edr0i ml_eds ml_eer0i ml_egr0i ml_elf ml_elf_bfgs ml_elf_bhhh ml_elf_cycle ml_elf_dfp ml_elfi ml_elfs ml_enr0i ml_enrr0 ml_erdu0 ml_erdu0_bfgs ml_erdu0_bhhh ml_erdu0_bhhhq ml_erdu0_cycle ml_erdu0_dfp ml_erdu0_nrbfgs ml_exde ml_footnote ml_geqnr ml_grad0 ml_graph ml_hbhhh ml_hd0 ml_hold ml_init ml_inv ml_log ml_max ml_mlout ml_mlout_8 ml_model ml_nb0 ml_opt ml_p ml_plot ml_query ml_rdgrd ml_repor ml_s_e ml_score ml_searc ml_technique ml_unhold mleval mlf_ mlmatbysum mlmatsum mlog mlogi mlogit mlogit_footnote mlogit_p mlopts mlsum mlvecsum mnl0_ mor more mov move mprobit mprobit_lf mprobit_p mrdu0_ mrdu1_ mvdecode mvencode mvreg mvreg_estat n nbreg nbreg_al nbreg_lf nbreg_p nbreg_sw nestreg net newey newey_7 newey_p news nl nl_7 nl_9 nl_9_p nl_p nl_p_7 nlcom nlcom_p nlexp2 nlexp2_7 nlexp2a nlexp2a_7 nlexp3 nlexp3_7 nlgom3 nlgom3_7 nlgom4 nlgom4_7 nlinit nllog3 nllog3_7 nllog4 nllog4_7 nlog_rd nlogit nlogit_p nlogitgen nlogittree nlpred no nobreak noi nois noisi noisil noisily note notes notes_dlg nptrend numlabel numlist odbc old_ver olo olog ologi ologi_sw ologit ologit_p ologitp on one onew onewa oneway op_colnm op_comp op_diff op_inv op_str opr opro oprob oprob_sw oprobi oprobi_p oprobit oprobitp opts_exclusive order orthog orthpoly ou out outf outfi outfil outfile outs outsh outshe outshee outsheet ovtest pac pac_7 palette parse parse_dissim pause pca pca_8 pca_display pca_estat pca_p pca_rotate pcamat pchart pchart_7 pchi pchi_7 pcorr pctile pentium pergram pergram_7 permute permute_8 personal peto_st pkcollapse pkcross pkequiv pkexamine pkexamine_7 pkshape pksumm pksumm_7 pl plo plot plugin pnorm pnorm_7 poisgof poiss_lf poiss_sw poisso_p poisson poisson_estat post postclose postfile postutil pperron pr prais prais_e prais_e2 prais_p predict predictnl preserve print pro prob probi probit probit_estat probit_p proc_time procoverlay procrustes procrustes_estat procrustes_p profiler prog progr progra program prop proportion prtest prtesti pwcorr pwd q\\s qby qbys qchi qchi_7 qladder qladder_7 qnorm qnorm_7 qqplot qqplot_7 qreg qreg_c qreg_p qreg_sw qu quadchk quantile quantile_7 que quer query range ranksum ratio rchart rchart_7 rcof recast reclink recode reg reg3 reg3_p regdw regr regre regre_p2 regres regres_p regress regress_estat regriv_p remap ren rena renam rename renpfix repeat replace report reshape restore ret retu retur return rm rmdir robvar roccomp roccomp_7 roccomp_8 rocf_lf rocfit rocfit_8 rocgold rocplot rocplot_7 roctab roctab_7 rolling rologit rologit_p rot rota rotat rotate rotatemat rreg rreg_p ru run runtest rvfplot rvfplot_7 rvpplot rvpplot_7 sa safesum sample sampsi sav save savedresults saveold sc sca scal scala scalar scatter scm_mine sco scob_lf scob_p scobi_sw scobit scor score scoreplot scoreplot_help scree screeplot screeplot_help sdtest sdtesti se search separate seperate serrbar serrbar_7 serset set set_defaults sfrancia sh she shel shell shewhart shewhart_7 signestimationsample signrank signtest simul simul_7 simulate simulate_8 sktest sleep slogit slogit_d2 slogit_p smooth snapspan so sor sort spearman spikeplot spikeplot_7 spikeplt spline_x split sqreg sqreg_p sret sretu sretur sreturn ssc st st_ct st_hc st_hcd st_hcd_sh st_is st_issys st_note st_promo st_set st_show st_smpl st_subid stack statsby statsby_8 stbase stci stci_7 stcox stcox_estat stcox_fr stcox_fr_ll stcox_p stcox_sw stcoxkm stcoxkm_7 stcstat stcurv stcurve stcurve_7 stdes stem stepwise stereg stfill stgen stir stjoin stmc stmh stphplot stphplot_7 stphtest stphtest_7 stptime strate strate_7 streg streg_sw streset sts sts_7 stset stsplit stsum sttocc sttoct stvary stweib su suest suest_8 sum summ summa summar summari summariz summarize sunflower sureg survcurv survsum svar svar_p svmat svy svy_disp svy_dreg svy_est svy_est_7 svy_estat svy_get svy_gnbreg_p svy_head svy_header svy_heckman_p svy_heckprob_p svy_intreg_p svy_ivreg_p svy_logistic_p svy_logit_p svy_mlogit_p svy_nbreg_p svy_ologit_p svy_oprobit_p svy_poisson_p svy_probit_p svy_regress_p svy_sub svy_sub_7 svy_x svy_x_7 svy_x_p svydes svydes_8 svygen svygnbreg svyheckman svyheckprob svyintreg svyintreg_7 svyintrg svyivreg svylc svylog_p svylogit svymarkout svymarkout_8 svymean svymlog svymlogit svynbreg svyolog svyologit svyoprob svyoprobit svyopts svypois svypois_7 svypoisson svyprobit svyprobt svyprop svyprop_7 svyratio svyreg svyreg_p svyregress svyset svyset_7 svyset_8 svytab svytab_7 svytest svytotal sw sw_8 swcnreg swcox swereg swilk swlogis swlogit swologit swoprbt swpois swprobit swqreg swtobit swweib symmetry symmi symplot symplot_7 syntax sysdescribe sysdir sysuse szroeter ta tab tab1 tab2 tab_or tabd tabdi tabdis tabdisp tabi table tabodds tabodds_7 tabstat tabu tabul tabula tabulat tabulate te tempfile tempname tempvar tes test testnl testparm teststd tetrachoric time_it timer tis tob tobi tobit tobit_p tobit_sw token tokeni tokeniz tokenize tostring total translate translator transmap treat_ll treatr_p treatreg trim trnb_cons trnb_mean trpoiss_d2 trunc_ll truncr_p truncreg tsappend tset tsfill tsline tsline_ex tsreport tsrevar tsrline tsset tssmooth tsunab ttest ttesti tut_chk tut_wait tutorial tw tware_st two twoway twoway__fpfit_serset twoway__function_gen twoway__histogram_gen twoway__ipoint_serset twoway__ipoints_serset twoway__kdensity_gen twoway__lfit_serset twoway__normgen_gen twoway__pci_serset twoway__qfit_serset twoway__scatteri_serset twoway__sunflower_gen twoway_ksm_serset ty typ type typeof u unab unabbrev unabcmd update us use uselabel var var_mkcompanion var_p varbasic varfcast vargranger varirf varirf_add varirf_cgraph varirf_create varirf_ctable varirf_describe varirf_dir varirf_drop varirf_erase varirf_graph varirf_ograph varirf_rename varirf_set varirf_table varlist varlmar varnorm varsoc varstable varstable_w varstable_w2 varwle vce vec vec_fevd vec_mkphi vec_p vec_p_w vecirf_create veclmar veclmar_w vecnorm vecnorm_w vecrank vecstable verinst vers versi versio version view viewsource vif vwls wdatetof webdescribe webseek webuse weib1_lf weib2_lf weib_lf weib_lf0 weibhet_glf weibhet_glf_sh weibhet_glfa weibhet_glfa_sh weibhet_gp weibhet_ilf weibhet_ilf_sh weibhet_ilfa weibhet_ilfa_sh weibhet_ip weibu_sw weibul_p weibull weibull_c weibull_s weibullhet wh whelp whi which whil while wilc_st wilcoxon win wind windo window winexec wntestb wntestb_7 wntestq xchart xchart_7 xcorr xcorr_7 xi xi_6 xmlsav xmlsave xmluse xpose xsh xshe xshel xshell xt_iis xt_tis xtab_p xtabond xtbin_p xtclog xtcloglog xtcloglog_8 xtcloglog_d2 xtcloglog_pa_p xtcloglog_re_p xtcnt_p xtcorr xtdata xtdes xtfront_p xtfrontier xtgee xtgee_elink xtgee_estat xtgee_makeivar xtgee_p xtgee_plink xtgls xtgls_p xthaus xthausman xtht_p xthtaylor xtile xtint_p xtintreg xtintreg_8 xtintreg_d2 xtintreg_p xtivp_1 xtivp_2 xtivreg xtline xtline_ex xtlogit xtlogit_8 xtlogit_d2 xtlogit_fe_p xtlogit_pa_p xtlogit_re_p xtmixed xtmixed_estat xtmixed_p xtnb_fe xtnb_lf xtnbreg xtnbreg_pa_p xtnbreg_refe_p xtpcse xtpcse_p xtpois xtpoisson xtpoisson_d2 xtpoisson_pa_p xtpoisson_refe_p xtpred xtprobit xtprobit_8 xtprobit_d2 xtprobit_re_p xtps_fe xtps_lf xtps_ren xtps_ren_8 xtrar_p xtrc xtrc_p xtrchh xtrefe_p xtreg xtreg_be xtreg_fe xtreg_ml xtreg_pa_p xtreg_re xtregar xtrere_p xtset xtsf_ll xtsf_llti xtsum xttab xttest0 xttobit xttobit_8 xttobit_p xttrans yx yxview__barlike_draw yxview_area_draw yxview_bar_draw yxview_dot_draw yxview_dropline_draw yxview_function_draw yxview_iarrow_draw yxview_ilabels_draw yxview_normal_draw yxview_pcarrow_draw yxview_pcbarrow_draw yxview_pccapsym_draw yxview_pcscatter_draw yxview_pcspike_draw yxview_rarea_draw yxview_rbar_draw yxview_rbarm_draw yxview_rcap_draw yxview_rcapsym_draw yxview_rconnected_draw yxview_rline_draw yxview_rscatter_draw yxview_rspike_draw yxview_spike_draw yxview_sunflower_draw zap_s zinb zinb_llf zinb_plf zip zip_llf zip_p zip_plf zt_ct_5 zt_hc_5 zt_hcd_5 zt_is_5 zt_iss_5 zt_sho_5 zt_smp_5 ztbase_5 ztcox_5 ztdes_5 ztereg_5 ztfill_5 ztgen_5 ztir_5 ztjoin_5 ztnb ztnb_p ztp ztp_p zts_5 ztset_5 ztspli_5 ztsum_5 zttoct_5 ztvary_5 ztweib_5",c:[{cN:"label",v:[{b:"\\$\\{?[a-zA-Z0-9_]+\\}?"},{b:"`[a-zA-Z0-9_]+'"}]},{cN:"string",v:[{b:'`"[^\r\n]*?"\''},{b:'"[^\r\n"]*"'}]},{cN:"literal",v:[{b:"\\b(abs|acos|asin|atan|atan2|atanh|ceil|cloglog|comb|cos|digamma|exp|floor|invcloglog|invlogit|ln|lnfact|lnfactorial|lngamma|log|log10|max|min|mod|reldif|round|sign|sin|sqrt|sum|tan|tanh|trigamma|trunc|betaden|Binomial|binorm|binormal|chi2|chi2tail|dgammapda|dgammapdada|dgammapdadx|dgammapdx|dgammapdxdx|F|Fden|Ftail|gammaden|gammap|ibeta|invbinomial|invchi2|invchi2tail|invF|invFtail|invgammap|invibeta|invnchi2|invnFtail|invnibeta|invnorm|invnormal|invttail|nbetaden|nchi2|nFden|nFtail|nibeta|norm|normal|normalden|normd|npnchi2|tden|ttail|uniform|abbrev|char|index|indexnot|length|lower|ltrim|match|plural|proper|real|regexm|regexr|regexs|reverse|rtrim|string|strlen|strlower|strltrim|strmatch|strofreal|strpos|strproper|strreverse|strrtrim|strtrim|strupper|subinstr|subinword|substr|trim|upper|word|wordcount|_caller|autocode|byteorder|chop|clip|cond|e|epsdouble|epsfloat|group|inlist|inrange|irecode|matrix|maxbyte|maxdouble|maxfloat|maxint|maxlong|mi|minbyte|mindouble|minfloat|minint|minlong|missing|r|recode|replay|return|s|scalar|d|date|day|dow|doy|halfyear|mdy|month|quarter|week|year|d|daily|dofd|dofh|dofm|dofq|dofw|dofy|h|halfyearly|hofd|m|mofd|monthly|q|qofd|quarterly|tin|twithin|w|weekly|wofd|y|yearly|yh|ym|yofd|yq|yw|cholesky|colnumb|colsof|corr|det|diag|diag0cnt|el|get|hadamard|I|inv|invsym|issym|issymmetric|J|matmissing|matuniform|mreldif|nullmat|rownumb|rowsof|sweep|syminv|trace|vec|vecdiag)(?=\\(|$)"}]},e.C("^[ ]*\\*.*$",!1),e.CLCM,e.CBCM]}});hljs.registerLanguage("bash",function(e){var t={cN:"variable",v:[{b:/\$[\w\d#@][\w\d_]*/},{b:/\$\{(.*?)}/}]},s={cN:"string",b:/"/,e:/"/,c:[e.BE,t,{cN:"variable",b:/\$\(/,e:/\)/,c:[e.BE]}]},a={cN:"string",b:/'/,e:/'/};return{aliases:["sh","zsh"],l:/-?[a-z\.]+/,k:{keyword:"if then else elif fi for while in do done case esac function",literal:"true false",built_in:"break cd continue eval exec exit export getopts hash pwd readonly return shift test times trap umask unset alias bind builtin caller command declare echo enable help let local logout mapfile printf read readarray source type typeset ulimit unalias set shopt autoload bg bindkey bye cap chdir clone comparguments compcall compctl compdescribe compfiles compgroups compquote comptags comptry compvalues dirs disable disown echotc echoti emulate fc fg float functions getcap getln history integer jobs kill limit log noglob popd print pushd pushln rehash sched setcap setopt stat suspend ttyctl unfunction unhash unlimit unsetopt vared wait whence where which zcompile zformat zftp zle zmodload zparseopts zprof zpty zregexparse zsocket zstyle ztcp",operator:"-ne -eq -lt -gt -f -d -e -s -l -a"},c:[{cN:"shebang",b:/^#![^\n]+sh\s*$/,r:10},{cN:"function",b:/\w[\w\d_]*\s*\(\s*\)\s*\{/,rB:!0,c:[e.inherit(e.TM,{b:/\w[\w\d_]*/})],r:0},e.HCM,e.NM,s,a,t]}});hljs.registerLanguage("handlebars",function(e){var a="each in with if else unless bindattr action collection debugger log outlet template unbound view yield";return{aliases:["hbs","html.hbs","html.handlebars"],cI:!0,sL:"xml",c:[{cN:"expression",b:"{{",e:"}}",c:[{cN:"begin-block",b:"#[a-zA-Z- .]+",k:a},{cN:"string",b:'"',e:'"'},{cN:"end-block",b:"\\/[a-zA-Z- .]+",k:a},{cN:"variable",b:"[a-zA-Z-.]+",k:a}]}]}});hljs.registerLanguage("elm",function(e){var c=[e.C("--","$"),e.C("{-","-}",{c:["self"]})],i={cN:"type",b:"\\b[A-Z][\\w']*",r:0},n={cN:"container",b:"\\(",e:"\\)",i:'"',c:[{cN:"type",b:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"}].concat(c)},t={cN:"container",b:"{",e:"}",c:n.c};return{k:"let in if then else case of where module import exposing type alias as infix infixl infixr port",c:[{cN:"module",b:"\\bmodule\\b",e:"where",k:"module where",c:[n].concat(c),i:"\\W\\.|;"},{cN:"import",b:"\\bimport\\b",e:"$",k:"import|0 as exposing",c:[n].concat(c),i:"\\W\\.|;"},{cN:"typedef",b:"\\btype\\b",e:"$",k:"type alias",c:[i,n,t].concat(c)},{cN:"infix",bK:"infix infixl infixr",e:"$",c:[e.CNM].concat(c)},{cN:"foreign",b:"\\bport\\b",e:"$",k:"port",c:c},e.QSM,e.CNM,i,e.inherit(e.TM,{b:"^[_a-z][\\w']*"}),{b:"->|<-"}].concat(c)}});hljs.registerLanguage("javascript",function(e){return{aliases:["js"],k:{keyword:"in of if for while finally var new function do return void else break catch instanceof with throw case default try this switch continue typeof delete let yield const export super debugger as async await",literal:"true false null undefined NaN Infinity",built_in:"eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Error EvalError InternalError RangeError ReferenceError StopIteration SyntaxError TypeError URIError Number Math Date String RegExp Array Float32Array Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require module console window document Symbol Set Map WeakSet WeakMap Proxy Reflect Promise"},c:[{cN:"pi",r:10,b:/^\s*['"]use (strict|asm)['"]/},e.ASM,e.QSM,{cN:"string",b:"`",e:"`",c:[e.BE,{cN:"subst",b:"\\$\\{",e:"\\}"}]},e.CLCM,e.CBCM,{cN:"number",v:[{b:"\\b(0[bB][01]+)"},{b:"\\b(0[oO][0-7]+)"},{b:e.CNR}],r:0},{b:"("+e.RSR+"|\\b(case|return|throw)\\b)\\s*",k:"return throw case",c:[e.CLCM,e.CBCM,e.RM,{b:/\s*[);\]]/,r:0,sL:"xml"}],r:0},{cN:"function",bK:"function",e:/\{/,eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/}),{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,c:[e.CLCM,e.CBCM]}],i:/\[|%/},{b:/\$[(.]/},{b:"\\."+e.IR,r:0},{bK:"import",e:"[;$]",k:"import from as",c:[e.ASM,e.QSM]},{cN:"class",bK:"class",e:/[{;=]/,eE:!0,i:/[:"\[\]]/,c:[{bK:"extends"},e.UTM]}],i:/#/}});hljs.registerLanguage("apache",function(e){var r={cN:"number",b:"[\\$%]\\d+"};return{aliases:["apacheconf"],cI:!0,c:[e.HCM,{cN:"tag",b:""},{cN:"keyword",b:/\w+/,r:0,k:{common:"order deny allow setenv rewriterule rewriteengine rewritecond documentroot sethandler errordocument loadmodule options header listen serverroot servername"},starts:{e:/$/,r:0,k:{literal:"on off all"},c:[{cN:"sqbracket",b:"\\s\\[",e:"\\]$"},{cN:"cbracket",b:"[\\$%]\\{",e:"\\}",c:["self",r]},r,e.QSM]}}],i:/\S/}});hljs.registerLanguage("vhdl",function(e){var t="\\d(_|\\d)*",r="[eE][-+]?"+t,n=t+"(\\."+t+")?("+r+")?",o="\\w+",i=t+"#"+o+"(\\."+o+")?#("+r+")?",a="\\b("+i+"|"+n+")";return{cI:!0,k:{keyword:"abs access after alias all and architecture array assert attribute begin block body buffer bus case component configuration constant context cover disconnect downto default else elsif end entity exit fairness file for force function generate generic group guarded if impure in inertial inout is label library linkage literal loop map mod nand new next nor not null of on open or others out package port postponed procedure process property protected pure range record register reject release rem report restrict restrict_guarantee return rol ror select sequence severity shared signal sla sll sra srl strong subtype then to transport type unaffected units until use variable vmode vprop vunit wait when while with xnor xor",typename:"boolean bit character severity_level integer time delay_length natural positive string bit_vector file_open_kind file_open_status std_ulogic std_ulogic_vector std_logic std_logic_vector unsigned signed boolean_vector integer_vector real_vector time_vector"},i:"{",c:[e.CBCM,e.C("--","$"),e.QSM,{cN:"number",b:a,r:0},{cN:"literal",b:"'(U|X|0|1|Z|W|L|H|-)'",c:[e.BE]},{cN:"attribute",b:"'[A-Za-z](_?[A-Za-z0-9])*",c:[e.BE]}]}});hljs.registerLanguage("typescript",function(e){var r={keyword:"in if for while finally var new function|0 do return void else break catch instanceof with throw case default try this switch continue typeof delete let yield const class public private protected get set super static implements enum export import declare type namespace abstract",literal:"true false null undefined NaN Infinity",built_in:"eval isFinite isNaN parseFloat parseInt decodeURI decodeURIComponent encodeURI encodeURIComponent escape unescape Object Function Boolean Error EvalError InternalError RangeError ReferenceError StopIteration SyntaxError TypeError URIError Number Math Date String RegExp Array Float32Array Float64Array Int16Array Int32Array Int8Array Uint16Array Uint32Array Uint8Array Uint8ClampedArray ArrayBuffer DataView JSON Intl arguments require module console window document any number boolean string void"};return{aliases:["ts"],k:r,c:[{cN:"pi",b:/^\s*['"]use strict['"]/,r:0},e.ASM,e.QSM,e.CLCM,e.CBCM,{cN:"number",v:[{b:"\\b(0[bB][01]+)"},{b:"\\b(0[oO][0-7]+)"},{b:e.CNR}],r:0},{b:"("+e.RSR+"|\\b(case|return|throw)\\b)\\s*",k:"return throw case",c:[e.CLCM,e.CBCM,e.RM],r:0},{cN:"function",b:"function",e:/[\{;]/,eE:!0,k:r,c:["self",e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/}),{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,k:r,c:[e.CLCM,e.CBCM],i:/["'\(]/}],i:/\[|%/,r:0},{cN:"constructor",bK:"constructor",e:/\{/,eE:!0,r:10},{cN:"module",bK:"module",e:/\{/,eE:!0},{cN:"interface",bK:"interface",e:/\{/,eE:!0,k:"interface extends"},{b:/\$[(.]/},{b:"\\."+e.IR,r:0}]}});hljs.registerLanguage("x86asm",function(s){return{cI:!0,l:"\\.?"+s.IR,k:{keyword:"lock rep repe repz repne repnz xaquire xrelease bnd nobnd aaa aad aam aas adc add and arpl bb0_reset bb1_reset bound bsf bsr bswap bt btc btr bts call cbw cdq cdqe clc cld cli clts cmc cmp cmpsb cmpsd cmpsq cmpsw cmpxchg cmpxchg486 cmpxchg8b cmpxchg16b cpuid cpu_read cpu_write cqo cwd cwde daa das dec div dmint emms enter equ f2xm1 fabs fadd faddp fbld fbstp fchs fclex fcmovb fcmovbe fcmove fcmovnb fcmovnbe fcmovne fcmovnu fcmovu fcom fcomi fcomip fcomp fcompp fcos fdecstp fdisi fdiv fdivp fdivr fdivrp femms feni ffree ffreep fiadd ficom ficomp fidiv fidivr fild fimul fincstp finit fist fistp fisttp fisub fisubr fld fld1 fldcw fldenv fldl2e fldl2t fldlg2 fldln2 fldpi fldz fmul fmulp fnclex fndisi fneni fninit fnop fnsave fnstcw fnstenv fnstsw fpatan fprem fprem1 fptan frndint frstor fsave fscale fsetpm fsin fsincos fsqrt fst fstcw fstenv fstp fstsw fsub fsubp fsubr fsubrp ftst fucom fucomi fucomip fucomp fucompp fxam fxch fxtract fyl2x fyl2xp1 hlt ibts icebp idiv imul in inc incbin insb insd insw int int01 int1 int03 int3 into invd invpcid invlpg invlpga iret iretd iretq iretw jcxz jecxz jrcxz jmp jmpe lahf lar lds lea leave les lfence lfs lgdt lgs lidt lldt lmsw loadall loadall286 lodsb lodsd lodsq lodsw loop loope loopne loopnz loopz lsl lss ltr mfence monitor mov movd movq movsb movsd movsq movsw movsx movsxd movzx mul mwait neg nop not or out outsb outsd outsw packssdw packsswb packuswb paddb paddd paddsb paddsiw paddsw paddusb paddusw paddw pand pandn pause paveb pavgusb pcmpeqb pcmpeqd pcmpeqw pcmpgtb pcmpgtd pcmpgtw pdistib pf2id pfacc pfadd pfcmpeq pfcmpge pfcmpgt pfmax pfmin pfmul pfrcp pfrcpit1 pfrcpit2 pfrsqit1 pfrsqrt pfsub pfsubr pi2fd pmachriw pmaddwd pmagw pmulhriw pmulhrwa pmulhrwc pmulhw pmullw pmvgezb pmvlzb pmvnzb pmvzb pop popa popad popaw popf popfd popfq popfw por prefetch prefetchw pslld psllq psllw psrad psraw psrld psrlq psrlw psubb psubd psubsb psubsiw psubsw psubusb psubusw psubw punpckhbw punpckhdq punpckhwd punpcklbw punpckldq punpcklwd push pusha pushad pushaw pushf pushfd pushfq pushfw pxor rcl rcr rdshr rdmsr rdpmc rdtsc rdtscp ret retf retn rol ror rdm rsdc rsldt rsm rsts sahf sal salc sar sbb scasb scasd scasq scasw sfence sgdt shl shld shr shrd sidt sldt skinit smi smint smintold smsw stc std sti stosb stosd stosq stosw str sub svdc svldt svts swapgs syscall sysenter sysexit sysret test ud0 ud1 ud2b ud2 ud2a umov verr verw fwait wbinvd wrshr wrmsr xadd xbts xchg xlatb xlat xor cmove cmovz cmovne cmovnz cmova cmovnbe cmovae cmovnb cmovb cmovnae cmovbe cmovna cmovg cmovnle cmovge cmovnl cmovl cmovnge cmovle cmovng cmovc cmovnc cmovo cmovno cmovs cmovns cmovp cmovpe cmovnp cmovpo je jz jne jnz ja jnbe jae jnb jb jnae jbe jna jg jnle jge jnl jl jnge jle jng jc jnc jo jno js jns jpo jnp jpe jp sete setz setne setnz seta setnbe setae setnb setnc setb setnae setcset setbe setna setg setnle setge setnl setl setnge setle setng sets setns seto setno setpe setp setpo setnp addps addss andnps andps cmpeqps cmpeqss cmpleps cmpless cmpltps cmpltss cmpneqps cmpneqss cmpnleps cmpnless cmpnltps cmpnltss cmpordps cmpordss cmpunordps cmpunordss cmpps cmpss comiss cvtpi2ps cvtps2pi cvtsi2ss cvtss2si cvttps2pi cvttss2si divps divss ldmxcsr maxps maxss minps minss movaps movhps movlhps movlps movhlps movmskps movntps movss movups mulps mulss orps rcpps rcpss rsqrtps rsqrtss shufps sqrtps sqrtss stmxcsr subps subss ucomiss unpckhps unpcklps xorps fxrstor fxrstor64 fxsave fxsave64 xgetbv xsetbv xsave xsave64 xsaveopt xsaveopt64 xrstor xrstor64 prefetchnta prefetcht0 prefetcht1 prefetcht2 maskmovq movntq pavgb pavgw pextrw pinsrw pmaxsw pmaxub pminsw pminub pmovmskb pmulhuw psadbw pshufw pf2iw pfnacc pfpnacc pi2fw pswapd maskmovdqu clflush movntdq movnti movntpd movdqa movdqu movdq2q movq2dq paddq pmuludq pshufd pshufhw pshuflw pslldq psrldq psubq punpckhqdq punpcklqdq addpd addsd andnpd andpd cmpeqpd cmpeqsd cmplepd cmplesd cmpltpd cmpltsd cmpneqpd cmpneqsd cmpnlepd cmpnlesd cmpnltpd cmpnltsd cmpordpd cmpordsd cmpunordpd cmpunordsd cmppd comisd cvtdq2pd cvtdq2ps cvtpd2dq cvtpd2pi cvtpd2ps cvtpi2pd cvtps2dq cvtps2pd cvtsd2si cvtsd2ss cvtsi2sd cvtss2sd cvttpd2pi cvttpd2dq cvttps2dq cvttsd2si divpd divsd maxpd maxsd minpd minsd movapd movhpd movlpd movmskpd movupd mulpd mulsd orpd shufpd sqrtpd sqrtsd subpd subsd ucomisd unpckhpd unpcklpd xorpd addsubpd addsubps haddpd haddps hsubpd hsubps lddqu movddup movshdup movsldup clgi stgi vmcall vmclear vmfunc vmlaunch vmload vmmcall vmptrld vmptrst vmread vmresume vmrun vmsave vmwrite vmxoff vmxon invept invvpid pabsb pabsw pabsd palignr phaddw phaddd phaddsw phsubw phsubd phsubsw pmaddubsw pmulhrsw pshufb psignb psignw psignd extrq insertq movntsd movntss lzcnt blendpd blendps blendvpd blendvps dppd dpps extractps insertps movntdqa mpsadbw packusdw pblendvb pblendw pcmpeqq pextrb pextrd pextrq phminposuw pinsrb pinsrd pinsrq pmaxsb pmaxsd pmaxud pmaxuw pminsb pminsd pminud pminuw pmovsxbw pmovsxbd pmovsxbq pmovsxwd pmovsxwq pmovsxdq pmovzxbw pmovzxbd pmovzxbq pmovzxwd pmovzxwq pmovzxdq pmuldq pmulld ptest roundpd roundps roundsd roundss crc32 pcmpestri pcmpestrm pcmpistri pcmpistrm pcmpgtq popcnt getsec pfrcpv pfrsqrtv movbe aesenc aesenclast aesdec aesdeclast aesimc aeskeygenassist vaesenc vaesenclast vaesdec vaesdeclast vaesimc vaeskeygenassist vaddpd vaddps vaddsd vaddss vaddsubpd vaddsubps vandpd vandps vandnpd vandnps vblendpd vblendps vblendvpd vblendvps vbroadcastss vbroadcastsd vbroadcastf128 vcmpeq_ospd vcmpeqpd vcmplt_ospd vcmpltpd vcmple_ospd vcmplepd vcmpunord_qpd vcmpunordpd vcmpneq_uqpd vcmpneqpd vcmpnlt_uspd vcmpnltpd vcmpnle_uspd vcmpnlepd vcmpord_qpd vcmpordpd vcmpeq_uqpd vcmpnge_uspd vcmpngepd vcmpngt_uspd vcmpngtpd vcmpfalse_oqpd vcmpfalsepd vcmpneq_oqpd vcmpge_ospd vcmpgepd vcmpgt_ospd vcmpgtpd vcmptrue_uqpd vcmptruepd vcmplt_oqpd vcmple_oqpd vcmpunord_spd vcmpneq_uspd vcmpnlt_uqpd vcmpnle_uqpd vcmpord_spd vcmpeq_uspd vcmpnge_uqpd vcmpngt_uqpd vcmpfalse_ospd vcmpneq_ospd vcmpge_oqpd vcmpgt_oqpd vcmptrue_uspd vcmppd vcmpeq_osps vcmpeqps vcmplt_osps vcmpltps vcmple_osps vcmpleps vcmpunord_qps vcmpunordps vcmpneq_uqps vcmpneqps vcmpnlt_usps vcmpnltps vcmpnle_usps vcmpnleps vcmpord_qps vcmpordps vcmpeq_uqps vcmpnge_usps vcmpngeps vcmpngt_usps vcmpngtps vcmpfalse_oqps vcmpfalseps vcmpneq_oqps vcmpge_osps vcmpgeps vcmpgt_osps vcmpgtps vcmptrue_uqps vcmptrueps vcmplt_oqps vcmple_oqps vcmpunord_sps vcmpneq_usps vcmpnlt_uqps vcmpnle_uqps vcmpord_sps vcmpeq_usps vcmpnge_uqps vcmpngt_uqps vcmpfalse_osps vcmpneq_osps vcmpge_oqps vcmpgt_oqps vcmptrue_usps vcmpps vcmpeq_ossd vcmpeqsd vcmplt_ossd vcmpltsd vcmple_ossd vcmplesd vcmpunord_qsd vcmpunordsd vcmpneq_uqsd vcmpneqsd vcmpnlt_ussd vcmpnltsd vcmpnle_ussd vcmpnlesd vcmpord_qsd vcmpordsd vcmpeq_uqsd vcmpnge_ussd vcmpngesd vcmpngt_ussd vcmpngtsd vcmpfalse_oqsd vcmpfalsesd vcmpneq_oqsd vcmpge_ossd vcmpgesd vcmpgt_ossd vcmpgtsd vcmptrue_uqsd vcmptruesd vcmplt_oqsd vcmple_oqsd vcmpunord_ssd vcmpneq_ussd vcmpnlt_uqsd vcmpnle_uqsd vcmpord_ssd vcmpeq_ussd vcmpnge_uqsd vcmpngt_uqsd vcmpfalse_ossd vcmpneq_ossd vcmpge_oqsd vcmpgt_oqsd vcmptrue_ussd vcmpsd vcmpeq_osss vcmpeqss vcmplt_osss vcmpltss vcmple_osss vcmpless vcmpunord_qss vcmpunordss vcmpneq_uqss vcmpneqss vcmpnlt_usss vcmpnltss vcmpnle_usss vcmpnless vcmpord_qss vcmpordss vcmpeq_uqss vcmpnge_usss vcmpngess vcmpngt_usss vcmpngtss vcmpfalse_oqss vcmpfalsess vcmpneq_oqss vcmpge_osss vcmpgess vcmpgt_osss vcmpgtss vcmptrue_uqss vcmptruess vcmplt_oqss vcmple_oqss vcmpunord_sss vcmpneq_usss vcmpnlt_uqss vcmpnle_uqss vcmpord_sss vcmpeq_usss vcmpnge_uqss vcmpngt_uqss vcmpfalse_osss vcmpneq_osss vcmpge_oqss vcmpgt_oqss vcmptrue_usss vcmpss vcomisd vcomiss vcvtdq2pd vcvtdq2ps vcvtpd2dq vcvtpd2ps vcvtps2dq vcvtps2pd vcvtsd2si vcvtsd2ss vcvtsi2sd vcvtsi2ss vcvtss2sd vcvtss2si vcvttpd2dq vcvttps2dq vcvttsd2si vcvttss2si vdivpd vdivps vdivsd vdivss vdppd vdpps vextractf128 vextractps vhaddpd vhaddps vhsubpd vhsubps vinsertf128 vinsertps vlddqu vldqqu vldmxcsr vmaskmovdqu vmaskmovps vmaskmovpd vmaxpd vmaxps vmaxsd vmaxss vminpd vminps vminsd vminss vmovapd vmovaps vmovd vmovq vmovddup vmovdqa vmovqqa vmovdqu vmovqqu vmovhlps vmovhpd vmovhps vmovlhps vmovlpd vmovlps vmovmskpd vmovmskps vmovntdq vmovntqq vmovntdqa vmovntpd vmovntps vmovsd vmovshdup vmovsldup vmovss vmovupd vmovups vmpsadbw vmulpd vmulps vmulsd vmulss vorpd vorps vpabsb vpabsw vpabsd vpacksswb vpackssdw vpackuswb vpackusdw vpaddb vpaddw vpaddd vpaddq vpaddsb vpaddsw vpaddusb vpaddusw vpalignr vpand vpandn vpavgb vpavgw vpblendvb vpblendw vpcmpestri vpcmpestrm vpcmpistri vpcmpistrm vpcmpeqb vpcmpeqw vpcmpeqd vpcmpeqq vpcmpgtb vpcmpgtw vpcmpgtd vpcmpgtq vpermilpd vpermilps vperm2f128 vpextrb vpextrw vpextrd vpextrq vphaddw vphaddd vphaddsw vphminposuw vphsubw vphsubd vphsubsw vpinsrb vpinsrw vpinsrd vpinsrq vpmaddwd vpmaddubsw vpmaxsb vpmaxsw vpmaxsd vpmaxub vpmaxuw vpmaxud vpminsb vpminsw vpminsd vpminub vpminuw vpminud vpmovmskb vpmovsxbw vpmovsxbd vpmovsxbq vpmovsxwd vpmovsxwq vpmovsxdq vpmovzxbw vpmovzxbd vpmovzxbq vpmovzxwd vpmovzxwq vpmovzxdq vpmulhuw vpmulhrsw vpmulhw vpmullw vpmulld vpmuludq vpmuldq vpor vpsadbw vpshufb vpshufd vpshufhw vpshuflw vpsignb vpsignw vpsignd vpslldq vpsrldq vpsllw vpslld vpsllq vpsraw vpsrad vpsrlw vpsrld vpsrlq vptest vpsubb vpsubw vpsubd vpsubq vpsubsb vpsubsw vpsubusb vpsubusw vpunpckhbw vpunpckhwd vpunpckhdq vpunpckhqdq vpunpcklbw vpunpcklwd vpunpckldq vpunpcklqdq vpxor vrcpps vrcpss vrsqrtps vrsqrtss vroundpd vroundps vroundsd vroundss vshufpd vshufps vsqrtpd vsqrtps vsqrtsd vsqrtss vstmxcsr vsubpd vsubps vsubsd vsubss vtestps vtestpd vucomisd vucomiss vunpckhpd vunpckhps vunpcklpd vunpcklps vxorpd vxorps vzeroall vzeroupper pclmullqlqdq pclmulhqlqdq pclmullqhqdq pclmulhqhqdq pclmulqdq vpclmullqlqdq vpclmulhqlqdq vpclmullqhqdq vpclmulhqhqdq vpclmulqdq vfmadd132ps vfmadd132pd vfmadd312ps vfmadd312pd vfmadd213ps vfmadd213pd vfmadd123ps vfmadd123pd vfmadd231ps vfmadd231pd vfmadd321ps vfmadd321pd vfmaddsub132ps vfmaddsub132pd vfmaddsub312ps vfmaddsub312pd vfmaddsub213ps vfmaddsub213pd vfmaddsub123ps vfmaddsub123pd vfmaddsub231ps vfmaddsub231pd vfmaddsub321ps vfmaddsub321pd vfmsub132ps vfmsub132pd vfmsub312ps vfmsub312pd vfmsub213ps vfmsub213pd vfmsub123ps vfmsub123pd vfmsub231ps vfmsub231pd vfmsub321ps vfmsub321pd vfmsubadd132ps vfmsubadd132pd vfmsubadd312ps vfmsubadd312pd vfmsubadd213ps vfmsubadd213pd vfmsubadd123ps vfmsubadd123pd vfmsubadd231ps vfmsubadd231pd vfmsubadd321ps vfmsubadd321pd vfnmadd132ps vfnmadd132pd vfnmadd312ps vfnmadd312pd vfnmadd213ps vfnmadd213pd vfnmadd123ps vfnmadd123pd vfnmadd231ps vfnmadd231pd vfnmadd321ps vfnmadd321pd vfnmsub132ps vfnmsub132pd vfnmsub312ps vfnmsub312pd vfnmsub213ps vfnmsub213pd vfnmsub123ps vfnmsub123pd vfnmsub231ps vfnmsub231pd vfnmsub321ps vfnmsub321pd vfmadd132ss vfmadd132sd vfmadd312ss vfmadd312sd vfmadd213ss vfmadd213sd vfmadd123ss vfmadd123sd vfmadd231ss vfmadd231sd vfmadd321ss vfmadd321sd vfmsub132ss vfmsub132sd vfmsub312ss vfmsub312sd vfmsub213ss vfmsub213sd vfmsub123ss vfmsub123sd vfmsub231ss vfmsub231sd vfmsub321ss vfmsub321sd vfnmadd132ss vfnmadd132sd vfnmadd312ss vfnmadd312sd vfnmadd213ss vfnmadd213sd vfnmadd123ss vfnmadd123sd vfnmadd231ss vfnmadd231sd vfnmadd321ss vfnmadd321sd vfnmsub132ss vfnmsub132sd vfnmsub312ss vfnmsub312sd vfnmsub213ss vfnmsub213sd vfnmsub123ss vfnmsub123sd vfnmsub231ss vfnmsub231sd vfnmsub321ss vfnmsub321sd rdfsbase rdgsbase rdrand wrfsbase wrgsbase vcvtph2ps vcvtps2ph adcx adox rdseed clac stac xstore xcryptecb xcryptcbc xcryptctr xcryptcfb xcryptofb montmul xsha1 xsha256 llwpcb slwpcb lwpval lwpins vfmaddpd vfmaddps vfmaddsd vfmaddss vfmaddsubpd vfmaddsubps vfmsubaddpd vfmsubaddps vfmsubpd vfmsubps vfmsubsd vfmsubss vfnmaddpd vfnmaddps vfnmaddsd vfnmaddss vfnmsubpd vfnmsubps vfnmsubsd vfnmsubss vfrczpd vfrczps vfrczsd vfrczss vpcmov vpcomb vpcomd vpcomq vpcomub vpcomud vpcomuq vpcomuw vpcomw vphaddbd vphaddbq vphaddbw vphadddq vphaddubd vphaddubq vphaddubw vphaddudq vphadduwd vphadduwq vphaddwd vphaddwq vphsubbw vphsubdq vphsubwd vpmacsdd vpmacsdqh vpmacsdql vpmacssdd vpmacssdqh vpmacssdql vpmacsswd vpmacssww vpmacswd vpmacsww vpmadcsswd vpmadcswd vpperm vprotb vprotd vprotq vprotw vpshab vpshad vpshaq vpshaw vpshlb vpshld vpshlq vpshlw vbroadcasti128 vpblendd vpbroadcastb vpbroadcastw vpbroadcastd vpbroadcastq vpermd vpermpd vpermps vpermq vperm2i128 vextracti128 vinserti128 vpmaskmovd vpmaskmovq vpsllvd vpsllvq vpsravd vpsrlvd vpsrlvq vgatherdpd vgatherqpd vgatherdps vgatherqps vpgatherdd vpgatherqd vpgatherdq vpgatherqq xabort xbegin xend xtest andn bextr blci blcic blsi blsic blcfill blsfill blcmsk blsmsk blsr blcs bzhi mulx pdep pext rorx sarx shlx shrx tzcnt tzmsk t1mskc valignd valignq vblendmpd vblendmps vbroadcastf32x4 vbroadcastf64x4 vbroadcasti32x4 vbroadcasti64x4 vcompresspd vcompressps vcvtpd2udq vcvtps2udq vcvtsd2usi vcvtss2usi vcvttpd2udq vcvttps2udq vcvttsd2usi vcvttss2usi vcvtudq2pd vcvtudq2ps vcvtusi2sd vcvtusi2ss vexpandpd vexpandps vextractf32x4 vextractf64x4 vextracti32x4 vextracti64x4 vfixupimmpd vfixupimmps vfixupimmsd vfixupimmss vgetexppd vgetexpps vgetexpsd vgetexpss vgetmantpd vgetmantps vgetmantsd vgetmantss vinsertf32x4 vinsertf64x4 vinserti32x4 vinserti64x4 vmovdqa32 vmovdqa64 vmovdqu32 vmovdqu64 vpabsq vpandd vpandnd vpandnq vpandq vpblendmd vpblendmq vpcmpltd vpcmpled vpcmpneqd vpcmpnltd vpcmpnled vpcmpd vpcmpltq vpcmpleq vpcmpneqq vpcmpnltq vpcmpnleq vpcmpq vpcmpequd vpcmpltud vpcmpleud vpcmpnequd vpcmpnltud vpcmpnleud vpcmpud vpcmpequq vpcmpltuq vpcmpleuq vpcmpnequq vpcmpnltuq vpcmpnleuq vpcmpuq vpcompressd vpcompressq vpermi2d vpermi2pd vpermi2ps vpermi2q vpermt2d vpermt2pd vpermt2ps vpermt2q vpexpandd vpexpandq vpmaxsq vpmaxuq vpminsq vpminuq vpmovdb vpmovdw vpmovqb vpmovqd vpmovqw vpmovsdb vpmovsdw vpmovsqb vpmovsqd vpmovsqw vpmovusdb vpmovusdw vpmovusqb vpmovusqd vpmovusqw vpord vporq vprold vprolq vprolvd vprolvq vprord vprorq vprorvd vprorvq vpscatterdd vpscatterdq vpscatterqd vpscatterqq vpsraq vpsravq vpternlogd vpternlogq vptestmd vptestmq vptestnmd vptestnmq vpxord vpxorq vrcp14pd vrcp14ps vrcp14sd vrcp14ss vrndscalepd vrndscaleps vrndscalesd vrndscaless vrsqrt14pd vrsqrt14ps vrsqrt14sd vrsqrt14ss vscalefpd vscalefps vscalefsd vscalefss vscatterdpd vscatterdps vscatterqpd vscatterqps vshuff32x4 vshuff64x2 vshufi32x4 vshufi64x2 kandnw kandw kmovw knotw kortestw korw kshiftlw kshiftrw kunpckbw kxnorw kxorw vpbroadcastmb2q vpbroadcastmw2d vpconflictd vpconflictq vplzcntd vplzcntq vexp2pd vexp2ps vrcp28pd vrcp28ps vrcp28sd vrcp28ss vrsqrt28pd vrsqrt28ps vrsqrt28sd vrsqrt28ss vgatherpf0dpd vgatherpf0dps vgatherpf0qpd vgatherpf0qps vgatherpf1dpd vgatherpf1dps vgatherpf1qpd vgatherpf1qps vscatterpf0dpd vscatterpf0dps vscatterpf0qpd vscatterpf0qps vscatterpf1dpd vscatterpf1dps vscatterpf1qpd vscatterpf1qps prefetchwt1 bndmk bndcl bndcu bndcn bndmov bndldx bndstx sha1rnds4 sha1nexte sha1msg1 sha1msg2 sha256rnds2 sha256msg1 sha256msg2 hint_nop0 hint_nop1 hint_nop2 hint_nop3 hint_nop4 hint_nop5 hint_nop6 hint_nop7 hint_nop8 hint_nop9 hint_nop10 hint_nop11 hint_nop12 hint_nop13 hint_nop14 hint_nop15 hint_nop16 hint_nop17 hint_nop18 hint_nop19 hint_nop20 hint_nop21 hint_nop22 hint_nop23 hint_nop24 hint_nop25 hint_nop26 hint_nop27 hint_nop28 hint_nop29 hint_nop30 hint_nop31 hint_nop32 hint_nop33 hint_nop34 hint_nop35 hint_nop36 hint_nop37 hint_nop38 hint_nop39 hint_nop40 hint_nop41 hint_nop42 hint_nop43 hint_nop44 hint_nop45 hint_nop46 hint_nop47 hint_nop48 hint_nop49 hint_nop50 hint_nop51 hint_nop52 hint_nop53 hint_nop54 hint_nop55 hint_nop56 hint_nop57 hint_nop58 hint_nop59 hint_nop60 hint_nop61 hint_nop62 hint_nop63",literal:"ip eip rip al ah bl bh cl ch dl dh sil dil bpl spl r8b r9b r10b r11b r12b r13b r14b r15b ax bx cx dx si di bp sp r8w r9w r10w r11w r12w r13w r14w r15w eax ebx ecx edx esi edi ebp esp eip r8d r9d r10d r11d r12d r13d r14d r15d rax rbx rcx rdx rsi rdi rbp rsp r8 r9 r10 r11 r12 r13 r14 r15 cs ds es fs gs ss st st0 st1 st2 st3 st4 st5 st6 st7 mm0 mm1 mm2 mm3 mm4 mm5 mm6 mm7 xmm0 xmm1 xmm2 xmm3 xmm4 xmm5 xmm6 xmm7 xmm8 xmm9 xmm10 xmm11 xmm12 xmm13 xmm14 xmm15 xmm16 xmm17 xmm18 xmm19 xmm20 xmm21 xmm22 xmm23 xmm24 xmm25 xmm26 xmm27 xmm28 xmm29 xmm30 xmm31 ymm0 ymm1 ymm2 ymm3 ymm4 ymm5 ymm6 ymm7 ymm8 ymm9 ymm10 ymm11 ymm12 ymm13 ymm14 ymm15 ymm16 ymm17 ymm18 ymm19 ymm20 ymm21 ymm22 ymm23 ymm24 ymm25 ymm26 ymm27 ymm28 ymm29 ymm30 ymm31 zmm0 zmm1 zmm2 zmm3 zmm4 zmm5 zmm6 zmm7 zmm8 zmm9 zmm10 zmm11 zmm12 zmm13 zmm14 zmm15 zmm16 zmm17 zmm18 zmm19 zmm20 zmm21 zmm22 zmm23 zmm24 zmm25 zmm26 zmm27 zmm28 zmm29 zmm30 zmm31 k0 k1 k2 k3 k4 k5 k6 k7 bnd0 bnd1 bnd2 bnd3 cr0 cr1 cr2 cr3 cr4 cr8 dr0 dr1 dr2 dr3 dr8 tr3 tr4 tr5 tr6 tr7 r0 r1 r2 r3 r4 r5 r6 r7 r0b r1b r2b r3b r4b r5b r6b r7b r0w r1w r2w r3w r4w r5w r6w r7w r0d r1d r2d r3d r4d r5d r6d r7d r0h r1h r2h r3h r0l r1l r2l r3l r4l r5l r6l r7l r8l r9l r10l r11l r12l r13l r14l r15l",pseudo:"db dw dd dq dt ddq do dy dz resb resw resd resq rest resdq reso resy resz incbin equ times",preprocessor:"%define %xdefine %+ %undef %defstr %deftok %assign %strcat %strlen %substr %rotate %elif %else %endif %ifmacro %ifctx %ifidn %ifidni %ifid %ifnum %ifstr %iftoken %ifempty %ifenv %error %warning %fatal %rep %endrep %include %push %pop %repl %pathsearch %depend %use %arg %stacksize %local %line %comment %endcomment .nolist byte word dword qword nosplit rel abs seg wrt strict near far a32 ptr __FILE__ __LINE__ __SECT__ __BITS__ __OUTPUT_FORMAT__ __DATE__ __TIME__ __DATE_NUM__ __TIME_NUM__ __UTC_DATE__ __UTC_TIME__ __UTC_DATE_NUM__ __UTC_TIME_NUM__ __PASS__ struc endstruc istruc at iend align alignb sectalign daz nodaz up down zero default option assume public ",built_in:"bits use16 use32 use64 default section segment absolute extern global common cpu float __utf16__ __utf16le__ __utf16be__ __utf32__ __utf32le__ __utf32be__ __float8__ __float16__ __float32__ __float64__ __float80m__ __float80e__ __float128l__ __float128h__ __Infinity__ __QNaN__ __SNaN__ Inf NaN QNaN SNaN float8 float16 float32 float64 float80m float80e float128l float128h __FLOAT_DAZ__ __FLOAT_ROUND__ __FLOAT__"},c:[s.C(";","$",{r:0}),{cN:"number",v:[{b:"\\b(?:([0-9][0-9_]*)?\\.[0-9_]*(?:[eE][+-]?[0-9_]+)?|(0[Xx])?[0-9][0-9_]*\\.?[0-9_]*(?:[pP](?:[+-]?[0-9_]+)?)?)\\b",r:0},{b:"\\$[0-9][0-9A-Fa-f]*",r:0},{b:"\\b(?:[0-9A-Fa-f][0-9A-Fa-f_]*[Hh]|[0-9][0-9_]*[DdTt]?|[0-7][0-7_]*[QqOo]|[0-1][0-1_]*[BbYy])\\b"},{b:"\\b(?:0[Xx][0-9A-Fa-f_]+|0[DdTt][0-9_]+|0[QqOo][0-7_]+|0[BbYy][0-1_]+)\\b"}]},s.QSM,{cN:"string",v:[{b:"'",e:"[^\\\\]'"},{b:"`",e:"[^\\\\]`"},{b:"\\.[A-Za-z0-9]+"}],r:0},{cN:"label",v:[{b:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)"},{b:"^\\s*%%[A-Za-z0-9_$#@~.?]*:"}],r:0},{cN:"argument",b:"%[0-9]+",r:0},{cN:"built_in",b:"%!S+",r:0}]}});hljs.registerLanguage("makefile",function(e){var a={cN:"variable",b:/\$\(/,e:/\)/,c:[e.BE]};return{aliases:["mk","mak"],c:[e.HCM,{b:/^\w+\s*\W*=/,rB:!0,r:0,starts:{cN:"constant",e:/\s*\W*=/,eE:!0,starts:{e:/$/,r:0,c:[a]}}},{cN:"title",b:/^[\w]+:\s*$/},{cN:"phony",b:/^\.PHONY:/,e:/$/,k:".PHONY",l:/[\.\w]+/},{b:/^\t+/,e:/$/,r:0,c:[e.QSM,a]}]}});hljs.registerLanguage("delphi",function(e){var r="exports register file shl array record property for mod while set ally label uses raise not stored class safecall var interface or private static exit index inherited to else stdcall override shr asm far resourcestring finalization packed virtual out and protected library do xorwrite goto near function end div overload object unit begin string on inline repeat until destructor write message program with read initialization except default nil if case cdecl in downto threadvar of try pascal const external constructor type public then implementation finally published procedure",t=[e.CLCM,e.C(/\{/,/\}/,{r:0}),e.C(/\(\*/,/\*\)/,{r:10})],i={cN:"string",b:/'/,e:/'/,c:[{b:/''/}]},c={cN:"string",b:/(#\d+)+/},o={b:e.IR+"\\s*=\\s*class\\s*\\(",rB:!0,c:[e.TM]},n={cN:"function",bK:"function constructor destructor procedure",e:/[:;]/,k:"function constructor|10 destructor|10 procedure|10",c:[e.TM,{cN:"params",b:/\(/,e:/\)/,k:r,c:[i,c]}].concat(t)};return{cI:!0,k:r,i:/"|\$[G-Zg-z]|\/\*|<\/|\|/,c:[i,c,e.NM,o,n].concat(t)}});hljs.registerLanguage("erb",function(e){return{sL:"xml",c:[e.C("<%#","%>"),{b:"<%[%=-]?",e:"[%-]?%>",sL:"ruby",eB:!0,eE:!0}]}});hljs.registerLanguage("objectivec",function(e){var t={cN:"built_in",b:"(AV|CA|CF|CG|CI|MK|MP|NS|UI)\\w+"},i={keyword:"int float while char export sizeof typedef const struct for union unsigned long volatile static bool mutable if do return goto void enum else break extern asm case short default double register explicit signed typename this switch continue wchar_t inline readonly assign readwrite self @synchronized id typeof nonatomic super unichar IBOutlet IBAction strong weak copy in out inout bycopy byref oneway __strong __weak __block __autoreleasing @private @protected @public @try @property @end @throw @catch @finally @autoreleasepool @synthesize @dynamic @selector @optional @required",literal:"false true FALSE TRUE nil YES NO NULL",built_in:"BOOL dispatch_once_t dispatch_queue_t dispatch_sync dispatch_async dispatch_once"},o=/[a-zA-Z@][a-zA-Z0-9_]*/,n="@interface @class @protocol @implementation";return{aliases:["mm","objc","obj-c"],k:i,l:o,i:""}]}]},{cN:"class",b:"("+n.split(" ").join("|")+")\\b",e:"({|$)",eE:!0,k:n,l:o,c:[e.UTM]},{cN:"variable",b:"\\."+e.UIR,r:0}]}});hljs.registerLanguage("fortran",function(e){var t={cN:"params",b:"\\(",e:"\\)"},n={constant:".False. .True.",type:"integer real character complex logical dimension allocatable|10 parameter external implicit|10 none double precision assign intent optional pointer target in out common equivalence data",keyword:"kind do while private call intrinsic where elsewhere type endtype endmodule endselect endinterface end enddo endif if forall endforall only contains default return stop then public subroutine|10 function program .and. .or. .not. .le. .eq. .ge. .gt. .lt. goto save else use module select case access blank direct exist file fmt form formatted iostat name named nextrec number opened rec recl sequential status unformatted unit continue format pause cycle exit c_null_char c_alert c_backspace c_form_feed flush wait decimal round iomsg synchronous nopass non_overridable pass protected volatile abstract extends import non_intrinsic value deferred generic final enumerator class associate bind enum c_int c_short c_long c_long_long c_signed_char c_size_t c_int8_t c_int16_t c_int32_t c_int64_t c_int_least8_t c_int_least16_t c_int_least32_t c_int_least64_t c_int_fast8_t c_int_fast16_t c_int_fast32_t c_int_fast64_t c_intmax_t C_intptr_t c_float c_double c_long_double c_float_complex c_double_complex c_long_double_complex c_bool c_char c_null_ptr c_null_funptr c_new_line c_carriage_return c_horizontal_tab c_vertical_tab iso_c_binding c_loc c_funloc c_associated c_f_pointer c_ptr c_funptr iso_fortran_env character_storage_size error_unit file_storage_size input_unit iostat_end iostat_eor numeric_storage_size output_unit c_f_procpointer ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode newunit contiguous recursive pad position action delim readwrite eor advance nml interface procedure namelist include sequence elemental pure",built_in:"alog alog10 amax0 amax1 amin0 amin1 amod cabs ccos cexp clog csin csqrt dabs dacos dasin datan datan2 dcos dcosh ddim dexp dint dlog dlog10 dmax1 dmin1 dmod dnint dsign dsin dsinh dsqrt dtan dtanh float iabs idim idint idnint ifix isign max0 max1 min0 min1 sngl algama cdabs cdcos cdexp cdlog cdsin cdsqrt cqabs cqcos cqexp cqlog cqsin cqsqrt dcmplx dconjg derf derfc dfloat dgamma dimag dlgama iqint qabs qacos qasin qatan qatan2 qcmplx qconjg qcos qcosh qdim qerf qerfc qexp qgamma qimag qlgama qlog qlog10 qmax1 qmin1 qmod qnint qsign qsin qsinh qsqrt qtan qtanh abs acos aimag aint anint asin atan atan2 char cmplx conjg cos cosh exp ichar index int log log10 max min nint sign sin sinh sqrt tan tanh print write dim lge lgt lle llt mod nullify allocate deallocate adjustl adjustr all allocated any associated bit_size btest ceiling count cshift date_and_time digits dot_product eoshift epsilon exponent floor fraction huge iand ibclr ibits ibset ieor ior ishft ishftc lbound len_trim matmul maxexponent maxloc maxval merge minexponent minloc minval modulo mvbits nearest pack present product radix random_number random_seed range repeat reshape rrspacing scale scan selected_int_kind selected_real_kind set_exponent shape size spacing spread sum system_clock tiny transpose trim ubound unpack verify achar iachar transfer dble entry dprod cpu_time command_argument_count get_command get_command_argument get_environment_variable is_iostat_end ieee_arithmetic ieee_support_underflow_control ieee_get_underflow_mode ieee_set_underflow_mode is_iostat_eor move_alloc new_line selected_char_kind same_type_as extends_type_ofacosh asinh atanh bessel_j0 bessel_j1 bessel_jn bessel_y0 bessel_y1 bessel_yn erf erfc erfc_scaled gamma log_gamma hypot norm2 atomic_define atomic_ref execute_command_line leadz trailz storage_size merge_bits bge bgt ble blt dshiftl dshiftr findloc iall iany iparity image_index lcobound ucobound maskl maskr num_images parity popcnt poppar shifta shiftl shiftr this_image"};return{cI:!0,aliases:["f90","f95"],k:n,i:/\/\*/,c:[e.inherit(e.ASM,{cN:"string",r:0}),e.inherit(e.QSM,{cN:"string",r:0}),{cN:"function",bK:"subroutine function program",i:"[${=\\n]",c:[e.UTM,t]},e.C("!","$",{r:0}),{cN:"number",b:"(?=\\b|\\+|\\-|\\.)(?=\\.\\d|\\d)(?:\\d+)?(?:\\.?\\d*)(?:[de][+-]?\\d+)?\\b\\.?",r:0}]}});hljs.registerLanguage("swift",function(e){var i={keyword:"__COLUMN__ __FILE__ __FUNCTION__ __LINE__ as as! as? associativity break case catch class continue convenience default defer deinit didSet do dynamic dynamicType else enum extension fallthrough false final for func get guard if import in indirect infix init inout internal is lazy left let mutating nil none nonmutating operator optional override postfix precedence prefix private protocol Protocol public repeat required rethrows return right self Self set static struct subscript super switch throw throws true try try! try? Type typealias unowned var weak where while willSet",literal:"true false nil",built_in:"abs advance alignof alignofValue anyGenerator assert assertionFailure bridgeFromObjectiveC bridgeFromObjectiveCUnconditional bridgeToObjectiveC bridgeToObjectiveCUnconditional c contains count countElements countLeadingZeros debugPrint debugPrintln distance dropFirst dropLast dump encodeBitsAsWords enumerate equal fatalError filter find getBridgedObjectiveCType getVaList indices insertionSort isBridgedToObjectiveC isBridgedVerbatimToObjectiveC isUniquelyReferenced isUniquelyReferencedNonObjC join lazy lexicographicalCompare map max maxElement min minElement numericCast overlaps partition posix precondition preconditionFailure print println quickSort readLine reduce reflect reinterpretCast reverse roundUpToAlignment sizeof sizeofValue sort split startsWith stride strideof strideofValue swap toString transcode underestimateCount unsafeAddressOf unsafeBitCast unsafeDowncast unsafeUnwrap unsafeReflect withExtendedLifetime withObjectAtPlusZero withUnsafePointer withUnsafePointerToObject withUnsafeMutablePointer withUnsafeMutablePointers withUnsafePointer withUnsafePointers withVaList zip"},t={cN:"type",b:"\\b[A-Z][\\w']*",r:0},n=e.C("/\\*","\\*/",{c:["self"]}),r={cN:"subst",b:/\\\(/,e:"\\)",k:i,c:[]},a={cN:"number",b:"\\b([\\d_]+(\\.[\\deE_]+)?|0x[a-fA-F0-9_]+(\\.[a-fA-F0-9p_]+)?|0b[01_]+|0o[0-7_]+)\\b",r:0},o=e.inherit(e.QSM,{c:[r,e.BE]});return r.c=[a],{k:i,c:[o,e.CLCM,n,t,a,{cN:"func",bK:"func",e:"{",eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/,i:/\(/}),{cN:"generics",b://,i:/>/},{cN:"params",b:/\(/,e:/\)/,endsParent:!0,k:i,c:["self",a,o,e.CBCM,{b:":"}],i:/["']/}],i:/\[|%/},{cN:"class",bK:"struct protocol class extension enum",k:i,e:"\\{",eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/})]},{cN:"preprocessor",b:"(@warn_unused_result|@exported|@lazy|@noescape|@NSCopying|@NSManaged|@objc|@convention|@required|@noreturn|@IBAction|@IBDesignable|@IBInspectable|@IBOutlet|@infix|@prefix|@postfix|@autoclosure|@testable|@available|@nonobjc|@NSApplicationMain|@UIApplicationMain)"},{bK:"import",e:/$/,c:[e.CLCM,n]}]}});hljs.registerLanguage("coffeescript",function(e){var c={keyword:"in if for while finally new do return else break catch instanceof throw try this switch continue typeof delete debugger super then unless until loop of by when and or is isnt not",literal:"true false null undefined yes no on off",built_in:"npm require console print module global window document"},n="[A-Za-z$_][0-9A-Za-z$_]*",r={cN:"subst",b:/#\{/,e:/}/,k:c},t=[e.BNM,e.inherit(e.CNM,{starts:{e:"(\\s*/)?",r:0}}),{cN:"string",v:[{b:/'''/,e:/'''/,c:[e.BE]},{b:/'/,e:/'/,c:[e.BE]},{b:/"""/,e:/"""/,c:[e.BE,r]},{b:/"/,e:/"/,c:[e.BE,r]}]},{cN:"regexp",v:[{b:"///",e:"///",c:[r,e.HCM]},{b:"//[gim]*",r:0},{b:/\/(?![ *])(\\\/|.)*?\/[gim]*(?=\W|$)/}]},{cN:"property",b:"@"+n},{b:"`",e:"`",eB:!0,eE:!0,sL:"javascript"}];r.c=t;var s=e.inherit(e.TM,{b:n}),i="(\\(.*\\))?\\s*\\B[-=]>",o={cN:"params",b:"\\([^\\(]",rB:!0,c:[{b:/\(/,e:/\)/,k:c,c:["self"].concat(t)}]};return{aliases:["coffee","cson","iced"],k:c,i:/\/\*/,c:t.concat([e.C("###","###"),e.HCM,{cN:"function",b:"^\\s*"+n+"\\s*=\\s*"+i,e:"[-=]>",rB:!0,c:[s,o]},{b:/[:\(,=]\s*/,r:0,c:[{cN:"function",b:i,e:"[-=]>",rB:!0,c:[o]}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[s]},s]},{cN:"attribute",b:n+":",e:":",rB:!0,rE:!0,r:0}])}});hljs.registerLanguage("puppet",function(e){var s={keyword:"and case default else elsif false if in import enherits node or true undef unless main settings $string ",literal:"alias audit before loglevel noop require subscribe tag owner ensure group mode name|0 changes context force incl lens load_path onlyif provider returns root show_diff type_check en_address ip_address realname command environment hour monute month monthday special target weekday creates cwd ogoutput refresh refreshonly tries try_sleep umask backup checksum content ctime force ignore links mtime purge recurse recurselimit replace selinux_ignore_defaults selrange selrole seltype seluser source souirce_permissions sourceselect validate_cmd validate_replacement allowdupe attribute_membership auth_membership forcelocal gid ia_load_module members system host_aliases ip allowed_trunk_vlans description device_url duplex encapsulation etherchannel native_vlan speed principals allow_root auth_class auth_type authenticate_user k_of_n mechanisms rule session_owner shared options device fstype enable hasrestart directory present absent link atboot blockdevice device dump pass remounts poller_tag use message withpath adminfile allow_virtual allowcdrom category configfiles flavor install_options instance package_settings platform responsefile status uninstall_options vendor unless_system_user unless_uid binary control flags hasstatus manifest pattern restart running start stop allowdupe auths expiry gid groups home iterations key_membership keys managehome membership password password_max_age password_min_age profile_membership profiles project purge_ssh_keys role_membership roles salt shell uid baseurl cost descr enabled enablegroups exclude failovermethod gpgcheck gpgkey http_caching include includepkgs keepalive metadata_expire metalink mirrorlist priority protect proxy proxy_password proxy_username repo_gpgcheck s3_enabled skip_if_unavailable sslcacert sslclientcert sslclientkey sslverify mounted",built_in:"architecture augeasversion blockdevices boardmanufacturer boardproductname boardserialnumber cfkey dhcp_servers domain ec2_ ec2_userdata facterversion filesystems ldom fqdn gid hardwareisa hardwaremodel hostname id|0 interfaces ipaddress ipaddress_ ipaddress6 ipaddress6_ iphostnumber is_virtual kernel kernelmajversion kernelrelease kernelversion kernelrelease kernelversion lsbdistcodename lsbdistdescription lsbdistid lsbdistrelease lsbmajdistrelease lsbminordistrelease lsbrelease macaddress macaddress_ macosx_buildversion macosx_productname macosx_productversion macosx_productverson_major macosx_productversion_minor manufacturer memoryfree memorysize netmask metmask_ network_ operatingsystem operatingsystemmajrelease operatingsystemrelease osfamily partitions path physicalprocessorcount processor processorcount productname ps puppetversion rubysitedir rubyversion selinux selinux_config_mode selinux_config_policy selinux_current_mode selinux_current_mode selinux_enforced selinux_policyversion serialnumber sp_ sshdsakey sshecdsakey sshrsakey swapencrypted swapfree swapsize timezone type uniqueid uptime uptime_days uptime_hours uptime_seconds uuid virtual vlans xendomains zfs_version zonenae zones zpool_version"},r=e.C("#","$"),a="([A-Za-z_]|::)(\\w|::)*",i=e.inherit(e.TM,{b:a}),o={cN:"variable",b:"\\$"+a},t={cN:"string",c:[e.BE,o],v:[{b:/'/,e:/'/},{b:/"/,e:/"/}]};return{aliases:["pp"],c:[r,o,t,{bK:"class",e:"\\{|;",i:/=/,c:[i,r]},{bK:"define",e:/\{/,c:[{cN:"title",b:e.IR,endsParent:!0}]},{b:e.IR+"\\s+\\{",rB:!0,e:/\S/,c:[{cN:"name",b:e.IR},{b:/\{/,e:/\}/,k:s,r:0,c:[t,r,{b:"[a-zA-Z_]+\\s*=>"},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},o]}],r:0}]}});hljs.registerLanguage("tex",function(c){var e={cN:"command",b:"\\\\[a-zA-Zа-яА-я]+[\\*]?"},m={cN:"command",b:"\\\\[^a-zA-Zа-яА-я0-9]"},r={cN:"special",b:"[{}\\[\\]\\&#~]",r:0};return{c:[{b:"\\\\[a-zA-Zа-яА-я]+[\\*]? *= *-?\\d*\\.?\\d+(pt|pc|mm|cm|in|dd|cc|ex|em)?",rB:!0,c:[e,m,{cN:"number",b:" *=",e:"-?\\d*\\.?\\d+(pt|pc|mm|cm|in|dd|cc|ex|em)?",eB:!0}],r:10},e,m,r,{cN:"formula",b:"\\$\\$",e:"\\$\\$",c:[e,m,r],r:0},{cN:"formula",b:"\\$",e:"\\$",c:[e,m,r],r:0},c.C("%","$",{r:0})]}});hljs.registerLanguage("glsl",function(e){return{k:{keyword:"atomic_uint attribute bool break bvec2 bvec3 bvec4 case centroid coherent const continue default discard dmat2 dmat2x2 dmat2x3 dmat2x4 dmat3 dmat3x2 dmat3x3 dmat3x4 dmat4 dmat4x2 dmat4x3 dmat4x4 do double dvec2 dvec3 dvec4 else flat float for highp if iimage1D iimage1DArray iimage2D iimage2DArray iimage2DMS iimage2DMSArray iimage2DRect iimage3D iimageBuffer iimageCube iimageCubeArray image1D image1DArray image2D image2DArray image2DMS image2DMSArray image2DRect image3D imageBuffer imageCube imageCubeArray in inout int invariant isampler1D isampler1DArray isampler2D isampler2DArray isampler2DMS isampler2DMSArray isampler2DRect isampler3D isamplerBuffer isamplerCube isamplerCubeArray ivec2 ivec3 ivec4 layout lowp mat2 mat2x2 mat2x3 mat2x4 mat3 mat3x2 mat3x3 mat3x4 mat4 mat4x2 mat4x3 mat4x4 mediump noperspective out patch precision readonly restrict return sample sampler1D sampler1DArray sampler1DArrayShadow sampler1DShadow sampler2D sampler2DArray sampler2DArrayShadow sampler2DMS sampler2DMSArray sampler2DRect sampler2DRectShadow sampler2DShadow sampler3D samplerBuffer samplerCube samplerCubeArray samplerCubeArrayShadow samplerCubeShadow smooth struct subroutine switch uimage1D uimage1DArray uimage2D uimage2DArray uimage2DMS uimage2DMSArray uimage2DRect uimage3D uimageBuffer uimageCube uimageCubeArray uint uniform usampler1D usampler1DArray usampler2D usampler2DArray usampler2DMS usampler2DMSArray usampler2DRect usampler3D usamplerBuffer usamplerCube usamplerCubeArray uvec2 uvec3 uvec4 varying vec2 vec3 vec4 void volatile while writeonly",built_in:"gl_BackColor gl_BackLightModelProduct gl_BackLightProduct gl_BackMaterial gl_BackSecondaryColor gl_ClipDistance gl_ClipPlane gl_ClipVertex gl_Color gl_DepthRange gl_EyePlaneQ gl_EyePlaneR gl_EyePlaneS gl_EyePlaneT gl_Fog gl_FogCoord gl_FogFragCoord gl_FragColor gl_FragCoord gl_FragData gl_FragDepth gl_FrontColor gl_FrontFacing gl_FrontLightModelProduct gl_FrontLightProduct gl_FrontMaterial gl_FrontSecondaryColor gl_InstanceID gl_InvocationID gl_Layer gl_LightModel gl_LightSource gl_MaxAtomicCounterBindings gl_MaxAtomicCounterBufferSize gl_MaxClipDistances gl_MaxClipPlanes gl_MaxCombinedAtomicCounterBuffers gl_MaxCombinedAtomicCounters gl_MaxCombinedImageUniforms gl_MaxCombinedImageUnitsAndFragmentOutputs gl_MaxCombinedTextureImageUnits gl_MaxDrawBuffers gl_MaxFragmentAtomicCounterBuffers gl_MaxFragmentAtomicCounters gl_MaxFragmentImageUniforms gl_MaxFragmentInputComponents gl_MaxFragmentUniformComponents gl_MaxFragmentUniformVectors gl_MaxGeometryAtomicCounterBuffers gl_MaxGeometryAtomicCounters gl_MaxGeometryImageUniforms gl_MaxGeometryInputComponents gl_MaxGeometryOutputComponents gl_MaxGeometryOutputVertices gl_MaxGeometryTextureImageUnits gl_MaxGeometryTotalOutputComponents gl_MaxGeometryUniformComponents gl_MaxGeometryVaryingComponents gl_MaxImageSamples gl_MaxImageUnits gl_MaxLights gl_MaxPatchVertices gl_MaxProgramTexelOffset gl_MaxTessControlAtomicCounterBuffers gl_MaxTessControlAtomicCounters gl_MaxTessControlImageUniforms gl_MaxTessControlInputComponents gl_MaxTessControlOutputComponents gl_MaxTessControlTextureImageUnits gl_MaxTessControlTotalOutputComponents gl_MaxTessControlUniformComponents gl_MaxTessEvaluationAtomicCounterBuffers gl_MaxTessEvaluationAtomicCounters gl_MaxTessEvaluationImageUniforms gl_MaxTessEvaluationInputComponents gl_MaxTessEvaluationOutputComponents gl_MaxTessEvaluationTextureImageUnits gl_MaxTessEvaluationUniformComponents gl_MaxTessGenLevel gl_MaxTessPatchComponents gl_MaxTextureCoords gl_MaxTextureImageUnits gl_MaxTextureUnits gl_MaxVaryingComponents gl_MaxVaryingFloats gl_MaxVaryingVectors gl_MaxVertexAtomicCounterBuffers gl_MaxVertexAtomicCounters gl_MaxVertexAttribs gl_MaxVertexImageUniforms gl_MaxVertexOutputComponents gl_MaxVertexTextureImageUnits gl_MaxVertexUniformComponents gl_MaxVertexUniformVectors gl_MaxViewports gl_MinProgramTexelOffsetgl_ModelViewMatrix gl_ModelViewMatrixInverse gl_ModelViewMatrixInverseTranspose gl_ModelViewMatrixTranspose gl_ModelViewProjectionMatrix gl_ModelViewProjectionMatrixInverse gl_ModelViewProjectionMatrixInverseTranspose gl_ModelViewProjectionMatrixTranspose gl_MultiTexCoord0 gl_MultiTexCoord1 gl_MultiTexCoord2 gl_MultiTexCoord3 gl_MultiTexCoord4 gl_MultiTexCoord5 gl_MultiTexCoord6 gl_MultiTexCoord7 gl_Normal gl_NormalMatrix gl_NormalScale gl_ObjectPlaneQ gl_ObjectPlaneR gl_ObjectPlaneS gl_ObjectPlaneT gl_PatchVerticesIn gl_PerVertex gl_Point gl_PointCoord gl_PointSize gl_Position gl_PrimitiveID gl_PrimitiveIDIn gl_ProjectionMatrix gl_ProjectionMatrixInverse gl_ProjectionMatrixInverseTranspose gl_ProjectionMatrixTranspose gl_SampleID gl_SampleMask gl_SampleMaskIn gl_SamplePosition gl_SecondaryColor gl_TessCoord gl_TessLevelInner gl_TessLevelOuter gl_TexCoord gl_TextureEnvColor gl_TextureMatrixInverseTranspose gl_TextureMatrixTranspose gl_Vertex gl_VertexID gl_ViewportIndex gl_in gl_out EmitStreamVertex EmitVertex EndPrimitive EndStreamPrimitive abs acos acosh all any asin asinh atan atanh atomicCounter atomicCounterDecrement atomicCounterIncrement barrier bitCount bitfieldExtract bitfieldInsert bitfieldReverse ceil clamp cos cosh cross dFdx dFdy degrees determinant distance dot equal exp exp2 faceforward findLSB findMSB floatBitsToInt floatBitsToUint floor fma fract frexp ftransform fwidth greaterThan greaterThanEqual imageAtomicAdd imageAtomicAnd imageAtomicCompSwap imageAtomicExchange imageAtomicMax imageAtomicMin imageAtomicOr imageAtomicXor imageLoad imageStore imulExtended intBitsToFloat interpolateAtCentroid interpolateAtOffset interpolateAtSample inverse inversesqrt isinf isnan ldexp length lessThan lessThanEqual log log2 matrixCompMult max memoryBarrier min mix mod modf noise1 noise2 noise3 noise4 normalize not notEqual outerProduct packDouble2x32 packHalf2x16 packSnorm2x16 packSnorm4x8 packUnorm2x16 packUnorm4x8 pow radians reflect refract round roundEven shadow1D shadow1DLod shadow1DProj shadow1DProjLod shadow2D shadow2DLod shadow2DProj shadow2DProjLod sign sin sinh smoothstep sqrt step tan tanh texelFetch texelFetchOffset texture texture1D texture1DLod texture1DProj texture1DProjLod texture2D texture2DLod texture2DProj texture2DProjLod texture3D texture3DLod texture3DProj texture3DProjLod textureCube textureCubeLod textureGather textureGatherOffset textureGatherOffsets textureGrad textureGradOffset textureLod textureLodOffset textureOffset textureProj textureProjGrad textureProjGradOffset textureProjLod textureProjLodOffset textureProjOffset textureQueryLod textureSize transpose trunc uaddCarry uintBitsToFloat umulExtended unpackDouble2x32 unpackHalf2x16 unpackSnorm2x16 unpackSnorm4x8 unpackUnorm2x16 unpackUnorm4x8 usubBorrow gl_TextureMatrix gl_TextureMatrixInverse",literal:"true false"},i:'"',c:[e.CLCM,e.CBCM,e.CNM,{cN:"preprocessor",b:"#",e:"$"}]}});hljs.registerLanguage("1c",function(c){var e="[a-zA-Zа-яА-Я][a-zA-Z0-9_а-яА-Я]*",r="возврат дата для если и или иначе иначеесли исключение конецесли конецпопытки конецпроцедуры конецфункции конеццикла константа не перейти перем перечисление по пока попытка прервать продолжить процедура строка тогда фс функция цикл число экспорт",t="ansitooem oemtoansi ввестивидсубконто ввестидату ввестизначение ввестиперечисление ввестипериод ввестиплансчетов ввестистроку ввестичисло вопрос восстановитьзначение врег выбранныйплансчетов вызватьисключение датагод датамесяц датачисло добавитьмесяц завершитьработусистемы заголовоксистемы записьжурналарегистрации запуститьприложение зафиксироватьтранзакцию значениевстроку значениевстрокувнутр значениевфайл значениеизстроки значениеизстрокивнутр значениеизфайла имякомпьютера имяпользователя каталогвременныхфайлов каталогиб каталогпользователя каталогпрограммы кодсимв командасистемы конгода конецпериодаби конецрассчитанногопериодаби конецстандартногоинтервала конквартала конмесяца коннедели лев лог лог10 макс максимальноеколичествосубконто мин монопольныйрежим названиеинтерфейса названиенабораправ назначитьвид назначитьсчет найти найтипомеченныенаудаление найтиссылки началопериодаби началостандартногоинтервала начатьтранзакцию начгода начквартала начмесяца начнедели номерднягода номерднянедели номернеделигода нрег обработкаожидания окр описаниеошибки основнойжурналрасчетов основнойплансчетов основнойязык открытьформу открытьформумодально отменитьтранзакцию очиститьокносообщений периодстр полноеимяпользователя получитьвремята получитьдатута получитьдокументта получитьзначенияотбора получитьпозициюта получитьпустоезначение получитьта прав праводоступа предупреждение префиксавтонумерации пустаястрока пустоезначение рабочаядаттьпустоезначение рабочаядата разделительстраниц разделительстрок разм разобратьпозициюдокумента рассчитатьрегистрына рассчитатьрегистрыпо сигнал симв символтабуляции создатьобъект сокрл сокрлп сокрп сообщить состояние сохранитьзначение сред статусвозврата стрдлина стрзаменить стрколичествострок стрполучитьстроку стрчисловхождений сформироватьпозициюдокумента счетпокоду текущаядата текущеевремя типзначения типзначениястр удалитьобъекты установитьтана установитьтапо фиксшаблон формат цел шаблон",i={cN:"dquote",b:'""'},n={cN:"string",b:'"',e:'"|$',c:[i]},a={cN:"string",b:"\\|",e:'"|$',c:[i]};return{cI:!0,l:e,k:{keyword:r,built_in:t},c:[c.CLCM,c.NM,n,a,{cN:"function",b:"(процедура|функция)",e:"$",l:e,k:"процедура функция",c:[c.inherit(c.TM,{b:e}),{cN:"tail",eW:!0,c:[{cN:"params",b:"\\(",e:"\\)",l:e,k:"знач",c:[n,a]},{cN:"export",b:"экспорт",eW:!0,l:e,k:"экспорт",c:[c.CLCM]}]},c.CLCM]},{cN:"preprocessor",b:"#",e:"$"},{cN:"date",b:"'\\d{2}\\.\\d{2}\\.(\\d{2}|\\d{4})'"}]}});hljs.registerLanguage("nsis",function(e){var t={cN:"symbol",b:"\\$(ADMINTOOLS|APPDATA|CDBURN_AREA|CMDLINE|COMMONFILES32|COMMONFILES64|COMMONFILES|COOKIES|DESKTOP|DOCUMENTS|EXEDIR|EXEFILE|EXEPATH|FAVORITES|FONTS|HISTORY|HWNDPARENT|INSTDIR|INTERNET_CACHE|LANGUAGE|LOCALAPPDATA|MUSIC|NETHOOD|OUTDIR|PICTURES|PLUGINSDIR|PRINTHOOD|PROFILE|PROGRAMFILES32|PROGRAMFILES64|PROGRAMFILES|QUICKLAUNCH|RECENT|RESOURCES_LOCALIZED|RESOURCES|SENDTO|SMPROGRAMS|SMSTARTUP|STARTMENU|SYSDIR|TEMP|TEMPLATES|VIDEOS|WINDIR)"},n={cN:"constant",b:"\\$+{[a-zA-Z0-9_]+}"},i={cN:"variable",b:"\\$+[a-zA-Z0-9_]+",i:"\\(\\){}"},r={cN:"constant",b:"\\$+\\([a-zA-Z0-9_]+\\)"},o={cN:"params",b:"(ARCHIVE|FILE_ATTRIBUTE_ARCHIVE|FILE_ATTRIBUTE_NORMAL|FILE_ATTRIBUTE_OFFLINE|FILE_ATTRIBUTE_READONLY|FILE_ATTRIBUTE_SYSTEM|FILE_ATTRIBUTE_TEMPORARY|HKCR|HKCU|HKDD|HKEY_CLASSES_ROOT|HKEY_CURRENT_CONFIG|HKEY_CURRENT_USER|HKEY_DYN_DATA|HKEY_LOCAL_MACHINE|HKEY_PERFORMANCE_DATA|HKEY_USERS|HKLM|HKPD|HKU|IDABORT|IDCANCEL|IDIGNORE|IDNO|IDOK|IDRETRY|IDYES|MB_ABORTRETRYIGNORE|MB_DEFBUTTON1|MB_DEFBUTTON2|MB_DEFBUTTON3|MB_DEFBUTTON4|MB_ICONEXCLAMATION|MB_ICONINFORMATION|MB_ICONQUESTION|MB_ICONSTOP|MB_OK|MB_OKCANCEL|MB_RETRYCANCEL|MB_RIGHT|MB_RTLREADING|MB_SETFOREGROUND|MB_TOPMOST|MB_USERICON|MB_YESNO|NORMAL|OFFLINE|READONLY|SHCTX|SHELL_CONTEXT|SYSTEM|TEMPORARY)"},l={cN:"constant",b:"\\!(addincludedir|addplugindir|appendfile|cd|define|delfile|echo|else|endif|error|execute|finalize|getdllversionsystem|ifdef|ifmacrodef|ifmacrondef|ifndef|if|include|insertmacro|macroend|macro|makensis|packhdr|searchparse|searchreplace|tempfile|undef|verbose|warning)"};return{cI:!1,k:{keyword:"Abort AddBrandingImage AddSize AllowRootDirInstall AllowSkipFiles AutoCloseWindow BGFont BGGradient BrandingText BringToFront Call CallInstDLL Caption ChangeUI CheckBitmap ClearErrors CompletedText ComponentText CopyFiles CRCCheck CreateDirectory CreateFont CreateShortCut Delete DeleteINISec DeleteINIStr DeleteRegKey DeleteRegValue DetailPrint DetailsButtonText DirText DirVar DirVerify EnableWindow EnumRegKey EnumRegValue Exch Exec ExecShell ExecWait ExpandEnvStrings File FileBufSize FileClose FileErrorText FileOpen FileRead FileReadByte FileReadUTF16LE FileReadWord FileSeek FileWrite FileWriteByte FileWriteUTF16LE FileWriteWord FindClose FindFirst FindNext FindWindow FlushINI FunctionEnd GetCurInstType GetCurrentAddress GetDlgItem GetDLLVersion GetDLLVersionLocal GetErrorLevel GetFileTime GetFileTimeLocal GetFullPathName GetFunctionAddress GetInstDirError GetLabelAddress GetTempFileName Goto HideWindow Icon IfAbort IfErrors IfFileExists IfRebootFlag IfSilent InitPluginsDir InstallButtonText InstallColors InstallDir InstallDirRegKey InstProgressFlags InstType InstTypeGetText InstTypeSetText IntCmp IntCmpU IntFmt IntOp IsWindow LangString LicenseBkColor LicenseData LicenseForceSelection LicenseLangString LicenseText LoadLanguageFile LockWindow LogSet LogText ManifestDPIAware ManifestSupportedOS MessageBox MiscButtonText Name Nop OutFile Page PageCallbacks PageExEnd Pop Push Quit ReadEnvStr ReadINIStr ReadRegDWORD ReadRegStr Reboot RegDLL Rename RequestExecutionLevel ReserveFile Return RMDir SearchPath SectionEnd SectionGetFlags SectionGetInstTypes SectionGetSize SectionGetText SectionGroupEnd SectionIn SectionSetFlags SectionSetInstTypes SectionSetSize SectionSetText SendMessage SetAutoClose SetBrandingImage SetCompress SetCompressor SetCompressorDictSize SetCtlColors SetCurInstType SetDatablockOptimize SetDateSave SetDetailsPrint SetDetailsView SetErrorLevel SetErrors SetFileAttributes SetFont SetOutPath SetOverwrite SetPluginUnload SetRebootFlag SetRegView SetShellVarContext SetSilent ShowInstDetails ShowUninstDetails ShowWindow SilentInstall SilentUnInstall Sleep SpaceTexts StrCmp StrCmpS StrCpy StrLen SubCaption SubSectionEnd Unicode UninstallButtonText UninstallCaption UninstallIcon UninstallSubCaption UninstallText UninstPage UnRegDLL Var VIAddVersionKey VIFileVersion VIProductVersion WindowIcon WriteINIStr WriteRegBin WriteRegDWORD WriteRegExpandStr WriteRegStr WriteUninstaller XPStyle",literal:"admin all auto both colored current false force hide highest lastused leave listonly none normal notset off on open print show silent silentlog smooth textonly true user "},c:[e.HCM,e.CBCM,{cN:"string",b:'"',e:'"',i:"\\n",c:[{cN:"symbol",b:"\\$(\\\\(n|r|t)|\\$)"},t,n,i,r]},e.C(";","$",{r:0}),{cN:"function",bK:"Function PageEx Section SectionGroup SubSection",e:"$"},l,n,i,r,o,e.NM,{cN:"literal",b:e.IR+"::"+e.IR}]}});hljs.registerLanguage("axapta",function(e){return{k:"false int abstract private char boolean static null if for true while long throw finally protected final return void enum else break new catch byte super case short default double public try this switch continue reverse firstfast firstonly forupdate nofetch sum avg minof maxof count order group by asc desc index hint like dispaly edit client server ttsbegin ttscommit str real date container anytype common div mod",c:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.CNM,{cN:"preprocessor",b:"#",e:"$"},{cN:"class",bK:"class interface",e:"{",eE:!0,i:":",c:[{bK:"extends implements"},e.UTM]}]}});hljs.registerLanguage("php",function(e){var c={cN:"variable",b:"\\$+[a-zA-Z_-ÿ][a-zA-Z0-9_-ÿ]*"},a={cN:"preprocessor",b:/<\?(php)?|\?>/},i={cN:"string",c:[e.BE,a],v:[{b:'b"',e:'"'},{b:"b'",e:"'"},e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},t={v:[e.BNM,e.CNM]};return{aliases:["php3","php4","php5","php6"],cI:!0,k:"and include_once list abstract global private echo interface as static endswitch array null if endwhile or const for endforeach self var while isset public protected exit foreach throw elseif include __FILE__ empty require_once do xor return parent clone use __CLASS__ __LINE__ else break print eval new catch __METHOD__ case exception default die require __FUNCTION__ enddeclare final try switch continue endfor endif declare unset true false trait goto instanceof insteadof __DIR__ __NAMESPACE__ yield finally",c:[e.CLCM,e.HCM,e.C("/\\*","\\*/",{c:[{cN:"doctag",b:"@[A-Za-z]+"},a]}),e.C("__halt_compiler.+?;",!1,{eW:!0,k:"__halt_compiler",l:e.UIR}),{cN:"string",b:/<<<['"]?\w+['"]?$/,e:/^\w+;?$/,c:[e.BE,{cN:"subst",v:[{b:/\$\w+/},{b:/\{\$/,e:/\}/}]}]},a,c,{b:/(::|->)+[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/},{cN:"function",bK:"function",e:/[;{]/,eE:!0,i:"\\$|\\[|%",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)",c:["self",c,e.CBCM,i,t]}]},{cN:"class",bK:"class interface",e:"{",eE:!0,i:/[:\(\$"]/,c:[{bK:"extends implements"},e.UTM]},{bK:"namespace",e:";",i:/[\.']/,c:[e.UTM]},{bK:"use",e:";",c:[e.UTM]},{b:"=>"},i,t]}});hljs.registerLanguage("go",function(e){var t={keyword:"break default func interface select case map struct chan else goto package switch const fallthrough if range type continue for import return var go defer",constant:"true false iota nil",typename:"bool byte complex64 complex128 float32 float64 int8 int16 int32 int64 string uint8 uint16 uint32 uint64 int uint uintptr rune",built_in:"append cap close complex copy imag len make new panic print println real recover delete"};return{aliases:["golang"],k:t,i:"|<-"}].concat(c)}});hljs.registerLanguage("erlang-repl",function(r){return{k:{special_functions:"spawn spawn_link self",reserved:"after and andalso|10 band begin bnot bor bsl bsr bxor case catch cond div end fun if let not of or orelse|10 query receive rem try when xor"},c:[{cN:"prompt",b:"^[0-9]+> ",r:10},r.C("%","$"),{cN:"number",b:"\\b(\\d+#[a-fA-F0-9]+|\\d+(\\.\\d+)?([eE][-+]?\\d+)?)",r:0},r.ASM,r.QSM,{cN:"constant",b:"\\?(::)?([A-Z]\\w*(::)?)+"},{cN:"arrow",b:"->"},{cN:"ok",b:"ok"},{cN:"exclamation_mark",b:"!"},{cN:"function_or_atom",b:"(\\b[a-z'][a-zA-Z0-9_']*:[a-z'][a-zA-Z0-9_']*)|(\\b[a-z'][a-zA-Z0-9_']*)",r:0},{cN:"variable",b:"[A-Z][a-zA-Z0-9_']*",r:0}]}});hljs.registerLanguage("haxe",function(e){var r="([*]|[a-zA-Z_$][a-zA-Z0-9_$]*)";return{aliases:["hx"],k:{keyword:"break callback case cast catch class continue default do dynamic else enum extends extern for function here if implements import in inline interface never new override package private public return static super switch this throw trace try typedef untyped using var while",literal:"true false null"},c:[e.ASM,e.QSM,e.CLCM,e.CBCM,e.CNM,{cN:"class",bK:"class interface",e:"{",eE:!0,c:[{bK:"extends implements"},e.TM]},{cN:"preprocessor",b:"#",e:"$",k:"if else elseif end error"},{cN:"function",bK:"function",e:"[{;]",eE:!0,i:"\\S",c:[e.TM,{cN:"params",b:"\\(",e:"\\)",c:[e.ASM,e.QSM,e.CLCM,e.CBCM]},{cN:"type",b:":",e:r,r:10}]}]}});hljs.registerLanguage("stylus",function(t){var e={cN:"variable",b:"\\$"+t.IR},o={cN:"hexcolor",b:"#([a-fA-F0-9]{6}|[a-fA-F0-9]{3})",r:10},i=["charset","css","debug","extend","font-face","for","import","include","media","mixin","page","warn","while"],r=["after","before","first-letter","first-line","active","first-child","focus","hover","lang","link","visited"],n=["a","abbr","address","article","aside","audio","b","blockquote","body","button","canvas","caption","cite","code","dd","del","details","dfn","div","dl","dt","em","fieldset","figcaption","figure","footer","form","h1","h2","h3","h4","h5","h6","header","hgroup","html","i","iframe","img","input","ins","kbd","label","legend","li","mark","menu","nav","object","ol","p","q","quote","samp","section","span","strong","summary","sup","table","tbody","td","textarea","tfoot","th","thead","time","tr","ul","var","video"],a="[\\.\\s\\n\\[\\:,]",l=["align-content","align-items","align-self","animation","animation-delay","animation-direction","animation-duration","animation-fill-mode","animation-iteration-count","animation-name","animation-play-state","animation-timing-function","auto","backface-visibility","background","background-attachment","background-clip","background-color","background-image","background-origin","background-position","background-repeat","background-size","border","border-bottom","border-bottom-color","border-bottom-left-radius","border-bottom-right-radius","border-bottom-style","border-bottom-width","border-collapse","border-color","border-image","border-image-outset","border-image-repeat","border-image-slice","border-image-source","border-image-width","border-left","border-left-color","border-left-style","border-left-width","border-radius","border-right","border-right-color","border-right-style","border-right-width","border-spacing","border-style","border-top","border-top-color","border-top-left-radius","border-top-right-radius","border-top-style","border-top-width","border-width","bottom","box-decoration-break","box-shadow","box-sizing","break-after","break-before","break-inside","caption-side","clear","clip","clip-path","color","column-count","column-fill","column-gap","column-rule","column-rule-color","column-rule-style","column-rule-width","column-span","column-width","columns","content","counter-increment","counter-reset","cursor","direction","display","empty-cells","filter","flex","flex-basis","flex-direction","flex-flow","flex-grow","flex-shrink","flex-wrap","float","font","font-family","font-feature-settings","font-kerning","font-language-override","font-size","font-size-adjust","font-stretch","font-style","font-variant","font-variant-ligatures","font-weight","height","hyphens","icon","image-orientation","image-rendering","image-resolution","ime-mode","inherit","initial","justify-content","left","letter-spacing","line-height","list-style","list-style-image","list-style-position","list-style-type","margin","margin-bottom","margin-left","margin-right","margin-top","marks","mask","max-height","max-width","min-height","min-width","nav-down","nav-index","nav-left","nav-right","nav-up","none","normal","object-fit","object-position","opacity","order","orphans","outline","outline-color","outline-offset","outline-style","outline-width","overflow","overflow-wrap","overflow-x","overflow-y","padding","padding-bottom","padding-left","padding-right","padding-top","page-break-after","page-break-before","page-break-inside","perspective","perspective-origin","pointer-events","position","quotes","resize","right","tab-size","table-layout","text-align","text-align-last","text-decoration","text-decoration-color","text-decoration-line","text-decoration-style","text-indent","text-overflow","text-rendering","text-shadow","text-transform","text-underline-position","top","transform","transform-origin","transform-style","transition","transition-delay","transition-duration","transition-property","transition-timing-function","unicode-bidi","vertical-align","visibility","white-space","widows","width","word-break","word-spacing","word-wrap","z-index"],d=["\\{","\\}","\\?","(\\bReturn\\b)","(\\bEnd\\b)","(\\bend\\b)",";","#\\s","\\*\\s","===\\s","\\|","%"];return{aliases:["styl"],cI:!1,i:"("+d.join("|")+")",k:"if else for in",c:[t.QSM,t.ASM,t.CLCM,t.CBCM,o,{b:"\\.[a-zA-Z][a-zA-Z0-9_-]*"+a,rB:!0,c:[{cN:"class",b:"\\.[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"\\#[a-zA-Z][a-zA-Z0-9_-]*"+a,rB:!0,c:[{cN:"id",b:"\\#[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"\\b("+n.join("|")+")"+a,rB:!0,c:[{cN:"tag",b:"\\b[a-zA-Z][a-zA-Z0-9_-]*"}]},{cN:"pseudo",b:"&?:?:\\b("+r.join("|")+")"+a},{cN:"at_rule",b:"@("+i.join("|")+")\\b"},e,t.CSSNM,t.NM,{cN:"function",b:"\\b[a-zA-Z][a-zA-Z0-9_-]*\\(.*\\)",i:"[\\n]",rB:!0,c:[{cN:"title",b:"\\b[a-zA-Z][a-zA-Z0-9_-]*"},{cN:"params",b:/\(/,e:/\)/,c:[o,e,t.ASM,t.CSSNM,t.NM,t.QSM]}]},{cN:"attribute",b:"\\b("+l.reverse().join("|")+")\\b"}]}});hljs.registerLanguage("inform7",function(e){var r="\\[",o="\\]";return{aliases:["i7"],cI:!0,k:{keyword:"thing room person man woman animal container supporter backdrop door scenery open closed locked inside gender is are say understand kind of rule"},c:[{cN:"string",b:'"',e:'"',r:0,c:[{cN:"subst",b:r,e:o}]},{cN:"title",b:/^(Volume|Book|Part|Chapter|Section|Table)\b/,e:"$"},{b:/^(Check|Carry out|Report|Instead of|To|Rule|When|Before|After)\b/,e:":",c:[{b:"\\b\\(This",e:"\\)"}]},{cN:"comment",b:r,e:o,c:["self"]}]}});hljs.registerLanguage("ini",function(e){var c={cN:"string",c:[e.BE],v:[{b:"'''",e:"'''",r:10},{b:'"""',e:'"""',r:10},{b:'"',e:'"'},{b:"'",e:"'"}]};return{aliases:["toml"],cI:!0,i:/\S/,c:[e.C(";","$"),e.HCM,{cN:"title",b:/^\s*\[+/,e:/\]+/},{cN:"setting",b:/^[a-z0-9\[\]_-]+\s*=\s*/,e:"$",c:[{cN:"value",eW:!0,k:"on off true false yes no",c:[{cN:"variable",v:[{b:/\$[\w\d"][\w\d_]*/},{b:/\$\{(.*?)}/}]},c,{cN:"number",b:/([\+\-]+)?[\d]+_[\d_]+/},e.NM],r:0}]}]}});hljs.registerLanguage("sqf",function(e){var t=["!","-","+","!=","%","&&","*","/","=","==",">",">=","<","<=","or","plus","^",":",">>","abs","accTime","acos","action","actionKeys","actionKeysImages","actionKeysNames","actionKeysNamesArray","actionName","activateAddons","activatedAddons","activateKey","addAction","addBackpack","addBackpackCargo","addBackpackCargoGlobal","addBackpackGlobal","addCamShake","addCuratorAddons","addCuratorCameraArea","addCuratorEditableObjects","addCuratorEditingArea","addCuratorPoints","addEditorObject","addEventHandler","addGoggles","addGroupIcon","addHandgunItem","addHeadgear","addItem","addItemCargo","addItemCargoGlobal","addItemPool","addItemToBackpack","addItemToUniform","addItemToVest","addLiveStats","addMagazine","addMagazine array","addMagazineAmmoCargo","addMagazineCargo","addMagazineCargoGlobal","addMagazineGlobal","addMagazinePool","addMagazines","addMagazineTurret","addMenu","addMenuItem","addMissionEventHandler","addMPEventHandler","addMusicEventHandler","addPrimaryWeaponItem","addPublicVariableEventHandler","addRating","addResources","addScore","addScoreSide","addSecondaryWeaponItem","addSwitchableUnit","addTeamMember","addToRemainsCollector","addUniform","addVehicle","addVest","addWaypoint","addWeapon","addWeaponCargo","addWeaponCargoGlobal","addWeaponGlobal","addWeaponPool","addWeaponTurret","agent","agents","AGLToASL","aimedAtTarget","aimPos","airDensityRTD","airportSide","AISFinishHeal","alive","allControls","allCurators","allDead","allDeadMen","allDisplays","allGroups","allMapMarkers","allMines","allMissionObjects","allow3DMode","allowCrewInImmobile","allowCuratorLogicIgnoreAreas","allowDamage","allowDammage","allowFileOperations","allowFleeing","allowGetIn","allPlayers","allSites","allTurrets","allUnits","allUnitsUAV","allVariables","ammo","and","animate","animateDoor","animationPhase","animationState","append","armoryPoints","arrayIntersect","asin","ASLToAGL","ASLToATL","assert","assignAsCargo","assignAsCargoIndex","assignAsCommander","assignAsDriver","assignAsGunner","assignAsTurret","assignCurator","assignedCargo","assignedCommander","assignedDriver","assignedGunner","assignedItems","assignedTarget","assignedTeam","assignedVehicle","assignedVehicleRole","assignItem","assignTeam","assignToAirport","atan","atan2","atg","ATLToASL","attachedObject","attachedObjects","attachedTo","attachObject","attachTo","attackEnabled","backpack","backpackCargo","backpackContainer","backpackItems","backpackMagazines","backpackSpaceFor","behaviour","benchmark","binocular","blufor","boundingBox","boundingBoxReal","boundingCenter","breakOut","breakTo","briefingName","buildingExit","buildingPos","buttonAction","buttonSetAction","cadetMode","call","callExtension","camCommand","camCommit","camCommitPrepared","camCommitted","camConstuctionSetParams","camCreate","camDestroy","cameraEffect","cameraEffectEnableHUD","cameraInterest","cameraOn","cameraView","campaignConfigFile","camPreload","camPreloaded","camPrepareBank","camPrepareDir","camPrepareDive","camPrepareFocus","camPrepareFov","camPrepareFovRange","camPreparePos","camPrepareRelPos","camPrepareTarget","camSetBank","camSetDir","camSetDive","camSetFocus","camSetFov","camSetFovRange","camSetPos","camSetRelPos","camSetTarget","camTarget","camUseNVG","canAdd","canAddItemToBackpack","canAddItemToUniform","canAddItemToVest","cancelSimpleTaskDestination","canFire","canMove","canSlingLoad","canStand","canUnloadInCombat","captive","captiveNum","case","catch","cbChecked","cbSetChecked","ceil","cheatsEnabled","checkAIFeature","civilian","className","clearAllItemsFromBackpack","clearBackpackCargo","clearBackpackCargoGlobal","clearGroupIcons","clearItemCargo","clearItemCargoGlobal","clearItemPool","clearMagazineCargo","clearMagazineCargoGlobal","clearMagazinePool","clearOverlay","clearRadio","clearWeaponCargo","clearWeaponCargoGlobal","clearWeaponPool","closeDialog","closeDisplay","closeOverlay","collapseObjectTree","combatMode","commandArtilleryFire","commandChat","commander","commandFire","commandFollow","commandFSM","commandGetOut","commandingMenu","commandMove","commandRadio","commandStop","commandTarget","commandWatch","comment","commitOverlay","compile","compileFinal","completedFSM","composeText","configClasses","configFile","configHierarchy","configName","configProperties","configSourceMod","configSourceModList","connectTerminalToUAV","controlNull","controlsGroupCtrl","copyFromClipboard","copyToClipboard","copyWaypoints","cos","count","countEnemy","countFriendly","countSide","countType","countUnknown","createAgent","createCenter","createDialog","createDiaryLink","createDiaryRecord","createDiarySubject","createDisplay","createGearDialog","createGroup","createGuardedPoint","createLocation","createMarker","createMarkerLocal","createMenu","createMine","createMissionDisplay","createSimpleTask","createSite","createSoundSource","createTask","createTeam","createTrigger","createUnit","createUnit array","createVehicle","createVehicle array","createVehicleCrew","createVehicleLocal","crew","ctrlActivate","ctrlAddEventHandler","ctrlAutoScrollDelay","ctrlAutoScrollRewind","ctrlAutoScrollSpeed","ctrlChecked","ctrlClassName","ctrlCommit","ctrlCommitted","ctrlCreate","ctrlDelete","ctrlEnable","ctrlEnabled","ctrlFade","ctrlHTMLLoaded","ctrlIDC","ctrlIDD","ctrlMapAnimAdd","ctrlMapAnimClear","ctrlMapAnimCommit","ctrlMapAnimDone","ctrlMapCursor","ctrlMapMouseOver","ctrlMapScale","ctrlMapScreenToWorld","ctrlMapWorldToScreen","ctrlModel","ctrlModelDirAndUp","ctrlModelScale","ctrlParent","ctrlPosition","ctrlRemoveAllEventHandlers","ctrlRemoveEventHandler","ctrlScale","ctrlSetActiveColor","ctrlSetAutoScrollDelay","ctrlSetAutoScrollRewind","ctrlSetAutoScrollSpeed","ctrlSetBackgroundColor","ctrlSetChecked","ctrlSetEventHandler","ctrlSetFade","ctrlSetFocus","ctrlSetFont","ctrlSetFontH1","ctrlSetFontH1B","ctrlSetFontH2","ctrlSetFontH2B","ctrlSetFontH3","ctrlSetFontH3B","ctrlSetFontH4","ctrlSetFontH4B","ctrlSetFontH5","ctrlSetFontH5B","ctrlSetFontH6","ctrlSetFontH6B","ctrlSetFontHeight","ctrlSetFontHeightH1","ctrlSetFontHeightH2","ctrlSetFontHeightH3","ctrlSetFontHeightH4","ctrlSetFontHeightH5","ctrlSetFontHeightH6","ctrlSetFontP","ctrlSetFontPB","ctrlSetForegroundColor","ctrlSetModel","ctrlSetModelDirAndUp","ctrlSetModelScale","ctrlSetPosition","ctrlSetScale","ctrlSetStructuredText","ctrlSetText","ctrlSetTextColor","ctrlSetTooltip","ctrlSetTooltipColorBox","ctrlSetTooltipColorShade","ctrlSetTooltipColorText","ctrlShow","ctrlShown","ctrlText","ctrlTextHeight","ctrlType","ctrlVisible","curatorAddons","curatorCamera","curatorCameraArea","curatorCameraAreaCeiling","curatorCoef","curatorEditableObjects","curatorEditingArea","curatorEditingAreaType","curatorMouseOver","curatorPoints","curatorRegisteredObjects","curatorSelected","curatorWaypointCost","currentChannel","currentCommand","currentMagazine","currentMagazineDetail","currentMagazineDetailTurret","currentMagazineTurret","currentMuzzle","currentNamespace","currentTask","currentTasks","currentThrowable","currentVisionMode","currentWaypoint","currentWeapon","currentWeaponMode","currentWeaponTurret","currentZeroing","cursorTarget","customChat","customRadio","cutFadeOut","cutObj","cutRsc","cutText","damage","date","dateToNumber","daytime","deActivateKey","debriefingText","debugFSM","debugLog","default","deg","deleteAt","deleteCenter","deleteCollection","deleteEditorObject","deleteGroup","deleteIdentity","deleteLocation","deleteMarker","deleteMarkerLocal","deleteRange","deleteResources","deleteSite","deleteStatus","deleteTeam","deleteVehicle","deleteVehicleCrew","deleteWaypoint","detach","detectedMines","diag activeMissionFSMs","diag activeSQFScripts","diag activeSQSScripts","diag captureFrame","diag captureSlowFrame","diag fps","diag fpsMin","diag frameNo","diag log","diag logSlowFrame","diag tickTime","dialog","diarySubjectExists","didJIP","didJIPOwner","difficulty","difficultyEnabled","difficultyEnabledRTD","direction","directSay","disableAI","disableCollisionWith","disableConversation","disableDebriefingStats","disableSerialization","disableTIEquipment","disableUAVConnectability","disableUserInput","displayAddEventHandler","displayCtrl","displayNull","displayRemoveAllEventHandlers","displayRemoveEventHandler","displaySetEventHandler","dissolveTeam","distance","distance2D","distanceSqr","distributionRegion","do","doArtilleryFire","doFire","doFollow","doFSM","doGetOut","doMove","doorPhase","doStop","doTarget","doWatch","drawArrow","drawEllipse","drawIcon","drawIcon3D","drawLine","drawLine3D","drawLink","drawLocation","drawRectangle","driver","drop","east","echo","editObject","editorSetEventHandler","effectiveCommander","else","emptyPositions","enableAI","enableAIFeature","enableAttack","enableCamShake","enableCaustics","enableCollisionWith","enableCopilot","enableDebriefingStats","enableDiagLegend","enableEndDialog","enableEngineArtillery","enableEnvironment","enableFatigue","enableGunLights","enableIRLasers","enableMimics","enablePersonTurret","enableRadio","enableReload","enableRopeAttach","enableSatNormalOnDetail","enableSaving","enableSentences","enableSimulation","enableSimulationGlobal","enableTeamSwitch","enableUAVConnectability","enableUAVWaypoints","endLoadingScreen","endMission","engineOn","enginesIsOnRTD","enginesRpmRTD","enginesTorqueRTD","entities","estimatedEndServerTime","estimatedTimeLeft","evalObjectArgument","everyBackpack","everyContainer","exec","execEditorScript","execFSM","execVM","exit","exitWith","exp","expectedDestination","eyeDirection","eyePos","face","faction","fadeMusic","fadeRadio","fadeSound","fadeSpeech","failMission","false","fillWeaponsFromPool","find","findCover","findDisplay","findEditorObject","findEmptyPosition","findEmptyPositionReady","findNearestEnemy","finishMissionInit","finite","fire","fireAtTarget","firstBackpack","flag","flagOwner","fleeing","floor","flyInHeight","fog","fogForecast","fogParams","for","forceAddUniform","forceEnd","forceMap","forceRespawn","forceSpeed","forceWalk","forceWeaponFire","forceWeatherChange","forEach","forEachMember","forEachMemberAgent","forEachMemberTeam","format","formation","formationDirection","formationLeader","formationMembers","formationPosition","formationTask","formatText","formLeader","freeLook","from","fromEditor","fuel","fullCrew","gearSlotAmmoCount","gearSlotData","getAllHitPointsDamage","getAmmoCargo","getArray","getArtilleryAmmo","getArtilleryComputerSettings","getArtilleryETA","getAssignedCuratorLogic","getAssignedCuratorUnit","getBackpackCargo","getBleedingRemaining","getBurningValue","getCargoIndex","getCenterOfMass","getClientState","getConnectedUAV","getDammage","getDescription","getDir","getDirVisual","getDLCs","getEditorCamera","getEditorMode","getEditorObjectScope","getElevationOffset","getFatigue","getFriend","getFSMVariable","getFuelCargo","getGroupIcon","getGroupIconParams","getGroupIcons","getHideFrom","getHit","getHitIndex","getHitPointDamage","getItemCargo","getMagazineCargo","getMarkerColor","getMarkerPos","getMarkerSize","getMarkerType","getMass","getModelInfo","getNumber","getObjectArgument","getObjectChildren","getObjectDLC","getObjectMaterials","getObjectProxy","getObjectTextures","getObjectType","getObjectViewDistance","getOxygenRemaining","getPersonUsedDLCs","getPlayerChannel","getPlayerUID","getPos","getPosASL","getPosASLVisual","getPosASLW","getPosATL","getPosATLVisual","getPosVisual","getPosWorld","getRepairCargo","getResolution","getShadowDistance","getSlingLoad","getSpeed","getSuppression","getTerrainHeightASL","getText","getVariable","getWeaponCargo","getWPPos","glanceAt","globalChat","globalRadio","goggles","goto","group","groupChat","groupFromNetId","groupIconSelectable","groupIconsVisible","groupId","groupOwner","groupRadio","groupSelectedUnits","groupSelectUnit","grpNull","gunner","gusts","halt","handgunItems","handgunMagazine","handgunWeapon","handsHit","hasInterface","hasWeapon","hcAllGroups","hcGroupParams","hcLeader","hcRemoveAllGroups","hcRemoveGroup","hcSelected","hcSelectGroup","hcSetGroup","hcShowBar","hcShownBar","headgear","hideBody","hideObject","hideObjectGlobal","hint","hintC","hintCadet","hintSilent","hmd","hostMission","htmlLoad","HUDMovementLevels","humidity","if","image","importAllGroups","importance","in","incapacitatedState","independent","inflame","inflamed","inGameUISetEventHandler","inheritsFrom","initAmbientLife","inputAction","inRangeOfArtillery","insertEditorObject","intersect","isAbleToBreathe","isAgent","isArray","isAutoHoverOn","isAutonomous","isAutotest","isBleeding","isBurning","isClass","isCollisionLightOn","isCopilotEnabled","isDedicated","isDLCAvailable","isEngineOn","isEqualTo","isFlashlightOn","isFlatEmpty","isForcedWalk","isFormationLeader","isHidden","isInRemainsCollector","isInstructorFigureEnabled","isIRLaserOn","isKeyActive","isKindOf","isLightOn","isLocalized","isManualFire","isMarkedForCollection","isMultiplayer","isNil","isNull","isNumber","isObjectHidden","isObjectRTD","isOnRoad","isPipEnabled","isPlayer","isRealTime","isServer","isShowing3DIcons","isSteamMission","isStreamFriendlyUIEnabled","isText","isTouchingGround","isTurnedOut","isTutHintsEnabled","isUAVConnectable","isUAVConnected","isUniformAllowed","isWalking","isWeaponDeployed","isWeaponRested","itemCargo","items","itemsWithMagazines","join","joinAs","joinAsSilent","joinSilent","joinString","kbAddDatabase","kbAddDatabaseTargets","kbAddTopic","kbHasTopic","kbReact","kbRemoveTopic","kbTell","kbWasSaid","keyImage","keyName","knowsAbout","land","landAt","landResult","language","laserTarget","lbAdd","lbClear","lbColor","lbCurSel","lbData","lbDelete","lbIsSelected","lbPicture","lbSelection","lbSetColor","lbSetCurSel","lbSetData","lbSetPicture","lbSetPictureColor","lbSetPictureColorDisabled","lbSetPictureColorSelected","lbSetSelectColor","lbSetSelectColorRight","lbSetSelected","lbSetTooltip","lbSetValue","lbSize","lbSort","lbSortByValue","lbText","lbValue","leader","leaderboardDeInit","leaderboardGetRows","leaderboardInit","leaveVehicle","libraryCredits","libraryDisclaimers","lifeState","lightAttachObject","lightDetachObject","lightIsOn","lightnings","limitSpeed","linearConversion","lineBreak","lineIntersects","lineIntersectsObjs","lineIntersectsSurfaces","lineIntersectsWith","linkItem","list","listObjects","ln","lnbAddArray","lnbAddColumn","lnbAddRow","lnbClear","lnbColor","lnbCurSelRow","lnbData","lnbDeleteColumn","lnbDeleteRow","lnbGetColumnsPosition","lnbPicture","lnbSetColor","lnbSetColumnsPos","lnbSetCurSelRow","lnbSetData","lnbSetPicture","lnbSetText","lnbSetValue","lnbSize","lnbText","lnbValue","load","loadAbs","loadBackpack","loadFile","loadGame","loadIdentity","loadMagazine","loadOverlay","loadStatus","loadUniform","loadVest","local","localize","locationNull","locationPosition","lock","lockCameraTo","lockCargo","lockDriver","locked","lockedCargo","lockedDriver","lockedTurret","lockTurret","lockWP","log","logEntities","lookAt","lookAtPos","magazineCargo","magazines","magazinesAllTurrets","magazinesAmmo","magazinesAmmoCargo","magazinesAmmoFull","magazinesDetail","magazinesDetailBackpack","magazinesDetailUniform","magazinesDetailVest","magazinesTurret","magazineTurretAmmo","mapAnimAdd","mapAnimClear","mapAnimCommit","mapAnimDone","mapCenterOnCamera","mapGridPosition","markAsFinishedOnSteam","markerAlpha","markerBrush","markerColor","markerDir","markerPos","markerShape","markerSize","markerText","markerType","max","members","min","mineActive","mineDetectedBy","missionConfigFile","missionName","missionNamespace","missionStart","mod","modelToWorld","modelToWorldVisual","moonIntensity","morale","move","moveInAny","moveInCargo","moveInCommander","moveInDriver","moveInGunner","moveInTurret","moveObjectToEnd","moveOut","moveTime","moveTo","moveToCompleted","moveToFailed","musicVolume","name","name location","nameSound","nearEntities","nearestBuilding","nearestLocation","nearestLocations","nearestLocationWithDubbing","nearestObject","nearestObjects","nearObjects","nearObjectsReady","nearRoads","nearSupplies","nearTargets","needReload","netId","netObjNull","newOverlay","nextMenuItemIndex","nextWeatherChange","nil","nMenuItems","not","numberToDate","objectCurators","objectFromNetId","objectParent","objNull","objStatus","onBriefingGroup","onBriefingNotes","onBriefingPlan","onBriefingTeamSwitch","onCommandModeChanged","onDoubleClick","onEachFrame","onGroupIconClick","onGroupIconOverEnter","onGroupIconOverLeave","onHCGroupSelectionChanged","onMapSingleClick","onPlayerConnected","onPlayerDisconnected","onPreloadFinished","onPreloadStarted","onShowNewObject","onTeamSwitch","openCuratorInterface","openMap","openYoutubeVideo","opfor","or","orderGetIn","overcast","overcastForecast","owner","param","params","parseNumber","parseText","parsingNamespace","particlesQuality","pi","pickWeaponPool","pitch","playableSlotsNumber","playableUnits","playAction","playActionNow","player","playerRespawnTime","playerSide","playersNumber","playGesture","playMission","playMove","playMoveNow","playMusic","playScriptedMission","playSound","playSound3D","position","positionCameraToWorld","posScreenToWorld","posWorldToScreen","ppEffectAdjust","ppEffectCommit","ppEffectCommitted","ppEffectCreate","ppEffectDestroy","ppEffectEnable","ppEffectForceInNVG","precision","preloadCamera","preloadObject","preloadSound","preloadTitleObj","preloadTitleRsc","preprocessFile","preprocessFileLineNumbers","primaryWeapon","primaryWeaponItems","primaryWeaponMagazine","priority","private","processDiaryLink","productVersion","profileName","profileNamespace","profileNameSteam","progressLoadingScreen","progressPosition","progressSetPosition","publicVariable","publicVariableClient","publicVariableServer","pushBack","putWeaponPool","queryItemsPool","queryMagazinePool","queryWeaponPool","rad","radioChannelAdd","radioChannelCreate","radioChannelRemove","radioChannelSetCallSign","radioChannelSetLabel","radioVolume","rain","rainbow","random","rank","rankId","rating","rectangular","registeredTasks","registerTask","reload","reloadEnabled","remoteControl","remoteExec","remoteExecCall","removeAction","removeAllActions","removeAllAssignedItems","removeAllContainers","removeAllCuratorAddons","removeAllCuratorCameraAreas","removeAllCuratorEditingAreas","removeAllEventHandlers","removeAllHandgunItems","removeAllItems","removeAllItemsWithMagazines","removeAllMissionEventHandlers","removeAllMPEventHandlers","removeAllMusicEventHandlers","removeAllPrimaryWeaponItems","removeAllWeapons","removeBackpack","removeBackpackGlobal","removeCuratorAddons","removeCuratorCameraArea","removeCuratorEditableObjects","removeCuratorEditingArea","removeDrawIcon","removeDrawLinks","removeEventHandler","removeFromRemainsCollector","removeGoggles","removeGroupIcon","removeHandgunItem","removeHeadgear","removeItem","removeItemFromBackpack","removeItemFromUniform","removeItemFromVest","removeItems","removeMagazine","removeMagazineGlobal","removeMagazines","removeMagazinesTurret","removeMagazineTurret","removeMenuItem","removeMissionEventHandler","removeMPEventHandler","removeMusicEventHandler","removePrimaryWeaponItem","removeSecondaryWeaponItem","removeSimpleTask","removeSwitchableUnit","removeTeamMember","removeUniform","removeVest","removeWeapon","removeWeaponGlobal","removeWeaponTurret","requiredVersion","resetCamShake","resetSubgroupDirection","resistance","resize","resources","respawnVehicle","restartEditorCamera","reveal","revealMine","reverse","reversedMouseY","roadsConnectedTo","roleDescription","ropeAttachedObjects","ropeAttachedTo","ropeAttachEnabled","ropeAttachTo","ropeCreate","ropeCut","ropeEndPosition","ropeLength","ropes","ropeUnwind","ropeUnwound","rotorsForcesRTD","rotorsRpmRTD","round","runInitScript","safeZoneH","safeZoneW","safeZoneWAbs","safeZoneX","safeZoneXAbs","safeZoneY","saveGame","saveIdentity","saveJoysticks","saveOverlay","saveProfileNamespace","saveStatus","saveVar","savingEnabled","say","say2D","say3D","scopeName","score","scoreSide","screenToWorld","scriptDone","scriptName","scriptNull","scudState","secondaryWeapon","secondaryWeaponItems","secondaryWeaponMagazine","select","selectBestPlaces","selectDiarySubject","selectedEditorObjects","selectEditorObject","selectionPosition","selectLeader","selectNoPlayer","selectPlayer","selectWeapon","selectWeaponTurret","sendAUMessage","sendSimpleCommand","sendTask","sendTaskResult","sendUDPMessage","serverCommand","serverCommandAvailable","serverCommandExecutable","serverName","serverTime","set","setAccTime","setAirportSide","setAmmo","setAmmoCargo","setAperture","setApertureNew","setArmoryPoints","setAttributes","setAutonomous","setBehaviour","setBleedingRemaining","setCameraInterest","setCamShakeDefParams","setCamShakeParams","setCamUseTi","setCaptive","setCenterOfMass","setCollisionLight","setCombatMode","setCompassOscillation","setCuratorCameraAreaCeiling","setCuratorCoef","setCuratorEditingAreaType","setCuratorWaypointCost","setCurrentChannel","setCurrentTask","setCurrentWaypoint","setDamage","setDammage","setDate","setDebriefingText","setDefaultCamera","setDestination","setDetailMapBlendPars","setDir","setDirection","setDrawIcon","setDropInterval","setEditorMode","setEditorObjectScope","setEffectCondition","setFace","setFaceAnimation","setFatigue","setFlagOwner","setFlagSide","setFlagTexture","setFog","setFog array","setFormation","setFormationTask","setFormDir","setFriend","setFromEditor","setFSMVariable","setFuel","setFuelCargo","setGroupIcon","setGroupIconParams","setGroupIconsSelectable","setGroupIconsVisible","setGroupId","setGroupIdGlobal","setGroupOwner","setGusts","setHideBehind","setHit","setHitIndex","setHitPointDamage","setHorizonParallaxCoef","setHUDMovementLevels","setIdentity","setImportance","setLeader","setLightAmbient","setLightAttenuation","setLightBrightness","setLightColor","setLightDayLight","setLightFlareMaxDistance","setLightFlareSize","setLightIntensity","setLightnings","setLightUseFlare","setLocalWindParams","setMagazineTurretAmmo","setMarkerAlpha","setMarkerAlphaLocal","setMarkerBrush","setMarkerBrushLocal","setMarkerColor","setMarkerColorLocal","setMarkerDir","setMarkerDirLocal","setMarkerPos","setMarkerPosLocal","setMarkerShape","setMarkerShapeLocal","setMarkerSize","setMarkerSizeLocal","setMarkerText","setMarkerTextLocal","setMarkerType","setMarkerTypeLocal","setMass","setMimic","setMousePosition","setMusicEffect","setMusicEventHandler","setName","setNameSound","setObjectArguments","setObjectMaterial","setObjectProxy","setObjectTexture","setObjectTextureGlobal","setObjectViewDistance","setOvercast","setOwner","setOxygenRemaining","setParticleCircle","setParticleClass","setParticleFire","setParticleParams","setParticleRandom","setPilotLight","setPiPEffect","setPitch","setPlayable","setPlayerRespawnTime","setPos","setPosASL","setPosASL2","setPosASLW","setPosATL","setPosition","setPosWorld","setRadioMsg","setRain","setRainbow","setRandomLip","setRank","setRectangular","setRepairCargo","setShadowDistance","setSide","setSimpleTaskDescription","setSimpleTaskDestination","setSimpleTaskTarget","setSimulWeatherLayers","setSize","setSkill","setSkill array","setSlingLoad","setSoundEffect","setSpeaker","setSpeech","setSpeedMode","setStatValue","setSuppression","setSystemOfUnits","setTargetAge","setTaskResult","setTaskState","setTerrainGrid","setText","setTimeMultiplier","setTitleEffect","setTriggerActivation","setTriggerArea","setTriggerStatements","setTriggerText","setTriggerTimeout","setTriggerType","setType","setUnconscious","setUnitAbility","setUnitPos","setUnitPosWeak","setUnitRank","setUnitRecoilCoefficient","setUnloadInCombat","setUserActionText","setVariable","setVectorDir","setVectorDirAndUp","setVectorUp","setVehicleAmmo","setVehicleAmmoDef","setVehicleArmor","setVehicleId","setVehicleLock","setVehiclePosition","setVehicleTiPars","setVehicleVarName","setVelocity","setVelocityTransformation","setViewDistance","setVisibleIfTreeCollapsed","setWaves","setWaypointBehaviour","setWaypointCombatMode","setWaypointCompletionRadius","setWaypointDescription","setWaypointFormation","setWaypointHousePosition","setWaypointLoiterRadius","setWaypointLoiterType","setWaypointName","setWaypointPosition","setWaypointScript","setWaypointSpeed","setWaypointStatements","setWaypointTimeout","setWaypointType","setWaypointVisible","setWeaponReloadingTime","setWind","setWindDir","setWindForce","setWindStr","setWPPos","show3DIcons","showChat","showCinemaBorder","showCommandingMenu","showCompass","showCuratorCompass","showGPS","showHUD","showLegend","showMap","shownArtilleryComputer","shownChat","shownCompass","shownCuratorCompass","showNewEditorObject","shownGPS","shownHUD","shownMap","shownPad","shownRadio","shownUAVFeed","shownWarrant","shownWatch","showPad","showRadio","showSubtitles","showUAVFeed","showWarrant","showWatch","showWaypoint","side","sideChat","sideEnemy","sideFriendly","sideLogic","sideRadio","sideUnknown","simpleTasks","simulationEnabled","simulCloudDensity","simulCloudOcclusion","simulInClouds","simulWeatherSync","sin","size","sizeOf","skill","skillFinal","skipTime","sleep","sliderPosition","sliderRange","sliderSetPosition","sliderSetRange","sliderSetSpeed","sliderSpeed","slingLoadAssistantShown","soldierMagazines","someAmmo","sort","soundVolume","spawn","speaker","speed","speedMode","splitString","sqrt","squadParams","stance","startLoadingScreen","step","stop","stopped","str","sunOrMoon","supportInfo","suppressFor","surfaceIsWater","surfaceNormal","surfaceType","swimInDepth","switch","switchableUnits","switchAction","switchCamera","switchGesture","switchLight","switchMove","synchronizedObjects","synchronizedTriggers","synchronizedWaypoints","synchronizeObjectsAdd","synchronizeObjectsRemove","synchronizeTrigger","synchronizeWaypoint","synchronizeWaypoint trigger","systemChat","systemOfUnits","tan","targetKnowledge","targetsAggregate","targetsQuery","taskChildren","taskCompleted","taskDescription","taskDestination","taskHint","taskNull","taskParent","taskResult","taskState","teamMember","teamMemberNull","teamName","teams","teamSwitch","teamSwitchEnabled","teamType","terminate","terrainIntersect","terrainIntersectASL","text","text location","textLog","textLogFormat","tg","then","throw","time","timeMultiplier","titleCut","titleFadeOut","titleObj","titleRsc","titleText","to","toArray","toLower","toString","toUpper","triggerActivated","triggerActivation","triggerArea","triggerAttachedVehicle","triggerAttachObject","triggerAttachVehicle","triggerStatements","triggerText","triggerTimeout","triggerTimeoutCurrent","triggerType","true","try","turretLocal","turretOwner","turretUnit","tvAdd","tvClear","tvCollapse","tvCount","tvCurSel","tvData","tvDelete","tvExpand","tvPicture","tvSetCurSel","tvSetData","tvSetPicture","tvSetPictureColor","tvSetTooltip","tvSetValue","tvSort","tvSortByValue","tvText","tvValue","type","typeName","typeOf","UAVControl","uiNamespace","uiSleep","unassignCurator","unassignItem","unassignTeam","unassignVehicle","underwater","uniform","uniformContainer","uniformItems","uniformMagazines","unitAddons","unitBackpack","unitPos","unitReady","unitRecoilCoefficient","units","unitsBelowHeight","unlinkItem","unlockAchievement","unregisterTask","updateDrawIcon","updateMenuItem","updateObjectTree","useAudioTimeForMoves","vectorAdd","vectorCos","vectorCrossProduct","vectorDiff","vectorDir","vectorDirVisual","vectorDistance","vectorDistanceSqr","vectorDotProduct","vectorFromTo","vectorMagnitude","vectorMagnitudeSqr","vectorMultiply","vectorNormalized","vectorUp","vectorUpVisual","vehicle","vehicleChat","vehicleRadio","vehicles","vehicleVarName","velocity","velocityModelSpace","verifySignature","vest","vestContainer","vestItems","vestMagazines","viewDistance","visibleCompass","visibleGPS","visibleMap","visiblePosition","visiblePositionASL","visibleWatch","waitUntil","waves","waypointAttachedObject","waypointAttachedVehicle","waypointAttachObject","waypointAttachVehicle","waypointBehaviour","waypointCombatMode","waypointCompletionRadius","waypointDescription","waypointFormation","waypointHousePosition","waypointLoiterRadius","waypointLoiterType","waypointName","waypointPosition","waypoints","waypointScript","waypointsEnabledUAV","waypointShow","waypointSpeed","waypointStatements","waypointTimeout","waypointTimeoutCurrent","waypointType","waypointVisible","weaponAccessories","weaponCargo","weaponDirection","weaponLowered","weapons","weaponsItems","weaponsItemsCargo","weaponState","weaponsTurret","weightRTD","west","WFSideText","while","wind","windDir","windStr","wingsForcesRTD","with","worldName","worldSize","worldToModel","worldToModelVisual","worldToScreen"],a=["case","catch","default","do","else","exit","exitWith|5","for","forEach","from","if","switch","then","throw","to","try","while","with"],r=["!","-","+","!=","%","&&","*","/","=","==",">",">=","<","<=","^",":",">>"],o=["_forEachIndex|10","_this|10","_x|10"],i=["true","false","nil"],n=t.filter(function(e){return-1==a.indexOf(e)&&-1==i.indexOf(e)&&-1==r.indexOf(e)});n=n.concat(o);var s={cN:"string",r:0,v:[{b:'"',e:'"',c:[{b:'""'}]},{b:"'",e:"'",c:[{b:"''"}]}]},l={cN:"number",b:e.NR,r:0},c={cN:"string",v:[e.QSM,{b:"'\\\\?.",e:"'",i:"."}]},d={cN:"preprocessor",b:"#",e:"$",k:"if else elif endif define undef warning error line pragma ifdef ifndef",c:[{b:/\\\n/,r:0},{bK:"include",e:"$",c:[c,{cN:"string",b:"<",e:">",i:"\\n"}]},c,l,e.CLCM,e.CBCM]};return{aliases:["sqf"],cI:!0,k:{keyword:a.join(" "),built_in:n.join(" "),literal:i.join(" ")},c:[e.CLCM,e.CBCM,l,s,d]}});hljs.registerLanguage("vbscript-html",function(r){return{sL:"xml",c:[{b:"<%",e:"%>",sL:"vbscript"}]}});hljs.registerLanguage("cal",function(e){var r="div mod in and or not xor asserterror begin case do downto else end exit for if of repeat then to until while with var",t="false true",a=[e.CLCM,e.C(/\{/,/\}/,{r:0}),e.C(/\(\*/,/\*\)/,{r:10})],c={cN:"string",b:/'/,e:/'/,c:[{b:/''/}]},o={cN:"string",b:/(#\d+)+/},n={cN:"date",b:"\\b\\d+(\\.\\d+)?(DT|D|T)",r:0},i={cN:"variable",b:'"',e:'"'},d={cN:"function",bK:"procedure",e:/[:;]/,k:"procedure|10",c:[e.TM,{cN:"params",b:/\(/,e:/\)/,k:r,c:[c,o]}].concat(a)},b={cN:"class",b:"OBJECT (Table|Form|Report|Dataport|Codeunit|XMLport|MenuSuite|Page|Query) (\\d+) ([^\\r\\n]+)",rB:!0,c:[e.TM,d]};return{cI:!0,k:{keyword:r,literal:t},i:/\/\*/,c:[c,o,n,i,e.NM,b,d]}});hljs.registerLanguage("mojolicious",function(e){return{sL:"xml",c:[{cN:"preprocessor",b:"^__(END|DATA)__$"},{b:"^\\s*%{1,2}={0,2}",e:"$",sL:"perl"},{b:"<%{1,2}={0,2}",e:"={0,1}%>",sL:"perl",eB:!0,eE:!0}]}});hljs.registerLanguage("clojure",function(e){var t={built_in:"def defonce cond apply if-not if-let if not not= = < > <= >= == + / * - rem quot neg? pos? delay? symbol? keyword? true? false? integer? empty? coll? list? set? ifn? fn? associative? sequential? sorted? counted? reversible? number? decimal? class? distinct? isa? float? rational? reduced? ratio? odd? even? char? seq? vector? string? map? nil? contains? zero? instance? not-every? not-any? libspec? -> ->> .. . inc compare do dotimes mapcat take remove take-while drop letfn drop-last take-last drop-while while intern condp case reduced cycle split-at split-with repeat replicate iterate range merge zipmap declare line-seq sort comparator sort-by dorun doall nthnext nthrest partition eval doseq await await-for let agent atom send send-off release-pending-sends add-watch mapv filterv remove-watch agent-error restart-agent set-error-handler error-handler set-error-mode! error-mode shutdown-agents quote var fn loop recur throw try monitor-enter monitor-exit defmacro defn defn- macroexpand macroexpand-1 for dosync and or when when-not when-let comp juxt partial sequence memoize constantly complement identity assert peek pop doto proxy defstruct first rest cons defprotocol cast coll deftype defrecord last butlast sigs reify second ffirst fnext nfirst nnext defmulti defmethod meta with-meta ns in-ns create-ns import refer keys select-keys vals key val rseq name namespace promise into transient persistent! conj! assoc! dissoc! pop! disj! use class type num float double short byte boolean bigint biginteger bigdec print-method print-dup throw-if printf format load compile get-in update-in pr pr-on newline flush read slurp read-line subvec with-open memfn time re-find re-groups rand-int rand mod locking assert-valid-fdecl alias resolve ref deref refset swap! reset! set-validator! compare-and-set! alter-meta! reset-meta! commute get-validator alter ref-set ref-history-count ref-min-history ref-max-history ensure sync io! new next conj set! to-array future future-call into-array aset gen-class reduce map filter find empty hash-map hash-set sorted-map sorted-map-by sorted-set sorted-set-by vec vector seq flatten reverse assoc dissoc list disj get union difference intersection extend extend-type extend-protocol int nth delay count concat chunk chunk-buffer chunk-append chunk-first chunk-rest max min dec unchecked-inc-int unchecked-inc unchecked-dec-inc unchecked-dec unchecked-negate unchecked-add-int unchecked-add unchecked-subtract-int unchecked-subtract chunk-next chunk-cons chunked-seq? prn vary-meta lazy-seq spread list* str find-keyword keyword symbol gensym force rationalize"},r="a-zA-Z_\\-!.?+*=<>&#'",n="["+r+"]["+r+"0-9/;:]*",a="[-+]?\\d+(\\.\\d+)?",o={b:n,r:0},s={cN:"number",b:a,r:0},c=e.inherit(e.QSM,{i:null}),i=e.C(";","$",{r:0}),d={cN:"literal",b:/\b(true|false|nil)\b/},l={cN:"collection",b:"[\\[\\{]",e:"[\\]\\}]"},m={cN:"comment",b:"\\^"+n},p=e.C("\\^\\{","\\}"),u={cN:"attribute",b:"[:]"+n},f={cN:"list",b:"\\(",e:"\\)"},h={eW:!0,r:0},y={k:t,l:n,cN:"keyword",b:n,starts:h},b=[f,c,m,p,i,u,l,s,d,o];return f.c=[e.C("comment",""),y,h],h.c=b,l.c=b,{aliases:["clj"],i:/\S/,c:[f,c,m,p,i,u,l,s,d]}});hljs.registerLanguage("dart",function(e){var t={cN:"subst",b:"\\$\\{",e:"}",k:"true false null this is new super"},r={cN:"string",v:[{b:"r'''",e:"'''"},{b:'r"""',e:'"""'},{b:"r'",e:"'",i:"\\n"},{b:'r"',e:'"',i:"\\n"},{b:"'''",e:"'''",c:[e.BE,t]},{b:'"""',e:'"""',c:[e.BE,t]},{b:"'",e:"'",i:"\\n",c:[e.BE,t]},{b:'"',e:'"',i:"\\n",c:[e.BE,t]}]};t.c=[e.CNM,r];var n={keyword:"assert break case catch class const continue default do else enum extends false final finally for if in is new null rethrow return super switch this throw true try var void while with",literal:"abstract as dynamic export external factory get implements import library operator part set static typedef",built_in:"print Comparable DateTime Duration Function Iterable Iterator List Map Match Null Object Pattern RegExp Set Stopwatch String StringBuffer StringSink Symbol Type Uri bool double int num document window querySelector querySelectorAll Element ElementList"};return{k:n,c:[r,e.C("/\\*\\*","\\*/",{sL:"markdown"}),e.C("///","$",{sL:"markdown"}),e.CLCM,e.CBCM,{cN:"class",bK:"class interface",e:"{",eE:!0,c:[{bK:"extends implements"},e.UTM]},e.CNM,{cN:"annotation",b:"@[A-Za-z]+"},{b:"=>"}]}});hljs.registerLanguage("ruleslanguage",function(T){return{k:{keyword:"BILL_PERIOD BILL_START BILL_STOP RS_EFFECTIVE_START RS_EFFECTIVE_STOP RS_JURIS_CODE RS_OPCO_CODE INTDADDATTRIBUTE|5 INTDADDVMSG|5 INTDBLOCKOP|5 INTDBLOCKOPNA|5 INTDCLOSE|5 INTDCOUNT|5 INTDCOUNTSTATUSCODE|5 INTDCREATEMASK|5 INTDCREATEDAYMASK|5 INTDCREATEFACTORMASK|5 INTDCREATEHANDLE|5 INTDCREATEOVERRIDEDAYMASK|5 INTDCREATEOVERRIDEMASK|5 INTDCREATESTATUSCODEMASK|5 INTDCREATETOUPERIOD|5 INTDDELETE|5 INTDDIPTEST|5 INTDEXPORT|5 INTDGETERRORCODE|5 INTDGETERRORMESSAGE|5 INTDISEQUAL|5 INTDJOIN|5 INTDLOAD|5 INTDLOADACTUALCUT|5 INTDLOADDATES|5 INTDLOADHIST|5 INTDLOADLIST|5 INTDLOADLISTDATES|5 INTDLOADLISTENERGY|5 INTDLOADLISTHIST|5 INTDLOADRELATEDCHANNEL|5 INTDLOADSP|5 INTDLOADSTAGING|5 INTDLOADUOM|5 INTDLOADUOMDATES|5 INTDLOADUOMHIST|5 INTDLOADVERSION|5 INTDOPEN|5 INTDREADFIRST|5 INTDREADNEXT|5 INTDRECCOUNT|5 INTDRELEASE|5 INTDREPLACE|5 INTDROLLAVG|5 INTDROLLPEAK|5 INTDSCALAROP|5 INTDSCALE|5 INTDSETATTRIBUTE|5 INTDSETDSTPARTICIPANT|5 INTDSETSTRING|5 INTDSETVALUE|5 INTDSETVALUESTATUS|5 INTDSHIFTSTARTTIME|5 INTDSMOOTH|5 INTDSORT|5 INTDSPIKETEST|5 INTDSUBSET|5 INTDTOU|5 INTDTOURELEASE|5 INTDTOUVALUE|5 INTDUPDATESTATS|5 INTDVALUE|5 STDEV INTDDELETEEX|5 INTDLOADEXACTUAL|5 INTDLOADEXCUT|5 INTDLOADEXDATES|5 INTDLOADEX|5 INTDLOADEXRELATEDCHANNEL|5 INTDSAVEEX|5 MVLOAD|5 MVLOADACCT|5 MVLOADACCTDATES|5 MVLOADACCTHIST|5 MVLOADDATES|5 MVLOADHIST|5 MVLOADLIST|5 MVLOADLISTDATES|5 MVLOADLISTHIST|5 IF FOR NEXT DONE SELECT END CALL ABORT CLEAR CHANNEL FACTOR LIST NUMBER OVERRIDE SET WEEK DISTRIBUTIONNODE ELSE WHEN THEN OTHERWISE IENUM CSV INCLUDE LEAVE RIDER SAVE DELETE NOVALUE SECTION WARN SAVE_UPDATE DETERMINANT LABEL REPORT REVENUE EACH IN FROM TOTAL CHARGE BLOCK AND OR CSV_FILE RATE_CODE AUXILIARY_DEMAND UIDACCOUNT RS BILL_PERIOD_SELECT HOURS_PER_MONTH INTD_ERROR_STOP SEASON_SCHEDULE_NAME ACCOUNTFACTOR ARRAYUPPERBOUND CALLSTOREDPROC GETADOCONNECTION GETCONNECT GETDATASOURCE GETQUALIFIER GETUSERID HASVALUE LISTCOUNT LISTOP LISTUPDATE LISTVALUE PRORATEFACTOR RSPRORATE SETBINPATH SETDBMONITOR WQ_OPEN BILLINGHOURS DATE DATEFROMFLOAT DATETIMEFROMSTRING DATETIMETOSTRING DATETOFLOAT DAY DAYDIFF DAYNAME DBDATETIME HOUR MINUTE MONTH MONTHDIFF MONTHHOURS MONTHNAME ROUNDDATE SAMEWEEKDAYLASTYEAR SECOND WEEKDAY WEEKDIFF YEAR YEARDAY YEARSTR COMPSUM HISTCOUNT HISTMAX HISTMIN HISTMINNZ HISTVALUE MAXNRANGE MAXRANGE MINRANGE COMPIKVA COMPKVA COMPKVARFROMKQKW COMPLF IDATTR FLAG LF2KW LF2KWH MAXKW POWERFACTOR READING2USAGE AVGSEASON MAXSEASON MONTHLYMERGE SEASONVALUE SUMSEASON ACCTREADDATES ACCTTABLELOAD CONFIGADD CONFIGGET CREATEOBJECT CREATEREPORT EMAILCLIENT EXPBLKMDMUSAGE EXPMDMUSAGE EXPORT_USAGE FACTORINEFFECT GETUSERSPECIFIEDSTOP INEFFECT ISHOLIDAY RUNRATE SAVE_PROFILE SETREPORTTITLE USEREXIT WATFORRUNRATE TO TABLE ACOS ASIN ATAN ATAN2 BITAND CEIL COS COSECANT COSH COTANGENT DIVQUOT DIVREM EXP FABS FLOOR FMOD FREPM FREXPN LOG LOG10 MAX MAXN MIN MINNZ MODF POW ROUND ROUND2VALUE ROUNDINT SECANT SIN SINH SQROOT TAN TANH FLOAT2STRING FLOAT2STRINGNC INSTR LEFT LEN LTRIM MID RIGHT RTRIM STRING STRINGNC TOLOWER TOUPPER TRIM NUMDAYS READ_DATE STAGING",built_in:"IDENTIFIER OPTIONS XML_ELEMENT XML_OP XML_ELEMENT_OF DOMDOCCREATE DOMDOCLOADFILE DOMDOCLOADXML DOMDOCSAVEFILE DOMDOCGETROOT DOMDOCADDPI DOMNODEGETNAME DOMNODEGETTYPE DOMNODEGETVALUE DOMNODEGETCHILDCT DOMNODEGETFIRSTCHILD DOMNODEGETSIBLING DOMNODECREATECHILDELEMENT DOMNODESETATTRIBUTE DOMNODEGETCHILDELEMENTCT DOMNODEGETFIRSTCHILDELEMENT DOMNODEGETSIBLINGELEMENT DOMNODEGETATTRIBUTECT DOMNODEGETATTRIBUTEI DOMNODEGETATTRIBUTEBYNAME DOMNODEGETBYNAME"},c:[T.CLCM,T.CBCM,T.ASM,T.QSM,T.CNM,{cN:"array",v:[{b:"#\\s+[a-zA-Z\\ \\.]*",r:0},{b:"#[a-zA-Z\\ \\.]+"}]}]}});hljs.registerLanguage("applescript",function(e){var t=e.inherit(e.QSM,{i:""}),r={cN:"params",b:"\\(",e:"\\)",c:["self",e.CNM,t]},o=e.C("--","$"),n=e.C("\\(\\*","\\*\\)",{c:["self",o]}),a=[o,n,e.HCM];return{aliases:["osascript"],k:{keyword:"about above after against and around as at back before beginning behind below beneath beside between but by considering contain contains continue copy div does eighth else end equal equals error every exit fifth first for fourth from front get given global if ignoring in into is it its last local me middle mod my ninth not of on onto or over prop property put ref reference repeat returning script second set seventh since sixth some tell tenth that the|0 then third through thru timeout times to transaction try until where while whose with without",constant:"AppleScript false linefeed return pi quote result space tab true",type:"alias application boolean class constant date file integer list number real record string text",command:"activate beep count delay launch log offset read round run say summarize write",property:"character characters contents day frontmost id item length month name paragraph paragraphs rest reverse running time version weekday word words year"},c:[t,e.CNM,{cN:"type",b:"\\bPOSIX file\\b"},{cN:"command",b:"\\b(clipboard info|the clipboard|info for|list (disks|folder)|mount volume|path to|(close|open for) access|(get|set) eof|current date|do shell script|get volume settings|random number|set volume|system attribute|system info|time to GMT|(load|run|store) script|scripting components|ASCII (character|number)|localized string|choose (application|color|file|file name|folder|from list|remote application|URL)|display (alert|dialog))\\b|^\\s*return\\b"},{cN:"constant",b:"\\b(text item delimiters|current application|missing value)\\b"},{cN:"keyword",b:"\\b(apart from|aside from|instead of|out of|greater than|isn't|(doesn't|does not) (equal|come before|come after|contain)|(greater|less) than( or equal)?|(starts?|ends|begins?) with|contained by|comes (before|after)|a (ref|reference))\\b"},{cN:"property",b:"\\b(POSIX path|(date|time) string|quoted form)\\b"},{cN:"function_start",bK:"on",i:"[${=;\\n]",c:[e.UTM,r]}].concat(a),i:"//|->|=>|\\[\\["}});hljs.registerLanguage("xml",function(t){var s="[A-Za-z0-9\\._:-]+",c={b:/<\?(php)?(?!\w)/,e:/\?>/,sL:"php"},e={eW:!0,i:/]+/}]}]}]};return{aliases:["html","xhtml","rss","atom","xsl","plist"],cI:!0,c:[{cN:"doctype",b:"",r:10,c:[{b:"\\[",e:"\\]"}]},t.C("",{r:10}),{cN:"cdata",b:"<\\!\\[CDATA\\[",e:"\\]\\]>",r:10},{cN:"tag",b:"|$)",e:">",k:{title:"style"},c:[e],starts:{e:"",rE:!0,sL:"css"}},{cN:"tag",b:"|$)",e:">",k:{title:"script"},c:[e],starts:{e:"",rE:!0,sL:["actionscript","javascript","handlebars"]}},c,{cN:"pi",b:/<\?\w+/,e:/\?>/,r:10},{cN:"tag",b:"",c:[{cN:"title",b:/[^ \/><\n\t]+/,r:0},e]}]}});hljs.registerLanguage("elixir",function(e){var n="[a-zA-Z_][a-zA-Z0-9_]*(\\!|\\?)?",r="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",b="and false then defined module in return redo retry end for true self when next until do begin unless nil break not case cond alias while ensure or include use alias fn quote",c={cN:"subst",b:"#\\{",e:"}",l:n,k:b},a={cN:"string",c:[e.BE,c],v:[{b:/'/,e:/'/},{b:/"/,e:/"/}]},i={cN:"function",bK:"def defp defmacro",e:/\B\b/,c:[e.inherit(e.TM,{b:n,endsParent:!0})]},s=e.inherit(i,{cN:"class",bK:"defmodule defrecord",e:/\bdo\b|$|;/}),l=[a,e.HCM,s,i,{cN:"constant",b:"(\\b[A-Z_]\\w*(.)?)+",r:0},{cN:"symbol",b:":",c:[a,{b:r}],r:0},{cN:"symbol",b:n+":",r:0},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},{cN:"variable",b:"(\\$\\W)|((\\$|\\@\\@?)(\\w+))"},{b:"->"},{b:"("+e.RSR+")\\s*",c:[e.HCM,{cN:"regexp",i:"\\n",c:[e.BE,c],v:[{b:"/",e:"/[a-z]*"},{b:"%r\\[",e:"\\][a-z]*"}]}],r:0}];return c.c=l,{l:n,k:b,c:l}});hljs.registerLanguage("autoit",function(e){var t="ByRef Case Const ContinueCase ContinueLoop Default Dim Do Else ElseIf EndFunc EndIf EndSelect EndSwitch EndWith Enum Exit ExitLoop For Func Global If In Local Next ReDim Return Select Static Step Switch Then To Until Volatile WEnd While With",r="True False And Null Not Or",i="Abs ACos AdlibRegister AdlibUnRegister Asc AscW ASin Assign ATan AutoItSetOption AutoItWinGetTitle AutoItWinSetTitle Beep Binary BinaryLen BinaryMid BinaryToString BitAND BitNOT BitOR BitRotate BitShift BitXOR BlockInput Break Call CDTray Ceiling Chr ChrW ClipGet ClipPut ConsoleRead ConsoleWrite ConsoleWriteError ControlClick ControlCommand ControlDisable ControlEnable ControlFocus ControlGetFocus ControlGetHandle ControlGetPos ControlGetText ControlHide ControlListView ControlMove ControlSend ControlSetText ControlShow ControlTreeView Cos Dec DirCopy DirCreate DirGetSize DirMove DirRemove DllCall DllCallAddress DllCallbackFree DllCallbackGetPtr DllCallbackRegister DllClose DllOpen DllStructCreate DllStructGetData DllStructGetPtr DllStructGetSize DllStructSetData DriveGetDrive DriveGetFileSystem DriveGetLabel DriveGetSerial DriveGetType DriveMapAdd DriveMapDel DriveMapGet DriveSetLabel DriveSpaceFree DriveSpaceTotal DriveStatus EnvGet EnvSet EnvUpdate Eval Execute Exp FileChangeDir FileClose FileCopy FileCreateNTFSLink FileCreateShortcut FileDelete FileExists FileFindFirstFile FileFindNextFile FileFlush FileGetAttrib FileGetEncoding FileGetLongName FileGetPos FileGetShortcut FileGetShortName FileGetSize FileGetTime FileGetVersion FileInstall FileMove FileOpen FileOpenDialog FileRead FileReadLine FileReadToArray FileRecycle FileRecycleEmpty FileSaveDialog FileSelectFolder FileSetAttrib FileSetEnd FileSetPos FileSetTime FileWrite FileWriteLine Floor FtpSetProxy FuncName GUICreate GUICtrlCreateAvi GUICtrlCreateButton GUICtrlCreateCheckbox GUICtrlCreateCombo GUICtrlCreateContextMenu GUICtrlCreateDate GUICtrlCreateDummy GUICtrlCreateEdit GUICtrlCreateGraphic GUICtrlCreateGroup GUICtrlCreateIcon GUICtrlCreateInput GUICtrlCreateLabel GUICtrlCreateList GUICtrlCreateListView GUICtrlCreateListViewItem GUICtrlCreateMenu GUICtrlCreateMenuItem GUICtrlCreateMonthCal GUICtrlCreateObj GUICtrlCreatePic GUICtrlCreateProgress GUICtrlCreateRadio GUICtrlCreateSlider GUICtrlCreateTab GUICtrlCreateTabItem GUICtrlCreateTreeView GUICtrlCreateTreeViewItem GUICtrlCreateUpdown GUICtrlDelete GUICtrlGetHandle GUICtrlGetState GUICtrlRead GUICtrlRecvMsg GUICtrlRegisterListViewSort GUICtrlSendMsg GUICtrlSendToDummy GUICtrlSetBkColor GUICtrlSetColor GUICtrlSetCursor GUICtrlSetData GUICtrlSetDefBkColor GUICtrlSetDefColor GUICtrlSetFont GUICtrlSetGraphic GUICtrlSetImage GUICtrlSetLimit GUICtrlSetOnEvent GUICtrlSetPos GUICtrlSetResizing GUICtrlSetState GUICtrlSetStyle GUICtrlSetTip GUIDelete GUIGetCursorInfo GUIGetMsg GUIGetStyle GUIRegisterMsg GUISetAccelerators GUISetBkColor GUISetCoord GUISetCursor GUISetFont GUISetHelp GUISetIcon GUISetOnEvent GUISetState GUISetStyle GUIStartGroup GUISwitch Hex HotKeySet HttpSetProxy HttpSetUserAgent HWnd InetClose InetGet InetGetInfo InetGetSize InetRead IniDelete IniRead IniReadSection IniReadSectionNames IniRenameSection IniWrite IniWriteSection InputBox Int IsAdmin IsArray IsBinary IsBool IsDeclared IsDllStruct IsFloat IsFunc IsHWnd IsInt IsKeyword IsNumber IsObj IsPtr IsString Log MemGetStats Mod MouseClick MouseClickDrag MouseDown MouseGetCursor MouseGetPos MouseMove MouseUp MouseWheel MsgBox Number ObjCreate ObjCreateInterface ObjEvent ObjGet ObjName OnAutoItExitRegister OnAutoItExitUnRegister Opt Ping PixelChecksum PixelGetColor PixelSearch ProcessClose ProcessExists ProcessGetStats ProcessList ProcessSetPriority ProcessWait ProcessWaitClose ProgressOff ProgressOn ProgressSet Ptr Random RegDelete RegEnumKey RegEnumVal RegRead RegWrite Round Run RunAs RunAsWait RunWait Send SendKeepActive SetError SetExtended ShellExecute ShellExecuteWait Shutdown Sin Sleep SoundPlay SoundSetWaveVolume SplashImageOn SplashOff SplashTextOn Sqrt SRandom StatusbarGetText StderrRead StdinWrite StdioClose StdoutRead String StringAddCR StringCompare StringFormat StringFromASCIIArray StringInStr StringIsAlNum StringIsAlpha StringIsASCII StringIsDigit StringIsFloat StringIsInt StringIsLower StringIsSpace StringIsUpper StringIsXDigit StringLeft StringLen StringLower StringMid StringRegExp StringRegExpReplace StringReplace StringReverse StringRight StringSplit StringStripCR StringStripWS StringToASCIIArray StringToBinary StringTrimLeft StringTrimRight StringUpper Tan TCPAccept TCPCloseSocket TCPConnect TCPListen TCPNameToIP TCPRecv TCPSend TCPShutdown TCPStartup TimerDiff TimerInit ToolTip TrayCreateItem TrayCreateMenu TrayGetMsg TrayItemDelete TrayItemGetHandle TrayItemGetState TrayItemGetText TrayItemSetOnEvent TrayItemSetState TrayItemSetText TraySetClick TraySetIcon TraySetOnEvent TraySetPauseIcon TraySetState TraySetToolTip TrayTip UBound UDPBind UDPCloseSocket UDPOpen UDPRecv UDPSend UDPShutdown UDPStartup VarGetType WinActivate WinActive WinClose WinExists WinFlash WinGetCaretPos WinGetClassList WinGetClientSize WinGetHandle WinGetPos WinGetProcess WinGetState WinGetText WinGetTitle WinKill WinList WinMenuSelectItem WinMinimizeAll WinMinimizeAllUndo WinMove WinSetOnTop WinSetState WinSetTitle WinSetTrans WinWait WinWaitActive WinWaitClose WinWaitNotActive Array1DToHistogram ArrayAdd ArrayBinarySearch ArrayColDelete ArrayColInsert ArrayCombinations ArrayConcatenate ArrayDelete ArrayDisplay ArrayExtract ArrayFindAll ArrayInsert ArrayMax ArrayMaxIndex ArrayMin ArrayMinIndex ArrayPermute ArrayPop ArrayPush ArrayReverse ArraySearch ArrayShuffle ArraySort ArraySwap ArrayToClip ArrayToString ArrayTranspose ArrayTrim ArrayUnique Assert ChooseColor ChooseFont ClipBoard_ChangeChain ClipBoard_Close ClipBoard_CountFormats ClipBoard_Empty ClipBoard_EnumFormats ClipBoard_FormatStr ClipBoard_GetData ClipBoard_GetDataEx ClipBoard_GetFormatName ClipBoard_GetOpenWindow ClipBoard_GetOwner ClipBoard_GetPriorityFormat ClipBoard_GetSequenceNumber ClipBoard_GetViewer ClipBoard_IsFormatAvailable ClipBoard_Open ClipBoard_RegisterFormat ClipBoard_SetData ClipBoard_SetDataEx ClipBoard_SetViewer ClipPutFile ColorConvertHSLtoRGB ColorConvertRGBtoHSL ColorGetBlue ColorGetCOLORREF ColorGetGreen ColorGetRed ColorGetRGB ColorSetCOLORREF ColorSetRGB Crypt_DecryptData Crypt_DecryptFile Crypt_DeriveKey Crypt_DestroyKey Crypt_EncryptData Crypt_EncryptFile Crypt_GenRandom Crypt_HashData Crypt_HashFile Crypt_Shutdown Crypt_Startup DateAdd DateDayOfWeek DateDaysInMonth DateDiff DateIsLeapYear DateIsValid DateTimeFormat DateTimeSplit DateToDayOfWeek DateToDayOfWeekISO DateToDayValue DateToMonth Date_Time_CompareFileTime Date_Time_DOSDateTimeToArray Date_Time_DOSDateTimeToFileTime Date_Time_DOSDateTimeToStr Date_Time_DOSDateToArray Date_Time_DOSDateToStr Date_Time_DOSTimeToArray Date_Time_DOSTimeToStr Date_Time_EncodeFileTime Date_Time_EncodeSystemTime Date_Time_FileTimeToArray Date_Time_FileTimeToDOSDateTime Date_Time_FileTimeToLocalFileTime Date_Time_FileTimeToStr Date_Time_FileTimeToSystemTime Date_Time_GetFileTime Date_Time_GetLocalTime Date_Time_GetSystemTime Date_Time_GetSystemTimeAdjustment Date_Time_GetSystemTimeAsFileTime Date_Time_GetSystemTimes Date_Time_GetTickCount Date_Time_GetTimeZoneInformation Date_Time_LocalFileTimeToFileTime Date_Time_SetFileTime Date_Time_SetLocalTime Date_Time_SetSystemTime Date_Time_SetSystemTimeAdjustment Date_Time_SetTimeZoneInformation Date_Time_SystemTimeToArray Date_Time_SystemTimeToDateStr Date_Time_SystemTimeToDateTimeStr Date_Time_SystemTimeToFileTime Date_Time_SystemTimeToTimeStr Date_Time_SystemTimeToTzSpecificLocalTime Date_Time_TzSpecificLocalTimeToSystemTime DayValueToDate DebugBugReportEnv DebugCOMError DebugOut DebugReport DebugReportEx DebugReportVar DebugSetup Degree EventLog__Backup EventLog__Clear EventLog__Close EventLog__Count EventLog__DeregisterSource EventLog__Full EventLog__Notify EventLog__Oldest EventLog__Open EventLog__OpenBackup EventLog__Read EventLog__RegisterSource EventLog__Report Excel_BookAttach Excel_BookClose Excel_BookList Excel_BookNew Excel_BookOpen Excel_BookOpenText Excel_BookSave Excel_BookSaveAs Excel_Close Excel_ColumnToLetter Excel_ColumnToNumber Excel_ConvertFormula Excel_Export Excel_FilterGet Excel_FilterSet Excel_Open Excel_PictureAdd Excel_Print Excel_RangeCopyPaste Excel_RangeDelete Excel_RangeFind Excel_RangeInsert Excel_RangeLinkAddRemove Excel_RangeRead Excel_RangeReplace Excel_RangeSort Excel_RangeValidate Excel_RangeWrite Excel_SheetAdd Excel_SheetCopyMove Excel_SheetDelete Excel_SheetList FileCountLines FileCreate FileListToArray FileListToArrayRec FilePrint FileReadToArray FileWriteFromArray FileWriteLog FileWriteToLine FTP_Close FTP_Command FTP_Connect FTP_DecodeInternetStatus FTP_DirCreate FTP_DirDelete FTP_DirGetCurrent FTP_DirPutContents FTP_DirSetCurrent FTP_FileClose FTP_FileDelete FTP_FileGet FTP_FileGetSize FTP_FileOpen FTP_FilePut FTP_FileRead FTP_FileRename FTP_FileTimeLoHiToStr FTP_FindFileClose FTP_FindFileFirst FTP_FindFileNext FTP_GetLastResponseInfo FTP_ListToArray FTP_ListToArray2D FTP_ListToArrayEx FTP_Open FTP_ProgressDownload FTP_ProgressUpload FTP_SetStatusCallback GDIPlus_ArrowCapCreate GDIPlus_ArrowCapDispose GDIPlus_ArrowCapGetFillState GDIPlus_ArrowCapGetHeight GDIPlus_ArrowCapGetMiddleInset GDIPlus_ArrowCapGetWidth GDIPlus_ArrowCapSetFillState GDIPlus_ArrowCapSetHeight GDIPlus_ArrowCapSetMiddleInset GDIPlus_ArrowCapSetWidth GDIPlus_BitmapApplyEffect GDIPlus_BitmapApplyEffectEx GDIPlus_BitmapCloneArea GDIPlus_BitmapConvertFormat GDIPlus_BitmapCreateApplyEffect GDIPlus_BitmapCreateApplyEffectEx GDIPlus_BitmapCreateDIBFromBitmap GDIPlus_BitmapCreateFromFile GDIPlus_BitmapCreateFromGraphics GDIPlus_BitmapCreateFromHBITMAP GDIPlus_BitmapCreateFromHICON GDIPlus_BitmapCreateFromHICON32 GDIPlus_BitmapCreateFromMemory GDIPlus_BitmapCreateFromResource GDIPlus_BitmapCreateFromScan0 GDIPlus_BitmapCreateFromStream GDIPlus_BitmapCreateHBITMAPFromBitmap GDIPlus_BitmapDispose GDIPlus_BitmapGetHistogram GDIPlus_BitmapGetHistogramEx GDIPlus_BitmapGetHistogramSize GDIPlus_BitmapGetPixel GDIPlus_BitmapLockBits GDIPlus_BitmapSetPixel GDIPlus_BitmapUnlockBits GDIPlus_BrushClone GDIPlus_BrushCreateSolid GDIPlus_BrushDispose GDIPlus_BrushGetSolidColor GDIPlus_BrushGetType GDIPlus_BrushSetSolidColor GDIPlus_ColorMatrixCreate GDIPlus_ColorMatrixCreateGrayScale GDIPlus_ColorMatrixCreateNegative GDIPlus_ColorMatrixCreateSaturation GDIPlus_ColorMatrixCreateScale GDIPlus_ColorMatrixCreateTranslate GDIPlus_CustomLineCapClone GDIPlus_CustomLineCapCreate GDIPlus_CustomLineCapDispose GDIPlus_CustomLineCapGetStrokeCaps GDIPlus_CustomLineCapSetStrokeCaps GDIPlus_Decoders GDIPlus_DecodersGetCount GDIPlus_DecodersGetSize GDIPlus_DrawImageFX GDIPlus_DrawImageFXEx GDIPlus_DrawImagePoints GDIPlus_EffectCreate GDIPlus_EffectCreateBlur GDIPlus_EffectCreateBrightnessContrast GDIPlus_EffectCreateColorBalance GDIPlus_EffectCreateColorCurve GDIPlus_EffectCreateColorLUT GDIPlus_EffectCreateColorMatrix GDIPlus_EffectCreateHueSaturationLightness GDIPlus_EffectCreateLevels GDIPlus_EffectCreateRedEyeCorrection GDIPlus_EffectCreateSharpen GDIPlus_EffectCreateTint GDIPlus_EffectDispose GDIPlus_EffectGetParameters GDIPlus_EffectSetParameters GDIPlus_Encoders GDIPlus_EncodersGetCLSID GDIPlus_EncodersGetCount GDIPlus_EncodersGetParamList GDIPlus_EncodersGetParamListSize GDIPlus_EncodersGetSize GDIPlus_FontCreate GDIPlus_FontDispose GDIPlus_FontFamilyCreate GDIPlus_FontFamilyCreateFromCollection GDIPlus_FontFamilyDispose GDIPlus_FontFamilyGetCellAscent GDIPlus_FontFamilyGetCellDescent GDIPlus_FontFamilyGetEmHeight GDIPlus_FontFamilyGetLineSpacing GDIPlus_FontGetHeight GDIPlus_FontPrivateAddFont GDIPlus_FontPrivateAddMemoryFont GDIPlus_FontPrivateCollectionDispose GDIPlus_FontPrivateCreateCollection GDIPlus_GraphicsClear GDIPlus_GraphicsCreateFromHDC GDIPlus_GraphicsCreateFromHWND GDIPlus_GraphicsDispose GDIPlus_GraphicsDrawArc GDIPlus_GraphicsDrawBezier GDIPlus_GraphicsDrawClosedCurve GDIPlus_GraphicsDrawClosedCurve2 GDIPlus_GraphicsDrawCurve GDIPlus_GraphicsDrawCurve2 GDIPlus_GraphicsDrawEllipse GDIPlus_GraphicsDrawImage GDIPlus_GraphicsDrawImagePointsRect GDIPlus_GraphicsDrawImageRect GDIPlus_GraphicsDrawImageRectRect GDIPlus_GraphicsDrawLine GDIPlus_GraphicsDrawPath GDIPlus_GraphicsDrawPie GDIPlus_GraphicsDrawPolygon GDIPlus_GraphicsDrawRect GDIPlus_GraphicsDrawString GDIPlus_GraphicsDrawStringEx GDIPlus_GraphicsFillClosedCurve GDIPlus_GraphicsFillClosedCurve2 GDIPlus_GraphicsFillEllipse GDIPlus_GraphicsFillPath GDIPlus_GraphicsFillPie GDIPlus_GraphicsFillPolygon GDIPlus_GraphicsFillRect GDIPlus_GraphicsFillRegion GDIPlus_GraphicsGetCompositingMode GDIPlus_GraphicsGetCompositingQuality GDIPlus_GraphicsGetDC GDIPlus_GraphicsGetInterpolationMode GDIPlus_GraphicsGetSmoothingMode GDIPlus_GraphicsGetTransform GDIPlus_GraphicsMeasureCharacterRanges GDIPlus_GraphicsMeasureString GDIPlus_GraphicsReleaseDC GDIPlus_GraphicsResetClip GDIPlus_GraphicsResetTransform GDIPlus_GraphicsRestore GDIPlus_GraphicsRotateTransform GDIPlus_GraphicsSave GDIPlus_GraphicsScaleTransform GDIPlus_GraphicsSetClipPath GDIPlus_GraphicsSetClipRect GDIPlus_GraphicsSetClipRegion GDIPlus_GraphicsSetCompositingMode GDIPlus_GraphicsSetCompositingQuality GDIPlus_GraphicsSetInterpolationMode GDIPlus_GraphicsSetPixelOffsetMode GDIPlus_GraphicsSetSmoothingMode GDIPlus_GraphicsSetTextRenderingHint GDIPlus_GraphicsSetTransform GDIPlus_GraphicsTransformPoints GDIPlus_GraphicsTranslateTransform GDIPlus_HatchBrushCreate GDIPlus_HICONCreateFromBitmap GDIPlus_ImageAttributesCreate GDIPlus_ImageAttributesDispose GDIPlus_ImageAttributesSetColorKeys GDIPlus_ImageAttributesSetColorMatrix GDIPlus_ImageDispose GDIPlus_ImageGetDimension GDIPlus_ImageGetFlags GDIPlus_ImageGetGraphicsContext GDIPlus_ImageGetHeight GDIPlus_ImageGetHorizontalResolution GDIPlus_ImageGetPixelFormat GDIPlus_ImageGetRawFormat GDIPlus_ImageGetThumbnail GDIPlus_ImageGetType GDIPlus_ImageGetVerticalResolution GDIPlus_ImageGetWidth GDIPlus_ImageLoadFromFile GDIPlus_ImageLoadFromStream GDIPlus_ImageResize GDIPlus_ImageRotateFlip GDIPlus_ImageSaveToFile GDIPlus_ImageSaveToFileEx GDIPlus_ImageSaveToStream GDIPlus_ImageScale GDIPlus_LineBrushCreate GDIPlus_LineBrushCreateFromRect GDIPlus_LineBrushCreateFromRectWithAngle GDIPlus_LineBrushGetColors GDIPlus_LineBrushGetRect GDIPlus_LineBrushMultiplyTransform GDIPlus_LineBrushResetTransform GDIPlus_LineBrushSetBlend GDIPlus_LineBrushSetColors GDIPlus_LineBrushSetGammaCorrection GDIPlus_LineBrushSetLinearBlend GDIPlus_LineBrushSetPresetBlend GDIPlus_LineBrushSetSigmaBlend GDIPlus_LineBrushSetTransform GDIPlus_MatrixClone GDIPlus_MatrixCreate GDIPlus_MatrixDispose GDIPlus_MatrixGetElements GDIPlus_MatrixInvert GDIPlus_MatrixMultiply GDIPlus_MatrixRotate GDIPlus_MatrixScale GDIPlus_MatrixSetElements GDIPlus_MatrixShear GDIPlus_MatrixTransformPoints GDIPlus_MatrixTranslate GDIPlus_PaletteInitialize GDIPlus_ParamAdd GDIPlus_ParamInit GDIPlus_ParamSize GDIPlus_PathAddArc GDIPlus_PathAddBezier GDIPlus_PathAddClosedCurve GDIPlus_PathAddClosedCurve2 GDIPlus_PathAddCurve GDIPlus_PathAddCurve2 GDIPlus_PathAddCurve3 GDIPlus_PathAddEllipse GDIPlus_PathAddLine GDIPlus_PathAddLine2 GDIPlus_PathAddPath GDIPlus_PathAddPie GDIPlus_PathAddPolygon GDIPlus_PathAddRectangle GDIPlus_PathAddString GDIPlus_PathBrushCreate GDIPlus_PathBrushCreateFromPath GDIPlus_PathBrushGetCenterPoint GDIPlus_PathBrushGetFocusScales GDIPlus_PathBrushGetPointCount GDIPlus_PathBrushGetRect GDIPlus_PathBrushGetWrapMode GDIPlus_PathBrushMultiplyTransform GDIPlus_PathBrushResetTransform GDIPlus_PathBrushSetBlend GDIPlus_PathBrushSetCenterColor GDIPlus_PathBrushSetCenterPoint GDIPlus_PathBrushSetFocusScales GDIPlus_PathBrushSetGammaCorrection GDIPlus_PathBrushSetLinearBlend GDIPlus_PathBrushSetPresetBlend GDIPlus_PathBrushSetSigmaBlend GDIPlus_PathBrushSetSurroundColor GDIPlus_PathBrushSetSurroundColorsWithCount GDIPlus_PathBrushSetTransform GDIPlus_PathBrushSetWrapMode GDIPlus_PathClone GDIPlus_PathCloseFigure GDIPlus_PathCreate GDIPlus_PathCreate2 GDIPlus_PathDispose GDIPlus_PathFlatten GDIPlus_PathGetData GDIPlus_PathGetFillMode GDIPlus_PathGetLastPoint GDIPlus_PathGetPointCount GDIPlus_PathGetPoints GDIPlus_PathGetWorldBounds GDIPlus_PathIsOutlineVisiblePoint GDIPlus_PathIsVisiblePoint GDIPlus_PathIterCreate GDIPlus_PathIterDispose GDIPlus_PathIterGetSubpathCount GDIPlus_PathIterNextMarkerPath GDIPlus_PathIterNextSubpathPath GDIPlus_PathIterRewind GDIPlus_PathReset GDIPlus_PathReverse GDIPlus_PathSetFillMode GDIPlus_PathSetMarker GDIPlus_PathStartFigure GDIPlus_PathTransform GDIPlus_PathWarp GDIPlus_PathWiden GDIPlus_PathWindingModeOutline GDIPlus_PenCreate GDIPlus_PenCreate2 GDIPlus_PenDispose GDIPlus_PenGetAlignment GDIPlus_PenGetColor GDIPlus_PenGetCustomEndCap GDIPlus_PenGetDashCap GDIPlus_PenGetDashStyle GDIPlus_PenGetEndCap GDIPlus_PenGetMiterLimit GDIPlus_PenGetWidth GDIPlus_PenSetAlignment GDIPlus_PenSetColor GDIPlus_PenSetCustomEndCap GDIPlus_PenSetDashCap GDIPlus_PenSetDashStyle GDIPlus_PenSetEndCap GDIPlus_PenSetLineCap GDIPlus_PenSetLineJoin GDIPlus_PenSetMiterLimit GDIPlus_PenSetStartCap GDIPlus_PenSetWidth GDIPlus_RectFCreate GDIPlus_RegionClone GDIPlus_RegionCombinePath GDIPlus_RegionCombineRect GDIPlus_RegionCombineRegion GDIPlus_RegionCreate GDIPlus_RegionCreateFromPath GDIPlus_RegionCreateFromRect GDIPlus_RegionDispose GDIPlus_RegionGetBounds GDIPlus_RegionGetHRgn GDIPlus_RegionTransform GDIPlus_RegionTranslate GDIPlus_Shutdown GDIPlus_Startup GDIPlus_StringFormatCreate GDIPlus_StringFormatDispose GDIPlus_StringFormatGetMeasurableCharacterRangeCount GDIPlus_StringFormatSetAlign GDIPlus_StringFormatSetLineAlign GDIPlus_StringFormatSetMeasurableCharacterRanges GDIPlus_TextureCreate GDIPlus_TextureCreate2 GDIPlus_TextureCreateIA GetIP GUICtrlAVI_Close GUICtrlAVI_Create GUICtrlAVI_Destroy GUICtrlAVI_IsPlaying GUICtrlAVI_Open GUICtrlAVI_OpenEx GUICtrlAVI_Play GUICtrlAVI_Seek GUICtrlAVI_Show GUICtrlAVI_Stop GUICtrlButton_Click GUICtrlButton_Create GUICtrlButton_Destroy GUICtrlButton_Enable GUICtrlButton_GetCheck GUICtrlButton_GetFocus GUICtrlButton_GetIdealSize GUICtrlButton_GetImage GUICtrlButton_GetImageList GUICtrlButton_GetNote GUICtrlButton_GetNoteLength GUICtrlButton_GetSplitInfo GUICtrlButton_GetState GUICtrlButton_GetText GUICtrlButton_GetTextMargin GUICtrlButton_SetCheck GUICtrlButton_SetDontClick GUICtrlButton_SetFocus GUICtrlButton_SetImage GUICtrlButton_SetImageList GUICtrlButton_SetNote GUICtrlButton_SetShield GUICtrlButton_SetSize GUICtrlButton_SetSplitInfo GUICtrlButton_SetState GUICtrlButton_SetStyle GUICtrlButton_SetText GUICtrlButton_SetTextMargin GUICtrlButton_Show GUICtrlComboBoxEx_AddDir GUICtrlComboBoxEx_AddString GUICtrlComboBoxEx_BeginUpdate GUICtrlComboBoxEx_Create GUICtrlComboBoxEx_CreateSolidBitMap GUICtrlComboBoxEx_DeleteString GUICtrlComboBoxEx_Destroy GUICtrlComboBoxEx_EndUpdate GUICtrlComboBoxEx_FindStringExact GUICtrlComboBoxEx_GetComboBoxInfo GUICtrlComboBoxEx_GetComboControl GUICtrlComboBoxEx_GetCount GUICtrlComboBoxEx_GetCurSel GUICtrlComboBoxEx_GetDroppedControlRect GUICtrlComboBoxEx_GetDroppedControlRectEx GUICtrlComboBoxEx_GetDroppedState GUICtrlComboBoxEx_GetDroppedWidth GUICtrlComboBoxEx_GetEditControl GUICtrlComboBoxEx_GetEditSel GUICtrlComboBoxEx_GetEditText GUICtrlComboBoxEx_GetExtendedStyle GUICtrlComboBoxEx_GetExtendedUI GUICtrlComboBoxEx_GetImageList GUICtrlComboBoxEx_GetItem GUICtrlComboBoxEx_GetItemEx GUICtrlComboBoxEx_GetItemHeight GUICtrlComboBoxEx_GetItemImage GUICtrlComboBoxEx_GetItemIndent GUICtrlComboBoxEx_GetItemOverlayImage GUICtrlComboBoxEx_GetItemParam GUICtrlComboBoxEx_GetItemSelectedImage GUICtrlComboBoxEx_GetItemText GUICtrlComboBoxEx_GetItemTextLen GUICtrlComboBoxEx_GetList GUICtrlComboBoxEx_GetListArray GUICtrlComboBoxEx_GetLocale GUICtrlComboBoxEx_GetLocaleCountry GUICtrlComboBoxEx_GetLocaleLang GUICtrlComboBoxEx_GetLocalePrimLang GUICtrlComboBoxEx_GetLocaleSubLang GUICtrlComboBoxEx_GetMinVisible GUICtrlComboBoxEx_GetTopIndex GUICtrlComboBoxEx_GetUnicode GUICtrlComboBoxEx_InitStorage GUICtrlComboBoxEx_InsertString GUICtrlComboBoxEx_LimitText GUICtrlComboBoxEx_ReplaceEditSel GUICtrlComboBoxEx_ResetContent GUICtrlComboBoxEx_SetCurSel GUICtrlComboBoxEx_SetDroppedWidth GUICtrlComboBoxEx_SetEditSel GUICtrlComboBoxEx_SetEditText GUICtrlComboBoxEx_SetExtendedStyle GUICtrlComboBoxEx_SetExtendedUI GUICtrlComboBoxEx_SetImageList GUICtrlComboBoxEx_SetItem GUICtrlComboBoxEx_SetItemEx GUICtrlComboBoxEx_SetItemHeight GUICtrlComboBoxEx_SetItemImage GUICtrlComboBoxEx_SetItemIndent GUICtrlComboBoxEx_SetItemOverlayImage GUICtrlComboBoxEx_SetItemParam GUICtrlComboBoxEx_SetItemSelectedImage GUICtrlComboBoxEx_SetMinVisible GUICtrlComboBoxEx_SetTopIndex GUICtrlComboBoxEx_SetUnicode GUICtrlComboBoxEx_ShowDropDown GUICtrlComboBox_AddDir GUICtrlComboBox_AddString GUICtrlComboBox_AutoComplete GUICtrlComboBox_BeginUpdate GUICtrlComboBox_Create GUICtrlComboBox_DeleteString GUICtrlComboBox_Destroy GUICtrlComboBox_EndUpdate GUICtrlComboBox_FindString GUICtrlComboBox_FindStringExact GUICtrlComboBox_GetComboBoxInfo GUICtrlComboBox_GetCount GUICtrlComboBox_GetCueBanner GUICtrlComboBox_GetCurSel GUICtrlComboBox_GetDroppedControlRect GUICtrlComboBox_GetDroppedControlRectEx GUICtrlComboBox_GetDroppedState GUICtrlComboBox_GetDroppedWidth GUICtrlComboBox_GetEditSel GUICtrlComboBox_GetEditText GUICtrlComboBox_GetExtendedUI GUICtrlComboBox_GetHorizontalExtent GUICtrlComboBox_GetItemHeight GUICtrlComboBox_GetLBText GUICtrlComboBox_GetLBTextLen GUICtrlComboBox_GetList GUICtrlComboBox_GetListArray GUICtrlComboBox_GetLocale GUICtrlComboBox_GetLocaleCountry GUICtrlComboBox_GetLocaleLang GUICtrlComboBox_GetLocalePrimLang GUICtrlComboBox_GetLocaleSubLang GUICtrlComboBox_GetMinVisible GUICtrlComboBox_GetTopIndex GUICtrlComboBox_InitStorage GUICtrlComboBox_InsertString GUICtrlComboBox_LimitText GUICtrlComboBox_ReplaceEditSel GUICtrlComboBox_ResetContent GUICtrlComboBox_SelectString GUICtrlComboBox_SetCueBanner GUICtrlComboBox_SetCurSel GUICtrlComboBox_SetDroppedWidth GUICtrlComboBox_SetEditSel GUICtrlComboBox_SetEditText GUICtrlComboBox_SetExtendedUI GUICtrlComboBox_SetHorizontalExtent GUICtrlComboBox_SetItemHeight GUICtrlComboBox_SetMinVisible GUICtrlComboBox_SetTopIndex GUICtrlComboBox_ShowDropDown GUICtrlDTP_Create GUICtrlDTP_Destroy GUICtrlDTP_GetMCColor GUICtrlDTP_GetMCFont GUICtrlDTP_GetMonthCal GUICtrlDTP_GetRange GUICtrlDTP_GetRangeEx GUICtrlDTP_GetSystemTime GUICtrlDTP_GetSystemTimeEx GUICtrlDTP_SetFormat GUICtrlDTP_SetMCColor GUICtrlDTP_SetMCFont GUICtrlDTP_SetRange GUICtrlDTP_SetRangeEx GUICtrlDTP_SetSystemTime GUICtrlDTP_SetSystemTimeEx GUICtrlEdit_AppendText GUICtrlEdit_BeginUpdate GUICtrlEdit_CanUndo GUICtrlEdit_CharFromPos GUICtrlEdit_Create GUICtrlEdit_Destroy GUICtrlEdit_EmptyUndoBuffer GUICtrlEdit_EndUpdate GUICtrlEdit_Find GUICtrlEdit_FmtLines GUICtrlEdit_GetCueBanner GUICtrlEdit_GetFirstVisibleLine GUICtrlEdit_GetLimitText GUICtrlEdit_GetLine GUICtrlEdit_GetLineCount GUICtrlEdit_GetMargins GUICtrlEdit_GetModify GUICtrlEdit_GetPasswordChar GUICtrlEdit_GetRECT GUICtrlEdit_GetRECTEx GUICtrlEdit_GetSel GUICtrlEdit_GetText GUICtrlEdit_GetTextLen GUICtrlEdit_HideBalloonTip GUICtrlEdit_InsertText GUICtrlEdit_LineFromChar GUICtrlEdit_LineIndex GUICtrlEdit_LineLength GUICtrlEdit_LineScroll GUICtrlEdit_PosFromChar GUICtrlEdit_ReplaceSel GUICtrlEdit_Scroll GUICtrlEdit_SetCueBanner GUICtrlEdit_SetLimitText GUICtrlEdit_SetMargins GUICtrlEdit_SetModify GUICtrlEdit_SetPasswordChar GUICtrlEdit_SetReadOnly GUICtrlEdit_SetRECT GUICtrlEdit_SetRECTEx GUICtrlEdit_SetRECTNP GUICtrlEdit_SetRectNPEx GUICtrlEdit_SetSel GUICtrlEdit_SetTabStops GUICtrlEdit_SetText GUICtrlEdit_ShowBalloonTip GUICtrlEdit_Undo GUICtrlHeader_AddItem GUICtrlHeader_ClearFilter GUICtrlHeader_ClearFilterAll GUICtrlHeader_Create GUICtrlHeader_CreateDragImage GUICtrlHeader_DeleteItem GUICtrlHeader_Destroy GUICtrlHeader_EditFilter GUICtrlHeader_GetBitmapMargin GUICtrlHeader_GetImageList GUICtrlHeader_GetItem GUICtrlHeader_GetItemAlign GUICtrlHeader_GetItemBitmap GUICtrlHeader_GetItemCount GUICtrlHeader_GetItemDisplay GUICtrlHeader_GetItemFlags GUICtrlHeader_GetItemFormat GUICtrlHeader_GetItemImage GUICtrlHeader_GetItemOrder GUICtrlHeader_GetItemParam GUICtrlHeader_GetItemRect GUICtrlHeader_GetItemRectEx GUICtrlHeader_GetItemText GUICtrlHeader_GetItemWidth GUICtrlHeader_GetOrderArray GUICtrlHeader_GetUnicodeFormat GUICtrlHeader_HitTest GUICtrlHeader_InsertItem GUICtrlHeader_Layout GUICtrlHeader_OrderToIndex GUICtrlHeader_SetBitmapMargin GUICtrlHeader_SetFilterChangeTimeout GUICtrlHeader_SetHotDivider GUICtrlHeader_SetImageList GUICtrlHeader_SetItem GUICtrlHeader_SetItemAlign GUICtrlHeader_SetItemBitmap GUICtrlHeader_SetItemDisplay GUICtrlHeader_SetItemFlags GUICtrlHeader_SetItemFormat GUICtrlHeader_SetItemImage GUICtrlHeader_SetItemOrder GUICtrlHeader_SetItemParam GUICtrlHeader_SetItemText GUICtrlHeader_SetItemWidth GUICtrlHeader_SetOrderArray GUICtrlHeader_SetUnicodeFormat GUICtrlIpAddress_ClearAddress GUICtrlIpAddress_Create GUICtrlIpAddress_Destroy GUICtrlIpAddress_Get GUICtrlIpAddress_GetArray GUICtrlIpAddress_GetEx GUICtrlIpAddress_IsBlank GUICtrlIpAddress_Set GUICtrlIpAddress_SetArray GUICtrlIpAddress_SetEx GUICtrlIpAddress_SetFocus GUICtrlIpAddress_SetFont GUICtrlIpAddress_SetRange GUICtrlIpAddress_ShowHide GUICtrlListBox_AddFile GUICtrlListBox_AddString GUICtrlListBox_BeginUpdate GUICtrlListBox_ClickItem GUICtrlListBox_Create GUICtrlListBox_DeleteString GUICtrlListBox_Destroy GUICtrlListBox_Dir GUICtrlListBox_EndUpdate GUICtrlListBox_FindInText GUICtrlListBox_FindString GUICtrlListBox_GetAnchorIndex GUICtrlListBox_GetCaretIndex GUICtrlListBox_GetCount GUICtrlListBox_GetCurSel GUICtrlListBox_GetHorizontalExtent GUICtrlListBox_GetItemData GUICtrlListBox_GetItemHeight GUICtrlListBox_GetItemRect GUICtrlListBox_GetItemRectEx GUICtrlListBox_GetListBoxInfo GUICtrlListBox_GetLocale GUICtrlListBox_GetLocaleCountry GUICtrlListBox_GetLocaleLang GUICtrlListBox_GetLocalePrimLang GUICtrlListBox_GetLocaleSubLang GUICtrlListBox_GetSel GUICtrlListBox_GetSelCount GUICtrlListBox_GetSelItems GUICtrlListBox_GetSelItemsText GUICtrlListBox_GetText GUICtrlListBox_GetTextLen GUICtrlListBox_GetTopIndex GUICtrlListBox_InitStorage GUICtrlListBox_InsertString GUICtrlListBox_ItemFromPoint GUICtrlListBox_ReplaceString GUICtrlListBox_ResetContent GUICtrlListBox_SelectString GUICtrlListBox_SelItemRange GUICtrlListBox_SelItemRangeEx GUICtrlListBox_SetAnchorIndex GUICtrlListBox_SetCaretIndex GUICtrlListBox_SetColumnWidth GUICtrlListBox_SetCurSel GUICtrlListBox_SetHorizontalExtent GUICtrlListBox_SetItemData GUICtrlListBox_SetItemHeight GUICtrlListBox_SetLocale GUICtrlListBox_SetSel GUICtrlListBox_SetTabStops GUICtrlListBox_SetTopIndex GUICtrlListBox_Sort GUICtrlListBox_SwapString GUICtrlListBox_UpdateHScroll GUICtrlListView_AddArray GUICtrlListView_AddColumn GUICtrlListView_AddItem GUICtrlListView_AddSubItem GUICtrlListView_ApproximateViewHeight GUICtrlListView_ApproximateViewRect GUICtrlListView_ApproximateViewWidth GUICtrlListView_Arrange GUICtrlListView_BeginUpdate GUICtrlListView_CancelEditLabel GUICtrlListView_ClickItem GUICtrlListView_CopyItems GUICtrlListView_Create GUICtrlListView_CreateDragImage GUICtrlListView_CreateSolidBitMap GUICtrlListView_DeleteAllItems GUICtrlListView_DeleteColumn GUICtrlListView_DeleteItem GUICtrlListView_DeleteItemsSelected GUICtrlListView_Destroy GUICtrlListView_DrawDragImage GUICtrlListView_EditLabel GUICtrlListView_EnableGroupView GUICtrlListView_EndUpdate GUICtrlListView_EnsureVisible GUICtrlListView_FindInText GUICtrlListView_FindItem GUICtrlListView_FindNearest GUICtrlListView_FindParam GUICtrlListView_FindText GUICtrlListView_GetBkColor GUICtrlListView_GetBkImage GUICtrlListView_GetCallbackMask GUICtrlListView_GetColumn GUICtrlListView_GetColumnCount GUICtrlListView_GetColumnOrder GUICtrlListView_GetColumnOrderArray GUICtrlListView_GetColumnWidth GUICtrlListView_GetCounterPage GUICtrlListView_GetEditControl GUICtrlListView_GetExtendedListViewStyle GUICtrlListView_GetFocusedGroup GUICtrlListView_GetGroupCount GUICtrlListView_GetGroupInfo GUICtrlListView_GetGroupInfoByIndex GUICtrlListView_GetGroupRect GUICtrlListView_GetGroupViewEnabled GUICtrlListView_GetHeader GUICtrlListView_GetHotCursor GUICtrlListView_GetHotItem GUICtrlListView_GetHoverTime GUICtrlListView_GetImageList GUICtrlListView_GetISearchString GUICtrlListView_GetItem GUICtrlListView_GetItemChecked GUICtrlListView_GetItemCount GUICtrlListView_GetItemCut GUICtrlListView_GetItemDropHilited GUICtrlListView_GetItemEx GUICtrlListView_GetItemFocused GUICtrlListView_GetItemGroupID GUICtrlListView_GetItemImage GUICtrlListView_GetItemIndent GUICtrlListView_GetItemParam GUICtrlListView_GetItemPosition GUICtrlListView_GetItemPositionX GUICtrlListView_GetItemPositionY GUICtrlListView_GetItemRect GUICtrlListView_GetItemRectEx GUICtrlListView_GetItemSelected GUICtrlListView_GetItemSpacing GUICtrlListView_GetItemSpacingX GUICtrlListView_GetItemSpacingY GUICtrlListView_GetItemState GUICtrlListView_GetItemStateImage GUICtrlListView_GetItemText GUICtrlListView_GetItemTextArray GUICtrlListView_GetItemTextString GUICtrlListView_GetNextItem GUICtrlListView_GetNumberOfWorkAreas GUICtrlListView_GetOrigin GUICtrlListView_GetOriginX GUICtrlListView_GetOriginY GUICtrlListView_GetOutlineColor GUICtrlListView_GetSelectedColumn GUICtrlListView_GetSelectedCount GUICtrlListView_GetSelectedIndices GUICtrlListView_GetSelectionMark GUICtrlListView_GetStringWidth GUICtrlListView_GetSubItemRect GUICtrlListView_GetTextBkColor GUICtrlListView_GetTextColor GUICtrlListView_GetToolTips GUICtrlListView_GetTopIndex GUICtrlListView_GetUnicodeFormat GUICtrlListView_GetView GUICtrlListView_GetViewDetails GUICtrlListView_GetViewLarge GUICtrlListView_GetViewList GUICtrlListView_GetViewRect GUICtrlListView_GetViewSmall GUICtrlListView_GetViewTile GUICtrlListView_HideColumn GUICtrlListView_HitTest GUICtrlListView_InsertColumn GUICtrlListView_InsertGroup GUICtrlListView_InsertItem GUICtrlListView_JustifyColumn GUICtrlListView_MapIDToIndex GUICtrlListView_MapIndexToID GUICtrlListView_RedrawItems GUICtrlListView_RegisterSortCallBack GUICtrlListView_RemoveAllGroups GUICtrlListView_RemoveGroup GUICtrlListView_Scroll GUICtrlListView_SetBkColor GUICtrlListView_SetBkImage GUICtrlListView_SetCallBackMask GUICtrlListView_SetColumn GUICtrlListView_SetColumnOrder GUICtrlListView_SetColumnOrderArray GUICtrlListView_SetColumnWidth GUICtrlListView_SetExtendedListViewStyle GUICtrlListView_SetGroupInfo GUICtrlListView_SetHotItem GUICtrlListView_SetHoverTime GUICtrlListView_SetIconSpacing GUICtrlListView_SetImageList GUICtrlListView_SetItem GUICtrlListView_SetItemChecked GUICtrlListView_SetItemCount GUICtrlListView_SetItemCut GUICtrlListView_SetItemDropHilited GUICtrlListView_SetItemEx GUICtrlListView_SetItemFocused GUICtrlListView_SetItemGroupID GUICtrlListView_SetItemImage GUICtrlListView_SetItemIndent GUICtrlListView_SetItemParam GUICtrlListView_SetItemPosition GUICtrlListView_SetItemPosition32 GUICtrlListView_SetItemSelected GUICtrlListView_SetItemState GUICtrlListView_SetItemStateImage GUICtrlListView_SetItemText GUICtrlListView_SetOutlineColor GUICtrlListView_SetSelectedColumn GUICtrlListView_SetSelectionMark GUICtrlListView_SetTextBkColor GUICtrlListView_SetTextColor GUICtrlListView_SetToolTips GUICtrlListView_SetUnicodeFormat GUICtrlListView_SetView GUICtrlListView_SetWorkAreas GUICtrlListView_SimpleSort GUICtrlListView_SortItems GUICtrlListView_SubItemHitTest GUICtrlListView_UnRegisterSortCallBack GUICtrlMenu_AddMenuItem GUICtrlMenu_AppendMenu GUICtrlMenu_CalculatePopupWindowPosition GUICtrlMenu_CheckMenuItem GUICtrlMenu_CheckRadioItem GUICtrlMenu_CreateMenu GUICtrlMenu_CreatePopup GUICtrlMenu_DeleteMenu GUICtrlMenu_DestroyMenu GUICtrlMenu_DrawMenuBar GUICtrlMenu_EnableMenuItem GUICtrlMenu_FindItem GUICtrlMenu_FindParent GUICtrlMenu_GetItemBmp GUICtrlMenu_GetItemBmpChecked GUICtrlMenu_GetItemBmpUnchecked GUICtrlMenu_GetItemChecked GUICtrlMenu_GetItemCount GUICtrlMenu_GetItemData GUICtrlMenu_GetItemDefault GUICtrlMenu_GetItemDisabled GUICtrlMenu_GetItemEnabled GUICtrlMenu_GetItemGrayed GUICtrlMenu_GetItemHighlighted GUICtrlMenu_GetItemID GUICtrlMenu_GetItemInfo GUICtrlMenu_GetItemRect GUICtrlMenu_GetItemRectEx GUICtrlMenu_GetItemState GUICtrlMenu_GetItemStateEx GUICtrlMenu_GetItemSubMenu GUICtrlMenu_GetItemText GUICtrlMenu_GetItemType GUICtrlMenu_GetMenu GUICtrlMenu_GetMenuBackground GUICtrlMenu_GetMenuBarInfo GUICtrlMenu_GetMenuContextHelpID GUICtrlMenu_GetMenuData GUICtrlMenu_GetMenuDefaultItem GUICtrlMenu_GetMenuHeight GUICtrlMenu_GetMenuInfo GUICtrlMenu_GetMenuStyle GUICtrlMenu_GetSystemMenu GUICtrlMenu_InsertMenuItem GUICtrlMenu_InsertMenuItemEx GUICtrlMenu_IsMenu GUICtrlMenu_LoadMenu GUICtrlMenu_MapAccelerator GUICtrlMenu_MenuItemFromPoint GUICtrlMenu_RemoveMenu GUICtrlMenu_SetItemBitmaps GUICtrlMenu_SetItemBmp GUICtrlMenu_SetItemBmpChecked GUICtrlMenu_SetItemBmpUnchecked GUICtrlMenu_SetItemChecked GUICtrlMenu_SetItemData GUICtrlMenu_SetItemDefault GUICtrlMenu_SetItemDisabled GUICtrlMenu_SetItemEnabled GUICtrlMenu_SetItemGrayed GUICtrlMenu_SetItemHighlighted GUICtrlMenu_SetItemID GUICtrlMenu_SetItemInfo GUICtrlMenu_SetItemState GUICtrlMenu_SetItemSubMenu GUICtrlMenu_SetItemText GUICtrlMenu_SetItemType GUICtrlMenu_SetMenu GUICtrlMenu_SetMenuBackground GUICtrlMenu_SetMenuContextHelpID GUICtrlMenu_SetMenuData GUICtrlMenu_SetMenuDefaultItem GUICtrlMenu_SetMenuHeight GUICtrlMenu_SetMenuInfo GUICtrlMenu_SetMenuStyle GUICtrlMenu_TrackPopupMenu GUICtrlMonthCal_Create GUICtrlMonthCal_Destroy GUICtrlMonthCal_GetCalendarBorder GUICtrlMonthCal_GetCalendarCount GUICtrlMonthCal_GetColor GUICtrlMonthCal_GetColorArray GUICtrlMonthCal_GetCurSel GUICtrlMonthCal_GetCurSelStr GUICtrlMonthCal_GetFirstDOW GUICtrlMonthCal_GetFirstDOWStr GUICtrlMonthCal_GetMaxSelCount GUICtrlMonthCal_GetMaxTodayWidth GUICtrlMonthCal_GetMinReqHeight GUICtrlMonthCal_GetMinReqRect GUICtrlMonthCal_GetMinReqRectArray GUICtrlMonthCal_GetMinReqWidth GUICtrlMonthCal_GetMonthDelta GUICtrlMonthCal_GetMonthRange GUICtrlMonthCal_GetMonthRangeMax GUICtrlMonthCal_GetMonthRangeMaxStr GUICtrlMonthCal_GetMonthRangeMin GUICtrlMonthCal_GetMonthRangeMinStr GUICtrlMonthCal_GetMonthRangeSpan GUICtrlMonthCal_GetRange GUICtrlMonthCal_GetRangeMax GUICtrlMonthCal_GetRangeMaxStr GUICtrlMonthCal_GetRangeMin GUICtrlMonthCal_GetRangeMinStr GUICtrlMonthCal_GetSelRange GUICtrlMonthCal_GetSelRangeMax GUICtrlMonthCal_GetSelRangeMaxStr GUICtrlMonthCal_GetSelRangeMin GUICtrlMonthCal_GetSelRangeMinStr GUICtrlMonthCal_GetToday GUICtrlMonthCal_GetTodayStr GUICtrlMonthCal_GetUnicodeFormat GUICtrlMonthCal_HitTest GUICtrlMonthCal_SetCalendarBorder GUICtrlMonthCal_SetColor GUICtrlMonthCal_SetCurSel GUICtrlMonthCal_SetDayState GUICtrlMonthCal_SetFirstDOW GUICtrlMonthCal_SetMaxSelCount GUICtrlMonthCal_SetMonthDelta GUICtrlMonthCal_SetRange GUICtrlMonthCal_SetSelRange GUICtrlMonthCal_SetToday GUICtrlMonthCal_SetUnicodeFormat GUICtrlRebar_AddBand GUICtrlRebar_AddToolBarBand GUICtrlRebar_BeginDrag GUICtrlRebar_Create GUICtrlRebar_DeleteBand GUICtrlRebar_Destroy GUICtrlRebar_DragMove GUICtrlRebar_EndDrag GUICtrlRebar_GetBandBackColor GUICtrlRebar_GetBandBorders GUICtrlRebar_GetBandBordersEx GUICtrlRebar_GetBandChildHandle GUICtrlRebar_GetBandChildSize GUICtrlRebar_GetBandCount GUICtrlRebar_GetBandForeColor GUICtrlRebar_GetBandHeaderSize GUICtrlRebar_GetBandID GUICtrlRebar_GetBandIdealSize GUICtrlRebar_GetBandLength GUICtrlRebar_GetBandLParam GUICtrlRebar_GetBandMargins GUICtrlRebar_GetBandMarginsEx GUICtrlRebar_GetBandRect GUICtrlRebar_GetBandRectEx GUICtrlRebar_GetBandStyle GUICtrlRebar_GetBandStyleBreak GUICtrlRebar_GetBandStyleChildEdge GUICtrlRebar_GetBandStyleFixedBMP GUICtrlRebar_GetBandStyleFixedSize GUICtrlRebar_GetBandStyleGripperAlways GUICtrlRebar_GetBandStyleHidden GUICtrlRebar_GetBandStyleHideTitle GUICtrlRebar_GetBandStyleNoGripper GUICtrlRebar_GetBandStyleTopAlign GUICtrlRebar_GetBandStyleUseChevron GUICtrlRebar_GetBandStyleVariableHeight GUICtrlRebar_GetBandText GUICtrlRebar_GetBarHeight GUICtrlRebar_GetBarInfo GUICtrlRebar_GetBKColor GUICtrlRebar_GetColorScheme GUICtrlRebar_GetRowCount GUICtrlRebar_GetRowHeight GUICtrlRebar_GetTextColor GUICtrlRebar_GetToolTips GUICtrlRebar_GetUnicodeFormat GUICtrlRebar_HitTest GUICtrlRebar_IDToIndex GUICtrlRebar_MaximizeBand GUICtrlRebar_MinimizeBand GUICtrlRebar_MoveBand GUICtrlRebar_SetBandBackColor GUICtrlRebar_SetBandForeColor GUICtrlRebar_SetBandHeaderSize GUICtrlRebar_SetBandID GUICtrlRebar_SetBandIdealSize GUICtrlRebar_SetBandLength GUICtrlRebar_SetBandLParam GUICtrlRebar_SetBandStyle GUICtrlRebar_SetBandStyleBreak GUICtrlRebar_SetBandStyleChildEdge GUICtrlRebar_SetBandStyleFixedBMP GUICtrlRebar_SetBandStyleFixedSize GUICtrlRebar_SetBandStyleGripperAlways GUICtrlRebar_SetBandStyleHidden GUICtrlRebar_SetBandStyleHideTitle GUICtrlRebar_SetBandStyleNoGripper GUICtrlRebar_SetBandStyleTopAlign GUICtrlRebar_SetBandStyleUseChevron GUICtrlRebar_SetBandStyleVariableHeight GUICtrlRebar_SetBandText GUICtrlRebar_SetBarInfo GUICtrlRebar_SetBKColor GUICtrlRebar_SetColorScheme GUICtrlRebar_SetTextColor GUICtrlRebar_SetToolTips GUICtrlRebar_SetUnicodeFormat GUICtrlRebar_ShowBand GUICtrlRichEdit_AppendText GUICtrlRichEdit_AutoDetectURL GUICtrlRichEdit_CanPaste GUICtrlRichEdit_CanPasteSpecial GUICtrlRichEdit_CanRedo GUICtrlRichEdit_CanUndo GUICtrlRichEdit_ChangeFontSize GUICtrlRichEdit_Copy GUICtrlRichEdit_Create GUICtrlRichEdit_Cut GUICtrlRichEdit_Deselect GUICtrlRichEdit_Destroy GUICtrlRichEdit_EmptyUndoBuffer GUICtrlRichEdit_FindText GUICtrlRichEdit_FindTextInRange GUICtrlRichEdit_GetBkColor GUICtrlRichEdit_GetCharAttributes GUICtrlRichEdit_GetCharBkColor GUICtrlRichEdit_GetCharColor GUICtrlRichEdit_GetCharPosFromXY GUICtrlRichEdit_GetCharPosOfNextWord GUICtrlRichEdit_GetCharPosOfPreviousWord GUICtrlRichEdit_GetCharWordBreakInfo GUICtrlRichEdit_GetFirstCharPosOnLine GUICtrlRichEdit_GetFont GUICtrlRichEdit_GetLineCount GUICtrlRichEdit_GetLineLength GUICtrlRichEdit_GetLineNumberFromCharPos GUICtrlRichEdit_GetNextRedo GUICtrlRichEdit_GetNextUndo GUICtrlRichEdit_GetNumberOfFirstVisibleLine GUICtrlRichEdit_GetParaAlignment GUICtrlRichEdit_GetParaAttributes GUICtrlRichEdit_GetParaBorder GUICtrlRichEdit_GetParaIndents GUICtrlRichEdit_GetParaNumbering GUICtrlRichEdit_GetParaShading GUICtrlRichEdit_GetParaSpacing GUICtrlRichEdit_GetParaTabStops GUICtrlRichEdit_GetPasswordChar GUICtrlRichEdit_GetRECT GUICtrlRichEdit_GetScrollPos GUICtrlRichEdit_GetSel GUICtrlRichEdit_GetSelAA GUICtrlRichEdit_GetSelText GUICtrlRichEdit_GetSpaceUnit GUICtrlRichEdit_GetText GUICtrlRichEdit_GetTextInLine GUICtrlRichEdit_GetTextInRange GUICtrlRichEdit_GetTextLength GUICtrlRichEdit_GetVersion GUICtrlRichEdit_GetXYFromCharPos GUICtrlRichEdit_GetZoom GUICtrlRichEdit_GotoCharPos GUICtrlRichEdit_HideSelection GUICtrlRichEdit_InsertText GUICtrlRichEdit_IsModified GUICtrlRichEdit_IsTextSelected GUICtrlRichEdit_Paste GUICtrlRichEdit_PasteSpecial GUICtrlRichEdit_PauseRedraw GUICtrlRichEdit_Redo GUICtrlRichEdit_ReplaceText GUICtrlRichEdit_ResumeRedraw GUICtrlRichEdit_ScrollLineOrPage GUICtrlRichEdit_ScrollLines GUICtrlRichEdit_ScrollToCaret GUICtrlRichEdit_SetBkColor GUICtrlRichEdit_SetCharAttributes GUICtrlRichEdit_SetCharBkColor GUICtrlRichEdit_SetCharColor GUICtrlRichEdit_SetEventMask GUICtrlRichEdit_SetFont GUICtrlRichEdit_SetLimitOnText GUICtrlRichEdit_SetModified GUICtrlRichEdit_SetParaAlignment GUICtrlRichEdit_SetParaAttributes GUICtrlRichEdit_SetParaBorder GUICtrlRichEdit_SetParaIndents GUICtrlRichEdit_SetParaNumbering GUICtrlRichEdit_SetParaShading GUICtrlRichEdit_SetParaSpacing GUICtrlRichEdit_SetParaTabStops GUICtrlRichEdit_SetPasswordChar GUICtrlRichEdit_SetReadOnly GUICtrlRichEdit_SetRECT GUICtrlRichEdit_SetScrollPos GUICtrlRichEdit_SetSel GUICtrlRichEdit_SetSpaceUnit GUICtrlRichEdit_SetTabStops GUICtrlRichEdit_SetText GUICtrlRichEdit_SetUndoLimit GUICtrlRichEdit_SetZoom GUICtrlRichEdit_StreamFromFile GUICtrlRichEdit_StreamFromVar GUICtrlRichEdit_StreamToFile GUICtrlRichEdit_StreamToVar GUICtrlRichEdit_Undo GUICtrlSlider_ClearSel GUICtrlSlider_ClearTics GUICtrlSlider_Create GUICtrlSlider_Destroy GUICtrlSlider_GetBuddy GUICtrlSlider_GetChannelRect GUICtrlSlider_GetChannelRectEx GUICtrlSlider_GetLineSize GUICtrlSlider_GetLogicalTics GUICtrlSlider_GetNumTics GUICtrlSlider_GetPageSize GUICtrlSlider_GetPos GUICtrlSlider_GetRange GUICtrlSlider_GetRangeMax GUICtrlSlider_GetRangeMin GUICtrlSlider_GetSel GUICtrlSlider_GetSelEnd GUICtrlSlider_GetSelStart GUICtrlSlider_GetThumbLength GUICtrlSlider_GetThumbRect GUICtrlSlider_GetThumbRectEx GUICtrlSlider_GetTic GUICtrlSlider_GetTicPos GUICtrlSlider_GetToolTips GUICtrlSlider_GetUnicodeFormat GUICtrlSlider_SetBuddy GUICtrlSlider_SetLineSize GUICtrlSlider_SetPageSize GUICtrlSlider_SetPos GUICtrlSlider_SetRange GUICtrlSlider_SetRangeMax GUICtrlSlider_SetRangeMin GUICtrlSlider_SetSel GUICtrlSlider_SetSelEnd GUICtrlSlider_SetSelStart GUICtrlSlider_SetThumbLength GUICtrlSlider_SetTic GUICtrlSlider_SetTicFreq GUICtrlSlider_SetTipSide GUICtrlSlider_SetToolTips GUICtrlSlider_SetUnicodeFormat GUICtrlStatusBar_Create GUICtrlStatusBar_Destroy GUICtrlStatusBar_EmbedControl GUICtrlStatusBar_GetBorders GUICtrlStatusBar_GetBordersHorz GUICtrlStatusBar_GetBordersRect GUICtrlStatusBar_GetBordersVert GUICtrlStatusBar_GetCount GUICtrlStatusBar_GetHeight GUICtrlStatusBar_GetIcon GUICtrlStatusBar_GetParts GUICtrlStatusBar_GetRect GUICtrlStatusBar_GetRectEx GUICtrlStatusBar_GetText GUICtrlStatusBar_GetTextFlags GUICtrlStatusBar_GetTextLength GUICtrlStatusBar_GetTextLengthEx GUICtrlStatusBar_GetTipText GUICtrlStatusBar_GetUnicodeFormat GUICtrlStatusBar_GetWidth GUICtrlStatusBar_IsSimple GUICtrlStatusBar_Resize GUICtrlStatusBar_SetBkColor GUICtrlStatusBar_SetIcon GUICtrlStatusBar_SetMinHeight GUICtrlStatusBar_SetParts GUICtrlStatusBar_SetSimple GUICtrlStatusBar_SetText GUICtrlStatusBar_SetTipText GUICtrlStatusBar_SetUnicodeFormat GUICtrlStatusBar_ShowHide GUICtrlTab_ActivateTab GUICtrlTab_ClickTab GUICtrlTab_Create GUICtrlTab_DeleteAllItems GUICtrlTab_DeleteItem GUICtrlTab_DeselectAll GUICtrlTab_Destroy GUICtrlTab_FindTab GUICtrlTab_GetCurFocus GUICtrlTab_GetCurSel GUICtrlTab_GetDisplayRect GUICtrlTab_GetDisplayRectEx GUICtrlTab_GetExtendedStyle GUICtrlTab_GetImageList GUICtrlTab_GetItem GUICtrlTab_GetItemCount GUICtrlTab_GetItemImage GUICtrlTab_GetItemParam GUICtrlTab_GetItemRect GUICtrlTab_GetItemRectEx GUICtrlTab_GetItemState GUICtrlTab_GetItemText GUICtrlTab_GetRowCount GUICtrlTab_GetToolTips GUICtrlTab_GetUnicodeFormat GUICtrlTab_HighlightItem GUICtrlTab_HitTest GUICtrlTab_InsertItem GUICtrlTab_RemoveImage GUICtrlTab_SetCurFocus GUICtrlTab_SetCurSel GUICtrlTab_SetExtendedStyle GUICtrlTab_SetImageList GUICtrlTab_SetItem GUICtrlTab_SetItemImage GUICtrlTab_SetItemParam GUICtrlTab_SetItemSize GUICtrlTab_SetItemState GUICtrlTab_SetItemText GUICtrlTab_SetMinTabWidth GUICtrlTab_SetPadding GUICtrlTab_SetToolTips GUICtrlTab_SetUnicodeFormat GUICtrlToolbar_AddBitmap GUICtrlToolbar_AddButton GUICtrlToolbar_AddButtonSep GUICtrlToolbar_AddString GUICtrlToolbar_ButtonCount GUICtrlToolbar_CheckButton GUICtrlToolbar_ClickAccel GUICtrlToolbar_ClickButton GUICtrlToolbar_ClickIndex GUICtrlToolbar_CommandToIndex GUICtrlToolbar_Create GUICtrlToolbar_Customize GUICtrlToolbar_DeleteButton GUICtrlToolbar_Destroy GUICtrlToolbar_EnableButton GUICtrlToolbar_FindToolbar GUICtrlToolbar_GetAnchorHighlight GUICtrlToolbar_GetBitmapFlags GUICtrlToolbar_GetButtonBitmap GUICtrlToolbar_GetButtonInfo GUICtrlToolbar_GetButtonInfoEx GUICtrlToolbar_GetButtonParam GUICtrlToolbar_GetButtonRect GUICtrlToolbar_GetButtonRectEx GUICtrlToolbar_GetButtonSize GUICtrlToolbar_GetButtonState GUICtrlToolbar_GetButtonStyle GUICtrlToolbar_GetButtonText GUICtrlToolbar_GetColorScheme GUICtrlToolbar_GetDisabledImageList GUICtrlToolbar_GetExtendedStyle GUICtrlToolbar_GetHotImageList GUICtrlToolbar_GetHotItem GUICtrlToolbar_GetImageList GUICtrlToolbar_GetInsertMark GUICtrlToolbar_GetInsertMarkColor GUICtrlToolbar_GetMaxSize GUICtrlToolbar_GetMetrics GUICtrlToolbar_GetPadding GUICtrlToolbar_GetRows GUICtrlToolbar_GetString GUICtrlToolbar_GetStyle GUICtrlToolbar_GetStyleAltDrag GUICtrlToolbar_GetStyleCustomErase GUICtrlToolbar_GetStyleFlat GUICtrlToolbar_GetStyleList GUICtrlToolbar_GetStyleRegisterDrop GUICtrlToolbar_GetStyleToolTips GUICtrlToolbar_GetStyleTransparent GUICtrlToolbar_GetStyleWrapable GUICtrlToolbar_GetTextRows GUICtrlToolbar_GetToolTips GUICtrlToolbar_GetUnicodeFormat GUICtrlToolbar_HideButton GUICtrlToolbar_HighlightButton GUICtrlToolbar_HitTest GUICtrlToolbar_IndexToCommand GUICtrlToolbar_InsertButton GUICtrlToolbar_InsertMarkHitTest GUICtrlToolbar_IsButtonChecked GUICtrlToolbar_IsButtonEnabled GUICtrlToolbar_IsButtonHidden GUICtrlToolbar_IsButtonHighlighted GUICtrlToolbar_IsButtonIndeterminate GUICtrlToolbar_IsButtonPressed GUICtrlToolbar_LoadBitmap GUICtrlToolbar_LoadImages GUICtrlToolbar_MapAccelerator GUICtrlToolbar_MoveButton GUICtrlToolbar_PressButton GUICtrlToolbar_SetAnchorHighlight GUICtrlToolbar_SetBitmapSize GUICtrlToolbar_SetButtonBitMap GUICtrlToolbar_SetButtonInfo GUICtrlToolbar_SetButtonInfoEx GUICtrlToolbar_SetButtonParam GUICtrlToolbar_SetButtonSize GUICtrlToolbar_SetButtonState GUICtrlToolbar_SetButtonStyle GUICtrlToolbar_SetButtonText GUICtrlToolbar_SetButtonWidth GUICtrlToolbar_SetCmdID GUICtrlToolbar_SetColorScheme GUICtrlToolbar_SetDisabledImageList GUICtrlToolbar_SetDrawTextFlags GUICtrlToolbar_SetExtendedStyle GUICtrlToolbar_SetHotImageList GUICtrlToolbar_SetHotItem GUICtrlToolbar_SetImageList GUICtrlToolbar_SetIndent GUICtrlToolbar_SetIndeterminate GUICtrlToolbar_SetInsertMark GUICtrlToolbar_SetInsertMarkColor GUICtrlToolbar_SetMaxTextRows GUICtrlToolbar_SetMetrics GUICtrlToolbar_SetPadding GUICtrlToolbar_SetParent GUICtrlToolbar_SetRows GUICtrlToolbar_SetStyle GUICtrlToolbar_SetStyleAltDrag GUICtrlToolbar_SetStyleCustomErase GUICtrlToolbar_SetStyleFlat GUICtrlToolbar_SetStyleList GUICtrlToolbar_SetStyleRegisterDrop GUICtrlToolbar_SetStyleToolTips GUICtrlToolbar_SetStyleTransparent GUICtrlToolbar_SetStyleWrapable GUICtrlToolbar_SetToolTips GUICtrlToolbar_SetUnicodeFormat GUICtrlToolbar_SetWindowTheme GUICtrlTreeView_Add GUICtrlTreeView_AddChild GUICtrlTreeView_AddChildFirst GUICtrlTreeView_AddFirst GUICtrlTreeView_BeginUpdate GUICtrlTreeView_ClickItem GUICtrlTreeView_Create GUICtrlTreeView_CreateDragImage GUICtrlTreeView_CreateSolidBitMap GUICtrlTreeView_Delete GUICtrlTreeView_DeleteAll GUICtrlTreeView_DeleteChildren GUICtrlTreeView_Destroy GUICtrlTreeView_DisplayRect GUICtrlTreeView_DisplayRectEx GUICtrlTreeView_EditText GUICtrlTreeView_EndEdit GUICtrlTreeView_EndUpdate GUICtrlTreeView_EnsureVisible GUICtrlTreeView_Expand GUICtrlTreeView_ExpandedOnce GUICtrlTreeView_FindItem GUICtrlTreeView_FindItemEx GUICtrlTreeView_GetBkColor GUICtrlTreeView_GetBold GUICtrlTreeView_GetChecked GUICtrlTreeView_GetChildCount GUICtrlTreeView_GetChildren GUICtrlTreeView_GetCount GUICtrlTreeView_GetCut GUICtrlTreeView_GetDropTarget GUICtrlTreeView_GetEditControl GUICtrlTreeView_GetExpanded GUICtrlTreeView_GetFirstChild GUICtrlTreeView_GetFirstItem GUICtrlTreeView_GetFirstVisible GUICtrlTreeView_GetFocused GUICtrlTreeView_GetHeight GUICtrlTreeView_GetImageIndex GUICtrlTreeView_GetImageListIconHandle GUICtrlTreeView_GetIndent GUICtrlTreeView_GetInsertMarkColor GUICtrlTreeView_GetISearchString GUICtrlTreeView_GetItemByIndex GUICtrlTreeView_GetItemHandle GUICtrlTreeView_GetItemParam GUICtrlTreeView_GetLastChild GUICtrlTreeView_GetLineColor GUICtrlTreeView_GetNext GUICtrlTreeView_GetNextChild GUICtrlTreeView_GetNextSibling GUICtrlTreeView_GetNextVisible GUICtrlTreeView_GetNormalImageList GUICtrlTreeView_GetParentHandle GUICtrlTreeView_GetParentParam GUICtrlTreeView_GetPrev GUICtrlTreeView_GetPrevChild GUICtrlTreeView_GetPrevSibling GUICtrlTreeView_GetPrevVisible GUICtrlTreeView_GetScrollTime GUICtrlTreeView_GetSelected GUICtrlTreeView_GetSelectedImageIndex GUICtrlTreeView_GetSelection GUICtrlTreeView_GetSiblingCount GUICtrlTreeView_GetState GUICtrlTreeView_GetStateImageIndex GUICtrlTreeView_GetStateImageList GUICtrlTreeView_GetText GUICtrlTreeView_GetTextColor GUICtrlTreeView_GetToolTips GUICtrlTreeView_GetTree GUICtrlTreeView_GetUnicodeFormat GUICtrlTreeView_GetVisible GUICtrlTreeView_GetVisibleCount GUICtrlTreeView_HitTest GUICtrlTreeView_HitTestEx GUICtrlTreeView_HitTestItem GUICtrlTreeView_Index GUICtrlTreeView_InsertItem GUICtrlTreeView_IsFirstItem GUICtrlTreeView_IsParent GUICtrlTreeView_Level GUICtrlTreeView_SelectItem GUICtrlTreeView_SelectItemByIndex GUICtrlTreeView_SetBkColor GUICtrlTreeView_SetBold GUICtrlTreeView_SetChecked GUICtrlTreeView_SetCheckedByIndex GUICtrlTreeView_SetChildren GUICtrlTreeView_SetCut GUICtrlTreeView_SetDropTarget GUICtrlTreeView_SetFocused GUICtrlTreeView_SetHeight GUICtrlTreeView_SetIcon GUICtrlTreeView_SetImageIndex GUICtrlTreeView_SetIndent GUICtrlTreeView_SetInsertMark GUICtrlTreeView_SetInsertMarkColor GUICtrlTreeView_SetItemHeight GUICtrlTreeView_SetItemParam GUICtrlTreeView_SetLineColor GUICtrlTreeView_SetNormalImageList GUICtrlTreeView_SetScrollTime GUICtrlTreeView_SetSelected GUICtrlTreeView_SetSelectedImageIndex GUICtrlTreeView_SetState GUICtrlTreeView_SetStateImageIndex GUICtrlTreeView_SetStateImageList GUICtrlTreeView_SetText GUICtrlTreeView_SetTextColor GUICtrlTreeView_SetToolTips GUICtrlTreeView_SetUnicodeFormat GUICtrlTreeView_Sort GUIImageList_Add GUIImageList_AddBitmap GUIImageList_AddIcon GUIImageList_AddMasked GUIImageList_BeginDrag GUIImageList_Copy GUIImageList_Create GUIImageList_Destroy GUIImageList_DestroyIcon GUIImageList_DragEnter GUIImageList_DragLeave GUIImageList_DragMove GUIImageList_Draw GUIImageList_DrawEx GUIImageList_Duplicate GUIImageList_EndDrag GUIImageList_GetBkColor GUIImageList_GetIcon GUIImageList_GetIconHeight GUIImageList_GetIconSize GUIImageList_GetIconSizeEx GUIImageList_GetIconWidth GUIImageList_GetImageCount GUIImageList_GetImageInfoEx GUIImageList_Remove GUIImageList_ReplaceIcon GUIImageList_SetBkColor GUIImageList_SetIconSize GUIImageList_SetImageCount GUIImageList_Swap GUIScrollBars_EnableScrollBar GUIScrollBars_GetScrollBarInfoEx GUIScrollBars_GetScrollBarRect GUIScrollBars_GetScrollBarRGState GUIScrollBars_GetScrollBarXYLineButton GUIScrollBars_GetScrollBarXYThumbBottom GUIScrollBars_GetScrollBarXYThumbTop GUIScrollBars_GetScrollInfo GUIScrollBars_GetScrollInfoEx GUIScrollBars_GetScrollInfoMax GUIScrollBars_GetScrollInfoMin GUIScrollBars_GetScrollInfoPage GUIScrollBars_GetScrollInfoPos GUIScrollBars_GetScrollInfoTrackPos GUIScrollBars_GetScrollPos GUIScrollBars_GetScrollRange GUIScrollBars_Init GUIScrollBars_ScrollWindow GUIScrollBars_SetScrollInfo GUIScrollBars_SetScrollInfoMax GUIScrollBars_SetScrollInfoMin GUIScrollBars_SetScrollInfoPage GUIScrollBars_SetScrollInfoPos GUIScrollBars_SetScrollRange GUIScrollBars_ShowScrollBar GUIToolTip_Activate GUIToolTip_AddTool GUIToolTip_AdjustRect GUIToolTip_BitsToTTF GUIToolTip_Create GUIToolTip_Deactivate GUIToolTip_DelTool GUIToolTip_Destroy GUIToolTip_EnumTools GUIToolTip_GetBubbleHeight GUIToolTip_GetBubbleSize GUIToolTip_GetBubbleWidth GUIToolTip_GetCurrentTool GUIToolTip_GetDelayTime GUIToolTip_GetMargin GUIToolTip_GetMarginEx GUIToolTip_GetMaxTipWidth GUIToolTip_GetText GUIToolTip_GetTipBkColor GUIToolTip_GetTipTextColor GUIToolTip_GetTitleBitMap GUIToolTip_GetTitleText GUIToolTip_GetToolCount GUIToolTip_GetToolInfo GUIToolTip_HitTest GUIToolTip_NewToolRect GUIToolTip_Pop GUIToolTip_PopUp GUIToolTip_SetDelayTime GUIToolTip_SetMargin GUIToolTip_SetMaxTipWidth GUIToolTip_SetTipBkColor GUIToolTip_SetTipTextColor GUIToolTip_SetTitle GUIToolTip_SetToolInfo GUIToolTip_SetWindowTheme GUIToolTip_ToolExists GUIToolTip_ToolToArray GUIToolTip_TrackActivate GUIToolTip_TrackPosition GUIToolTip_Update GUIToolTip_UpdateTipText HexToString IEAction IEAttach IEBodyReadHTML IEBodyReadText IEBodyWriteHTML IECreate IECreateEmbedded IEDocGetObj IEDocInsertHTML IEDocInsertText IEDocReadHTML IEDocWriteHTML IEErrorNotify IEFormElementCheckBoxSelect IEFormElementGetCollection IEFormElementGetObjByName IEFormElementGetValue IEFormElementOptionSelect IEFormElementRadioSelect IEFormElementSetValue IEFormGetCollection IEFormGetObjByName IEFormImageClick IEFormReset IEFormSubmit IEFrameGetCollection IEFrameGetObjByName IEGetObjById IEGetObjByName IEHeadInsertEventScript IEImgClick IEImgGetCollection IEIsFrameSet IELinkClickByIndex IELinkClickByText IELinkGetCollection IELoadWait IELoadWaitTimeout IENavigate IEPropertyGet IEPropertySet IEQuit IETableGetCollection IETableWriteToArray IETagNameAllGetCollection IETagNameGetCollection IE_Example IE_Introduction IE_VersionInfo INetExplorerCapable INetGetSource INetMail INetSmtpMail IsPressed MathCheckDiv Max MemGlobalAlloc MemGlobalFree MemGlobalLock MemGlobalSize MemGlobalUnlock MemMoveMemory MemVirtualAlloc MemVirtualAllocEx MemVirtualFree MemVirtualFreeEx Min MouseTrap NamedPipes_CallNamedPipe NamedPipes_ConnectNamedPipe NamedPipes_CreateNamedPipe NamedPipes_CreatePipe NamedPipes_DisconnectNamedPipe NamedPipes_GetNamedPipeHandleState NamedPipes_GetNamedPipeInfo NamedPipes_PeekNamedPipe NamedPipes_SetNamedPipeHandleState NamedPipes_TransactNamedPipe NamedPipes_WaitNamedPipe Net_Share_ConnectionEnum Net_Share_FileClose Net_Share_FileEnum Net_Share_FileGetInfo Net_Share_PermStr Net_Share_ResourceStr Net_Share_SessionDel Net_Share_SessionEnum Net_Share_SessionGetInfo Net_Share_ShareAdd Net_Share_ShareCheck Net_Share_ShareDel Net_Share_ShareEnum Net_Share_ShareGetInfo Net_Share_ShareSetInfo Net_Share_StatisticsGetSvr Net_Share_StatisticsGetWrk Now NowCalc NowCalcDate NowDate NowTime PathFull PathGetRelative PathMake PathSplit ProcessGetName ProcessGetPriority Radian ReplaceStringInFile RunDos ScreenCapture_Capture ScreenCapture_CaptureWnd ScreenCapture_SaveImage ScreenCapture_SetBMPFormat ScreenCapture_SetJPGQuality ScreenCapture_SetTIFColorDepth ScreenCapture_SetTIFCompression Security__AdjustTokenPrivileges Security__CreateProcessWithToken Security__DuplicateTokenEx Security__GetAccountSid Security__GetLengthSid Security__GetTokenInformation Security__ImpersonateSelf Security__IsValidSid Security__LookupAccountName Security__LookupAccountSid Security__LookupPrivilegeValue Security__OpenProcessToken Security__OpenThreadToken Security__OpenThreadTokenEx Security__SetPrivilege Security__SetTokenInformation Security__SidToStringSid Security__SidTypeStr Security__StringSidToSid SendMessage SendMessageA SetDate SetTime Singleton SoundClose SoundLength SoundOpen SoundPause SoundPlay SoundPos SoundResume SoundSeek SoundStatus SoundStop SQLite_Changes SQLite_Close SQLite_Display2DResult SQLite_Encode SQLite_ErrCode SQLite_ErrMsg SQLite_Escape SQLite_Exec SQLite_FastEncode SQLite_FastEscape SQLite_FetchData SQLite_FetchNames SQLite_GetTable SQLite_GetTable2d SQLite_LastInsertRowID SQLite_LibVersion SQLite_Open SQLite_Query SQLite_QueryFinalize SQLite_QueryReset SQLite_QuerySingleRow SQLite_SafeMode SQLite_SetTimeout SQLite_Shutdown SQLite_SQLiteExe SQLite_Startup SQLite_TotalChanges StringBetween StringExplode StringInsert StringProper StringRepeat StringTitleCase StringToHex TCPIpToName TempFile TicksToTime Timer_Diff Timer_GetIdleTime Timer_GetTimerID Timer_Init Timer_KillAllTimers Timer_KillTimer Timer_SetTimer TimeToTicks VersionCompare viClose viExecCommand viFindGpib viGpibBusReset viGTL viInteractiveControl viOpen viSetAttribute viSetTimeout WeekNumberISO WinAPI_AbortPath WinAPI_ActivateKeyboardLayout WinAPI_AddClipboardFormatListener WinAPI_AddFontMemResourceEx WinAPI_AddFontResourceEx WinAPI_AddIconOverlay WinAPI_AddIconTransparency WinAPI_AddMRUString WinAPI_AdjustBitmap WinAPI_AdjustTokenPrivileges WinAPI_AdjustWindowRectEx WinAPI_AlphaBlend WinAPI_AngleArc WinAPI_AnimateWindow WinAPI_Arc WinAPI_ArcTo WinAPI_ArrayToStruct WinAPI_AssignProcessToJobObject WinAPI_AssocGetPerceivedType WinAPI_AssocQueryString WinAPI_AttachConsole WinAPI_AttachThreadInput WinAPI_BackupRead WinAPI_BackupReadAbort WinAPI_BackupSeek WinAPI_BackupWrite WinAPI_BackupWriteAbort WinAPI_Beep WinAPI_BeginBufferedPaint WinAPI_BeginDeferWindowPos WinAPI_BeginPaint WinAPI_BeginPath WinAPI_BeginUpdateResource WinAPI_BitBlt WinAPI_BringWindowToTop WinAPI_BroadcastSystemMessage WinAPI_BrowseForFolderDlg WinAPI_BufferedPaintClear WinAPI_BufferedPaintInit WinAPI_BufferedPaintSetAlpha WinAPI_BufferedPaintUnInit WinAPI_CallNextHookEx WinAPI_CallWindowProc WinAPI_CallWindowProcW WinAPI_CascadeWindows WinAPI_ChangeWindowMessageFilterEx WinAPI_CharToOem WinAPI_ChildWindowFromPointEx WinAPI_ClientToScreen WinAPI_ClipCursor WinAPI_CloseDesktop WinAPI_CloseEnhMetaFile WinAPI_CloseFigure WinAPI_CloseHandle WinAPI_CloseThemeData WinAPI_CloseWindow WinAPI_CloseWindowStation WinAPI_CLSIDFromProgID WinAPI_CoInitialize WinAPI_ColorAdjustLuma WinAPI_ColorHLSToRGB WinAPI_ColorRGBToHLS WinAPI_CombineRgn WinAPI_CombineTransform WinAPI_CommandLineToArgv WinAPI_CommDlgExtendedError WinAPI_CommDlgExtendedErrorEx WinAPI_CompareString WinAPI_CompressBitmapBits WinAPI_CompressBuffer WinAPI_ComputeCrc32 WinAPI_ConfirmCredentials WinAPI_CopyBitmap WinAPI_CopyCursor WinAPI_CopyEnhMetaFile WinAPI_CopyFileEx WinAPI_CopyIcon WinAPI_CopyImage WinAPI_CopyRect WinAPI_CopyStruct WinAPI_CoTaskMemAlloc WinAPI_CoTaskMemFree WinAPI_CoTaskMemRealloc WinAPI_CoUninitialize WinAPI_Create32BitHBITMAP WinAPI_Create32BitHICON WinAPI_CreateANDBitmap WinAPI_CreateBitmap WinAPI_CreateBitmapIndirect WinAPI_CreateBrushIndirect WinAPI_CreateBuffer WinAPI_CreateBufferFromStruct WinAPI_CreateCaret WinAPI_CreateColorAdjustment WinAPI_CreateCompatibleBitmap WinAPI_CreateCompatibleBitmapEx WinAPI_CreateCompatibleDC WinAPI_CreateDesktop WinAPI_CreateDIB WinAPI_CreateDIBColorTable WinAPI_CreateDIBitmap WinAPI_CreateDIBSection WinAPI_CreateDirectory WinAPI_CreateDirectoryEx WinAPI_CreateEllipticRgn WinAPI_CreateEmptyIcon WinAPI_CreateEnhMetaFile WinAPI_CreateEvent WinAPI_CreateFile WinAPI_CreateFileEx WinAPI_CreateFileMapping WinAPI_CreateFont WinAPI_CreateFontEx WinAPI_CreateFontIndirect WinAPI_CreateGUID WinAPI_CreateHardLink WinAPI_CreateIcon WinAPI_CreateIconFromResourceEx WinAPI_CreateIconIndirect WinAPI_CreateJobObject WinAPI_CreateMargins WinAPI_CreateMRUList WinAPI_CreateMutex WinAPI_CreateNullRgn WinAPI_CreateNumberFormatInfo WinAPI_CreateObjectID WinAPI_CreatePen WinAPI_CreatePoint WinAPI_CreatePolygonRgn WinAPI_CreateProcess WinAPI_CreateProcessWithToken WinAPI_CreateRect WinAPI_CreateRectEx WinAPI_CreateRectRgn WinAPI_CreateRectRgnIndirect WinAPI_CreateRoundRectRgn WinAPI_CreateSemaphore WinAPI_CreateSize WinAPI_CreateSolidBitmap WinAPI_CreateSolidBrush WinAPI_CreateStreamOnHGlobal WinAPI_CreateString WinAPI_CreateSymbolicLink WinAPI_CreateTransform WinAPI_CreateWindowEx WinAPI_CreateWindowStation WinAPI_DecompressBuffer WinAPI_DecryptFile WinAPI_DeferWindowPos WinAPI_DefineDosDevice WinAPI_DefRawInputProc WinAPI_DefSubclassProc WinAPI_DefWindowProc WinAPI_DefWindowProcW WinAPI_DeleteDC WinAPI_DeleteEnhMetaFile WinAPI_DeleteFile WinAPI_DeleteObject WinAPI_DeleteObjectID WinAPI_DeleteVolumeMountPoint WinAPI_DeregisterShellHookWindow WinAPI_DestroyCaret WinAPI_DestroyCursor WinAPI_DestroyIcon WinAPI_DestroyWindow WinAPI_DeviceIoControl WinAPI_DisplayStruct WinAPI_DllGetVersion WinAPI_DllInstall WinAPI_DllUninstall WinAPI_DPtoLP WinAPI_DragAcceptFiles WinAPI_DragFinish WinAPI_DragQueryFileEx WinAPI_DragQueryPoint WinAPI_DrawAnimatedRects WinAPI_DrawBitmap WinAPI_DrawEdge WinAPI_DrawFocusRect WinAPI_DrawFrameControl WinAPI_DrawIcon WinAPI_DrawIconEx WinAPI_DrawLine WinAPI_DrawShadowText WinAPI_DrawText WinAPI_DrawThemeBackground WinAPI_DrawThemeEdge WinAPI_DrawThemeIcon WinAPI_DrawThemeParentBackground WinAPI_DrawThemeText WinAPI_DrawThemeTextEx WinAPI_DuplicateEncryptionInfoFile WinAPI_DuplicateHandle WinAPI_DuplicateTokenEx WinAPI_DwmDefWindowProc WinAPI_DwmEnableBlurBehindWindow WinAPI_DwmEnableComposition WinAPI_DwmExtendFrameIntoClientArea WinAPI_DwmGetColorizationColor WinAPI_DwmGetColorizationParameters WinAPI_DwmGetWindowAttribute WinAPI_DwmInvalidateIconicBitmaps WinAPI_DwmIsCompositionEnabled WinAPI_DwmQueryThumbnailSourceSize WinAPI_DwmRegisterThumbnail WinAPI_DwmSetColorizationParameters WinAPI_DwmSetIconicLivePreviewBitmap WinAPI_DwmSetIconicThumbnail WinAPI_DwmSetWindowAttribute WinAPI_DwmUnregisterThumbnail WinAPI_DwmUpdateThumbnailProperties WinAPI_DWordToFloat WinAPI_DWordToInt WinAPI_EjectMedia WinAPI_Ellipse WinAPI_EmptyWorkingSet WinAPI_EnableWindow WinAPI_EncryptFile WinAPI_EncryptionDisable WinAPI_EndBufferedPaint WinAPI_EndDeferWindowPos WinAPI_EndPaint WinAPI_EndPath WinAPI_EndUpdateResource WinAPI_EnumChildProcess WinAPI_EnumChildWindows WinAPI_EnumDesktops WinAPI_EnumDesktopWindows WinAPI_EnumDeviceDrivers WinAPI_EnumDisplayDevices WinAPI_EnumDisplayMonitors WinAPI_EnumDisplaySettings WinAPI_EnumDllProc WinAPI_EnumFiles WinAPI_EnumFileStreams WinAPI_EnumFontFamilies WinAPI_EnumHardLinks WinAPI_EnumMRUList WinAPI_EnumPageFiles WinAPI_EnumProcessHandles WinAPI_EnumProcessModules WinAPI_EnumProcessThreads WinAPI_EnumProcessWindows WinAPI_EnumRawInputDevices WinAPI_EnumResourceLanguages WinAPI_EnumResourceNames WinAPI_EnumResourceTypes WinAPI_EnumSystemGeoID WinAPI_EnumSystemLocales WinAPI_EnumUILanguages WinAPI_EnumWindows WinAPI_EnumWindowsPopup WinAPI_EnumWindowStations WinAPI_EnumWindowsTop WinAPI_EqualMemory WinAPI_EqualRect WinAPI_EqualRgn WinAPI_ExcludeClipRect WinAPI_ExpandEnvironmentStrings WinAPI_ExtCreatePen WinAPI_ExtCreateRegion WinAPI_ExtFloodFill WinAPI_ExtractIcon WinAPI_ExtractIconEx WinAPI_ExtSelectClipRgn WinAPI_FatalAppExit WinAPI_FatalExit WinAPI_FileEncryptionStatus WinAPI_FileExists WinAPI_FileIconInit WinAPI_FileInUse WinAPI_FillMemory WinAPI_FillPath WinAPI_FillRect WinAPI_FillRgn WinAPI_FindClose WinAPI_FindCloseChangeNotification WinAPI_FindExecutable WinAPI_FindFirstChangeNotification WinAPI_FindFirstFile WinAPI_FindFirstFileName WinAPI_FindFirstStream WinAPI_FindNextChangeNotification WinAPI_FindNextFile WinAPI_FindNextFileName WinAPI_FindNextStream WinAPI_FindResource WinAPI_FindResourceEx WinAPI_FindTextDlg WinAPI_FindWindow WinAPI_FlashWindow WinAPI_FlashWindowEx WinAPI_FlattenPath WinAPI_FloatToDWord WinAPI_FloatToInt WinAPI_FlushFileBuffers WinAPI_FlushFRBuffer WinAPI_FlushViewOfFile WinAPI_FormatDriveDlg WinAPI_FormatMessage WinAPI_FrameRect WinAPI_FrameRgn WinAPI_FreeLibrary WinAPI_FreeMemory WinAPI_FreeMRUList WinAPI_FreeResource WinAPI_GdiComment WinAPI_GetActiveWindow WinAPI_GetAllUsersProfileDirectory WinAPI_GetAncestor WinAPI_GetApplicationRestartSettings WinAPI_GetArcDirection WinAPI_GetAsyncKeyState WinAPI_GetBinaryType WinAPI_GetBitmapBits WinAPI_GetBitmapDimension WinAPI_GetBitmapDimensionEx WinAPI_GetBkColor WinAPI_GetBkMode WinAPI_GetBoundsRect WinAPI_GetBrushOrg WinAPI_GetBufferedPaintBits WinAPI_GetBufferedPaintDC WinAPI_GetBufferedPaintTargetDC WinAPI_GetBufferedPaintTargetRect WinAPI_GetBValue WinAPI_GetCaretBlinkTime WinAPI_GetCaretPos WinAPI_GetCDType WinAPI_GetClassInfoEx WinAPI_GetClassLongEx WinAPI_GetClassName WinAPI_GetClientHeight WinAPI_GetClientRect WinAPI_GetClientWidth WinAPI_GetClipboardSequenceNumber WinAPI_GetClipBox WinAPI_GetClipCursor WinAPI_GetClipRgn WinAPI_GetColorAdjustment WinAPI_GetCompressedFileSize WinAPI_GetCompression WinAPI_GetConnectedDlg WinAPI_GetCurrentDirectory WinAPI_GetCurrentHwProfile WinAPI_GetCurrentObject WinAPI_GetCurrentPosition WinAPI_GetCurrentProcess WinAPI_GetCurrentProcessExplicitAppUserModelID WinAPI_GetCurrentProcessID WinAPI_GetCurrentThemeName WinAPI_GetCurrentThread WinAPI_GetCurrentThreadId WinAPI_GetCursor WinAPI_GetCursorInfo WinAPI_GetDateFormat WinAPI_GetDC WinAPI_GetDCEx WinAPI_GetDefaultPrinter WinAPI_GetDefaultUserProfileDirectory WinAPI_GetDesktopWindow WinAPI_GetDeviceCaps WinAPI_GetDeviceDriverBaseName WinAPI_GetDeviceDriverFileName WinAPI_GetDeviceGammaRamp WinAPI_GetDIBColorTable WinAPI_GetDIBits WinAPI_GetDiskFreeSpaceEx WinAPI_GetDlgCtrlID WinAPI_GetDlgItem WinAPI_GetDllDirectory WinAPI_GetDriveBusType WinAPI_GetDriveGeometryEx WinAPI_GetDriveNumber WinAPI_GetDriveType WinAPI_GetDurationFormat WinAPI_GetEffectiveClientRect WinAPI_GetEnhMetaFile WinAPI_GetEnhMetaFileBits WinAPI_GetEnhMetaFileDescription WinAPI_GetEnhMetaFileDimension WinAPI_GetEnhMetaFileHeader WinAPI_GetErrorMessage WinAPI_GetErrorMode WinAPI_GetExitCodeProcess WinAPI_GetExtended WinAPI_GetFileAttributes WinAPI_GetFileID WinAPI_GetFileInformationByHandle WinAPI_GetFileInformationByHandleEx WinAPI_GetFilePointerEx WinAPI_GetFileSizeEx WinAPI_GetFileSizeOnDisk WinAPI_GetFileTitle WinAPI_GetFileType WinAPI_GetFileVersionInfo WinAPI_GetFinalPathNameByHandle WinAPI_GetFinalPathNameByHandleEx WinAPI_GetFocus WinAPI_GetFontMemoryResourceInfo WinAPI_GetFontName WinAPI_GetFontResourceInfo WinAPI_GetForegroundWindow WinAPI_GetFRBuffer WinAPI_GetFullPathName WinAPI_GetGeoInfo WinAPI_GetGlyphOutline WinAPI_GetGraphicsMode WinAPI_GetGuiResources WinAPI_GetGUIThreadInfo WinAPI_GetGValue WinAPI_GetHandleInformation WinAPI_GetHGlobalFromStream WinAPI_GetIconDimension WinAPI_GetIconInfo WinAPI_GetIconInfoEx WinAPI_GetIdleTime WinAPI_GetKeyboardLayout WinAPI_GetKeyboardLayoutList WinAPI_GetKeyboardState WinAPI_GetKeyboardType WinAPI_GetKeyNameText WinAPI_GetKeyState WinAPI_GetLastActivePopup WinAPI_GetLastError WinAPI_GetLastErrorMessage WinAPI_GetLayeredWindowAttributes WinAPI_GetLocaleInfo WinAPI_GetLogicalDrives WinAPI_GetMapMode WinAPI_GetMemorySize WinAPI_GetMessageExtraInfo WinAPI_GetModuleFileNameEx WinAPI_GetModuleHandle WinAPI_GetModuleHandleEx WinAPI_GetModuleInformation WinAPI_GetMonitorInfo WinAPI_GetMousePos WinAPI_GetMousePosX WinAPI_GetMousePosY WinAPI_GetMUILanguage WinAPI_GetNumberFormat WinAPI_GetObject WinAPI_GetObjectID WinAPI_GetObjectInfoByHandle WinAPI_GetObjectNameByHandle WinAPI_GetObjectType WinAPI_GetOpenFileName WinAPI_GetOutlineTextMetrics WinAPI_GetOverlappedResult WinAPI_GetParent WinAPI_GetParentProcess WinAPI_GetPerformanceInfo WinAPI_GetPEType WinAPI_GetPhysicallyInstalledSystemMemory WinAPI_GetPixel WinAPI_GetPolyFillMode WinAPI_GetPosFromRect WinAPI_GetPriorityClass WinAPI_GetProcAddress WinAPI_GetProcessAffinityMask WinAPI_GetProcessCommandLine WinAPI_GetProcessFileName WinAPI_GetProcessHandleCount WinAPI_GetProcessID WinAPI_GetProcessIoCounters WinAPI_GetProcessMemoryInfo WinAPI_GetProcessName WinAPI_GetProcessShutdownParameters WinAPI_GetProcessTimes WinAPI_GetProcessUser WinAPI_GetProcessWindowStation WinAPI_GetProcessWorkingDirectory WinAPI_GetProfilesDirectory WinAPI_GetPwrCapabilities WinAPI_GetRawInputBuffer WinAPI_GetRawInputBufferLength WinAPI_GetRawInputData WinAPI_GetRawInputDeviceInfo WinAPI_GetRegionData WinAPI_GetRegisteredRawInputDevices WinAPI_GetRegKeyNameByHandle WinAPI_GetRgnBox WinAPI_GetROP2 WinAPI_GetRValue WinAPI_GetSaveFileName WinAPI_GetShellWindow WinAPI_GetStartupInfo WinAPI_GetStdHandle WinAPI_GetStockObject WinAPI_GetStretchBltMode WinAPI_GetString WinAPI_GetSysColor WinAPI_GetSysColorBrush WinAPI_GetSystemDefaultLangID WinAPI_GetSystemDefaultLCID WinAPI_GetSystemDefaultUILanguage WinAPI_GetSystemDEPPolicy WinAPI_GetSystemInfo WinAPI_GetSystemMetrics WinAPI_GetSystemPowerStatus WinAPI_GetSystemTimes WinAPI_GetSystemWow64Directory WinAPI_GetTabbedTextExtent WinAPI_GetTempFileName WinAPI_GetTextAlign WinAPI_GetTextCharacterExtra WinAPI_GetTextColor WinAPI_GetTextExtentPoint32 WinAPI_GetTextFace WinAPI_GetTextMetrics WinAPI_GetThemeAppProperties WinAPI_GetThemeBackgroundContentRect WinAPI_GetThemeBackgroundExtent WinAPI_GetThemeBackgroundRegion WinAPI_GetThemeBitmap WinAPI_GetThemeBool WinAPI_GetThemeColor WinAPI_GetThemeDocumentationProperty WinAPI_GetThemeEnumValue WinAPI_GetThemeFilename WinAPI_GetThemeFont WinAPI_GetThemeInt WinAPI_GetThemeMargins WinAPI_GetThemeMetric WinAPI_GetThemePartSize WinAPI_GetThemePosition WinAPI_GetThemePropertyOrigin WinAPI_GetThemeRect WinAPI_GetThemeString WinAPI_GetThemeSysBool WinAPI_GetThemeSysColor WinAPI_GetThemeSysColorBrush WinAPI_GetThemeSysFont WinAPI_GetThemeSysInt WinAPI_GetThemeSysSize WinAPI_GetThemeSysString WinAPI_GetThemeTextExtent WinAPI_GetThemeTextMetrics WinAPI_GetThemeTransitionDuration WinAPI_GetThreadDesktop WinAPI_GetThreadErrorMode WinAPI_GetThreadLocale WinAPI_GetThreadUILanguage WinAPI_GetTickCount WinAPI_GetTickCount64 WinAPI_GetTimeFormat WinAPI_GetTopWindow WinAPI_GetUDFColorMode WinAPI_GetUpdateRect WinAPI_GetUpdateRgn WinAPI_GetUserDefaultLangID WinAPI_GetUserDefaultLCID WinAPI_GetUserDefaultUILanguage WinAPI_GetUserGeoID WinAPI_GetUserObjectInformation WinAPI_GetVersion WinAPI_GetVersionEx WinAPI_GetVolumeInformation WinAPI_GetVolumeInformationByHandle WinAPI_GetVolumeNameForVolumeMountPoint WinAPI_GetWindow WinAPI_GetWindowDC WinAPI_GetWindowDisplayAffinity WinAPI_GetWindowExt WinAPI_GetWindowFileName WinAPI_GetWindowHeight WinAPI_GetWindowInfo WinAPI_GetWindowLong WinAPI_GetWindowOrg WinAPI_GetWindowPlacement WinAPI_GetWindowRect WinAPI_GetWindowRgn WinAPI_GetWindowRgnBox WinAPI_GetWindowSubclass WinAPI_GetWindowText WinAPI_GetWindowTheme WinAPI_GetWindowThreadProcessId WinAPI_GetWindowWidth WinAPI_GetWorkArea WinAPI_GetWorldTransform WinAPI_GetXYFromPoint WinAPI_GlobalMemoryStatus WinAPI_GradientFill WinAPI_GUIDFromString WinAPI_GUIDFromStringEx WinAPI_HashData WinAPI_HashString WinAPI_HiByte WinAPI_HideCaret WinAPI_HiDWord WinAPI_HiWord WinAPI_InflateRect WinAPI_InitMUILanguage WinAPI_InProcess WinAPI_IntersectClipRect WinAPI_IntersectRect WinAPI_IntToDWord WinAPI_IntToFloat WinAPI_InvalidateRect WinAPI_InvalidateRgn WinAPI_InvertANDBitmap WinAPI_InvertColor WinAPI_InvertRect WinAPI_InvertRgn WinAPI_IOCTL WinAPI_IsAlphaBitmap WinAPI_IsBadCodePtr WinAPI_IsBadReadPtr WinAPI_IsBadStringPtr WinAPI_IsBadWritePtr WinAPI_IsChild WinAPI_IsClassName WinAPI_IsDoorOpen WinAPI_IsElevated WinAPI_IsHungAppWindow WinAPI_IsIconic WinAPI_IsInternetConnected WinAPI_IsLoadKBLayout WinAPI_IsMemory WinAPI_IsNameInExpression WinAPI_IsNetworkAlive WinAPI_IsPathShared WinAPI_IsProcessInJob WinAPI_IsProcessorFeaturePresent WinAPI_IsRectEmpty WinAPI_IsThemeActive WinAPI_IsThemeBackgroundPartiallyTransparent WinAPI_IsThemePartDefined WinAPI_IsValidLocale WinAPI_IsWindow WinAPI_IsWindowEnabled WinAPI_IsWindowUnicode WinAPI_IsWindowVisible WinAPI_IsWow64Process WinAPI_IsWritable WinAPI_IsZoomed WinAPI_Keybd_Event WinAPI_KillTimer WinAPI_LineDDA WinAPI_LineTo WinAPI_LoadBitmap WinAPI_LoadCursor WinAPI_LoadCursorFromFile WinAPI_LoadIcon WinAPI_LoadIconMetric WinAPI_LoadIconWithScaleDown WinAPI_LoadImage WinAPI_LoadIndirectString WinAPI_LoadKeyboardLayout WinAPI_LoadLibrary WinAPI_LoadLibraryEx WinAPI_LoadMedia WinAPI_LoadResource WinAPI_LoadShell32Icon WinAPI_LoadString WinAPI_LoadStringEx WinAPI_LoByte WinAPI_LocalFree WinAPI_LockDevice WinAPI_LockFile WinAPI_LockResource WinAPI_LockWindowUpdate WinAPI_LockWorkStation WinAPI_LoDWord WinAPI_LongMid WinAPI_LookupIconIdFromDirectoryEx WinAPI_LoWord WinAPI_LPtoDP WinAPI_MAKELANGID WinAPI_MAKELCID WinAPI_MakeLong WinAPI_MakeQWord WinAPI_MakeWord WinAPI_MapViewOfFile WinAPI_MapVirtualKey WinAPI_MaskBlt WinAPI_MessageBeep WinAPI_MessageBoxCheck WinAPI_MessageBoxIndirect WinAPI_MirrorIcon WinAPI_ModifyWorldTransform WinAPI_MonitorFromPoint WinAPI_MonitorFromRect WinAPI_MonitorFromWindow WinAPI_Mouse_Event WinAPI_MoveFileEx WinAPI_MoveMemory WinAPI_MoveTo WinAPI_MoveToEx WinAPI_MoveWindow WinAPI_MsgBox WinAPI_MulDiv WinAPI_MultiByteToWideChar WinAPI_MultiByteToWideCharEx WinAPI_NtStatusToDosError WinAPI_OemToChar WinAPI_OffsetClipRgn WinAPI_OffsetPoints WinAPI_OffsetRect WinAPI_OffsetRgn WinAPI_OffsetWindowOrg WinAPI_OpenDesktop WinAPI_OpenFileById WinAPI_OpenFileDlg WinAPI_OpenFileMapping WinAPI_OpenIcon WinAPI_OpenInputDesktop WinAPI_OpenJobObject WinAPI_OpenMutex WinAPI_OpenProcess WinAPI_OpenProcessToken WinAPI_OpenSemaphore WinAPI_OpenThemeData WinAPI_OpenWindowStation WinAPI_PageSetupDlg WinAPI_PaintDesktop WinAPI_PaintRgn WinAPI_ParseURL WinAPI_ParseUserName WinAPI_PatBlt WinAPI_PathAddBackslash WinAPI_PathAddExtension WinAPI_PathAppend WinAPI_PathBuildRoot WinAPI_PathCanonicalize WinAPI_PathCommonPrefix WinAPI_PathCompactPath WinAPI_PathCompactPathEx WinAPI_PathCreateFromUrl WinAPI_PathFindExtension WinAPI_PathFindFileName WinAPI_PathFindNextComponent WinAPI_PathFindOnPath WinAPI_PathGetArgs WinAPI_PathGetCharType WinAPI_PathGetDriveNumber WinAPI_PathIsContentType WinAPI_PathIsDirectory WinAPI_PathIsDirectoryEmpty WinAPI_PathIsExe WinAPI_PathIsFileSpec WinAPI_PathIsLFNFileSpec WinAPI_PathIsRelative WinAPI_PathIsRoot WinAPI_PathIsSameRoot WinAPI_PathIsSystemFolder WinAPI_PathIsUNC WinAPI_PathIsUNCServer WinAPI_PathIsUNCServerShare WinAPI_PathMakeSystemFolder WinAPI_PathMatchSpec WinAPI_PathParseIconLocation WinAPI_PathRelativePathTo WinAPI_PathRemoveArgs WinAPI_PathRemoveBackslash WinAPI_PathRemoveExtension WinAPI_PathRemoveFileSpec WinAPI_PathRenameExtension WinAPI_PathSearchAndQualify WinAPI_PathSkipRoot WinAPI_PathStripPath WinAPI_PathStripToRoot WinAPI_PathToRegion WinAPI_PathUndecorate WinAPI_PathUnExpandEnvStrings WinAPI_PathUnmakeSystemFolder WinAPI_PathUnquoteSpaces WinAPI_PathYetAnotherMakeUniqueName WinAPI_PickIconDlg WinAPI_PlayEnhMetaFile WinAPI_PlaySound WinAPI_PlgBlt WinAPI_PointFromRect WinAPI_PolyBezier WinAPI_PolyBezierTo WinAPI_PolyDraw WinAPI_Polygon WinAPI_PostMessage WinAPI_PrimaryLangId WinAPI_PrintDlg WinAPI_PrintDlgEx WinAPI_PrintWindow WinAPI_ProgIDFromCLSID WinAPI_PtInRect WinAPI_PtInRectEx WinAPI_PtInRegion WinAPI_PtVisible WinAPI_QueryDosDevice WinAPI_QueryInformationJobObject WinAPI_QueryPerformanceCounter WinAPI_QueryPerformanceFrequency WinAPI_RadialGradientFill WinAPI_ReadDirectoryChanges WinAPI_ReadFile WinAPI_ReadProcessMemory WinAPI_Rectangle WinAPI_RectInRegion WinAPI_RectIsEmpty WinAPI_RectVisible WinAPI_RedrawWindow WinAPI_RegCloseKey WinAPI_RegConnectRegistry WinAPI_RegCopyTree WinAPI_RegCopyTreeEx WinAPI_RegCreateKey WinAPI_RegDeleteEmptyKey WinAPI_RegDeleteKey WinAPI_RegDeleteKeyValue WinAPI_RegDeleteTree WinAPI_RegDeleteTreeEx WinAPI_RegDeleteValue WinAPI_RegDisableReflectionKey WinAPI_RegDuplicateHKey WinAPI_RegEnableReflectionKey WinAPI_RegEnumKey WinAPI_RegEnumValue WinAPI_RegFlushKey WinAPI_RegisterApplicationRestart WinAPI_RegisterClass WinAPI_RegisterClassEx WinAPI_RegisterHotKey WinAPI_RegisterPowerSettingNotification WinAPI_RegisterRawInputDevices WinAPI_RegisterShellHookWindow WinAPI_RegisterWindowMessage WinAPI_RegLoadMUIString WinAPI_RegNotifyChangeKeyValue WinAPI_RegOpenKey WinAPI_RegQueryInfoKey WinAPI_RegQueryLastWriteTime WinAPI_RegQueryMultipleValues WinAPI_RegQueryReflectionKey WinAPI_RegQueryValue WinAPI_RegRestoreKey WinAPI_RegSaveKey WinAPI_RegSetValue WinAPI_ReleaseCapture WinAPI_ReleaseDC WinAPI_ReleaseMutex WinAPI_ReleaseSemaphore WinAPI_ReleaseStream WinAPI_RemoveClipboardFormatListener WinAPI_RemoveDirectory WinAPI_RemoveFontMemResourceEx WinAPI_RemoveFontResourceEx WinAPI_RemoveWindowSubclass WinAPI_ReOpenFile WinAPI_ReplaceFile WinAPI_ReplaceTextDlg WinAPI_ResetEvent WinAPI_RestartDlg WinAPI_RestoreDC WinAPI_RGB WinAPI_RotatePoints WinAPI_RoundRect WinAPI_SaveDC WinAPI_SaveFileDlg WinAPI_SaveHBITMAPToFile WinAPI_SaveHICONToFile WinAPI_ScaleWindowExt WinAPI_ScreenToClient WinAPI_SearchPath WinAPI_SelectClipPath WinAPI_SelectClipRgn WinAPI_SelectObject WinAPI_SendMessageTimeout WinAPI_SetActiveWindow WinAPI_SetArcDirection WinAPI_SetBitmapBits WinAPI_SetBitmapDimensionEx WinAPI_SetBkColor WinAPI_SetBkMode WinAPI_SetBoundsRect WinAPI_SetBrushOrg WinAPI_SetCapture WinAPI_SetCaretBlinkTime WinAPI_SetCaretPos WinAPI_SetClassLongEx WinAPI_SetColorAdjustment WinAPI_SetCompression WinAPI_SetCurrentDirectory WinAPI_SetCurrentProcessExplicitAppUserModelID WinAPI_SetCursor WinAPI_SetDCBrushColor WinAPI_SetDCPenColor WinAPI_SetDefaultPrinter WinAPI_SetDeviceGammaRamp WinAPI_SetDIBColorTable WinAPI_SetDIBits WinAPI_SetDIBitsToDevice WinAPI_SetDllDirectory WinAPI_SetEndOfFile WinAPI_SetEnhMetaFileBits WinAPI_SetErrorMode WinAPI_SetEvent WinAPI_SetFileAttributes WinAPI_SetFileInformationByHandleEx WinAPI_SetFilePointer WinAPI_SetFilePointerEx WinAPI_SetFileShortName WinAPI_SetFileValidData WinAPI_SetFocus WinAPI_SetFont WinAPI_SetForegroundWindow WinAPI_SetFRBuffer WinAPI_SetGraphicsMode WinAPI_SetHandleInformation WinAPI_SetInformationJobObject WinAPI_SetKeyboardLayout WinAPI_SetKeyboardState WinAPI_SetLastError WinAPI_SetLayeredWindowAttributes WinAPI_SetLocaleInfo WinAPI_SetMapMode WinAPI_SetMessageExtraInfo WinAPI_SetParent WinAPI_SetPixel WinAPI_SetPolyFillMode WinAPI_SetPriorityClass WinAPI_SetProcessAffinityMask WinAPI_SetProcessShutdownParameters WinAPI_SetProcessWindowStation WinAPI_SetRectRgn WinAPI_SetROP2 WinAPI_SetSearchPathMode WinAPI_SetStretchBltMode WinAPI_SetSysColors WinAPI_SetSystemCursor WinAPI_SetTextAlign WinAPI_SetTextCharacterExtra WinAPI_SetTextColor WinAPI_SetTextJustification WinAPI_SetThemeAppProperties WinAPI_SetThreadDesktop WinAPI_SetThreadErrorMode WinAPI_SetThreadExecutionState WinAPI_SetThreadLocale WinAPI_SetThreadUILanguage WinAPI_SetTimer WinAPI_SetUDFColorMode WinAPI_SetUserGeoID WinAPI_SetUserObjectInformation WinAPI_SetVolumeMountPoint WinAPI_SetWindowDisplayAffinity WinAPI_SetWindowExt WinAPI_SetWindowLong WinAPI_SetWindowOrg WinAPI_SetWindowPlacement WinAPI_SetWindowPos WinAPI_SetWindowRgn WinAPI_SetWindowsHookEx WinAPI_SetWindowSubclass WinAPI_SetWindowText WinAPI_SetWindowTheme WinAPI_SetWinEventHook WinAPI_SetWorldTransform WinAPI_SfcIsFileProtected WinAPI_SfcIsKeyProtected WinAPI_ShellAboutDlg WinAPI_ShellAddToRecentDocs WinAPI_ShellChangeNotify WinAPI_ShellChangeNotifyDeregister WinAPI_ShellChangeNotifyRegister WinAPI_ShellCreateDirectory WinAPI_ShellEmptyRecycleBin WinAPI_ShellExecute WinAPI_ShellExecuteEx WinAPI_ShellExtractAssociatedIcon WinAPI_ShellExtractIcon WinAPI_ShellFileOperation WinAPI_ShellFlushSFCache WinAPI_ShellGetFileInfo WinAPI_ShellGetIconOverlayIndex WinAPI_ShellGetImageList WinAPI_ShellGetKnownFolderIDList WinAPI_ShellGetKnownFolderPath WinAPI_ShellGetLocalizedName WinAPI_ShellGetPathFromIDList WinAPI_ShellGetSetFolderCustomSettings WinAPI_ShellGetSettings WinAPI_ShellGetSpecialFolderLocation WinAPI_ShellGetSpecialFolderPath WinAPI_ShellGetStockIconInfo WinAPI_ShellILCreateFromPath WinAPI_ShellNotifyIcon WinAPI_ShellNotifyIconGetRect WinAPI_ShellObjectProperties WinAPI_ShellOpenFolderAndSelectItems WinAPI_ShellOpenWithDlg WinAPI_ShellQueryRecycleBin WinAPI_ShellQueryUserNotificationState WinAPI_ShellRemoveLocalizedName WinAPI_ShellRestricted WinAPI_ShellSetKnownFolderPath WinAPI_ShellSetLocalizedName WinAPI_ShellSetSettings WinAPI_ShellStartNetConnectionDlg WinAPI_ShellUpdateImage WinAPI_ShellUserAuthenticationDlg WinAPI_ShellUserAuthenticationDlgEx WinAPI_ShortToWord WinAPI_ShowCaret WinAPI_ShowCursor WinAPI_ShowError WinAPI_ShowLastError WinAPI_ShowMsg WinAPI_ShowOwnedPopups WinAPI_ShowWindow WinAPI_ShutdownBlockReasonCreate WinAPI_ShutdownBlockReasonDestroy WinAPI_ShutdownBlockReasonQuery WinAPI_SizeOfResource WinAPI_StretchBlt WinAPI_StretchDIBits WinAPI_StrFormatByteSize WinAPI_StrFormatByteSizeEx WinAPI_StrFormatKBSize WinAPI_StrFromTimeInterval WinAPI_StringFromGUID WinAPI_StringLenA WinAPI_StringLenW WinAPI_StrLen WinAPI_StrokeAndFillPath WinAPI_StrokePath WinAPI_StructToArray WinAPI_SubLangId WinAPI_SubtractRect WinAPI_SwapDWord WinAPI_SwapQWord WinAPI_SwapWord WinAPI_SwitchColor WinAPI_SwitchDesktop WinAPI_SwitchToThisWindow WinAPI_SystemParametersInfo WinAPI_TabbedTextOut WinAPI_TerminateJobObject WinAPI_TerminateProcess WinAPI_TextOut WinAPI_TileWindows WinAPI_TrackMouseEvent WinAPI_TransparentBlt WinAPI_TwipsPerPixelX WinAPI_TwipsPerPixelY WinAPI_UnhookWindowsHookEx WinAPI_UnhookWinEvent WinAPI_UnionRect WinAPI_UnionStruct WinAPI_UniqueHardwareID WinAPI_UnloadKeyboardLayout WinAPI_UnlockFile WinAPI_UnmapViewOfFile WinAPI_UnregisterApplicationRestart WinAPI_UnregisterClass WinAPI_UnregisterHotKey WinAPI_UnregisterPowerSettingNotification WinAPI_UpdateLayeredWindow WinAPI_UpdateLayeredWindowEx WinAPI_UpdateLayeredWindowIndirect WinAPI_UpdateResource WinAPI_UpdateWindow WinAPI_UrlApplyScheme WinAPI_UrlCanonicalize WinAPI_UrlCombine WinAPI_UrlCompare WinAPI_UrlCreateFromPath WinAPI_UrlFixup WinAPI_UrlGetPart WinAPI_UrlHash WinAPI_UrlIs WinAPI_UserHandleGrantAccess WinAPI_ValidateRect WinAPI_ValidateRgn WinAPI_VerQueryRoot WinAPI_VerQueryValue WinAPI_VerQueryValueEx WinAPI_WaitForInputIdle WinAPI_WaitForMultipleObjects WinAPI_WaitForSingleObject WinAPI_WideCharToMultiByte WinAPI_WidenPath WinAPI_WindowFromDC WinAPI_WindowFromPoint WinAPI_WordToShort WinAPI_Wow64EnableWow64FsRedirection WinAPI_WriteConsole WinAPI_WriteFile WinAPI_WriteProcessMemory WinAPI_ZeroMemory WinNet_AddConnection WinNet_AddConnection2 WinNet_AddConnection3 WinNet_CancelConnection WinNet_CancelConnection2 WinNet_CloseEnum WinNet_ConnectionDialog WinNet_ConnectionDialog1 WinNet_DisconnectDialog WinNet_DisconnectDialog1 WinNet_EnumResource WinNet_GetConnection WinNet_GetConnectionPerformance WinNet_GetLastError WinNet_GetNetworkInformation WinNet_GetProviderName WinNet_GetResourceInformation WinNet_GetResourceParent WinNet_GetUniversalName WinNet_GetUser WinNet_OpenEnum WinNet_RestoreConnection WinNet_UseConnection Word_Create Word_DocAdd Word_DocAttach Word_DocClose Word_DocExport Word_DocFind Word_DocFindReplace Word_DocGet Word_DocLinkAdd Word_DocLinkGet Word_DocOpen Word_DocPictureAdd Word_DocPrint Word_DocRangeSet Word_DocSave Word_DocSaveAs Word_DocTableRead Word_DocTableWrite Word_Quit",I={ v:[e.C(";","$",{r:0}),e.C("#cs","#ce"),e.C("#comments-start","#comments-end")]},n={cN:"variable",b:"\\$[A-z0-9_]+"},l={cN:"string",v:[{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]},o={v:[e.BNM,e.CNM]},a={cN:"preprocessor",b:"#",e:"$",k:"include include-once NoTrayIcon OnAutoItStartRegister RequireAdmin pragma Au3Stripper_Ignore_Funcs Au3Stripper_Ignore_Variables Au3Stripper_Off Au3Stripper_On Au3Stripper_Parameters AutoIt3Wrapper_Add_Constants AutoIt3Wrapper_Au3Check_Parameters AutoIt3Wrapper_Au3Check_Stop_OnWarning AutoIt3Wrapper_Aut2Exe AutoIt3Wrapper_AutoIt3 AutoIt3Wrapper_AutoIt3Dir AutoIt3Wrapper_Change2CUI AutoIt3Wrapper_Compile_Both AutoIt3Wrapper_Compression AutoIt3Wrapper_EndIf AutoIt3Wrapper_Icon AutoIt3Wrapper_If_Compile AutoIt3Wrapper_If_Run AutoIt3Wrapper_Jump_To_First_Error AutoIt3Wrapper_OutFile AutoIt3Wrapper_OutFile_Type AutoIt3Wrapper_OutFile_X64 AutoIt3Wrapper_PlugIn_Funcs AutoIt3Wrapper_Res_Comment Autoit3Wrapper_Res_Compatibility AutoIt3Wrapper_Res_Description AutoIt3Wrapper_Res_Field AutoIt3Wrapper_Res_File_Add AutoIt3Wrapper_Res_FileVersion AutoIt3Wrapper_Res_FileVersion_AutoIncrement AutoIt3Wrapper_Res_Icon_Add AutoIt3Wrapper_Res_Language AutoIt3Wrapper_Res_LegalCopyright AutoIt3Wrapper_Res_ProductVersion AutoIt3Wrapper_Res_requestedExecutionLevel AutoIt3Wrapper_Res_SaveSource AutoIt3Wrapper_Run_After AutoIt3Wrapper_Run_Au3Check AutoIt3Wrapper_Run_Au3Stripper AutoIt3Wrapper_Run_Before AutoIt3Wrapper_Run_Debug_Mode AutoIt3Wrapper_Run_SciTE_Minimized AutoIt3Wrapper_Run_SciTE_OutputPane_Minimized AutoIt3Wrapper_Run_Tidy AutoIt3Wrapper_ShowProgress AutoIt3Wrapper_Testing AutoIt3Wrapper_Tidy_Stop_OnError AutoIt3Wrapper_UPX_Parameters AutoIt3Wrapper_UseUPX AutoIt3Wrapper_UseX64 AutoIt3Wrapper_Version AutoIt3Wrapper_Versioning AutoIt3Wrapper_Versioning_Parameters Tidy_Off Tidy_On Tidy_Parameters EndRegion Region",c:[{b:/\\\n/,r:0},{bK:"include",e:"$",c:[l,{cN:"string",v:[{b:"<",e:">"},{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]}]},l,I]},_={cN:"constant",b:"@[A-z0-9_]+"},G={cN:"function",bK:"Func",e:"$",eE:!0,i:"\\$|\\[|%",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)",c:[n,l,o]}]};return{cI:!0,i:/\/\*/,k:{keyword:t,built_in:i,literal:r},c:[I,n,l,o,a,_,G]}});hljs.registerLanguage("gams",function(e){var s="abort acronym acronyms alias all and assign binary card diag display else1 eps eq equation equations file files for1 free ge gt if inf integer le loop lt maximizing minimizing model models na ne negative no not option options or ord parameter parameters positive prod putpage puttl repeat sameas scalar scalars semicont semiint set1 sets smax smin solve sos1 sos2 sum system table then until using variable variables while1 xor yes";return{aliases:["gms"],cI:!0,k:s,c:[{cN:"section",bK:"sets parameters variables equations",e:";",c:[{b:"/",e:"/",c:[e.NM]}]},{cN:"string",b:"\\*{3}",e:"\\*{3}"},e.NM,{cN:"number",b:"\\$[a-zA-Z0-9]+"}]}});hljs.registerLanguage("matlab",function(e){var a=[e.CNM,{cN:"string",b:"'",e:"'",c:[e.BE,{b:"''"}]}],s={r:0,c:[{cN:"operator",b:/'['\.]*/}]};return{k:{keyword:"break case catch classdef continue else elseif end enumerated events for function global if methods otherwise parfor persistent properties return spmd switch try while",built_in:"sin sind sinh asin asind asinh cos cosd cosh acos acosd acosh tan tand tanh atan atand atan2 atanh sec secd sech asec asecd asech csc cscd csch acsc acscd acsch cot cotd coth acot acotd acoth hypot exp expm1 log log1p log10 log2 pow2 realpow reallog realsqrt sqrt nthroot nextpow2 abs angle complex conj imag real unwrap isreal cplxpair fix floor ceil round mod rem sign airy besselj bessely besselh besseli besselk beta betainc betaln ellipj ellipke erf erfc erfcx erfinv expint gamma gammainc gammaln psi legendre cross dot factor isprime primes gcd lcm rat rats perms nchoosek factorial cart2sph cart2pol pol2cart sph2cart hsv2rgb rgb2hsv zeros ones eye repmat rand randn linspace logspace freqspace meshgrid accumarray size length ndims numel disp isempty isequal isequalwithequalnans cat reshape diag blkdiag tril triu fliplr flipud flipdim rot90 find sub2ind ind2sub bsxfun ndgrid permute ipermute shiftdim circshift squeeze isscalar isvector ans eps realmax realmin pi i inf nan isnan isinf isfinite j why compan gallery hadamard hankel hilb invhilb magic pascal rosser toeplitz vander wilkinson"},i:'(//|"|#|/\\*|\\s+/\\w+)',c:[{cN:"function",bK:"function",e:"$",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)"},{cN:"params",b:"\\[",e:"\\]"}]},{b:/[a-zA-Z_][a-zA-Z_0-9]*'['\.]*/,rB:!0,r:0,c:[{b:/[a-zA-Z_][a-zA-Z_0-9]*/,r:0},s.c[0]]},{cN:"matrix",b:"\\[",e:"\\]",c:a,r:0,starts:s},{cN:"cell",b:"\\{",e:/}/,c:a,r:0,starts:s},{b:/\)/,r:0,starts:s},e.C("^\\s*\\%\\{\\s*$","^\\s*\\%\\}\\s*$"),e.C("\\%","$")].concat(a)}});hljs.registerLanguage("python",function(e){var r={cN:"prompt",b:/^(>>>|\.\.\.) /},b={cN:"string",c:[e.BE],v:[{b:/(u|b)?r?'''/,e:/'''/,c:[r],r:10},{b:/(u|b)?r?"""/,e:/"""/,c:[r],r:10},{b:/(u|r|ur)'/,e:/'/,r:10},{b:/(u|r|ur)"/,e:/"/,r:10},{b:/(b|br)'/,e:/'/},{b:/(b|br)"/,e:/"/},e.ASM,e.QSM]},a={cN:"number",r:0,v:[{b:e.BNR+"[lLjJ]?"},{b:"\\b(0o[0-7]+)[lLjJ]?"},{b:e.CNR+"[lLjJ]?"}]},l={cN:"params",b:/\(/,e:/\)/,c:["self",r,a,b]};return{aliases:["py","gyp"],k:{keyword:"and elif is global as in if from raise for except finally print import pass return exec else break not with class assert yield try while continue del or def lambda async await nonlocal|10 None True False",built_in:"Ellipsis NotImplemented"},i:/(<\/|->|\?)/,c:[r,a,b,e.HCM,{v:[{cN:"function",bK:"def",r:10},{cN:"class",bK:"class"}],e:/:/,i:/[${=;\n,]/,c:[e.UTM,l]},{cN:"decorator",b:/^[\t ]*@/,e:/$/},{b:/\b(print|exec)\(/}]}});hljs.registerLanguage("lisp",function(b){var e="[a-zA-Z_\\-\\+\\*\\/\\<\\=\\>\\&\\#][a-zA-Z0-9_\\-\\+\\*\\/\\<\\=\\>\\&\\#!]*",c="\\|[^]*?\\|",r="(\\-|\\+)?\\d+(\\.\\d+|\\/\\d+)?((d|e|f|l|s|D|E|F|L|S)(\\+|\\-)?\\d+)?",a={cN:"shebang",b:"^#!",e:"$"},i={cN:"literal",b:"\\b(t{1}|nil)\\b"},l={cN:"number",v:[{b:r,r:0},{b:"#(b|B)[0-1]+(/[0-1]+)?"},{b:"#(o|O)[0-7]+(/[0-7]+)?"},{b:"#(x|X)[0-9a-fA-F]+(/[0-9a-fA-F]+)?"},{b:"#(c|C)\\("+r+" +"+r,e:"\\)"}]},t=b.inherit(b.QSM,{i:null}),d=b.C(";","$",{r:0}),n={cN:"variable",b:"\\*",e:"\\*"},u={cN:"keyword",b:"[:&]"+e},N={b:e,r:0},o={b:c},s={b:"\\(",e:"\\)",c:["self",i,t,l,N]},v={cN:"quoted",c:[l,t,n,u,s,N],v:[{b:"['`]\\(",e:"\\)"},{b:"\\(quote ",e:"\\)",k:"quote"},{b:"'"+c}]},f={cN:"quoted",v:[{b:"'"+e},{b:"#'"+e+"(::"+e+")*"}]},g={cN:"list",b:"\\(\\s*",e:"\\)"},q={eW:!0,r:0};return g.c=[{cN:"keyword",v:[{b:e},{b:c}]},q],q.c=[v,f,g,i,l,t,d,n,u,o,N],{i:/\S/,c:[l,a,i,t,d,v,f,g,N]}});hljs.registerLanguage("golo",function(e){return{k:{keyword:"println readln print import module function local return let var while for foreach times in case when match with break continue augment augmentation each find filter reduce if then else otherwise try catch finally raise throw orIfNull",typename:"DynamicObject|10 DynamicVariable struct Observable map set vector list array",literal:"true false null"},c:[e.HCM,e.QSM,e.CNM,{cN:"annotation",b:"@[A-Za-z]+"}]}});hljs.registerLanguage("lua",function(e){var t="\\[=*\\[",a="\\]=*\\]",r={b:t,e:a,c:["self"]},n=[e.C("--(?!"+t+")","$"),e.C("--"+t,a,{c:[r],r:10})];return{l:e.UIR,k:{keyword:"and break do else elseif end false for if in local nil not or repeat return then true until while",built_in:"_G _VERSION assert collectgarbage dofile error getfenv getmetatable ipairs load loadfile loadstring module next pairs pcall print rawequal rawget rawset require select setfenv setmetatable tonumber tostring type unpack xpcall coroutine debug io math os package string table"},c:n.concat([{cN:"function",bK:"function",e:"\\)",c:[e.inherit(e.TM,{b:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),{cN:"params",b:"\\(",eW:!0,c:n}].concat(n)},e.CNM,e.ASM,e.QSM,{cN:"string",b:t,e:a,c:[r],r:5}])}});hljs.registerLanguage("dos",function(e){var r=e.C(/@?rem\b/,/$/,{r:10}),t={cN:"label",b:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)",r:0};return{aliases:["bat","cmd"],cI:!0,i:/\/\*/,k:{flow:"if else goto for in do call exit not exist errorlevel defined",operator:"equ neq lss leq gtr geq",keyword:"shift cd dir echo setlocal endlocal set pause copy",stream:"prn nul lpt3 lpt2 lpt1 con com4 com3 com2 com1 aux",winutils:"ping net ipconfig taskkill xcopy ren del",built_in:"append assoc at attrib break cacls cd chcp chdir chkdsk chkntfs cls cmd color comp compact convert date dir diskcomp diskcopy doskey erase fs find findstr format ftype graftabl help keyb label md mkdir mode more move path pause print popd pushd promt rd recover rem rename replace restore rmdir shiftsort start subst time title tree type ver verify vol"},c:[{cN:"envvar",b:/%%[^ ]|%[^ ]+?%|![^ ]+?!/},{cN:"function",b:t.b,e:"goto:eof",c:[e.inherit(e.TM,{b:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),r]},{cN:"number",b:"\\b\\d+",r:0},r]}});hljs.registerLanguage("perl",function(e){var t="getpwent getservent quotemeta msgrcv scalar kill dbmclose undef lc ma syswrite tr send umask sysopen shmwrite vec qx utime local oct semctl localtime readpipe do return format read sprintf dbmopen pop getpgrp not getpwnam rewinddir qqfileno qw endprotoent wait sethostent bless s|0 opendir continue each sleep endgrent shutdown dump chomp connect getsockname die socketpair close flock exists index shmgetsub for endpwent redo lstat msgctl setpgrp abs exit select print ref gethostbyaddr unshift fcntl syscall goto getnetbyaddr join gmtime symlink semget splice x|0 getpeername recv log setsockopt cos last reverse gethostbyname getgrnam study formline endhostent times chop length gethostent getnetent pack getprotoent getservbyname rand mkdir pos chmod y|0 substr endnetent printf next open msgsnd readdir use unlink getsockopt getpriority rindex wantarray hex system getservbyport endservent int chr untie rmdir prototype tell listen fork shmread ucfirst setprotoent else sysseek link getgrgid shmctl waitpid unpack getnetbyname reset chdir grep split require caller lcfirst until warn while values shift telldir getpwuid my getprotobynumber delete and sort uc defined srand accept package seekdir getprotobyname semop our rename seek if q|0 chroot sysread setpwent no crypt getc chown sqrt write setnetent setpriority foreach tie sin msgget map stat getlogin unless elsif truncate exec keys glob tied closedirioctl socket readlink eval xor readline binmode setservent eof ord bind alarm pipe atan2 getgrent exp time push setgrent gt lt or ne m|0 break given say state when",r={cN:"subst",b:"[$@]\\{",e:"\\}",k:t},s={b:"->{",e:"}"},n={cN:"variable",v:[{b:/\$\d/},{b:/[\$%@](\^\w\b|#\w+(::\w+)*|{\w+}|\w+(::\w*)*)/},{b:/[\$%@][^\s\w{]/,r:0}]},o=[e.BE,r,n],i=[n,e.HCM,e.C("^\\=\\w","\\=cut",{eW:!0}),s,{cN:"string",c:o,v:[{b:"q[qwxr]?\\s*\\(",e:"\\)",r:5},{b:"q[qwxr]?\\s*\\[",e:"\\]",r:5},{b:"q[qwxr]?\\s*\\{",e:"\\}",r:5},{b:"q[qwxr]?\\s*\\|",e:"\\|",r:5},{b:"q[qwxr]?\\s*\\<",e:"\\>",r:5},{b:"qw\\s+q",e:"q",r:5},{b:"'",e:"'",c:[e.BE]},{b:'"',e:'"'},{b:"`",e:"`",c:[e.BE]},{b:"{\\w+}",c:[],r:0},{b:"-?\\w+\\s*\\=\\>",c:[],r:0}]},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},{b:"(\\/\\/|"+e.RSR+"|\\b(split|return|print|reverse|grep)\\b)\\s*",k:"split return print reverse grep",r:0,c:[e.HCM,{cN:"regexp",b:"(s|tr|y)/(\\\\.|[^/])*/(\\\\.|[^/])*/[a-z]*",r:10},{cN:"regexp",b:"(m|qr)?/",e:"/[a-z]*",c:[e.BE],r:0}]},{cN:"sub",bK:"sub",e:"(\\s*\\(.*?\\))?[;{]",r:5},{cN:"operator",b:"-\\w\\b",r:0},{b:"^__DATA__$",e:"^__END__$",sL:"mojolicious",c:[{b:"^@@.*",e:"$",cN:"comment"}]}];return r.c=i,s.c=i,{aliases:["pl"],k:t,c:i}});hljs.registerLanguage("protobuf",function(e){return{k:{keyword:"package import option optional required repeated group",built_in:"double float int32 int64 uint32 uint64 sint32 sint64 fixed32 fixed64 sfixed32 sfixed64 bool string bytes",literal:"true false"},c:[e.QSM,e.NM,e.CLCM,{cN:"class",bK:"message enum service",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]},{cN:"function",bK:"rpc",e:/;/,eE:!0,k:"rpc returns"},{cN:"constant",b:/^\s*[A-Z_]+/,e:/\s*=/,eE:!0}]}});hljs.registerLanguage("accesslog",function(T){return{c:[{cN:"number",b:"\\b\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}(:\\d{1,5})?\\b"},{cN:"number",b:"\\b\\d+\\b",r:0},{cN:"string",b:'"(GET|POST|HEAD|PUT|DELETE|CONNECT|OPTIONS|PATCH|TRACE)',e:'"',k:"GET POST HEAD PUT DELETE CONNECT OPTIONS PATCH TRACE",i:"\\n",r:10},{cN:"string",b:/\[/,e:/\]/,i:"\\n"},{cN:"string",b:'"',e:'"',i:"\\n"}]}});hljs.registerLanguage("java",function(e){var a=e.UIR+"(<"+e.UIR+">)?",t="false synchronized int abstract float private char boolean static null if const for true while long strictfp finally protected import native final void enum else break transient catch instanceof byte super volatile case assert short package default double public try this switch continue throws protected public private",c="\\b(0[bB]([01]+[01_]+[01]+|[01]+)|0[xX]([a-fA-F0-9]+[a-fA-F0-9_]+[a-fA-F0-9]+|[a-fA-F0-9]+)|(([\\d]+[\\d_]+[\\d]+|[\\d]+)(\\.([\\d]+[\\d_]+[\\d]+|[\\d]+))?|\\.([\\d]+[\\d_]+[\\d]+|[\\d]+))([eE][-+]?\\d+)?)[lLfF]?",r={cN:"number",b:c,r:0};return{aliases:["jsp"],k:t,i:/<\/|#/,c:[e.C("/\\*\\*","\\*/",{r:0,c:[{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,e.ASM,e.QSM,{cN:"class",bK:"class interface",e:/[{;=]/,eE:!0,k:"class interface",i:/[:"\[\]]/,c:[{bK:"extends implements"},e.UTM]},{bK:"new throw return else",r:0},{cN:"function",b:"("+a+"\\s+)+"+e.UIR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:t,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"params",b:/\(/,e:/\)/,k:t,r:0,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]},r,{cN:"annotation",b:"@[A-Za-z]+"}]}});hljs.registerLanguage("vala",function(e){return{k:{keyword:"char uchar unichar int uint long ulong short ushort int8 int16 int32 int64 uint8 uint16 uint32 uint64 float double bool struct enum string void weak unowned owned async signal static abstract interface override while do for foreach else switch case break default return try catch public private protected internal using new this get set const stdout stdin stderr var",built_in:"DBus GLib CCode Gee Object",literal:"false true null"},c:[{cN:"class",bK:"class interface delegate namespace",e:"{",eE:!0,i:"[^,:\\n\\s\\.]",c:[e.UTM]},e.CLCM,e.CBCM,{cN:"string",b:'"""',e:'"""',r:5},e.ASM,e.QSM,e.CNM,{cN:"preprocessor",b:"^#",e:"$",r:2},{cN:"constant",b:" [A-Z_]+ ",r:0}]}});hljs.registerLanguage("tcl",function(e){return{aliases:["tk"],k:"after append apply array auto_execok auto_import auto_load auto_mkindex auto_mkindex_old auto_qualify auto_reset bgerror binary break catch cd chan clock close concat continue dde dict encoding eof error eval exec exit expr fblocked fconfigure fcopy file fileevent filename flush for foreach format gets glob global history http if incr info interp join lappend|10 lassign|10 lindex|10 linsert|10 list llength|10 load lrange|10 lrepeat|10 lreplace|10 lreverse|10 lsearch|10 lset|10 lsort|10 mathfunc mathop memory msgcat namespace open package parray pid pkg::create pkg_mkIndex platform platform::shell proc puts pwd read refchan regexp registry regsub|10 rename return safe scan seek set socket source split string subst switch tcl_endOfWord tcl_findLibrary tcl_startOfNextWord tcl_startOfPreviousWord tcl_wordBreakAfter tcl_wordBreakBefore tcltest tclvars tell time tm trace unknown unload unset update uplevel upvar variable vwait while",c:[e.C(";[ \\t]*#","$"),e.C("^[ \\t]*#","$"),{bK:"proc",e:"[\\{]",eE:!0,c:[{cN:"symbol",b:"[ \\t\\n\\r]+(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",e:"[ \\t\\n\\r]",eW:!0,eE:!0}]},{cN:"variable",eE:!0,v:[{b:"\\$(\\{)?(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*\\(([a-zA-Z0-9_])*\\)",e:"[^a-zA-Z0-9_\\}\\$]"},{b:"\\$(\\{)?(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",e:"(\\))?[^a-zA-Z0-9_\\}\\$]"}]},{cN:"string",c:[e.BE],v:[e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},{cN:"number",v:[e.BNM,e.CNM]}]}});hljs.registerLanguage("haml",function(s){return{cI:!0,c:[{cN:"doctype",b:"^!!!( (5|1\\.1|Strict|Frameset|Basic|Mobile|RDFa|XML\\b.*))?$",r:10},s.C("^\\s*(!=#|=#|-#|/).*$",!1,{r:0}),{b:"^\\s*(-|=|!=)(?!#)",starts:{e:"\\n",sL:"ruby"}},{cN:"tag",b:"^\\s*%",c:[{cN:"title",b:"\\w+"},{cN:"value",b:"[#\\.][\\w-]+"},{b:"{\\s*",e:"\\s*}",eE:!0,c:[{b:":\\w+\\s*=>",e:",\\s+",rB:!0,eW:!0,c:[{cN:"symbol",b:":\\w+"},s.ASM,s.QSM,{b:"\\w+",r:0}]}]},{b:"\\(\\s*",e:"\\s*\\)",eE:!0,c:[{b:"\\w+\\s*=",e:"\\s+",rB:!0,eW:!0,c:[{cN:"attribute",b:"\\w+",r:0},s.ASM,s.QSM,{b:"\\w+",r:0}]}]}]},{cN:"bullet",b:"^\\s*[=~]\\s*",r:0},{b:"#{",starts:{e:"}",sL:"ruby"}}]}});hljs.registerLanguage("autohotkey",function(e){var r={cN:"escape",b:"`[\\s\\S]"},c=e.C(";","$",{r:0}),n=[{cN:"built_in",b:"A_[a-zA-Z0-9]+"},{cN:"built_in",bK:"ComSpec Clipboard ClipboardAll ErrorLevel"}];return{cI:!0,k:{keyword:"Break Continue Else Gosub If Loop Return While",literal:"A true false NOT AND OR"},c:n.concat([r,e.inherit(e.QSM,{c:[r]}),c,{cN:"number",b:e.NR,r:0},{cN:"var_expand",b:"%",e:"%",i:"\\n",c:[r]},{cN:"label",c:[r],v:[{b:'^[^\\n";]+::(?!=)'},{b:'^[^\\n";]+:(?!=)',r:0}]},{b:",\\s*,",r:10}])}});hljs.registerLanguage("nimrod",function(t){return{aliases:["nim"],k:{keyword:"addr and as asm bind block break|0 case|0 cast const|0 continue|0 converter discard distinct|10 div do elif else|0 end|0 enum|0 except export finally for from generic if|0 import|0 in include|0 interface is isnot|10 iterator|10 let|0 macro method|10 mixin mod nil not notin|10 object|0 of or out proc|10 ptr raise ref|10 return shl shr static template try|0 tuple type|0 using|0 var|0 when while|0 with without xor yield",literal:"shared guarded stdin stdout stderr result|10 true false"},c:[{cN:"decorator",b:/{\./,e:/\.}/,r:10},{cN:"string",b:/[a-zA-Z]\w*"/,e:/"/,c:[{b:/""/}]},{cN:"string",b:/([a-zA-Z]\w*)?"""/,e:/"""/},t.QSM,{cN:"type",b:/\b[A-Z]\w+\b/,r:0},{cN:"type",b:/\b(int|int8|int16|int32|int64|uint|uint8|uint16|uint32|uint64|float|float32|float64|bool|char|string|cstring|pointer|expr|stmt|void|auto|any|range|array|openarray|varargs|seq|set|clong|culong|cchar|cschar|cshort|cint|csize|clonglong|cfloat|cdouble|clongdouble|cuchar|cushort|cuint|culonglong|cstringarray|semistatic)\b/},{cN:"number",b:/\b(0[xX][0-9a-fA-F][_0-9a-fA-F]*)('?[iIuU](8|16|32|64))?/,r:0},{cN:"number",b:/\b(0o[0-7][_0-7]*)('?[iIuUfF](8|16|32|64))?/,r:0},{cN:"number",b:/\b(0(b|B)[01][_01]*)('?[iIuUfF](8|16|32|64))?/,r:0},{cN:"number",b:/\b(\d[_\d]*)('?[iIuUfF](8|16|32|64))?/,r:0},t.HCM]}});hljs.registerLanguage("mizar",function(e){return{k:"environ vocabularies notations constructors definitions registrations theorems schemes requirements begin end definition registration cluster existence pred func defpred deffunc theorem proof let take assume then thus hence ex for st holds consider reconsider such that and in provided of as from be being by means equals implies iff redefine define now not or attr is mode suppose per cases set thesis contradiction scheme reserve struct correctness compatibility coherence symmetry assymetry reflexivity irreflexivity connectedness uniqueness commutativity idempotence involutiveness projectivity",c:[e.C("::","$")]}});hljs.registerLanguage("markdown",function(e){return{aliases:["md","mkdown","mkd"],c:[{cN:"header",v:[{b:"^#{1,6}",e:"$"},{b:"^.+?\\n[=-]{2,}$"}]},{b:"<",e:">",sL:"xml",r:0},{cN:"bullet",b:"^([*+-]|(\\d+\\.))\\s+"},{cN:"strong",b:"[*_]{2}.+?[*_]{2}"},{cN:"emphasis",v:[{b:"\\*.+?\\*"},{b:"_.+?_",r:0}]},{cN:"blockquote",b:"^>\\s+",e:"$"},{cN:"code",v:[{b:"`.+?`"},{b:"^( {4}| )",e:"$",r:0}]},{cN:"horizontal_rule",b:"^[-\\*]{3,}",e:"$"},{b:"\\[.+?\\][\\(\\[].*?[\\)\\]]",rB:!0,c:[{cN:"link_label",b:"\\[",e:"\\]",eB:!0,rE:!0,r:0},{cN:"link_url",b:"\\]\\(",e:"\\)",eB:!0,eE:!0},{cN:"link_reference",b:"\\]\\[",e:"\\]",eB:!0,eE:!0}],r:10},{b:"^\\[.+\\]:",rB:!0,c:[{cN:"link_reference",b:"\\[",e:"\\]:",eB:!0,eE:!0,starts:{cN:"link_url",e:"$"}}]}]}});hljs.registerLanguage("aspectj",function(e){var t="false synchronized int abstract float private char boolean static null if const for true while long throw strictfp finally protected import native final return void enum else extends implements break transient new catch instanceof byte super volatile case assert short package default double public try this switch continue throws privileged aspectOf adviceexecution proceed cflowbelow cflow initialization preinitialization staticinitialization withincode target within execution getWithinTypeName handler thisJoinPoint thisJoinPointStaticPart thisEnclosingJoinPointStaticPart declare parents warning error soft precedence thisAspectInstance",i="get set args call";return{k:t,i:/<\/|#/,c:[e.C("/\\*\\*","\\*/",{r:0,c:[{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,e.ASM,e.QSM,{cN:"aspect",bK:"aspect",e:/[{;=]/,eE:!0,i:/[:;"\[\]]/,c:[{bK:"extends implements pertypewithin perthis pertarget percflowbelow percflow issingleton"},e.UTM,{b:/\([^\)]*/,e:/[)]+/,k:t+" "+i,eE:!1}]},{cN:"class",bK:"class interface",e:/[{;=]/,eE:!0,r:0,k:"class interface",i:/[:"\[\]]/,c:[{bK:"extends implements"},e.UTM]},{bK:"pointcut after before around throwing returning",e:/[)]/,eE:!1,i:/["\[\]]/,c:[{b:e.UIR+"\\s*\\(",rB:!0,c:[e.UTM]}]},{b:/[:]/,rB:!0,e:/[{;]/,r:0,eE:!1,k:t,i:/["\[\]]/,c:[{b:e.UIR+"\\s*\\(",k:t+" "+i},e.QSM]},{bK:"new throw",r:0},{cN:"function",b:/\w+ +\w+(\.)?\w+\s*\([^\)]*\)\s*((throws)[\w\s,]+)?[\{;]/,rB:!0,e:/[{;=]/,k:t,eE:!0,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"params",b:/\(/,e:/\)/,r:0,k:t,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]},e.CNM,{cN:"annotation",b:"@[A-Za-z]+"}]}});hljs.registerLanguage("dns",function(d){return{aliases:["bind","zone"],k:{keyword:"IN A AAAA AFSDB APL CAA CDNSKEY CDS CERT CNAME DHCID DLV DNAME DNSKEY DS HIP IPSECKEY KEY KX LOC MX NAPTR NS NSEC NSEC3 NSEC3PARAM PTR RRSIG RP SIG SOA SRV SSHFP TA TKEY TLSA TSIG TXT"},c:[d.C(";","$"),{cN:"operator",bK:"$TTL $GENERATE $INCLUDE $ORIGIN"},{cN:"number",b:"((([0-9A-Fa-f]{1,4}:){7}([0-9A-Fa-f]{1,4}|:))|(([0-9A-Fa-f]{1,4}:){6}(:[0-9A-Fa-f]{1,4}|((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){5}(((:[0-9A-Fa-f]{1,4}){1,2})|:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3})|:))|(([0-9A-Fa-f]{1,4}:){4}(((:[0-9A-Fa-f]{1,4}){1,3})|((:[0-9A-Fa-f]{1,4})?:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){3}(((:[0-9A-Fa-f]{1,4}){1,4})|((:[0-9A-Fa-f]{1,4}){0,2}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){2}(((:[0-9A-Fa-f]{1,4}){1,5})|((:[0-9A-Fa-f]{1,4}){0,3}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(([0-9A-Fa-f]{1,4}:){1}(((:[0-9A-Fa-f]{1,4}){1,6})|((:[0-9A-Fa-f]{1,4}){0,4}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:))|(:(((:[0-9A-Fa-f]{1,4}){1,7})|((:[0-9A-Fa-f]{1,4}){0,5}:((25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)(\\.(25[0-5]|2[0-4]\\d|1\\d\\d|[1-9]?\\d)){3}))|:)))"},{cN:"number",b:"((25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9]).){3,3}(25[0-5]|(2[0-4]|1{0,1}[0-9]){0,1}[0-9])"}]}});hljs.registerLanguage("django",function(e){var t={cN:"filter",b:/\|[A-Za-z]+:?/,k:"truncatewords removetags linebreaksbr yesno get_digit timesince random striptags filesizeformat escape linebreaks length_is ljust rjust cut urlize fix_ampersands title floatformat capfirst pprint divisibleby add make_list unordered_list urlencode timeuntil urlizetrunc wordcount stringformat linenumbers slice date dictsort dictsortreversed default_if_none pluralize lower join center default truncatewords_html upper length phone2numeric wordwrap time addslashes slugify first escapejs force_escape iriencode last safe safeseq truncatechars localize unlocalize localtime utc timezone",c:[{cN:"argument",b:/"/,e:/"/},{cN:"argument",b:/'/,e:/'/}]};return{aliases:["jinja"],cI:!0,sL:"xml",c:[e.C(/\{%\s*comment\s*%}/,/\{%\s*endcomment\s*%}/),e.C(/\{#/,/#}/),{cN:"template_tag",b:/\{%/,e:/%}/,k:"comment endcomment load templatetag ifchanged endifchanged if endif firstof for endfor in ifnotequal endifnotequal widthratio extends include spaceless endspaceless regroup by as ifequal endifequal ssi now with cycle url filter endfilter debug block endblock else autoescape endautoescape csrf_token empty elif endwith static trans blocktrans endblocktrans get_static_prefix get_media_prefix plural get_current_language language get_available_languages get_current_language_bidi get_language_info get_language_info_list localize endlocalize localtime endlocaltime timezone endtimezone get_current_timezone verbatim",c:[t]},{cN:"variable",b:/\{\{/,e:/}}/,c:[t]}]}});hljs.registerLanguage("step21",function(e){var r="[A-Z_][A-Z0-9_.]*",i="END-ISO-10303-21;",l={literal:"",built_in:"",keyword:"HEADER ENDSEC DATA"},s={cN:"preprocessor",b:"ISO-10303-21;",r:10},t=[e.CLCM,e.CBCM,e.C("/\\*\\*!","\\*/"),e.CNM,e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null}),{cN:"string",b:"'",e:"'"},{cN:"label",v:[{b:"#",e:"\\d+",i:"\\W"}]}];return{aliases:["p21","step","stp"],cI:!0,l:r,k:l,c:[{cN:"preprocessor",b:i,r:10},s].concat(t)}});hljs.registerLanguage("roboconf",function(e){var n="[a-zA-Z-_][^\n{\r\n]+\\{";return{aliases:["graph","instances"],cI:!0,k:"import",c:[{cN:"facet",b:"^facet "+n,e:"}",k:"facet installer exports children extends",c:[e.HCM]},{cN:"instance-of",b:"^instance of "+n,e:"}",k:"name count channels instance-data instance-state instance of",c:[{cN:"keyword",b:"[a-zA-Z-_]+( | )*:"},e.HCM]},{cN:"component",b:"^"+n,e:"}",l:"\\(?[a-zA-Z]+\\)?",k:"installer exports children extends imports facets alias (optional)",c:[{cN:"string",b:"\\.[a-zA-Z-_]+",e:"\\s|,|;",eE:!0},e.HCM]},e.HCM]}});hljs.registerLanguage("capnproto",function(t){return{aliases:["capnp"],k:{keyword:"struct enum interface union group import using const annotation extends in of on as with from fixed",built_in:"Void Bool Int8 Int16 Int32 Int64 UInt8 UInt16 UInt32 UInt64 Float32 Float64 Text Data AnyPointer AnyStruct Capability List",literal:"true false"},c:[t.QSM,t.NM,t.HCM,{cN:"shebang",b:/@0x[\w\d]{16};/,i:/\n/},{cN:"number",b:/@\d+\b/},{cN:"class",bK:"struct enum",e:/\{/,i:/\n/,c:[t.inherit(t.TM,{starts:{eW:!0,eE:!0}})]},{cN:"class",bK:"interface",e:/\{/,i:/\n/,c:[t.inherit(t.TM,{starts:{eW:!0,eE:!0}})]}]}});hljs.registerLanguage("livescript",function(e){var t={keyword:"in if for while finally new do return else break catch instanceof throw try this switch continue typeof delete debugger case default function var with then unless until loop of by when and or is isnt not it that otherwise from to til fallthrough super case default function var void const let enum export import native __hasProp __extends __slice __bind __indexOf",literal:"true false null undefined yes no on off it that void",built_in:"npm require console print module global window document"},s="[A-Za-z$_](?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*",i=e.inherit(e.TM,{b:s}),n={cN:"subst",b:/#\{/,e:/}/,k:t},r={cN:"subst",b:/#[A-Za-z$_]/,e:/(?:\-[0-9A-Za-z$_]|[0-9A-Za-z$_])*/,k:t},c=[e.BNM,{cN:"number",b:"(\\b0[xX][a-fA-F0-9_]+)|(\\b\\d(\\d|_\\d)*(\\.(\\d(\\d|_\\d)*)?)?(_*[eE]([-+]\\d(_\\d|\\d)*)?)?[_a-z]*)",r:0,starts:{e:"(\\s*/)?",r:0}},{cN:"string",v:[{b:/'''/,e:/'''/,c:[e.BE]},{b:/'/,e:/'/,c:[e.BE]},{b:/"""/,e:/"""/,c:[e.BE,n,r]},{b:/"/,e:/"/,c:[e.BE,n,r]},{b:/\\/,e:/(\s|$)/,eE:!0}]},{cN:"pi",v:[{b:"//",e:"//[gim]*",c:[n,e.HCM]},{b:/\/(?![ *])(\\\/|.)*?\/[gim]*(?=\W|$)/}]},{cN:"property",b:"@"+s},{b:"``",e:"``",eB:!0,eE:!0,sL:"javascript"}];n.c=c;var a={cN:"params",b:"\\(",rB:!0,c:[{b:/\(/,e:/\)/,k:t,c:["self"].concat(c)}]};return{aliases:["ls"],k:t,i:/\/\*/,c:c.concat([e.C("\\/\\*","\\*\\/"),e.HCM,{cN:"function",c:[i,a],rB:!0,v:[{b:"("+s+"\\s*(?:=|:=)\\s*)?(\\(.*\\))?\\s*\\B\\->\\*?",e:"\\->\\*?"},{b:"("+s+"\\s*(?:=|:=)\\s*)?!?(\\(.*\\))?\\s*\\B[-~]{1,2}>\\*?",e:"[-~]{1,2}>\\*?"},{b:"("+s+"\\s*(?:=|:=)\\s*)?(\\(.*\\))?\\s*\\B!?[-~]{1,2}>\\*?",e:"!?[-~]{1,2}>\\*?"}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[i]},i]},{cN:"attribute",b:s+":",e:":",rB:!0,rE:!0,r:0}])}});hljs.registerLanguage("crystal",function(e){function b(e,b){var r=[{b:e,e:b}];return r[0].c=r,r}var r="(_[uif](8|16|32|64))?",c="[a-zA-Z_]\\w*[!?=]?",n="!=|!==|%|%=|&|&&|&=|\\*|\\*=|\\+|\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\[|\\{|\\(|\\^|\\^=|\\||\\|=|\\|\\||~",i="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\][=?]?",s={keyword:"abstract alias as asm begin break case class def do else elsif end ensure enum extend for fun if ifdef include instance_sizeof is_a? lib macro module next of out pointerof private protected rescue responds_to? return require self sizeof struct super then type typeof union unless until when while with yield __DIR__ __FILE__ __LINE__",literal:"false nil true"},t={cN:"subst",b:"#{",e:"}",k:s},a={cN:"expansion",v:[{b:"\\{\\{",e:"\\}\\}"},{b:"\\{%",e:"%\\}"}],k:s,r:10},o={cN:"string",c:[e.BE,t],v:[{b:/'/,e:/'/},{b:/"/,e:/"/},{b:/`/,e:/`/},{b:"%w?\\(",e:"\\)",c:b("\\(","\\)")},{b:"%w?\\[",e:"\\]",c:b("\\[","\\]")},{b:"%w?{",e:"}",c:b("{","}")},{b:"%w?<",e:">",c:b("<",">")},{b:"%w?/",e:"/"},{b:"%w?%",e:"%"},{b:"%w?-",e:"-"},{b:"%w?\\|",e:"\\|"}],r:0},u={b:"("+n+")\\s*",c:[{cN:"regexp",c:[e.BE,t],v:[{b:"/",e:"/[a-z]*"},{b:"%r\\(",e:"\\)",c:b("\\(","\\)")},{b:"%r\\[",e:"\\]",c:b("\\[","\\]")},{b:"%r{",e:"}",c:b("{","}")},{b:"%r<",e:">",c:b("<",">")},{b:"%r/",e:"/"},{b:"%r%",e:"%"},{b:"%r-",e:"-"},{b:"%r\\|",e:"\\|"}]}],r:0},l={cN:"regexp",c:[e.BE,t],v:[{b:"%r\\(",e:"\\)",c:b("\\(","\\)")},{b:"%r\\[",e:"\\]",c:b("\\[","\\]")},{b:"%r{",e:"}",c:b("{","}")},{b:"%r<",e:">",c:b("<",">")},{b:"%r/",e:"/"},{b:"%r%",e:"%"},{b:"%r-",e:"-"},{b:"%r\\|",e:"\\|"}],r:0},_={cN:"annotation",b:"@\\[",e:"\\]",r:5},f=[a,o,u,l,_,e.HCM,{cN:"class",bK:"class module struct",e:"$|;",i:/=/,c:[e.HCM,e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"}),{cN:"inheritance",b:"<\\s*",c:[{cN:"parent",b:"("+e.IR+"::)?"+e.IR}]}]},{cN:"class",bK:"lib enum union",e:"$|;",i:/=/,c:[e.HCM,e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"})],r:10},{cN:"function",bK:"def",e:/\B\b/,c:[e.inherit(e.TM,{b:i,endsParent:!0})]},{cN:"function",bK:"fun macro",e:/\B\b/,c:[e.inherit(e.TM,{b:i,endsParent:!0})],r:5},{cN:"constant",b:"(::)?(\\b[A-Z]\\w*(::)?)+",r:0},{cN:"symbol",b:e.UIR+"(\\!|\\?)?:",r:0},{cN:"symbol",b:":",c:[o,{b:i}],r:0},{cN:"number",v:[{b:"\\b0b([01_]*[01])"+r},{b:"\\b0o([0-7_]*[0-7])"+r},{b:"\\b0x([A-Fa-f0-9_]*[A-Fa-f0-9])"+r},{b:"\\b(([0-9][0-9_]*[0-9]|[0-9])(\\.[0-9_]*[0-9])?([eE][+-]?[0-9_]*[0-9])?)"+r}],r:0},{cN:"variable",b:"(\\$\\W)|((\\$|\\@\\@?|%)(\\w+))"}];return t.c=f,_.c=f,a.c=f.slice(1),{aliases:["cr"],l:c,k:s,c:f}});hljs.registerLanguage("powershell",function(e){var t={b:"`[\\s\\S]",r:0},r={cN:"variable",v:[{b:/\$[\w\d][\w\d_:]*/}]},o={cN:"string",b:/"/,e:/"/,c:[t,r,{cN:"variable",b:/\$[A-z]/,e:/[^A-z]/}]},a={cN:"string",b:/'/,e:/'/};return{aliases:["ps"],l:/-?[A-z\.\-]+/,cI:!0,k:{keyword:"if else foreach return function do while until elseif begin for trap data dynamicparam end break throw param continue finally in switch exit filter try process catch",literal:"$null $true $false",built_in:"Add-Content Add-History Add-Member Add-PSSnapin Clear-Content Clear-Item Clear-Item Property Clear-Variable Compare-Object ConvertFrom-SecureString Convert-Path ConvertTo-Html ConvertTo-SecureString Copy-Item Copy-ItemProperty Export-Alias Export-Clixml Export-Console Export-Csv ForEach-Object Format-Custom Format-List Format-Table Format-Wide Get-Acl Get-Alias Get-AuthenticodeSignature Get-ChildItem Get-Command Get-Content Get-Credential Get-Culture Get-Date Get-EventLog Get-ExecutionPolicy Get-Help Get-History Get-Host Get-Item Get-ItemProperty Get-Location Get-Member Get-PfxCertificate Get-Process Get-PSDrive Get-PSProvider Get-PSSnapin Get-Service Get-TraceSource Get-UICulture Get-Unique Get-Variable Get-WmiObject Group-Object Import-Alias Import-Clixml Import-Csv Invoke-Expression Invoke-History Invoke-Item Join-Path Measure-Command Measure-Object Move-Item Move-ItemProperty New-Alias New-Item New-ItemProperty New-Object New-PSDrive New-Service New-TimeSpan New-Variable Out-Default Out-File Out-Host Out-Null Out-Printer Out-String Pop-Location Push-Location Read-Host Remove-Item Remove-ItemProperty Remove-PSDrive Remove-PSSnapin Remove-Variable Rename-Item Rename-ItemProperty Resolve-Path Restart-Service Resume-Service Select-Object Select-String Set-Acl Set-Alias Set-AuthenticodeSignature Set-Content Set-Date Set-ExecutionPolicy Set-Item Set-ItemProperty Set-Location Set-PSDebug Set-Service Set-TraceSource Set-Variable Sort-Object Split-Path Start-Service Start-Sleep Start-Transcript Stop-Process Stop-Service Stop-Transcript Suspend-Service Tee-Object Test-Path Trace-Command Update-FormatData Update-TypeData Where-Object Write-Debug Write-Error Write-Host Write-Output Write-Progress Write-Verbose Write-Warning",operator:"-ne -eq -lt -gt -ge -le -not -like -notlike -match -notmatch -contains -notcontains -in -notin -replace"},c:[e.HCM,e.NM,o,a,r]}});hljs.registerLanguage("ruby",function(e){var c="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",r="and false then defined module in return redo if BEGIN retry end for true self when next until do begin unless END rescue nil else break undef not super class case require yield alias while ensure elsif or include attr_reader attr_writer attr_accessor",b={cN:"doctag",b:"@[A-Za-z]+"},a={cN:"value",b:"#<",e:">"},n=[e.C("#","$",{c:[b]}),e.C("^\\=begin","^\\=end",{c:[b],r:10}),e.C("^__END__","\\n$")],s={cN:"subst",b:"#\\{",e:"}",k:r},t={cN:"string",c:[e.BE,s],v:[{b:/'/,e:/'/},{b:/"/,e:/"/},{b:/`/,e:/`/},{b:"%[qQwWx]?\\(",e:"\\)"},{b:"%[qQwWx]?\\[",e:"\\]"},{b:"%[qQwWx]?{",e:"}"},{b:"%[qQwWx]?<",e:">"},{b:"%[qQwWx]?/",e:"/"},{b:"%[qQwWx]?%",e:"%"},{b:"%[qQwWx]?-",e:"-"},{b:"%[qQwWx]?\\|",e:"\\|"},{b:/\B\?(\\\d{1,3}|\\x[A-Fa-f0-9]{1,2}|\\u[A-Fa-f0-9]{4}|\\?\S)\b/}]},i={cN:"params",b:"\\(",e:"\\)",k:r},d=[t,a,{cN:"class",bK:"class module",e:"$|;",i:/=/,c:[e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"}),{cN:"inheritance",b:"<\\s*",c:[{cN:"parent",b:"("+e.IR+"::)?"+e.IR}]}].concat(n)},{cN:"function",bK:"def",e:"$|;",c:[e.inherit(e.TM,{b:c}),i].concat(n)},{cN:"constant",b:"(::)?(\\b[A-Z]\\w*(::)?)+",r:0},{cN:"symbol",b:e.UIR+"(\\!|\\?)?:",r:0},{cN:"symbol",b:":",c:[t,{b:c}],r:0},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},{cN:"variable",b:"(\\$\\W)|((\\$|\\@\\@?)(\\w+))"},{b:"("+e.RSR+")\\s*",c:[a,{cN:"regexp",c:[e.BE,s],i:/\n/,v:[{b:"/",e:"/[a-z]*"},{b:"%r{",e:"}[a-z]*"},{b:"%r\\(",e:"\\)[a-z]*"},{b:"%r!",e:"![a-z]*"},{b:"%r\\[",e:"\\][a-z]*"}]}].concat(n),r:0}].concat(n);s.c=d,i.c=d;var o="[>?]>",l="[\\w#]+\\(\\w+\\):\\d+:\\d+>",u="(\\w+-)?\\d+\\.\\d+\\.\\d(p\\d+)?[^>]+>",N=[{b:/^\s*=>/,cN:"status",starts:{e:"$",c:d}},{cN:"prompt",b:"^("+o+"|"+l+"|"+u+")",starts:{e:"$",c:d}}];return{aliases:["rb","gemspec","podspec","thor","irb"],k:r,i:/\/\*/,c:n.concat(N).concat(d)}});hljs.registerLanguage("brainfuck",function(r){var n={cN:"literal",b:"[\\+\\-]",r:0};return{aliases:["bf"],c:[r.C("[^\\[\\]\\.,\\+\\-<> \r\n]","[\\[\\]\\.,\\+\\-<> \r\n]",{rE:!0,r:0}),{cN:"title",b:"[\\[\\]]",r:0},{cN:"string",b:"[\\.,]",r:0},{b:/\+\+|\-\-/,rB:!0,c:[n]},n]}});hljs.registerLanguage("thrift",function(e){var t="bool byte i16 i32 i64 double string binary";return{k:{keyword:"namespace const typedef struct enum service exception void oneway set list map required optional",built_in:t,literal:"true false"},c:[e.QSM,e.NM,e.CLCM,e.CBCM,{cN:"class",bK:"struct enum service exception",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]},{b:"\\b(set|list|map)\\s*<",e:">",k:t,c:["self"]}]}});hljs.registerLanguage("less",function(e){var r="[\\w-]+",t="("+r+"|@{"+r+"})",a=[],c=[],n=function(e){return{cN:"string",b:"~?"+e+".*?"+e}},i=function(e,r,t){return{cN:e,b:r,r:t}},s=function(r,t,a){return e.inherit({cN:r,b:t+"\\(",e:"\\(",rB:!0,eE:!0,r:0},a)},b={b:"\\(",e:"\\)",c:c,r:0};c.push(e.CLCM,e.CBCM,n("'"),n('"'),e.CSSNM,i("hexcolor","#[0-9A-Fa-f]+\\b"),s("function","(url|data-uri)",{starts:{cN:"string",e:"[\\)\\n]",eE:!0}}),s("function",r),b,i("variable","@@?"+r,10),i("variable","@{"+r+"}"),i("built_in","~?`[^`]*?`"),{cN:"attribute",b:r+"\\s*:",e:":",rB:!0,eE:!0});var o=c.concat({b:"{",e:"}",c:a}),u={bK:"when",eW:!0,c:[{bK:"and not"}].concat(c)},C={cN:"attribute",b:t,e:":",eE:!0,c:[e.CLCM,e.CBCM],i:/\S/,starts:{e:"[;}]",rE:!0,c:c,i:"[<=$]"}},l={cN:"at_rule",b:"@(import|media|charset|font-face|(-[a-z]+-)?keyframes|supports|document|namespace|page|viewport|host)\\b",starts:{e:"[;{}]",rE:!0,c:c,r:0}},d={cN:"variable",v:[{b:"@"+r+"\\s*:",r:15},{b:"@"+r}],starts:{e:"[;}]",rE:!0,c:o}},p={v:[{b:"[\\.#:&\\[]",e:"[;{}]"},{b:t+"[^;]*{",e:"{"}],rB:!0,rE:!0,i:"[<='$\"]",c:[e.CLCM,e.CBCM,u,i("keyword","all\\b"),i("variable","@{"+r+"}"),i("tag",t+"%?",0),i("id","#"+t),i("class","\\."+t,0),i("keyword","&",0),s("pseudo",":not"),s("keyword",":extend"),i("pseudo","::?"+t),{cN:"attr_selector",b:"\\[",e:"\\]"},{b:"\\(",e:"\\)",c:o},{b:"!important"}]};return a.push(e.CLCM,e.CBCM,l,d,p,C),{cI:!0,i:"[=>'/<($\"]",c:a}});hljs.registerLanguage("scilab",function(e){var n=[e.CNM,{cN:"string",b:"'|\"",e:"'|\"",c:[e.BE,{b:"''"}]}];return{aliases:["sci"],k:{keyword:"abort break case clear catch continue do elseif else endfunction end for functionglobal if pause return resume select try then while%f %F %t %T %pi %eps %inf %nan %e %i %z %s",built_in:"abs and acos asin atan ceil cd chdir clearglobal cosh cos cumprod deff disp errorexec execstr exists exp eye gettext floor fprintf fread fsolve imag isdef isemptyisinfisnan isvector lasterror length load linspace list listfiles log10 log2 logmax min msprintf mclose mopen ones or pathconvert poly printf prod pwd rand realround sinh sin size gsort sprintf sqrt strcat strcmps tring sum system tanh tantype typename warning zeros matrix"},i:'("|#|/\\*|\\s+/\\w+)',c:[{cN:"function",bK:"function endfunction",e:"$",k:"function endfunction|10",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)"}]},{cN:"transposed_variable",b:"[a-zA-Z_][a-zA-Z_0-9]*('+[\\.']*|[\\.']+)",e:"",r:0},{cN:"matrix",b:"\\[",e:"\\]'*[\\.']*",r:0,c:n},e.C("//","$")].concat(n)}});hljs.registerLanguage("oxygene",function(e){var r="abstract add and array as asc aspect assembly async begin break block by case class concat const copy constructor continue create default delegate desc distinct div do downto dynamic each else empty end ensure enum equals event except exit extension external false final finalize finalizer finally flags for forward from function future global group has if implementation implements implies in index inherited inline interface into invariants is iterator join locked locking loop matching method mod module namespace nested new nil not notify nullable of old on operator or order out override parallel params partial pinned private procedure property protected public queryable raise read readonly record reintroduce remove repeat require result reverse sealed select self sequence set shl shr skip static step soft take then to true try tuple type union unit unsafe until uses using var virtual raises volatile where while with write xor yield await mapped deprecated stdcall cdecl pascal register safecall overload library platform reference packed strict published autoreleasepool selector strong weak unretained",t=e.C("{","}",{r:0}),a=e.C("\\(\\*","\\*\\)",{r:10}),n={cN:"string",b:"'",e:"'",c:[{b:"''"}]},o={cN:"string",b:"(#\\d+)+"},i={cN:"function",bK:"function constructor destructor procedure method",e:"[:;]",k:"function constructor|10 destructor|10 procedure|10 method|10",c:[e.TM,{cN:"params",b:"\\(",e:"\\)",k:r,c:[n,o]},t,a]};return{cI:!0,k:r,i:'("|\\$[G-Zg-z]|\\/\\*||->)',c:[t,a,e.CLCM,n,o,e.NM,i,{cN:"class",b:"=\\bclass\\b",e:"end;",k:r,c:[n,o,t,a,e.CLCM,i]}]}});hljs.registerLanguage("lasso",function(e){var r="[a-zA-Z_][a-zA-Z0-9_.]*",a="<\\?(lasso(script)?|=)",t="\\]|\\?>",s={literal:"true false none minimal full all void bw nbw ew new cn ncn lt lte gt gte eq neq rx nrx ft",built_in:"array date decimal duration integer map pair string tag xml null boolean bytes keyword list locale queue set stack staticarray local var variable global data self inherited currentcapture givenblock",keyword:"error_code error_msg error_pop error_push error_reset cache database_names database_schemanames database_tablenames define_tag define_type email_batch encode_set html_comment handle handle_error header if inline iterate ljax_target link link_currentaction link_currentgroup link_currentrecord link_detail link_firstgroup link_firstrecord link_lastgroup link_lastrecord link_nextgroup link_nextrecord link_prevgroup link_prevrecord log loop namespace_using output_none portal private protect records referer referrer repeating resultset rows search_args search_arguments select sort_args sort_arguments thread_atomic value_list while abort case else if_empty if_false if_null if_true loop_abort loop_continue loop_count params params_up return return_value run_children soap_definetag soap_lastrequest soap_lastresponse tag_name ascending average by define descending do equals frozen group handle_failure import in into join let match max min on order parent protected provide public require returnhome skip split_thread sum take thread to trait type where with yield yieldhome"},n=e.C("",{r:0}),i={cN:"preprocessor",b:"\\[noprocess\\]",starts:{cN:"markup",e:"\\[/noprocess\\]",rE:!0,c:[n]}},o={cN:"preprocessor",b:"\\[/noprocess|"+a},l={cN:"variable",b:"'"+r+"'"},c=[e.C("/\\*\\*!","\\*/"),e.CLCM,e.CBCM,e.inherit(e.CNM,{b:e.CNR+"|(infinity|nan)\\b"}),e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null}),{cN:"string",b:"`",e:"`"},{cN:"variable",v:[{b:"[#$]"+r},{b:"#",e:"\\d+",i:"\\W"}]},{cN:"tag",b:"::\\s*",e:r,i:"\\W"},{cN:"attribute",v:[{b:"-(?!infinity)"+e.UIR,r:0},{b:"(\\.\\.\\.)"}]},{cN:"subst",v:[{b:"->\\s*",c:[l]},{b:"->|\\\\|&&?|\\|\\||!(?!=|>)|(and|or|not)\\b",r:0}]},{cN:"built_in",b:"\\.\\.?\\s*",r:0,c:[l]},{cN:"class",bK:"define",rE:!0,e:"\\(|=>",c:[e.inherit(e.TM,{b:e.UIR+"(=(?!>))?"})]}];return{aliases:["ls","lassoscript"],cI:!0,l:r+"|&[lg]t;",k:s,c:[{cN:"preprocessor",b:t,r:0,starts:{cN:"markup",e:"\\[|"+a,rE:!0,r:0,c:[n]}},i,o,{cN:"preprocessor",b:"\\[no_square_brackets",starts:{e:"\\[/no_square_brackets\\]",l:r+"|&[lg]t;",k:s,c:[{cN:"preprocessor",b:t,r:0,starts:{cN:"markup",e:"\\[noprocess\\]|"+a,rE:!0,c:[n]}},i,o].concat(c)}},{cN:"preprocessor",b:"\\[",r:0},{cN:"shebang",b:"^#!.+lasso9\\b",r:10}].concat(c)}});hljs.registerLanguage("gcode",function(e){var N="[A-Z_][A-Z0-9_.]*",i="\\%",c={literal:"",built_in:"",keyword:"IF DO WHILE ENDWHILE CALL ENDIF SUB ENDSUB GOTO REPEAT ENDREPEAT EQ LT GT NE GE LE OR XOR"},r={cN:"preprocessor",b:"([O])([0-9]+)"},l=[e.CLCM,e.CBCM,e.C(/\(/,/\)/),e.inherit(e.CNM,{b:"([-+]?([0-9]*\\.?[0-9]+\\.?))|"+e.CNR}),e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null}),{cN:"keyword",b:"([G])([0-9]+\\.?[0-9]?)"},{cN:"title",b:"([M])([0-9]+\\.?[0-9]?)"},{cN:"title",b:"(VC|VS|#)",e:"(\\d+)"},{cN:"title",b:"(VZOFX|VZOFY|VZOFZ)"},{cN:"built_in",b:"(ATAN|ABS|ACOS|ASIN|SIN|COS|EXP|FIX|FUP|ROUND|LN|TAN)(\\[)",e:"([-+]?([0-9]*\\.?[0-9]+\\.?))(\\])"},{cN:"label",v:[{b:"N",e:"\\d+",i:"\\W"}]}];return{aliases:["nc"],cI:!0,l:N,k:c,c:[{cN:"preprocessor",b:i},r].concat(l)}});hljs.registerLanguage("scala",function(e){var t={cN:"annotation",b:"@[A-Za-z]+"},r={cN:"string",b:'u?r?"""',e:'"""',r:10},a={cN:"symbol",b:"'\\w[\\w\\d_]*(?!')"},c={cN:"type",b:"\\b[A-Z][A-Za-z0-9_]*",r:0},i={cN:"title",b:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/,r:0},n={cN:"class",bK:"class object trait type",e:/[:={\[(\n;]/,c:[{cN:"keyword",bK:"extends with",r:10},i]},l={cN:"function",bK:"def",e:/[:={\[(\n;]/,c:[i]};return{k:{literal:"true false null",keyword:"type yield lazy override def with val var sealed abstract private trait object if forSome for while throw finally protected extends import final return else break new catch super class case package default try this match continue throws implicit"},c:[e.CLCM,e.CBCM,r,e.QSM,a,c,l,n,e.CNM,t]}});hljs.registerLanguage("armasm",function(s){return{cI:!0,aliases:["arm"],l:"\\.?"+s.IR,k:{literal:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 pc lr sp ip sl sb fp a1 a2 a3 a4 v1 v2 v3 v4 v5 v6 v7 v8 f0 f1 f2 f3 f4 f5 f6 f7 p0 p1 p2 p3 p4 p5 p6 p7 p8 p9 p10 p11 p12 p13 p14 p15 c0 c1 c2 c3 c4 c5 c6 c7 c8 c9 c10 c11 c12 c13 c14 c15 q0 q1 q2 q3 q4 q5 q6 q7 q8 q9 q10 q11 q12 q13 q14 q15 cpsr_c cpsr_x cpsr_s cpsr_f cpsr_cx cpsr_cxs cpsr_xs cpsr_xsf cpsr_sf cpsr_cxsf spsr_c spsr_x spsr_s spsr_f spsr_cx spsr_cxs spsr_xs spsr_xsf spsr_sf spsr_cxsf s0 s1 s2 s3 s4 s5 s6 s7 s8 s9 s10 s11 s12 s13 s14 s15 s16 s17 s18 s19 s20 s21 s22 s23 s24 s25 s26 s27 s28 s29 s30 s31 d0 d1 d2 d3 d4 d5 d6 d7 d8 d9 d10 d11 d12 d13 d14 d15 d16 d17 d18 d19 d20 d21 d22 d23 d24 d25 d26 d27 d28 d29 d30 d31 ",preprocessor:".2byte .4byte .align .ascii .asciz .balign .byte .code .data .else .end .endif .endm .endr .equ .err .exitm .extern .global .hword .if .ifdef .ifndef .include .irp .long .macro .rept .req .section .set .skip .space .text .word .arm .thumb .code16 .code32 .force_thumb .thumb_func .ltorg ALIAS ALIGN ARM AREA ASSERT ATTR CN CODE CODE16 CODE32 COMMON CP DATA DCB DCD DCDU DCDO DCFD DCFDU DCI DCQ DCQU DCW DCWU DN ELIF ELSE END ENDFUNC ENDIF ENDP ENTRY EQU EXPORT EXPORTAS EXTERN FIELD FILL FUNCTION GBLA GBLL GBLS GET GLOBAL IF IMPORT INCBIN INCLUDE INFO KEEP LCLA LCLL LCLS LTORG MACRO MAP MEND MEXIT NOFP OPT PRESERVE8 PROC QN READONLY RELOC REQUIRE REQUIRE8 RLIST FN ROUT SETA SETL SETS SN SPACE SUBT THUMB THUMBX TTL WHILE WEND ",built_in:"{PC} {VAR} {TRUE} {FALSE} {OPT} {CONFIG} {ENDIAN} {CODESIZE} {CPU} {FPU} {ARCHITECTURE} {PCSTOREOFFSET} {ARMASM_VERSION} {INTER} {ROPI} {RWPI} {SWST} {NOSWST} . @ "},c:[{cN:"keyword",b:"\\b(adc|(qd?|sh?|u[qh]?)?add(8|16)?|usada?8|(q|sh?|u[qh]?)?(as|sa)x|and|adrl?|sbc|rs[bc]|asr|b[lx]?|blx|bxj|cbn?z|tb[bh]|bic|bfc|bfi|[su]bfx|bkpt|cdp2?|clz|clrex|cmp|cmn|cpsi[ed]|cps|setend|dbg|dmb|dsb|eor|isb|it[te]{0,3}|lsl|lsr|ror|rrx|ldm(([id][ab])|f[ds])?|ldr((s|ex)?[bhd])?|movt?|mvn|mra|mar|mul|[us]mull|smul[bwt][bt]|smu[as]d|smmul|smmla|mla|umlaal|smlal?([wbt][bt]|d)|mls|smlsl?[ds]|smc|svc|sev|mia([bt]{2}|ph)?|mrr?c2?|mcrr2?|mrs|msr|orr|orn|pkh(tb|bt)|rbit|rev(16|sh)?|sel|[su]sat(16)?|nop|pop|push|rfe([id][ab])?|stm([id][ab])?|str(ex)?[bhd]?|(qd?)?sub|(sh?|q|u[qh]?)?sub(8|16)|[su]xt(a?h|a?b(16)?)|srs([id][ab])?|swpb?|swi|smi|tst|teq|wfe|wfi|yield)(eq|ne|cs|cc|mi|pl|vs|vc|hi|ls|ge|lt|gt|le|al|hs|lo)?[sptrx]?",e:"\\s"},s.C("[;@]","$",{r:0}),s.CBCM,s.QSM,{cN:"string",b:"'",e:"[^\\\\]'",r:0},{cN:"title",b:"\\|",e:"\\|",i:"\\n",r:0},{cN:"number",v:[{b:"[#$=]?0x[0-9a-f]+"},{b:"[#$=]?0b[01]+"},{b:"[#$=]\\d+"},{b:"\\b\\d+"}],r:0},{cN:"label",v:[{b:"^[a-z_\\.\\$][a-z0-9_\\.\\$]+"},{b:"^\\s*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{b:"[=#]\\w+"}],r:0}]}});hljs.registerLanguage("avrasm",function(r){return{cI:!0,l:"\\.?"+r.IR,k:{keyword:"adc add adiw and andi asr bclr bld brbc brbs brcc brcs break breq brge brhc brhs brid brie brlo brlt brmi brne brpl brsh brtc brts brvc brvs bset bst call cbi cbr clc clh cli cln clr cls clt clv clz com cp cpc cpi cpse dec eicall eijmp elpm eor fmul fmuls fmulsu icall ijmp in inc jmp ld ldd ldi lds lpm lsl lsr mov movw mul muls mulsu neg nop or ori out pop push rcall ret reti rjmp rol ror sbc sbr sbrc sbrs sec seh sbi sbci sbic sbis sbiw sei sen ser ses set sev sez sleep spm st std sts sub subi swap tst wdr",built_in:"r0 r1 r2 r3 r4 r5 r6 r7 r8 r9 r10 r11 r12 r13 r14 r15 r16 r17 r18 r19 r20 r21 r22 r23 r24 r25 r26 r27 r28 r29 r30 r31 x|0 xh xl y|0 yh yl z|0 zh zl ucsr1c udr1 ucsr1a ucsr1b ubrr1l ubrr1h ucsr0c ubrr0h tccr3c tccr3a tccr3b tcnt3h tcnt3l ocr3ah ocr3al ocr3bh ocr3bl ocr3ch ocr3cl icr3h icr3l etimsk etifr tccr1c ocr1ch ocr1cl twcr twdr twar twsr twbr osccal xmcra xmcrb eicra spmcsr spmcr portg ddrg ping portf ddrf sreg sph spl xdiv rampz eicrb eimsk gimsk gicr eifr gifr timsk tifr mcucr mcucsr tccr0 tcnt0 ocr0 assr tccr1a tccr1b tcnt1h tcnt1l ocr1ah ocr1al ocr1bh ocr1bl icr1h icr1l tccr2 tcnt2 ocr2 ocdr wdtcr sfior eearh eearl eedr eecr porta ddra pina portb ddrb pinb portc ddrc pinc portd ddrd pind spdr spsr spcr udr0 ucsr0a ucsr0b ubrr0l acsr admux adcsr adch adcl porte ddre pine pinf",preprocessor:".byte .cseg .db .def .device .dseg .dw .endmacro .equ .eseg .exit .include .list .listmac .macro .nolist .org .set"},c:[r.CBCM,r.C(";","$",{r:0}),r.CNM,r.BNM,{cN:"number",b:"\\b(\\$[a-zA-Z0-9]+|0o[0-7]+)"},r.QSM,{cN:"string",b:"'",e:"[^\\\\]'",i:"[^\\\\][^']"},{cN:"label",b:"^[A-Za-z0-9_.$]+:"},{cN:"preprocessor",b:"#",e:"$"},{cN:"localvars",b:"@[0-9]+"}]}});hljs.registerLanguage("profile",function(e){return{c:[e.CNM,{cN:"built_in",b:"{",e:"}$",eB:!0,eE:!0,c:[e.ASM,e.QSM],r:0},{cN:"filename",b:"[a-zA-Z_][\\da-zA-Z_]+\\.[\\da-zA-Z_]{1,3}",e:":",eE:!0},{cN:"header",b:"(ncalls|tottime|cumtime)",e:"$",k:"ncalls tottime|10 cumtime|10 filename",r:10},{cN:"summary",b:"function calls",e:"$",c:[e.CNM],r:10},e.ASM,e.QSM,{cN:"function",b:"\\(",e:"\\)$",c:[e.UTM],r:0}]}});hljs.registerLanguage("mercury",function(e){var i={keyword:"module use_module import_module include_module end_module initialise mutable initialize finalize finalise interface implementation pred mode func type inst solver any_pred any_func is semidet det nondet multi erroneous failure cc_nondet cc_multi typeclass instance where pragma promise external trace atomic or_else require_complete_switch require_det require_semidet require_multi require_nondet require_cc_multi require_cc_nondet require_erroneous require_failure",pragma:"inline no_inline type_spec source_file fact_table obsolete memo loop_check minimal_model terminates does_not_terminate check_termination promise_equivalent_clauses",preprocessor:"foreign_proc foreign_decl foreign_code foreign_type foreign_import_module foreign_export_enum foreign_export foreign_enum may_call_mercury will_not_call_mercury thread_safe not_thread_safe maybe_thread_safe promise_pure promise_semipure tabled_for_io local untrailed trailed attach_to_io_state can_pass_as_mercury_type stable will_not_throw_exception may_modify_trail will_not_modify_trail may_duplicate may_not_duplicate affects_liveness does_not_affect_liveness doesnt_affect_liveness no_sharing unknown_sharing sharing",built_in:"some all not if then else true fail false try catch catch_any semidet_true semidet_false semidet_fail impure_true impure semipure"},r={cN:"label",b:"XXX",e:"$",eW:!0,r:0},t=e.inherit(e.CLCM,{b:"%"}),_=e.inherit(e.CBCM,{r:0});t.c.push(r),_.c.push(r);var n={cN:"number",b:"0'.\\|0[box][0-9a-fA-F]*"},a=e.inherit(e.ASM,{r:0}),o=e.inherit(e.QSM,{r:0}),l={cN:"constant",b:"\\\\[abfnrtv]\\|\\\\x[0-9a-fA-F]*\\\\\\|%[-+# *.0-9]*[dioxXucsfeEgGp]",r:0};o.c.push(l);var s={cN:"built_in",v:[{b:"<=>"},{b:"<=",r:0},{b:"=>",r:0},{b:"/\\\\"},{b:"\\\\/"}]},c={cN:"built_in",v:[{b:":-\\|-->"},{b:"=",r:0}]};return{aliases:["m","moo"],k:i,c:[s,c,t,_,n,e.NM,a,o,{b:/:-/}]}});hljs.registerLanguage("crmsh",function(e){var t="primitive rsc_template",r="group clone ms master location colocation order fencing_topology rsc_ticket acl_target acl_group user role tag xml",a="property rsc_defaults op_defaults",s="params meta operations op rule attributes utilization",i="read write deny defined not_defined in_range date spec in ref reference attribute type xpath version and or lt gt tag lte gte eq ne \\",o="number string",n="Master Started Slave Stopped start promote demote stop monitor true false";return{aliases:["crm","pcmk"],cI:!0,k:{keyword:s,operator:i,type:o,literal:n},c:[e.HCM,{bK:"node",starts:{cN:"identifier",e:"\\s*([\\w_-]+:)?",starts:{cN:"title",e:"\\s*[\\$\\w_][\\w_-]*"}}},{bK:t,starts:{cN:"title",e:"\\s*[\\$\\w_][\\w_-]*",starts:{cN:"pragma",e:"\\s*@?[\\w_][\\w_\\.:-]*"}}},{b:"\\b("+r.split(" ").join("|")+")\\s+",k:r,starts:{cN:"title",e:"[\\$\\w_][\\w_-]*"}},{bK:a,starts:{cN:"title",e:"\\s*([\\w_-]+:)?"}},e.QSM,{cN:"pragma",b:"(ocf|systemd|service|lsb):[\\w_:-]+",r:0},{cN:"number",b:"\\b\\d+(\\.\\d+)?(ms|s|h|m)?",r:0},{cN:"number",b:"[-]?(infinity|inf)",r:0},{cN:"variable",b:/([A-Za-z\$_\#][\w_-]+)=/,r:0},{cN:"tag",b:"",r:0}]}});hljs.registerLanguage("erlang",function(e){var r="[a-z'][a-zA-Z0-9_']*",c="("+r+":"+r+"|"+r+")",a={keyword:"after and andalso|10 band begin bnot bor bsl bzr bxor case catch cond div end fun if let not of orelse|10 query receive rem try when xor",literal:"false true"},n=e.C("%","$"),i={cN:"number",b:"\\b(\\d+#[a-fA-F0-9]+|\\d+(\\.\\d+)?([eE][-+]?\\d+)?)",r:0},b={b:"fun\\s+"+r+"/\\d+"},d={b:c+"\\(",e:"\\)",rB:!0,r:0,c:[{cN:"function_name",b:c,r:0},{b:"\\(",e:"\\)",eW:!0,rE:!0,r:0}]},o={cN:"tuple",b:"{",e:"}",r:0},t={cN:"variable",b:"\\b_([A-Z][A-Za-z0-9_]*)?",r:0},l={cN:"variable",b:"[A-Z][a-zA-Z0-9_]*",r:0},f={b:"#"+e.UIR,r:0,rB:!0,c:[{cN:"record_name",b:"#"+e.UIR,r:0},{b:"{",e:"}",r:0}]},s={bK:"fun receive if try case",e:"end",k:a};s.c=[n,b,e.inherit(e.ASM,{cN:""}),s,d,e.QSM,i,o,t,l,f];var u=[n,b,s,d,e.QSM,i,o,t,l,f];d.c[1].c=u,o.c=u,f.c[1].c=u;var v={cN:"params",b:"\\(",e:"\\)",c:u};return{aliases:["erl"],k:a,i:"(",rB:!0,i:"\\(|#|//|/\\*|\\\\|:|;",c:[v,e.inherit(e.TM,{b:r})],starts:{e:";|\\.",k:a,c:u}},n,{cN:"pp",b:"^-",e:"\\.",r:0,eE:!0,rB:!0,l:"-"+e.IR,k:"-module -record -undef -export -ifdef -ifndef -author -copyright -doc -vsn -import -include -include_lib -compile -define -else -endif -file -behaviour -behavior -spec",c:[v]},i,e.QSM,f,t,l,o,{b:/\.$/}]}});hljs.registerLanguage("cpp",function(t){var e={cN:"keyword",b:"\\b[a-z\\d_]*_t\\b"},r={cN:"string",v:[t.inherit(t.QSM,{b:'((u8?|U)|L)?"'}),{b:'(u8?|U)?R"',e:'"',c:[t.BE]},{b:"'\\\\?.",e:"'",i:"."}]},s={cN:"number",v:[{b:"\\b(\\d+(\\.\\d*)?|\\.\\d+)(u|U|l|L|ul|UL|f|F)"},{b:t.CNR}]},i={cN:"preprocessor",b:"#",e:"$",k:"if else elif endif define undef warning error line pragma ifdef ifndef",c:[{b:/\\\n/,r:0},{bK:"include",e:"$",c:[r,{cN:"string",b:"<",e:">",i:"\\n"}]},r,s,t.CLCM,t.CBCM]},a=t.IR+"\\s*\\(",c={keyword:"int float while private char catch export virtual operator sizeof dynamic_cast|10 typedef const_cast|10 const struct for static_cast|10 union namespace unsigned long volatile static protected bool template mutable if public friend do goto auto void enum else break extern using class asm case typeid short reinterpret_cast|10 default double register explicit signed typename try this switch continue inline delete alignof constexpr decltype noexcept static_assert thread_local restrict _Bool complex _Complex _Imaginary atomic_bool atomic_char atomic_schar atomic_uchar atomic_short atomic_ushort atomic_int atomic_uint atomic_long atomic_ulong atomic_llong atomic_ullong",built_in:"std string cin cout cerr clog stdin stdout stderr stringstream istringstream ostringstream auto_ptr deque list queue stack vector map set bitset multiset multimap unordered_set unordered_map unordered_multiset unordered_multimap array shared_ptr abort abs acos asin atan2 atan calloc ceil cosh cos exit exp fabs floor fmod fprintf fputs free frexp fscanf isalnum isalpha iscntrl isdigit isgraph islower isprint ispunct isspace isupper isxdigit tolower toupper labs ldexp log10 log malloc realloc memchr memcmp memcpy memset modf pow printf putchar puts scanf sinh sin snprintf sprintf sqrt sscanf strcat strchr strcmp strcpy strcspn strlen strncat strncmp strncpy strpbrk strrchr strspn strstr tanh tan vfprintf vprintf vsprintf",literal:"true false nullptr NULL"};return{aliases:["c","cc","h","c++","h++","hpp"],k:c,i:"",k:c,c:["self",e]},{b:t.IR+"::",k:c},{bK:"new throw return else",r:0},{cN:"function",b:"("+t.IR+"[\\*&\\s]+)+"+a,rB:!0,e:/[{;=]/,eE:!0,k:c,i:/[^\w\s\*&]/,c:[{b:a,rB:!0,c:[t.TM],r:0},{cN:"params",b:/\(/,e:/\)/,k:c,r:0,c:[t.CLCM,t.CBCM,r,s]},t.CLCM,t.CBCM,i]}]}});hljs.registerLanguage("xquery",function(e){var t="for let if while then else return where group by xquery encoding versionmodule namespace boundary-space preserve strip default collation base-uri orderingcopy-namespaces order declare import schema namespace function option in allowing emptyat tumbling window sliding window start when only end when previous next stable ascendingdescending empty greatest least some every satisfies switch case typeswitch try catch andor to union intersect instance of treat as castable cast map array delete insert intoreplace value rename copy modify update",a="false true xs:string xs:integer element item xs:date xs:datetime xs:float xs:double xs:decimal QName xs:anyURI xs:long xs:int xs:short xs:byte attribute",r={cN:"variable",b:/\$[a-zA-Z0-9\-]+/,r:5},s={cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},n={cN:"string",v:[{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]},i={cN:"decorator",b:"%\\w+"},c={cN:"comment",b:"\\(:",e:":\\)",r:10,c:[{cN:"doc",b:"@\\w+"}]},o={b:"{",e:"}"},l=[r,n,s,c,i,o];return o.c=l,{aliases:["xpath","xq"],cI:!1,l:/[a-zA-Z\$][a-zA-Z0-9_:\-]*/,i:/(proc)|(abstract)|(extends)|(until)|(#)/,k:{keyword:t,literal:a},c:l}});hljs.registerLanguage("dockerfile",function(e){return{aliases:["docker"],cI:!0,k:{built_ins:"from maintainer cmd expose add copy entrypoint volume user workdir onbuild run env label"},c:[e.HCM,{k:{built_in:"run cmd entrypoint volume add copy workdir onbuild label"},b:/^ *(onbuild +)?(run|cmd|entrypoint|volume|add|copy|workdir|label) +/,starts:{e:/[^\\]\n/,sL:"bash"}},{k:{built_in:"from maintainer expose env user onbuild"},b:/^ *(onbuild +)?(from|maintainer|expose|env|user|onbuild) +/,e:/[^\\]\n/,c:[e.ASM,e.QSM,e.NM,e.HCM]}]}});hljs.registerLanguage("scss",function(e){var t="[a-zA-Z-][a-zA-Z0-9_-]*",i={cN:"variable",b:"(\\$"+t+")\\b"},r={cN:"function",b:t+"\\(",rB:!0,eE:!0,e:"\\("},o={cN:"hexcolor",b:"#[0-9A-Fa-f]+"};({cN:"attribute",b:"[A-Z\\_\\.\\-]+",e:":",eE:!0,i:"[^\\s]",starts:{cN:"value",eW:!0,eE:!0,c:[r,o,e.CSSNM,e.QSM,e.ASM,e.CBCM,{cN:"important",b:"!important"}]}});return{cI:!0,i:"[=/|']",c:[e.CLCM,e.CBCM,r,{cN:"id",b:"\\#[A-Za-z0-9_-]+",r:0},{cN:"class",b:"\\.[A-Za-z0-9_-]+",r:0},{cN:"attr_selector",b:"\\[",e:"\\]",i:"$"},{cN:"tag",b:"\\b(a|abbr|acronym|address|area|article|aside|audio|b|base|big|blockquote|body|br|button|canvas|caption|cite|code|col|colgroup|command|datalist|dd|del|details|dfn|div|dl|dt|em|embed|fieldset|figcaption|figure|footer|form|frame|frameset|(h[1-6])|head|header|hgroup|hr|html|i|iframe|img|input|ins|kbd|keygen|label|legend|li|link|map|mark|meta|meter|nav|noframes|noscript|object|ol|optgroup|option|output|p|param|pre|progress|q|rp|rt|ruby|samp|script|section|select|small|span|strike|strong|style|sub|sup|table|tbody|td|textarea|tfoot|th|thead|time|title|tr|tt|ul|var|video)\\b",r:0},{cN:"pseudo",b:":(visited|valid|root|right|required|read-write|read-only|out-range|optional|only-of-type|only-child|nth-of-type|nth-last-of-type|nth-last-child|nth-child|not|link|left|last-of-type|last-child|lang|invalid|indeterminate|in-range|hover|focus|first-of-type|first-line|first-letter|first-child|first|enabled|empty|disabled|default|checked|before|after|active)"},{cN:"pseudo",b:"::(after|before|choices|first-letter|first-line|repeat-index|repeat-item|selection|value)"},i,{cN:"attribute",b:"\\b(z-index|word-wrap|word-spacing|word-break|width|widows|white-space|visibility|vertical-align|unicode-bidi|transition-timing-function|transition-property|transition-duration|transition-delay|transition|transform-style|transform-origin|transform|top|text-underline-position|text-transform|text-shadow|text-rendering|text-overflow|text-indent|text-decoration-style|text-decoration-line|text-decoration-color|text-decoration|text-align-last|text-align|tab-size|table-layout|right|resize|quotes|position|pointer-events|perspective-origin|perspective|page-break-inside|page-break-before|page-break-after|padding-top|padding-right|padding-left|padding-bottom|padding|overflow-y|overflow-x|overflow-wrap|overflow|outline-width|outline-style|outline-offset|outline-color|outline|orphans|order|opacity|object-position|object-fit|normal|none|nav-up|nav-right|nav-left|nav-index|nav-down|min-width|min-height|max-width|max-height|mask|marks|margin-top|margin-right|margin-left|margin-bottom|margin|list-style-type|list-style-position|list-style-image|list-style|line-height|letter-spacing|left|justify-content|initial|inherit|ime-mode|image-orientation|image-resolution|image-rendering|icon|hyphens|height|font-weight|font-variant-ligatures|font-variant|font-style|font-stretch|font-size-adjust|font-size|font-language-override|font-kerning|font-feature-settings|font-family|font|float|flex-wrap|flex-shrink|flex-grow|flex-flow|flex-direction|flex-basis|flex|filter|empty-cells|display|direction|cursor|counter-reset|counter-increment|content|column-width|column-span|column-rule-width|column-rule-style|column-rule-color|column-rule|column-gap|column-fill|column-count|columns|color|clip-path|clip|clear|caption-side|break-inside|break-before|break-after|box-sizing|box-shadow|box-decoration-break|bottom|border-width|border-top-width|border-top-style|border-top-right-radius|border-top-left-radius|border-top-color|border-top|border-style|border-spacing|border-right-width|border-right-style|border-right-color|border-right|border-radius|border-left-width|border-left-style|border-left-color|border-left|border-image-width|border-image-source|border-image-slice|border-image-repeat|border-image-outset|border-image|border-color|border-collapse|border-bottom-width|border-bottom-style|border-bottom-right-radius|border-bottom-left-radius|border-bottom-color|border-bottom|border|background-size|background-repeat|background-position|background-origin|background-image|background-color|background-clip|background-attachment|background-blend-mode|background|backface-visibility|auto|animation-timing-function|animation-play-state|animation-name|animation-iteration-count|animation-fill-mode|animation-duration|animation-direction|animation-delay|animation|align-self|align-items|align-content)\\b",i:"[^\\s]"},{cN:"value",b:"\\b(whitespace|wait|w-resize|visible|vertical-text|vertical-ideographic|uppercase|upper-roman|upper-alpha|underline|transparent|top|thin|thick|text|text-top|text-bottom|tb-rl|table-header-group|table-footer-group|sw-resize|super|strict|static|square|solid|small-caps|separate|se-resize|scroll|s-resize|rtl|row-resize|ridge|right|repeat|repeat-y|repeat-x|relative|progress|pointer|overline|outside|outset|oblique|nowrap|not-allowed|normal|none|nw-resize|no-repeat|no-drop|newspaper|ne-resize|n-resize|move|middle|medium|ltr|lr-tb|lowercase|lower-roman|lower-alpha|loose|list-item|line|line-through|line-edge|lighter|left|keep-all|justify|italic|inter-word|inter-ideograph|inside|inset|inline|inline-block|inherit|inactive|ideograph-space|ideograph-parenthesis|ideograph-numeric|ideograph-alpha|horizontal|hidden|help|hand|groove|fixed|ellipsis|e-resize|double|dotted|distribute|distribute-space|distribute-letter|distribute-all-lines|disc|disabled|default|decimal|dashed|crosshair|collapse|col-resize|circle|char|center|capitalize|break-word|break-all|bottom|both|bolder|bold|block|bidi-override|below|baseline|auto|always|all-scroll|absolute|table|table-cell)\\b"},{cN:"value",b:":",e:";",c:[r,i,o,e.CSSNM,e.QSM,e.ASM,{cN:"important",b:"!important"}]},{cN:"at_rule",b:"@",e:"[{;]",k:"mixin include extend for if else each while charset import debug media page content font-face namespace warn",c:[r,i,e.QSM,e.ASM,o,e.CSSNM,{cN:"preprocessor",b:"\\s[A-Za-z0-9_.-]+",r:0}]}]}});hljs.registerLanguage("cmake",function(e){return{aliases:["cmake.in"],cI:!0,k:{keyword:"add_custom_command add_custom_target add_definitions add_dependencies add_executable add_library add_subdirectory add_test aux_source_directory break build_command cmake_minimum_required cmake_policy configure_file create_test_sourcelist define_property else elseif enable_language enable_testing endforeach endfunction endif endmacro endwhile execute_process export find_file find_library find_package find_path find_program fltk_wrap_ui foreach function get_cmake_property get_directory_property get_filename_component get_property get_source_file_property get_target_property get_test_property if include include_directories include_external_msproject include_regular_expression install link_directories load_cache load_command macro mark_as_advanced message option output_required_files project qt_wrap_cpp qt_wrap_ui remove_definitions return separate_arguments set set_directory_properties set_property set_source_files_properties set_target_properties set_tests_properties site_name source_group string target_link_libraries try_compile try_run unset variable_watch while build_name exec_program export_library_dependencies install_files install_programs install_targets link_libraries make_directory remove subdir_depends subdirs use_mangled_mesa utility_source variable_requires write_file qt5_use_modules qt5_use_package qt5_wrap_cpp on off true false and or",operator:"equal less greater strless strgreater strequal matches"},c:[{cN:"envvar",b:"\\${",e:"}"},e.HCM,e.QSM,e.NM]}});hljs.registerLanguage("nix",function(e){var t={keyword:"rec with let in inherit assert if else then",constant:"true false or and null",built_in:"import abort baseNameOf dirOf isNull builtins map removeAttrs throw toString derivation"},i={cN:"subst",b:/\$\{/,e:/}/,k:t},r={cN:"variable",b:/[a-zA-Z0-9-_]+(\s*=)/,r:0},n={cN:"string",b:"''",e:"''",c:[i]},s={cN:"string",b:'"',e:'"',c:[i]},a=[e.NM,e.HCM,e.CBCM,n,s,r];return i.c=a,{aliases:["nixos"],k:t,c:a}});hljs.registerLanguage("mathematica",function(e){return{aliases:["mma"],l:"(\\$|\\b)"+e.IR+"\\b",k:"AbelianGroup Abort AbortKernels AbortProtect Above Abs Absolute AbsoluteCorrelation AbsoluteCorrelationFunction AbsoluteCurrentValue AbsoluteDashing AbsoluteFileName AbsoluteOptions AbsolutePointSize AbsoluteThickness AbsoluteTime AbsoluteTiming AccountingForm Accumulate Accuracy AccuracyGoal ActionDelay ActionMenu ActionMenuBox ActionMenuBoxOptions Active ActiveItem ActiveStyle AcyclicGraphQ AddOnHelpPath AddTo AdjacencyGraph AdjacencyList AdjacencyMatrix AdjustmentBox AdjustmentBoxOptions AdjustTimeSeriesForecast AffineTransform After AiryAi AiryAiPrime AiryAiZero AiryBi AiryBiPrime AiryBiZero AlgebraicIntegerQ AlgebraicNumber AlgebraicNumberDenominator AlgebraicNumberNorm AlgebraicNumberPolynomial AlgebraicNumberTrace AlgebraicRules AlgebraicRulesData Algebraics AlgebraicUnitQ Alignment AlignmentMarker AlignmentPoint All AllowedDimensions AllowGroupClose AllowInlineCells AllowKernelInitialization AllowReverseGroupClose AllowScriptLevelChange AlphaChannel AlternatingGroup AlternativeHypothesis Alternatives AmbientLight Analytic AnchoredSearch And AndersonDarlingTest AngerJ AngleBracket AngularGauge Animate AnimationCycleOffset AnimationCycleRepetitions AnimationDirection AnimationDisplayTime AnimationRate AnimationRepetitions AnimationRunning Animator AnimatorBox AnimatorBoxOptions AnimatorElements Annotation Annuity AnnuityDue Antialiasing Antisymmetric Apart ApartSquareFree Appearance AppearanceElements AppellF1 Append AppendTo Apply ArcCos ArcCosh ArcCot ArcCoth ArcCsc ArcCsch ArcSec ArcSech ArcSin ArcSinDistribution ArcSinh ArcTan ArcTanh Arg ArgMax ArgMin ArgumentCountQ ARIMAProcess ArithmeticGeometricMean ARMAProcess ARProcess Array ArrayComponents ArrayDepth ArrayFlatten ArrayPad ArrayPlot ArrayQ ArrayReshape ArrayRules Arrays Arrow Arrow3DBox ArrowBox Arrowheads AspectRatio AspectRatioFixed Assert Assuming Assumptions AstronomicalData Asynchronous AsynchronousTaskObject AsynchronousTasks AtomQ Attributes AugmentedSymmetricPolynomial AutoAction AutoDelete AutoEvaluateEvents AutoGeneratedPackage AutoIndent AutoIndentSpacings AutoItalicWords AutoloadPath AutoMatch Automatic AutomaticImageSize AutoMultiplicationSymbol AutoNumberFormatting AutoOpenNotebooks AutoOpenPalettes AutorunSequencing AutoScaling AutoScroll AutoSpacing AutoStyleOptions AutoStyleWords Axes AxesEdge AxesLabel AxesOrigin AxesStyle Axis BabyMonsterGroupB Back Background BackgroundTasksSettings Backslash Backsubstitution Backward Band BandpassFilter BandstopFilter BarabasiAlbertGraphDistribution BarChart BarChart3D BarLegend BarlowProschanImportance BarnesG BarOrigin BarSpacing BartlettHannWindow BartlettWindow BaseForm Baseline BaselinePosition BaseStyle BatesDistribution BattleLemarieWavelet Because BeckmannDistribution Beep Before Begin BeginDialogPacket BeginFrontEndInteractionPacket BeginPackage BellB BellY Below BenfordDistribution BeniniDistribution BenktanderGibratDistribution BenktanderWeibullDistribution BernoulliB BernoulliDistribution BernoulliGraphDistribution BernoulliProcess BernsteinBasis BesselFilterModel BesselI BesselJ BesselJZero BesselK BesselY BesselYZero Beta BetaBinomialDistribution BetaDistribution BetaNegativeBinomialDistribution BetaPrimeDistribution BetaRegularized BetweennessCentrality BezierCurve BezierCurve3DBox BezierCurve3DBoxOptions BezierCurveBox BezierCurveBoxOptions BezierFunction BilateralFilter Binarize BinaryFormat BinaryImageQ BinaryRead BinaryReadList BinaryWrite BinCounts BinLists Binomial BinomialDistribution BinomialProcess BinormalDistribution BiorthogonalSplineWavelet BipartiteGraphQ BirnbaumImportance BirnbaumSaundersDistribution BitAnd BitClear BitGet BitLength BitNot BitOr BitSet BitShiftLeft BitShiftRight BitXor Black BlackmanHarrisWindow BlackmanNuttallWindow BlackmanWindow Blank BlankForm BlankNullSequence BlankSequence Blend Block BlockRandom BlomqvistBeta BlomqvistBetaTest Blue Blur BodePlot BohmanWindow Bold Bookmarks Boole BooleanConsecutiveFunction BooleanConvert BooleanCountingFunction BooleanFunction BooleanGraph BooleanMaxterms BooleanMinimize BooleanMinterms Booleans BooleanTable BooleanVariables BorderDimensions BorelTannerDistribution Bottom BottomHatTransform BoundaryStyle Bounds Box BoxBaselineShift BoxData BoxDimensions Boxed Boxes BoxForm BoxFormFormatTypes BoxFrame BoxID BoxMargins BoxMatrix BoxRatios BoxRotation BoxRotationPoint BoxStyle BoxWhiskerChart Bra BracketingBar BraKet BrayCurtisDistance BreadthFirstScan Break Brown BrownForsytheTest BrownianBridgeProcess BrowserCategory BSplineBasis BSplineCurve BSplineCurve3DBox BSplineCurveBox BSplineCurveBoxOptions BSplineFunction BSplineSurface BSplineSurface3DBox BubbleChart BubbleChart3D BubbleScale BubbleSizes BulletGauge BusinessDayQ ButterflyGraph ButterworthFilterModel Button ButtonBar ButtonBox ButtonBoxOptions ButtonCell ButtonContents ButtonData ButtonEvaluator ButtonExpandable ButtonFrame ButtonFunction ButtonMargins ButtonMinHeight ButtonNote ButtonNotebook ButtonSource ButtonStyle ButtonStyleMenuListing Byte ByteCount ByteOrdering C CachedValue CacheGraphics CalendarData CalendarType CallPacket CanberraDistance Cancel CancelButton CandlestickChart Cap CapForm CapitalDifferentialD CardinalBSplineBasis CarmichaelLambda Cases Cashflow Casoratian Catalan CatalanNumber Catch CauchyDistribution CauchyWindow CayleyGraph CDF CDFDeploy CDFInformation CDFWavelet Ceiling Cell CellAutoOverwrite CellBaseline CellBoundingBox CellBracketOptions CellChangeTimes CellContents CellContext CellDingbat CellDynamicExpression CellEditDuplicate CellElementsBoundingBox CellElementSpacings CellEpilog CellEvaluationDuplicate CellEvaluationFunction CellEventActions CellFrame CellFrameColor CellFrameLabelMargins CellFrameLabels CellFrameMargins CellGroup CellGroupData CellGrouping CellGroupingRules CellHorizontalScrolling CellID CellLabel CellLabelAutoDelete CellLabelMargins CellLabelPositioning CellMargins CellObject CellOpen CellPrint CellProlog Cells CellSize CellStyle CellTags CellularAutomaton CensoredDistribution Censoring Center CenterDot CentralMoment CentralMomentGeneratingFunction CForm ChampernowneNumber ChanVeseBinarize Character CharacterEncoding CharacterEncodingsPath CharacteristicFunction CharacteristicPolynomial CharacterRange Characters ChartBaseStyle ChartElementData ChartElementDataFunction ChartElementFunction ChartElements ChartLabels ChartLayout ChartLegends ChartStyle Chebyshev1FilterModel Chebyshev2FilterModel ChebyshevDistance ChebyshevT ChebyshevU Check CheckAbort CheckAll Checkbox CheckboxBar CheckboxBox CheckboxBoxOptions ChemicalData ChessboardDistance ChiDistribution ChineseRemainder ChiSquareDistribution ChoiceButtons ChoiceDialog CholeskyDecomposition Chop Circle CircleBox CircleDot CircleMinus CirclePlus CircleTimes CirculantGraph CityData Clear ClearAll ClearAttributes ClearSystemCache ClebschGordan ClickPane Clip ClipboardNotebook ClipFill ClippingStyle ClipPlanes ClipRange Clock ClockGauge ClockwiseContourIntegral Close Closed CloseKernels ClosenessCentrality Closing ClosingAutoSave ClosingEvent ClusteringComponents CMYKColor Coarse Coefficient CoefficientArrays CoefficientDomain CoefficientList CoefficientRules CoifletWavelet Collect Colon ColonForm ColorCombine ColorConvert ColorData ColorDataFunction ColorFunction ColorFunctionScaling Colorize ColorNegate ColorOutput ColorProfileData ColorQuantize ColorReplace ColorRules ColorSelectorSettings ColorSeparate ColorSetter ColorSetterBox ColorSetterBoxOptions ColorSlider ColorSpace Column ColumnAlignments ColumnBackgrounds ColumnForm ColumnLines ColumnsEqual ColumnSpacings ColumnWidths CommonDefaultFormatTypes Commonest CommonestFilter CommonUnits CommunityBoundaryStyle CommunityGraphPlot CommunityLabels CommunityRegionStyle CompatibleUnitQ CompilationOptions CompilationTarget Compile Compiled CompiledFunction Complement CompleteGraph CompleteGraphQ CompleteKaryTree CompletionsListPacket Complex Complexes ComplexExpand ComplexInfinity ComplexityFunction ComponentMeasurements ComponentwiseContextMenu Compose ComposeList ComposeSeries Composition CompoundExpression CompoundPoissonDistribution CompoundPoissonProcess CompoundRenewalProcess Compress CompressedData Condition ConditionalExpression Conditioned Cone ConeBox ConfidenceLevel ConfidenceRange ConfidenceTransform ConfigurationPath Congruent Conjugate ConjugateTranspose Conjunction Connect ConnectedComponents ConnectedGraphQ ConnesWindow ConoverTest ConsoleMessage ConsoleMessagePacket ConsolePrint Constant ConstantArray Constants ConstrainedMax ConstrainedMin ContentPadding ContentsBoundingBox ContentSelectable ContentSize Context ContextMenu Contexts ContextToFilename ContextToFileName Continuation Continue ContinuedFraction ContinuedFractionK ContinuousAction ContinuousMarkovProcess ContinuousTimeModelQ ContinuousWaveletData ContinuousWaveletTransform ContourDetect ContourGraphics ContourIntegral ContourLabels ContourLines ContourPlot ContourPlot3D Contours ContourShading ContourSmoothing ContourStyle ContraharmonicMean Control ControlActive ControlAlignment ControllabilityGramian ControllabilityMatrix ControllableDecomposition ControllableModelQ ControllerDuration ControllerInformation ControllerInformationData ControllerLinking ControllerManipulate ControllerMethod ControllerPath ControllerState ControlPlacement ControlsRendering ControlType Convergents ConversionOptions ConversionRules ConvertToBitmapPacket ConvertToPostScript ConvertToPostScriptPacket Convolve ConwayGroupCo1 ConwayGroupCo2 ConwayGroupCo3 CoordinateChartData CoordinatesToolOptions CoordinateTransform CoordinateTransformData CoprimeQ Coproduct CopulaDistribution Copyable CopyDirectory CopyFile CopyTag CopyToClipboard CornerFilter CornerNeighbors Correlation CorrelationDistance CorrelationFunction CorrelationTest Cos Cosh CoshIntegral CosineDistance CosineWindow CosIntegral Cot Coth Count CounterAssignments CounterBox CounterBoxOptions CounterClockwiseContourIntegral CounterEvaluator CounterFunction CounterIncrements CounterStyle CounterStyleMenuListing CountRoots CountryData Covariance CovarianceEstimatorFunction CovarianceFunction CoxianDistribution CoxIngersollRossProcess CoxModel CoxModelFit CramerVonMisesTest CreateArchive CreateDialog CreateDirectory CreateDocument CreateIntermediateDirectories CreatePalette CreatePalettePacket CreateScheduledTask CreateTemporary CreateWindow CriticalityFailureImportance CriticalitySuccessImportance CriticalSection Cross CrossingDetect CrossMatrix Csc Csch CubeRoot Cubics Cuboid CuboidBox Cumulant CumulantGeneratingFunction Cup CupCap Curl CurlyDoubleQuote CurlyQuote CurrentImage CurrentlySpeakingPacket CurrentValue CurvatureFlowFilter CurveClosed Cyan CycleGraph CycleIndexPolynomial Cycles CyclicGroup Cyclotomic Cylinder CylinderBox CylindricalDecomposition D DagumDistribution DamerauLevenshteinDistance DampingFactor Darker Dashed Dashing DataCompression DataDistribution DataRange DataReversed Date DateDelimiters DateDifference DateFunction DateList DateListLogPlot DateListPlot DatePattern DatePlus DateRange DateString DateTicksFormat DaubechiesWavelet DavisDistribution DawsonF DayCount DayCountConvention DayMatchQ DayName DayPlus DayRange DayRound DeBruijnGraph Debug DebugTag Decimal DeclareKnownSymbols DeclarePackage Decompose Decrement DedekindEta Default DefaultAxesStyle DefaultBaseStyle DefaultBoxStyle DefaultButton DefaultColor DefaultControlPlacement DefaultDuplicateCellStyle DefaultDuration DefaultElement DefaultFaceGridsStyle DefaultFieldHintStyle DefaultFont DefaultFontProperties DefaultFormatType DefaultFormatTypeForStyle DefaultFrameStyle DefaultFrameTicksStyle DefaultGridLinesStyle DefaultInlineFormatType DefaultInputFormatType DefaultLabelStyle DefaultMenuStyle DefaultNaturalLanguage DefaultNewCellStyle DefaultNewInlineCellStyle DefaultNotebook DefaultOptions DefaultOutputFormatType DefaultStyle DefaultStyleDefinitions DefaultTextFormatType DefaultTextInlineFormatType DefaultTicksStyle DefaultTooltipStyle DefaultValues Defer DefineExternal DefineInputStreamMethod DefineOutputStreamMethod Definition Degree DegreeCentrality DegreeGraphDistribution DegreeLexicographic DegreeReverseLexicographic Deinitialization Del Deletable Delete DeleteBorderComponents DeleteCases DeleteContents DeleteDirectory DeleteDuplicates DeleteFile DeleteSmallComponents DeleteWithContents DeletionWarning Delimiter DelimiterFlashTime DelimiterMatching Delimiters Denominator DensityGraphics DensityHistogram DensityPlot DependentVariables Deploy Deployed Depth DepthFirstScan Derivative DerivativeFilter DescriptorStateSpace DesignMatrix Det DGaussianWavelet DiacriticalPositioning Diagonal DiagonalMatrix Dialog DialogIndent DialogInput DialogLevel DialogNotebook DialogProlog DialogReturn DialogSymbols Diamond DiamondMatrix DiceDissimilarity DictionaryLookup DifferenceDelta DifferenceOrder DifferenceRoot DifferenceRootReduce Differences DifferentialD DifferentialRoot DifferentialRootReduce DifferentiatorFilter DigitBlock DigitBlockMinimum DigitCharacter DigitCount DigitQ DihedralGroup Dilation Dimensions DiracComb DiracDelta DirectedEdge DirectedEdges DirectedGraph DirectedGraphQ DirectedInfinity Direction Directive Directory DirectoryName DirectoryQ DirectoryStack DirichletCharacter DirichletConvolve DirichletDistribution DirichletL DirichletTransform DirichletWindow DisableConsolePrintPacket DiscreteChirpZTransform DiscreteConvolve DiscreteDelta DiscreteHadamardTransform DiscreteIndicator DiscreteLQEstimatorGains DiscreteLQRegulatorGains DiscreteLyapunovSolve DiscreteMarkovProcess DiscretePlot DiscretePlot3D DiscreteRatio DiscreteRiccatiSolve DiscreteShift DiscreteTimeModelQ DiscreteUniformDistribution DiscreteVariables DiscreteWaveletData DiscreteWaveletPacketTransform DiscreteWaveletTransform Discriminant Disjunction Disk DiskBox DiskMatrix Dispatch DispersionEstimatorFunction Display DisplayAllSteps DisplayEndPacket DisplayFlushImagePacket DisplayForm DisplayFunction DisplayPacket DisplayRules DisplaySetSizePacket DisplayString DisplayTemporary DisplayWith DisplayWithRef DisplayWithVariable DistanceFunction DistanceTransform Distribute Distributed DistributedContexts DistributeDefinitions DistributionChart DistributionDomain DistributionFitTest DistributionParameterAssumptions DistributionParameterQ Dithering Div Divergence Divide DivideBy Dividers Divisible Divisors DivisorSigma DivisorSum DMSList DMSString Do DockedCells DocumentNotebook DominantColors DOSTextFormat Dot DotDashed DotEqual Dotted DoubleBracketingBar DoubleContourIntegral DoubleDownArrow DoubleLeftArrow DoubleLeftRightArrow DoubleLeftTee DoubleLongLeftArrow DoubleLongLeftRightArrow DoubleLongRightArrow DoubleRightArrow DoubleRightTee DoubleUpArrow DoubleUpDownArrow DoubleVerticalBar DoublyInfinite Down DownArrow DownArrowBar DownArrowUpArrow DownLeftRightVector DownLeftTeeVector DownLeftVector DownLeftVectorBar DownRightTeeVector DownRightVector DownRightVectorBar Downsample DownTee DownTeeArrow DownValues DragAndDrop DrawEdges DrawFrontFaces DrawHighlighted Drop DSolve Dt DualLinearProgramming DualSystemsModel DumpGet DumpSave DuplicateFreeQ Dynamic DynamicBox DynamicBoxOptions DynamicEvaluationTimeout DynamicLocation DynamicModule DynamicModuleBox DynamicModuleBoxOptions DynamicModuleParent DynamicModuleValues DynamicName DynamicNamespace DynamicReference DynamicSetting DynamicUpdating DynamicWrapper DynamicWrapperBox DynamicWrapperBoxOptions E EccentricityCentrality EdgeAdd EdgeBetweennessCentrality EdgeCapacity EdgeCapForm EdgeColor EdgeConnectivity EdgeCost EdgeCount EdgeCoverQ EdgeDashing EdgeDelete EdgeDetect EdgeForm EdgeIndex EdgeJoinForm EdgeLabeling EdgeLabels EdgeLabelStyle EdgeList EdgeOpacity EdgeQ EdgeRenderingFunction EdgeRules EdgeShapeFunction EdgeStyle EdgeThickness EdgeWeight Editable EditButtonSettings EditCellTagsSettings EditDistance EffectiveInterest Eigensystem Eigenvalues EigenvectorCentrality Eigenvectors Element ElementData Eliminate EliminationOrder EllipticE EllipticExp EllipticExpPrime EllipticF EllipticFilterModel EllipticK EllipticLog EllipticNomeQ EllipticPi EllipticReducedHalfPeriods EllipticTheta EllipticThetaPrime EmitSound EmphasizeSyntaxErrors EmpiricalDistribution Empty EmptyGraphQ EnableConsolePrintPacket Enabled Encode End EndAdd EndDialogPacket EndFrontEndInteractionPacket EndOfFile EndOfLine EndOfString EndPackage EngineeringForm Enter EnterExpressionPacket EnterTextPacket Entropy EntropyFilter Environment Epilog Equal EqualColumns EqualRows EqualTilde EquatedTo Equilibrium EquirippleFilterKernel Equivalent Erf Erfc Erfi ErlangB ErlangC ErlangDistribution Erosion ErrorBox ErrorBoxOptions ErrorNorm ErrorPacket ErrorsDialogSettings EstimatedDistribution EstimatedProcess EstimatorGains EstimatorRegulator EuclideanDistance EulerE EulerGamma EulerianGraphQ EulerPhi Evaluatable Evaluate Evaluated EvaluatePacket EvaluationCell EvaluationCompletionAction EvaluationElements EvaluationMode EvaluationMonitor EvaluationNotebook EvaluationObject EvaluationOrder Evaluator EvaluatorNames EvenQ EventData EventEvaluator EventHandler EventHandlerTag EventLabels ExactBlackmanWindow ExactNumberQ ExactRootIsolation ExampleData Except ExcludedForms ExcludePods Exclusions ExclusionsStyle Exists Exit ExitDialog Exp Expand ExpandAll ExpandDenominator ExpandFileName ExpandNumerator Expectation ExpectationE ExpectedValue ExpGammaDistribution ExpIntegralE ExpIntegralEi Exponent ExponentFunction ExponentialDistribution ExponentialFamily ExponentialGeneratingFunction ExponentialMovingAverage ExponentialPowerDistribution ExponentPosition ExponentStep Export ExportAutoReplacements ExportPacket ExportString Expression ExpressionCell ExpressionPacket ExpToTrig ExtendedGCD Extension ExtentElementFunction ExtentMarkers ExtentSize ExternalCall ExternalDataCharacterEncoding Extract ExtractArchive ExtremeValueDistribution FaceForm FaceGrids FaceGridsStyle Factor FactorComplete Factorial Factorial2 FactorialMoment FactorialMomentGeneratingFunction FactorialPower FactorInteger FactorList FactorSquareFree FactorSquareFreeList FactorTerms FactorTermsList Fail FailureDistribution False FARIMAProcess FEDisableConsolePrintPacket FeedbackSector FeedbackSectorStyle FeedbackType FEEnableConsolePrintPacket Fibonacci FieldHint FieldHintStyle FieldMasked FieldSize File FileBaseName FileByteCount FileDate FileExistsQ FileExtension FileFormat FileHash FileInformation FileName FileNameDepth FileNameDialogSettings FileNameDrop FileNameJoin FileNames FileNameSetter FileNameSplit FileNameTake FilePrint FileType FilledCurve FilledCurveBox Filling FillingStyle FillingTransform FilterRules FinancialBond FinancialData FinancialDerivative FinancialIndicator Find FindArgMax FindArgMin FindClique FindClusters FindCurvePath FindDistributionParameters FindDivisions FindEdgeCover FindEdgeCut FindEulerianCycle FindFaces FindFile FindFit FindGeneratingFunction FindGeoLocation FindGeometricTransform FindGraphCommunities FindGraphIsomorphism FindGraphPartition FindHamiltonianCycle FindIndependentEdgeSet FindIndependentVertexSet FindInstance FindIntegerNullVector FindKClan FindKClique FindKClub FindKPlex FindLibrary FindLinearRecurrence FindList FindMaximum FindMaximumFlow FindMaxValue FindMinimum FindMinimumCostFlow FindMinimumCut FindMinValue FindPermutation FindPostmanTour FindProcessParameters FindRoot FindSequenceFunction FindSettings FindShortestPath FindShortestTour FindThreshold FindVertexCover FindVertexCut Fine FinishDynamic FiniteAbelianGroupCount FiniteGroupCount FiniteGroupData First FirstPassageTimeDistribution FischerGroupFi22 FischerGroupFi23 FischerGroupFi24Prime FisherHypergeometricDistribution FisherRatioTest FisherZDistribution Fit FitAll FittedModel FixedPoint FixedPointList FlashSelection Flat Flatten FlattenAt FlatTopWindow FlipView Floor FlushPrintOutputPacket Fold FoldList Font FontColor FontFamily FontForm FontName FontOpacity FontPostScriptName FontProperties FontReencoding FontSize FontSlant FontSubstitutions FontTracking FontVariations FontWeight For ForAll Format FormatRules FormatType FormatTypeAutoConvert FormatValues FormBox FormBoxOptions FortranForm Forward ForwardBackward Fourier FourierCoefficient FourierCosCoefficient FourierCosSeries FourierCosTransform FourierDCT FourierDCTFilter FourierDCTMatrix FourierDST FourierDSTMatrix FourierMatrix FourierParameters FourierSequenceTransform FourierSeries FourierSinCoefficient FourierSinSeries FourierSinTransform FourierTransform FourierTrigSeries FractionalBrownianMotionProcess FractionalPart FractionBox FractionBoxOptions FractionLine Frame FrameBox FrameBoxOptions Framed FrameInset FrameLabel Frameless FrameMargins FrameStyle FrameTicks FrameTicksStyle FRatioDistribution FrechetDistribution FreeQ FrequencySamplingFilterKernel FresnelC FresnelS Friday FrobeniusNumber FrobeniusSolve FromCharacterCode FromCoefficientRules FromContinuedFraction FromDate FromDigits FromDMS Front FrontEndDynamicExpression FrontEndEventActions FrontEndExecute FrontEndObject FrontEndResource FrontEndResourceString FrontEndStackSize FrontEndToken FrontEndTokenExecute FrontEndValueCache FrontEndVersion FrontFaceColor FrontFaceOpacity Full FullAxes FullDefinition FullForm FullGraphics FullOptions FullSimplify Function FunctionExpand FunctionInterpolation FunctionSpace FussellVeselyImportance GaborFilter GaborMatrix GaborWavelet GainMargins GainPhaseMargins Gamma GammaDistribution GammaRegularized GapPenalty Gather GatherBy GaugeFaceElementFunction GaugeFaceStyle GaugeFrameElementFunction GaugeFrameSize GaugeFrameStyle GaugeLabels GaugeMarkers GaugeStyle GaussianFilter GaussianIntegers GaussianMatrix GaussianWindow GCD GegenbauerC General GeneralizedLinearModelFit GenerateConditions GeneratedCell GeneratedParameters GeneratingFunction Generic GenericCylindricalDecomposition GenomeData GenomeLookup GeodesicClosing GeodesicDilation GeodesicErosion GeodesicOpening GeoDestination GeodesyData GeoDirection GeoDistance GeoGridPosition GeometricBrownianMotionProcess GeometricDistribution GeometricMean GeometricMeanFilter GeometricTransformation GeometricTransformation3DBox GeometricTransformation3DBoxOptions GeometricTransformationBox GeometricTransformationBoxOptions GeoPosition GeoPositionENU GeoPositionXYZ GeoProjectionData GestureHandler GestureHandlerTag Get GetBoundingBoxSizePacket GetContext GetEnvironment GetFileName GetFrontEndOptionsDataPacket GetLinebreakInformationPacket GetMenusPacket GetPageBreakInformationPacket Glaisher GlobalClusteringCoefficient GlobalPreferences GlobalSession Glow GoldenRatio GompertzMakehamDistribution GoodmanKruskalGamma GoodmanKruskalGammaTest Goto Grad Gradient GradientFilter GradientOrientationFilter Graph GraphAssortativity GraphCenter GraphComplement GraphData GraphDensity GraphDiameter GraphDifference GraphDisjointUnion GraphDistance GraphDistanceMatrix GraphElementData GraphEmbedding GraphHighlight GraphHighlightStyle GraphHub Graphics Graphics3D Graphics3DBox Graphics3DBoxOptions GraphicsArray GraphicsBaseline GraphicsBox GraphicsBoxOptions GraphicsColor GraphicsColumn GraphicsComplex GraphicsComplex3DBox GraphicsComplex3DBoxOptions GraphicsComplexBox GraphicsComplexBoxOptions GraphicsContents GraphicsData GraphicsGrid GraphicsGridBox GraphicsGroup GraphicsGroup3DBox GraphicsGroup3DBoxOptions GraphicsGroupBox GraphicsGroupBoxOptions GraphicsGrouping GraphicsHighlightColor GraphicsRow GraphicsSpacing GraphicsStyle GraphIntersection GraphLayout GraphLinkEfficiency GraphPeriphery GraphPlot GraphPlot3D GraphPower GraphPropertyDistribution GraphQ GraphRadius GraphReciprocity GraphRoot GraphStyle GraphUnion Gray GrayLevel GreatCircleDistance Greater GreaterEqual GreaterEqualLess GreaterFullEqual GreaterGreater GreaterLess GreaterSlantEqual GreaterTilde Green Grid GridBaseline GridBox GridBoxAlignment GridBoxBackground GridBoxDividers GridBoxFrame GridBoxItemSize GridBoxItemStyle GridBoxOptions GridBoxSpacings GridCreationSettings GridDefaultElement GridElementStyleOptions GridFrame GridFrameMargins GridGraph GridLines GridLinesStyle GroebnerBasis GroupActionBase GroupCentralizer GroupElementFromWord GroupElementPosition GroupElementQ GroupElements GroupElementToWord GroupGenerators GroupMultiplicationTable GroupOrbits GroupOrder GroupPageBreakWithin GroupSetwiseStabilizer GroupStabilizer GroupStabilizerChain Gudermannian GumbelDistribution HaarWavelet HadamardMatrix HalfNormalDistribution HamiltonianGraphQ HammingDistance HammingWindow HankelH1 HankelH2 HankelMatrix HannPoissonWindow HannWindow HaradaNortonGroupHN HararyGraph HarmonicMean HarmonicMeanFilter HarmonicNumber Hash HashTable Haversine HazardFunction Head HeadCompose Heads HeavisideLambda HeavisidePi HeavisideTheta HeldGroupHe HeldPart HelpBrowserLookup HelpBrowserNotebook HelpBrowserSettings HermiteDecomposition HermiteH HermitianMatrixQ HessenbergDecomposition Hessian HexadecimalCharacter Hexahedron HexahedronBox HexahedronBoxOptions HiddenSurface HighlightGraph HighlightImage HighpassFilter HigmanSimsGroupHS HilbertFilter HilbertMatrix Histogram Histogram3D HistogramDistribution HistogramList HistogramTransform HistogramTransformInterpolation HitMissTransform HITSCentrality HodgeDual HoeffdingD HoeffdingDTest Hold HoldAll HoldAllComplete HoldComplete HoldFirst HoldForm HoldPattern HoldRest HolidayCalendar HomeDirectory HomePage Horizontal HorizontalForm HorizontalGauge HorizontalScrollPosition HornerForm HotellingTSquareDistribution HoytDistribution HTMLSave Hue HumpDownHump HumpEqual HurwitzLerchPhi HurwitzZeta HyperbolicDistribution HypercubeGraph HyperexponentialDistribution Hyperfactorial Hypergeometric0F1 Hypergeometric0F1Regularized Hypergeometric1F1 Hypergeometric1F1Regularized Hypergeometric2F1 Hypergeometric2F1Regularized HypergeometricDistribution HypergeometricPFQ HypergeometricPFQRegularized HypergeometricU Hyperlink HyperlinkCreationSettings Hyphenation HyphenationOptions HypoexponentialDistribution HypothesisTestData I Identity IdentityMatrix If IgnoreCase Im Image Image3D Image3DSlices ImageAccumulate ImageAdd ImageAdjust ImageAlign ImageApply ImageAspectRatio ImageAssemble ImageCache ImageCacheValid ImageCapture ImageChannels ImageClip ImageColorSpace ImageCompose ImageConvolve ImageCooccurrence ImageCorners ImageCorrelate ImageCorrespondingPoints ImageCrop ImageData ImageDataPacket ImageDeconvolve ImageDemosaic ImageDifference ImageDimensions ImageDistance ImageEffect ImageFeatureTrack ImageFileApply ImageFileFilter ImageFileScan ImageFilter ImageForestingComponents ImageForwardTransformation ImageHistogram ImageKeypoints ImageLevels ImageLines ImageMargins ImageMarkers ImageMeasurements ImageMultiply ImageOffset ImagePad ImagePadding ImagePartition ImagePeriodogram ImagePerspectiveTransformation ImageQ ImageRangeCache ImageReflect ImageRegion ImageResize ImageResolution ImageRotate ImageRotated ImageScaled ImageScan ImageSize ImageSizeAction ImageSizeCache ImageSizeMultipliers ImageSizeRaw ImageSubtract ImageTake ImageTransformation ImageTrim ImageType ImageValue ImageValuePositions Implies Import ImportAutoReplacements ImportString ImprovementImportance In IncidenceGraph IncidenceList IncidenceMatrix IncludeConstantBasis IncludeFileExtension IncludePods IncludeSingularTerm Increment Indent IndentingNewlineSpacings IndentMaxFraction IndependenceTest IndependentEdgeSetQ IndependentUnit IndependentVertexSetQ Indeterminate IndexCreationOptions Indexed IndexGraph IndexTag Inequality InexactNumberQ InexactNumbers Infinity Infix Information Inherited InheritScope Initialization InitializationCell InitializationCellEvaluation InitializationCellWarning InlineCounterAssignments InlineCounterIncrements InlineRules Inner Inpaint Input InputAliases InputAssumptions InputAutoReplacements InputField InputFieldBox InputFieldBoxOptions InputForm InputGrouping InputNamePacket InputNotebook InputPacket InputSettings InputStream InputString InputStringPacket InputToBoxFormPacket Insert InsertionPointObject InsertResults Inset Inset3DBox Inset3DBoxOptions InsetBox InsetBoxOptions Install InstallService InString Integer IntegerDigits IntegerExponent IntegerLength IntegerPart IntegerPartitions IntegerQ Integers IntegerString Integral Integrate Interactive InteractiveTradingChart Interlaced Interleaving InternallyBalancedDecomposition InterpolatingFunction InterpolatingPolynomial Interpolation InterpolationOrder InterpolationPoints InterpolationPrecision Interpretation InterpretationBox InterpretationBoxOptions InterpretationFunction InterpretTemplate InterquartileRange Interrupt InterruptSettings Intersection Interval IntervalIntersection IntervalMemberQ IntervalUnion Inverse InverseBetaRegularized InverseCDF InverseChiSquareDistribution InverseContinuousWaveletTransform InverseDistanceTransform InverseEllipticNomeQ InverseErf InverseErfc InverseFourier InverseFourierCosTransform InverseFourierSequenceTransform InverseFourierSinTransform InverseFourierTransform InverseFunction InverseFunctions InverseGammaDistribution InverseGammaRegularized InverseGaussianDistribution InverseGudermannian InverseHaversine InverseJacobiCD InverseJacobiCN InverseJacobiCS InverseJacobiDC InverseJacobiDN InverseJacobiDS InverseJacobiNC InverseJacobiND InverseJacobiNS InverseJacobiSC InverseJacobiSD InverseJacobiSN InverseLaplaceTransform InversePermutation InverseRadon InverseSeries InverseSurvivalFunction InverseWaveletTransform InverseWeierstrassP InverseZTransform Invisible InvisibleApplication InvisibleTimes IrreduciblePolynomialQ IsolatingInterval IsomorphicGraphQ IsotopeData Italic Item ItemBox ItemBoxOptions ItemSize ItemStyle ItoProcess JaccardDissimilarity JacobiAmplitude Jacobian JacobiCD JacobiCN JacobiCS JacobiDC JacobiDN JacobiDS JacobiNC JacobiND JacobiNS JacobiP JacobiSC JacobiSD JacobiSN JacobiSymbol JacobiZeta JankoGroupJ1 JankoGroupJ2 JankoGroupJ3 JankoGroupJ4 JarqueBeraALMTest JohnsonDistribution Join Joined JoinedCurve JoinedCurveBox JoinForm JordanDecomposition JordanModelDecomposition K KagiChart KaiserBesselWindow KaiserWindow KalmanEstimator KalmanFilter KarhunenLoeveDecomposition KaryTree KatzCentrality KCoreComponents KDistribution KelvinBei KelvinBer KelvinKei KelvinKer KendallTau KendallTauTest KernelExecute KernelMixtureDistribution KernelObject Kernels Ket Khinchin KirchhoffGraph KirchhoffMatrix KleinInvariantJ KnightTourGraph KnotData KnownUnitQ KolmogorovSmirnovTest KroneckerDelta KroneckerModelDecomposition KroneckerProduct KroneckerSymbol KuiperTest KumaraswamyDistribution Kurtosis KuwaharaFilter Label Labeled LabeledSlider LabelingFunction LabelStyle LaguerreL LambdaComponents LambertW LanczosWindow LandauDistribution Language LanguageCategory LaplaceDistribution LaplaceTransform Laplacian LaplacianFilter LaplacianGaussianFilter Large Larger Last Latitude LatitudeLongitude LatticeData LatticeReduce Launch LaunchKernels LayeredGraphPlot LayerSizeFunction LayoutInformation LCM LeafCount LeapYearQ LeastSquares LeastSquaresFilterKernel Left LeftArrow LeftArrowBar LeftArrowRightArrow LeftDownTeeVector LeftDownVector LeftDownVectorBar LeftRightArrow LeftRightVector LeftTee LeftTeeArrow LeftTeeVector LeftTriangle LeftTriangleBar LeftTriangleEqual LeftUpDownVector LeftUpTeeVector LeftUpVector LeftUpVectorBar LeftVector LeftVectorBar LegendAppearance Legended LegendFunction LegendLabel LegendLayout LegendMargins LegendMarkers LegendMarkerSize LegendreP LegendreQ LegendreType Length LengthWhile LerchPhi Less LessEqual LessEqualGreater LessFullEqual LessGreater LessLess LessSlantEqual LessTilde LetterCharacter LetterQ Level LeveneTest LeviCivitaTensor LevyDistribution Lexicographic LibraryFunction LibraryFunctionError LibraryFunctionInformation LibraryFunctionLoad LibraryFunctionUnload LibraryLoad LibraryUnload LicenseID LiftingFilterData LiftingWaveletTransform LightBlue LightBrown LightCyan Lighter LightGray LightGreen Lighting LightingAngle LightMagenta LightOrange LightPink LightPurple LightRed LightSources LightYellow Likelihood Limit LimitsPositioning LimitsPositioningTokens LindleyDistribution Line Line3DBox LinearFilter LinearFractionalTransform LinearModelFit LinearOffsetFunction LinearProgramming LinearRecurrence LinearSolve LinearSolveFunction LineBox LineBreak LinebreakAdjustments LineBreakChart LineBreakWithin LineColor LineForm LineGraph LineIndent LineIndentMaxFraction LineIntegralConvolutionPlot LineIntegralConvolutionScale LineLegend LineOpacity LineSpacing LineWrapParts LinkActivate LinkClose LinkConnect LinkConnectedQ LinkCreate LinkError LinkFlush LinkFunction LinkHost LinkInterrupt LinkLaunch LinkMode LinkObject LinkOpen LinkOptions LinkPatterns LinkProtocol LinkRead LinkReadHeld LinkReadyQ Links LinkWrite LinkWriteHeld LiouvilleLambda List Listable ListAnimate ListContourPlot ListContourPlot3D ListConvolve ListCorrelate ListCurvePathPlot ListDeconvolve ListDensityPlot Listen ListFourierSequenceTransform ListInterpolation ListLineIntegralConvolutionPlot ListLinePlot ListLogLinearPlot ListLogLogPlot ListLogPlot ListPicker ListPickerBox ListPickerBoxBackground ListPickerBoxOptions ListPlay ListPlot ListPlot3D ListPointPlot3D ListPolarPlot ListQ ListStreamDensityPlot ListStreamPlot ListSurfacePlot3D ListVectorDensityPlot ListVectorPlot ListVectorPlot3D ListZTransform Literal LiteralSearch LocalClusteringCoefficient LocalizeVariables LocationEquivalenceTest LocationTest Locator LocatorAutoCreate LocatorBox LocatorBoxOptions LocatorCentering LocatorPane LocatorPaneBox LocatorPaneBoxOptions LocatorRegion Locked Log Log10 Log2 LogBarnesG LogGamma LogGammaDistribution LogicalExpand LogIntegral LogisticDistribution LogitModelFit LogLikelihood LogLinearPlot LogLogisticDistribution LogLogPlot LogMultinormalDistribution LogNormalDistribution LogPlot LogRankTest LogSeriesDistribution LongEqual Longest LongestAscendingSequence LongestCommonSequence LongestCommonSequencePositions LongestCommonSubsequence LongestCommonSubsequencePositions LongestMatch LongForm Longitude LongLeftArrow LongLeftRightArrow LongRightArrow Loopback LoopFreeGraphQ LowerCaseQ LowerLeftArrow LowerRightArrow LowerTriangularize LowpassFilter LQEstimatorGains LQGRegulator LQOutputRegulatorGains LQRegulatorGains LUBackSubstitution LucasL LuccioSamiComponents LUDecomposition LyapunovSolve LyonsGroupLy MachineID MachineName MachineNumberQ MachinePrecision MacintoshSystemPageSetup Magenta Magnification Magnify MainSolve MaintainDynamicCaches Majority MakeBoxes MakeExpression MakeRules MangoldtLambda ManhattanDistance Manipulate Manipulator MannWhitneyTest MantissaExponent Manual Map MapAll MapAt MapIndexed MAProcess MapThread MarcumQ MardiaCombinedTest MardiaKurtosisTest MardiaSkewnessTest MarginalDistribution MarkovProcessProperties Masking MatchingDissimilarity MatchLocalNameQ MatchLocalNames MatchQ Material MathematicaNotation MathieuC MathieuCharacteristicA MathieuCharacteristicB MathieuCharacteristicExponent MathieuCPrime MathieuGroupM11 MathieuGroupM12 MathieuGroupM22 MathieuGroupM23 MathieuGroupM24 MathieuS MathieuSPrime MathMLForm MathMLText Matrices MatrixExp MatrixForm MatrixFunction MatrixLog MatrixPlot MatrixPower MatrixQ MatrixRank Max MaxBend MaxDetect MaxExtraBandwidths MaxExtraConditions MaxFeatures MaxFilter Maximize MaxIterations MaxMemoryUsed MaxMixtureKernels MaxPlotPoints MaxPoints MaxRecursion MaxStableDistribution MaxStepFraction MaxSteps MaxStepSize MaxValue MaxwellDistribution McLaughlinGroupMcL Mean MeanClusteringCoefficient MeanDegreeConnectivity MeanDeviation MeanFilter MeanGraphDistance MeanNeighborDegree MeanShift MeanShiftFilter Median MedianDeviation MedianFilter Medium MeijerG MeixnerDistribution MemberQ MemoryConstrained MemoryInUse Menu MenuAppearance MenuCommandKey MenuEvaluator MenuItem MenuPacket MenuSortingValue MenuStyle MenuView MergeDifferences Mesh MeshFunctions MeshRange MeshShading MeshStyle Message MessageDialog MessageList MessageName MessageOptions MessagePacket Messages MessagesNotebook MetaCharacters MetaInformation Method MethodOptions MexicanHatWavelet MeyerWavelet Min MinDetect MinFilter MinimalPolynomial MinimalStateSpaceModel Minimize Minors MinRecursion MinSize MinStableDistribution Minus MinusPlus MinValue Missing MissingDataMethod MittagLefflerE MixedRadix MixedRadixQuantity MixtureDistribution Mod Modal Mode Modular ModularLambda Module Modulus MoebiusMu Moment Momentary MomentConvert MomentEvaluate MomentGeneratingFunction Monday Monitor MonomialList MonomialOrder MonsterGroupM MorletWavelet MorphologicalBinarize MorphologicalBranchPoints MorphologicalComponents MorphologicalEulerNumber MorphologicalGraph MorphologicalPerimeter MorphologicalTransform Most MouseAnnotation MouseAppearance MouseAppearanceTag MouseButtons Mouseover MousePointerNote MousePosition MovingAverage MovingMedian MoyalDistribution MultiedgeStyle MultilaunchWarning MultiLetterItalics MultiLetterStyle MultilineFunction Multinomial MultinomialDistribution MultinormalDistribution MultiplicativeOrder Multiplicity Multiselection MultivariateHypergeometricDistribution MultivariatePoissonDistribution MultivariateTDistribution N NakagamiDistribution NameQ Names NamespaceBox Nand NArgMax NArgMin NBernoulliB NCache NDSolve NDSolveValue Nearest NearestFunction NeedCurrentFrontEndPackagePacket NeedCurrentFrontEndSymbolsPacket NeedlemanWunschSimilarity Needs Negative NegativeBinomialDistribution NegativeMultinomialDistribution NeighborhoodGraph Nest NestedGreaterGreater NestedLessLess NestedScriptRules NestList NestWhile NestWhileList NevilleThetaC NevilleThetaD NevilleThetaN NevilleThetaS NewPrimitiveStyle NExpectation Next NextPrime NHoldAll NHoldFirst NHoldRest NicholsGridLines NicholsPlot NIntegrate NMaximize NMaxValue NMinimize NMinValue NominalVariables NonAssociative NoncentralBetaDistribution NoncentralChiSquareDistribution NoncentralFRatioDistribution NoncentralStudentTDistribution NonCommutativeMultiply NonConstants None NonlinearModelFit NonlocalMeansFilter NonNegative NonPositive Nor NorlundB Norm Normal NormalDistribution NormalGrouping Normalize NormalizedSquaredEuclideanDistance NormalsFunction NormFunction Not NotCongruent NotCupCap NotDoubleVerticalBar Notebook NotebookApply NotebookAutoSave NotebookClose NotebookConvertSettings NotebookCreate NotebookCreateReturnObject NotebookDefault NotebookDelete NotebookDirectory NotebookDynamicExpression NotebookEvaluate NotebookEventActions NotebookFileName NotebookFind NotebookFindReturnObject NotebookGet NotebookGetLayoutInformationPacket NotebookGetMisspellingsPacket NotebookInformation NotebookInterfaceObject NotebookLocate NotebookObject NotebookOpen NotebookOpenReturnObject NotebookPath NotebookPrint NotebookPut NotebookPutReturnObject NotebookRead NotebookResetGeneratedCells Notebooks NotebookSave NotebookSaveAs NotebookSelection NotebookSetupLayoutInformationPacket NotebooksMenu NotebookWrite NotElement NotEqualTilde NotExists NotGreater NotGreaterEqual NotGreaterFullEqual NotGreaterGreater NotGreaterLess NotGreaterSlantEqual NotGreaterTilde NotHumpDownHump NotHumpEqual NotLeftTriangle NotLeftTriangleBar NotLeftTriangleEqual NotLess NotLessEqual NotLessFullEqual NotLessGreater NotLessLess NotLessSlantEqual NotLessTilde NotNestedGreaterGreater NotNestedLessLess NotPrecedes NotPrecedesEqual NotPrecedesSlantEqual NotPrecedesTilde NotReverseElement NotRightTriangle NotRightTriangleBar NotRightTriangleEqual NotSquareSubset NotSquareSubsetEqual NotSquareSuperset NotSquareSupersetEqual NotSubset NotSubsetEqual NotSucceeds NotSucceedsEqual NotSucceedsSlantEqual NotSucceedsTilde NotSuperset NotSupersetEqual NotTilde NotTildeEqual NotTildeFullEqual NotTildeTilde NotVerticalBar NProbability NProduct NProductFactors NRoots NSolve NSum NSumTerms Null NullRecords NullSpace NullWords Number NumberFieldClassNumber NumberFieldDiscriminant NumberFieldFundamentalUnits NumberFieldIntegralBasis NumberFieldNormRepresentatives NumberFieldRegulator NumberFieldRootsOfUnity NumberFieldSignature NumberForm NumberFormat NumberMarks NumberMultiplier NumberPadding NumberPoint NumberQ NumberSeparator NumberSigns NumberString Numerator NumericFunction NumericQ NuttallWindow NValues NyquistGridLines NyquistPlot O ObservabilityGramian ObservabilityMatrix ObservableDecomposition ObservableModelQ OddQ Off Offset OLEData On ONanGroupON OneIdentity Opacity Open OpenAppend Opener OpenerBox OpenerBoxOptions OpenerView OpenFunctionInspectorPacket Opening OpenRead OpenSpecialOptions OpenTemporary OpenWrite Operate OperatingSystem OptimumFlowData Optional OptionInspectorSettings OptionQ Options OptionsPacket OptionsPattern OptionValue OptionValueBox OptionValueBoxOptions Or Orange Order OrderDistribution OrderedQ Ordering Orderless OrnsteinUhlenbeckProcess Orthogonalize Out Outer OutputAutoOverwrite OutputControllabilityMatrix OutputControllableModelQ OutputForm OutputFormData OutputGrouping OutputMathEditExpression OutputNamePacket OutputResponse OutputSizeLimit OutputStream Over OverBar OverDot Overflow OverHat Overlaps Overlay OverlayBox OverlayBoxOptions Overscript OverscriptBox OverscriptBoxOptions OverTilde OverVector OwenT OwnValues PackingMethod PaddedForm Padding PadeApproximant PadLeft PadRight PageBreakAbove PageBreakBelow PageBreakWithin PageFooterLines PageFooters PageHeaderLines PageHeaders PageHeight PageRankCentrality PageWidth PairedBarChart PairedHistogram PairedSmoothHistogram PairedTTest PairedZTest PaletteNotebook PalettePath Pane PaneBox PaneBoxOptions Panel PanelBox PanelBoxOptions Paneled PaneSelector PaneSelectorBox PaneSelectorBoxOptions PaperWidth ParabolicCylinderD ParagraphIndent ParagraphSpacing ParallelArray ParallelCombine ParallelDo ParallelEvaluate Parallelization Parallelize ParallelMap ParallelNeeds ParallelProduct ParallelSubmit ParallelSum ParallelTable ParallelTry Parameter ParameterEstimator ParameterMixtureDistribution ParameterVariables ParametricFunction ParametricNDSolve ParametricNDSolveValue ParametricPlot ParametricPlot3D ParentConnect ParentDirectory ParentForm Parenthesize ParentList ParetoDistribution Part PartialCorrelationFunction PartialD ParticleData Partition PartitionsP PartitionsQ ParzenWindow PascalDistribution PassEventsDown PassEventsUp Paste PasteBoxFormInlineCells PasteButton Path PathGraph PathGraphQ Pattern PatternSequence PatternTest PauliMatrix PaulWavelet Pause PausedTime PDF PearsonChiSquareTest PearsonCorrelationTest PearsonDistribution PerformanceGoal PeriodicInterpolation Periodogram PeriodogramArray PermutationCycles PermutationCyclesQ PermutationGroup PermutationLength PermutationList PermutationListQ PermutationMax PermutationMin PermutationOrder PermutationPower PermutationProduct PermutationReplace Permutations PermutationSupport Permute PeronaMalikFilter Perpendicular PERTDistribution PetersenGraph PhaseMargins Pi Pick PIDData PIDDerivativeFilter PIDFeedforward PIDTune Piecewise PiecewiseExpand PieChart PieChart3D PillaiTrace PillaiTraceTest Pink Pivoting PixelConstrained PixelValue PixelValuePositions Placed Placeholder PlaceholderReplace Plain PlanarGraphQ Play PlayRange Plot Plot3D Plot3Matrix PlotDivision PlotJoined PlotLabel PlotLayout PlotLegends PlotMarkers PlotPoints PlotRange PlotRangeClipping PlotRangePadding PlotRegion PlotStyle Plus PlusMinus Pochhammer PodStates PodWidth Point Point3DBox PointBox PointFigureChart PointForm PointLegend PointSize PoissonConsulDistribution PoissonDistribution PoissonProcess PoissonWindow PolarAxes PolarAxesOrigin PolarGridLines PolarPlot PolarTicks PoleZeroMarkers PolyaAeppliDistribution PolyGamma Polygon Polygon3DBox Polygon3DBoxOptions PolygonBox PolygonBoxOptions PolygonHoleScale PolygonIntersections PolygonScale PolyhedronData PolyLog PolynomialExtendedGCD PolynomialForm PolynomialGCD PolynomialLCM PolynomialMod PolynomialQ PolynomialQuotient PolynomialQuotientRemainder PolynomialReduce PolynomialRemainder Polynomials PopupMenu PopupMenuBox PopupMenuBoxOptions PopupView PopupWindow Position Positive PositiveDefiniteMatrixQ PossibleZeroQ Postfix PostScript Power PowerDistribution PowerExpand PowerMod PowerModList PowerSpectralDensity PowersRepresentations PowerSymmetricPolynomial Precedence PrecedenceForm Precedes PrecedesEqual PrecedesSlantEqual PrecedesTilde Precision PrecisionGoal PreDecrement PredictionRoot PreemptProtect PreferencesPath Prefix PreIncrement Prepend PrependTo PreserveImageOptions Previous PriceGraphDistribution PrimaryPlaceholder Prime PrimeNu PrimeOmega PrimePi PrimePowerQ PrimeQ Primes PrimeZetaP PrimitiveRoot PrincipalComponents PrincipalValue Print PrintAction PrintForm PrintingCopies PrintingOptions PrintingPageRange PrintingStartingPageNumber PrintingStyleEnvironment PrintPrecision PrintTemporary Prism PrismBox PrismBoxOptions PrivateCellOptions PrivateEvaluationOptions PrivateFontOptions PrivateFrontEndOptions PrivateNotebookOptions PrivatePaths Probability ProbabilityDistribution ProbabilityPlot ProbabilityPr ProbabilityScalePlot ProbitModelFit ProcessEstimator ProcessParameterAssumptions ProcessParameterQ ProcessStateDomain ProcessTimeDomain Product ProductDistribution ProductLog ProgressIndicator ProgressIndicatorBox ProgressIndicatorBoxOptions Projection Prolog PromptForm Properties Property PropertyList PropertyValue Proportion Proportional Protect Protected ProteinData Pruning PseudoInverse Purple Put PutAppend Pyramid PyramidBox PyramidBoxOptions QBinomial QFactorial QGamma QHypergeometricPFQ QPochhammer QPolyGamma QRDecomposition QuadraticIrrationalQ Quantile QuantilePlot Quantity QuantityForm QuantityMagnitude QuantityQ QuantityUnit Quartics QuartileDeviation Quartiles QuartileSkewness QueueingNetworkProcess QueueingProcess QueueProperties Quiet Quit Quotient QuotientRemainder RadialityCentrality RadicalBox RadicalBoxOptions RadioButton RadioButtonBar RadioButtonBox RadioButtonBoxOptions Radon RamanujanTau RamanujanTauL RamanujanTauTheta RamanujanTauZ Random RandomChoice RandomComplex RandomFunction RandomGraph RandomImage RandomInteger RandomPermutation RandomPrime RandomReal RandomSample RandomSeed RandomVariate RandomWalkProcess Range RangeFilter RangeSpecification RankedMax RankedMin Raster Raster3D Raster3DBox Raster3DBoxOptions RasterArray RasterBox RasterBoxOptions Rasterize RasterSize Rational RationalFunctions Rationalize Rationals Ratios Raw RawArray RawBoxes RawData RawMedium RayleighDistribution Re Read ReadList ReadProtected Real RealBlockDiagonalForm RealDigits RealExponent Reals Reap Record RecordLists RecordSeparators Rectangle RectangleBox RectangleBoxOptions RectangleChart RectangleChart3D RecurrenceFilter RecurrenceTable RecurringDigitsForm Red Reduce RefBox ReferenceLineStyle ReferenceMarkers ReferenceMarkerStyle Refine ReflectionMatrix ReflectionTransform Refresh RefreshRate RegionBinarize RegionFunction RegionPlot RegionPlot3D RegularExpression Regularization Reinstall Release ReleaseHold ReliabilityDistribution ReliefImage ReliefPlot Remove RemoveAlphaChannel RemoveAsynchronousTask Removed RemoveInputStreamMethod RemoveOutputStreamMethod RemoveProperty RemoveScheduledTask RenameDirectory RenameFile RenderAll RenderingOptions RenewalProcess RenkoChart Repeated RepeatedNull RepeatedString Replace ReplaceAll ReplaceHeldPart ReplaceImageValue ReplaceList ReplacePart ReplacePixelValue ReplaceRepeated Resampling Rescale RescalingTransform ResetDirectory ResetMenusPacket ResetScheduledTask Residue Resolve Rest Resultant ResumePacket Return ReturnExpressionPacket ReturnInputFormPacket ReturnPacket ReturnTextPacket Reverse ReverseBiorthogonalSplineWavelet ReverseElement ReverseEquilibrium ReverseGraph ReverseUpEquilibrium RevolutionAxis RevolutionPlot3D RGBColor RiccatiSolve RiceDistribution RidgeFilter RiemannR RiemannSiegelTheta RiemannSiegelZ Riffle Right RightArrow RightArrowBar RightArrowLeftArrow RightCosetRepresentative RightDownTeeVector RightDownVector RightDownVectorBar RightTee RightTeeArrow RightTeeVector RightTriangle RightTriangleBar RightTriangleEqual RightUpDownVector RightUpTeeVector RightUpVector RightUpVectorBar RightVector RightVectorBar RiskAchievementImportance RiskReductionImportance RogersTanimotoDissimilarity Root RootApproximant RootIntervals RootLocusPlot RootMeanSquare RootOfUnityQ RootReduce Roots RootSum Rotate RotateLabel RotateLeft RotateRight RotationAction RotationBox RotationBoxOptions RotationMatrix RotationTransform Round RoundImplies RoundingRadius Row RowAlignments RowBackgrounds RowBox RowHeights RowLines RowMinHeight RowReduce RowsEqual RowSpacings RSolve RudvalisGroupRu Rule RuleCondition RuleDelayed RuleForm RulerUnits Run RunScheduledTask RunThrough RuntimeAttributes RuntimeOptions RussellRaoDissimilarity SameQ SameTest SampleDepth SampledSoundFunction SampledSoundList SampleRate SamplingPeriod SARIMAProcess SARMAProcess SatisfiabilityCount SatisfiabilityInstances SatisfiableQ Saturday Save Saveable SaveAutoDelete SaveDefinitions SawtoothWave Scale Scaled ScaleDivisions ScaledMousePosition ScaleOrigin ScalePadding ScaleRanges ScaleRangeStyle ScalingFunctions ScalingMatrix ScalingTransform Scan ScheduledTaskActiveQ ScheduledTaskData ScheduledTaskObject ScheduledTasks SchurDecomposition ScientificForm ScreenRectangle ScreenStyleEnvironment ScriptBaselineShifts ScriptLevel ScriptMinSize ScriptRules ScriptSizeMultipliers Scrollbars ScrollingOptions ScrollPosition Sec Sech SechDistribution SectionGrouping SectorChart SectorChart3D SectorOrigin SectorSpacing SeedRandom Select Selectable SelectComponents SelectedCells SelectedNotebook Selection SelectionAnimate SelectionCell SelectionCellCreateCell SelectionCellDefaultStyle SelectionCellParentStyle SelectionCreateCell SelectionDebuggerTag SelectionDuplicateCell SelectionEvaluate SelectionEvaluateCreateCell SelectionMove SelectionPlaceholder SelectionSetStyle SelectWithContents SelfLoops SelfLoopStyle SemialgebraicComponentInstances SendMail Sequence SequenceAlignment SequenceForm SequenceHold SequenceLimit Series SeriesCoefficient SeriesData SessionTime Set SetAccuracy SetAlphaChannel SetAttributes Setbacks SetBoxFormNamesPacket SetDelayed SetDirectory SetEnvironment SetEvaluationNotebook SetFileDate SetFileLoadingContext SetNotebookStatusLine SetOptions SetOptionsPacket SetPrecision SetProperty SetSelectedNotebook SetSharedFunction SetSharedVariable SetSpeechParametersPacket SetStreamPosition SetSystemOptions Setter SetterBar SetterBox SetterBoxOptions Setting SetValue Shading Shallow ShannonWavelet ShapiroWilkTest Share Sharpen ShearingMatrix ShearingTransform ShenCastanMatrix Short ShortDownArrow Shortest ShortestMatch ShortestPathFunction ShortLeftArrow ShortRightArrow ShortUpArrow Show ShowAutoStyles ShowCellBracket ShowCellLabel ShowCellTags ShowClosedCellArea ShowContents ShowControls ShowCursorTracker ShowGroupOpenCloseIcon ShowGroupOpener ShowInvisibleCharacters ShowPageBreaks ShowPredictiveInterface ShowSelection ShowShortBoxForm ShowSpecialCharacters ShowStringCharacters ShowSyntaxStyles ShrinkingDelay ShrinkWrapBoundingBox SiegelTheta SiegelTukeyTest Sign Signature SignedRankTest SignificanceLevel SignPadding SignTest SimilarityRules SimpleGraph SimpleGraphQ Simplify Sin Sinc SinghMaddalaDistribution SingleEvaluation SingleLetterItalics SingleLetterStyle SingularValueDecomposition SingularValueList SingularValuePlot SingularValues Sinh SinhIntegral SinIntegral SixJSymbol Skeleton SkeletonTransform SkellamDistribution Skewness SkewNormalDistribution Skip SliceDistribution Slider Slider2D Slider2DBox Slider2DBoxOptions SliderBox SliderBoxOptions SlideView Slot SlotSequence Small SmallCircle Smaller SmithDelayCompensator SmithWatermanSimilarity SmoothDensityHistogram SmoothHistogram SmoothHistogram3D SmoothKernelDistribution SocialMediaData Socket SokalSneathDissimilarity Solve SolveAlways SolveDelayed Sort SortBy Sound SoundAndGraphics SoundNote SoundVolume Sow Space SpaceForm Spacer Spacings Span SpanAdjustments SpanCharacterRounding SpanFromAbove SpanFromBoth SpanFromLeft SpanLineThickness SpanMaxSize SpanMinSize SpanningCharacters SpanSymmetric SparseArray SpatialGraphDistribution Speak SpeakTextPacket SpearmanRankTest SpearmanRho Spectrogram SpectrogramArray Specularity SpellingCorrection SpellingDictionaries SpellingDictionariesPath SpellingOptions SpellingSuggestionsPacket Sphere SphereBox SphericalBesselJ SphericalBesselY SphericalHankelH1 SphericalHankelH2 SphericalHarmonicY SphericalPlot3D SphericalRegion SpheroidalEigenvalue SpheroidalJoiningFactor SpheroidalPS SpheroidalPSPrime SpheroidalQS SpheroidalQSPrime SpheroidalRadialFactor SpheroidalS1 SpheroidalS1Prime SpheroidalS2 SpheroidalS2Prime Splice SplicedDistribution SplineClosed SplineDegree SplineKnots SplineWeights Split SplitBy SpokenString Sqrt SqrtBox SqrtBoxOptions Square SquaredEuclideanDistance SquareFreeQ SquareIntersection SquaresR SquareSubset SquareSubsetEqual SquareSuperset SquareSupersetEqual SquareUnion SquareWave StabilityMargins StabilityMarginsStyle StableDistribution Stack StackBegin StackComplete StackInhibit StandardDeviation StandardDeviationFilter StandardForm Standardize StandbyDistribution Star StarGraph StartAsynchronousTask StartingStepSize StartOfLine StartOfString StartScheduledTask StartupSound StateDimensions StateFeedbackGains StateOutputEstimator StateResponse StateSpaceModel StateSpaceRealization StateSpaceTransform StationaryDistribution StationaryWaveletPacketTransform StationaryWaveletTransform StatusArea StatusCentrality StepMonitor StieltjesGamma StirlingS1 StirlingS2 StopAsynchronousTask StopScheduledTask StrataVariables StratonovichProcess StreamColorFunction StreamColorFunctionScaling StreamDensityPlot StreamPlot StreamPoints StreamPosition Streams StreamScale StreamStyle String StringBreak StringByteCount StringCases StringCount StringDrop StringExpression StringForm StringFormat StringFreeQ StringInsert StringJoin StringLength StringMatchQ StringPosition StringQ StringReplace StringReplaceList StringReplacePart StringReverse StringRotateLeft StringRotateRight StringSkeleton StringSplit StringTake StringToStream StringTrim StripBoxes StripOnInput StripWrapperBoxes StrokeForm StructuralImportance StructuredArray StructuredSelection StruveH StruveL Stub StudentTDistribution Style StyleBox StyleBoxAutoDelete StyleBoxOptions StyleData StyleDefinitions StyleForm StyleKeyMapping StyleMenuListing StyleNameDialogSettings StyleNames StylePrint StyleSheetPath Subfactorial Subgraph SubMinus SubPlus SubresultantPolynomialRemainders SubresultantPolynomials Subresultants Subscript SubscriptBox SubscriptBoxOptions Subscripted Subset SubsetEqual Subsets SubStar Subsuperscript SubsuperscriptBox SubsuperscriptBoxOptions Subtract SubtractFrom SubValues Succeeds SucceedsEqual SucceedsSlantEqual SucceedsTilde SuchThat Sum SumConvergence Sunday SuperDagger SuperMinus SuperPlus Superscript SuperscriptBox SuperscriptBoxOptions Superset SupersetEqual SuperStar Surd SurdForm SurfaceColor SurfaceGraphics SurvivalDistribution SurvivalFunction SurvivalModel SurvivalModelFit SuspendPacket SuzukiDistribution SuzukiGroupSuz SwatchLegend Switch Symbol SymbolName SymletWavelet Symmetric SymmetricGroup SymmetricMatrixQ SymmetricPolynomial SymmetricReduction Symmetrize SymmetrizedArray SymmetrizedArrayRules SymmetrizedDependentComponents SymmetrizedIndependentComponents SymmetrizedReplacePart SynchronousInitialization SynchronousUpdating Syntax SyntaxForm SyntaxInformation SyntaxLength SyntaxPacket SyntaxQ SystemDialogInput SystemException SystemHelpPath SystemInformation SystemInformationData SystemOpen SystemOptions SystemsModelDelay SystemsModelDelayApproximate SystemsModelDelete SystemsModelDimensions SystemsModelExtract SystemsModelFeedbackConnect SystemsModelLabels SystemsModelOrder SystemsModelParallelConnect SystemsModelSeriesConnect SystemsModelStateFeedbackConnect SystemStub Tab TabFilling Table TableAlignments TableDepth TableDirections TableForm TableHeadings TableSpacing TableView TableViewBox TabSpacings TabView TabViewBox TabViewBoxOptions TagBox TagBoxNote TagBoxOptions TaggingRules TagSet TagSetDelayed TagStyle TagUnset Take TakeWhile Tally Tan Tanh TargetFunctions TargetUnits TautologyQ TelegraphProcess TemplateBox TemplateBoxOptions TemplateSlotSequence TemporalData Temporary TemporaryVariable TensorContract TensorDimensions TensorExpand TensorProduct TensorQ TensorRank TensorReduce TensorSymmetry TensorTranspose TensorWedge Tetrahedron TetrahedronBox TetrahedronBoxOptions TeXForm TeXSave Text Text3DBox Text3DBoxOptions TextAlignment TextBand TextBoundingBox TextBox TextCell TextClipboardType TextData TextForm TextJustification TextLine TextPacket TextParagraph TextRecognize TextRendering TextStyle Texture TextureCoordinateFunction TextureCoordinateScaling Therefore ThermometerGauge Thick Thickness Thin Thinning ThisLink ThompsonGroupTh Thread ThreeJSymbol Threshold Through Throw Thumbnail Thursday Ticks TicksStyle Tilde TildeEqual TildeFullEqual TildeTilde TimeConstrained TimeConstraint Times TimesBy TimeSeriesForecast TimeSeriesInvertibility TimeUsed TimeValue TimeZone Timing Tiny TitleGrouping TitsGroupT ToBoxes ToCharacterCode ToColor ToContinuousTimeModel ToDate ToDiscreteTimeModel ToeplitzMatrix ToExpression ToFileName Together Toggle ToggleFalse Toggler TogglerBar TogglerBox TogglerBoxOptions ToHeldExpression ToInvertibleTimeSeries TokenWords Tolerance ToLowerCase ToNumberField TooBig Tooltip TooltipBox TooltipBoxOptions TooltipDelay TooltipStyle Top TopHatTransform TopologicalSort ToRadicals ToRules ToString Total TotalHeight TotalVariationFilter TotalWidth TouchscreenAutoZoom TouchscreenControlPlacement ToUpperCase Tr Trace TraceAbove TraceAction TraceBackward TraceDepth TraceDialog TraceForward TraceInternal TraceLevel TraceOff TraceOn TraceOriginal TracePrint TraceScan TrackedSymbols TradingChart TraditionalForm TraditionalFunctionNotation TraditionalNotation TraditionalOrder TransferFunctionCancel TransferFunctionExpand TransferFunctionFactor TransferFunctionModel TransferFunctionPoles TransferFunctionTransform TransferFunctionZeros TransformationFunction TransformationFunctions TransformationMatrix TransformedDistribution TransformedField Translate TranslationTransform TransparentColor Transpose TreeForm TreeGraph TreeGraphQ TreePlot TrendStyle TriangleWave TriangularDistribution Trig TrigExpand TrigFactor TrigFactorList Trigger TrigReduce TrigToExp TrimmedMean True TrueQ TruncatedDistribution TsallisQExponentialDistribution TsallisQGaussianDistribution TTest Tube TubeBezierCurveBox TubeBezierCurveBoxOptions TubeBox TubeBSplineCurveBox TubeBSplineCurveBoxOptions Tuesday TukeyLambdaDistribution TukeyWindow Tuples TuranGraph TuringMachine Transparent UnateQ Uncompress Undefined UnderBar Underflow Underlined Underoverscript UnderoverscriptBox UnderoverscriptBoxOptions Underscript UnderscriptBox UnderscriptBoxOptions UndirectedEdge UndirectedGraph UndirectedGraphQ UndocumentedTestFEParserPacket UndocumentedTestGetSelectionPacket Unequal Unevaluated UniformDistribution UniformGraphDistribution UniformSumDistribution Uninstall Union UnionPlus Unique UnitBox UnitConvert UnitDimensions Unitize UnitRootTest UnitSimplify UnitStep UnitTriangle UnitVector Unprotect UnsameQ UnsavedVariables Unset UnsetShared UntrackedVariables Up UpArrow UpArrowBar UpArrowDownArrow Update UpdateDynamicObjects UpdateDynamicObjectsSynchronous UpdateInterval UpDownArrow UpEquilibrium UpperCaseQ UpperLeftArrow UpperRightArrow UpperTriangularize Upsample UpSet UpSetDelayed UpTee UpTeeArrow UpValues URL URLFetch URLFetchAsynchronous URLSave URLSaveAsynchronous UseGraphicsRange Using UsingFrontEnd V2Get ValidationLength Value ValueBox ValueBoxOptions ValueForm ValueQ ValuesData Variables Variance VarianceEquivalenceTest VarianceEstimatorFunction VarianceGammaDistribution VarianceTest VectorAngle VectorColorFunction VectorColorFunctionScaling VectorDensityPlot VectorGlyphData VectorPlot VectorPlot3D VectorPoints VectorQ Vectors VectorScale VectorStyle Vee Verbatim Verbose VerboseConvertToPostScriptPacket VerifyConvergence VerifySolutions VerifyTestAssumptions Version VersionNumber VertexAdd VertexCapacity VertexColors VertexComponent VertexConnectivity VertexCoordinateRules VertexCoordinates VertexCorrelationSimilarity VertexCosineSimilarity VertexCount VertexCoverQ VertexDataCoordinates VertexDegree VertexDelete VertexDiceSimilarity VertexEccentricity VertexInComponent VertexInDegree VertexIndex VertexJaccardSimilarity VertexLabeling VertexLabels VertexLabelStyle VertexList VertexNormals VertexOutComponent VertexOutDegree VertexQ VertexRenderingFunction VertexReplace VertexShape VertexShapeFunction VertexSize VertexStyle VertexTextureCoordinates VertexWeight Vertical VerticalBar VerticalForm VerticalGauge VerticalSeparator VerticalSlider VerticalTilde ViewAngle ViewCenter ViewMatrix ViewPoint ViewPointSelectorSettings ViewPort ViewRange ViewVector ViewVertical VirtualGroupData Visible VisibleCell VoigtDistribution VonMisesDistribution WaitAll WaitAsynchronousTask WaitNext WaitUntil WakebyDistribution WalleniusHypergeometricDistribution WaringYuleDistribution WatershedComponents WatsonUSquareTest WattsStrogatzGraphDistribution WaveletBestBasis WaveletFilterCoefficients WaveletImagePlot WaveletListPlot WaveletMapIndexed WaveletMatrixPlot WaveletPhi WaveletPsi WaveletScale WaveletScalogram WaveletThreshold WeaklyConnectedComponents WeaklyConnectedGraphQ WeakStationarity WeatherData WeberE Wedge Wednesday WeibullDistribution WeierstrassHalfPeriods WeierstrassInvariants WeierstrassP WeierstrassPPrime WeierstrassSigma WeierstrassZeta WeightedAdjacencyGraph WeightedAdjacencyMatrix WeightedData WeightedGraphQ Weights WelchWindow WheelGraph WhenEvent Which While White Whitespace WhitespaceCharacter WhittakerM WhittakerW WienerFilter WienerProcess WignerD WignerSemicircleDistribution WilksW WilksWTest WindowClickSelect WindowElements WindowFloating WindowFrame WindowFrameElements WindowMargins WindowMovable WindowOpacity WindowSelected WindowSize WindowStatusArea WindowTitle WindowToolbars WindowWidth With WolframAlpha WolframAlphaDate WolframAlphaQuantity WolframAlphaResult Word WordBoundary WordCharacter WordData WordSearch WordSeparators WorkingPrecision Write WriteString Wronskian XMLElement XMLObject Xnor Xor Yellow YuleDissimilarity ZernikeR ZeroSymmetric ZeroTest ZeroWidthTimes Zeta ZetaZero ZipfDistribution ZTest ZTransform $Aborted $ActivationGroupID $ActivationKey $ActivationUserRegistered $AddOnsDirectory $AssertFunction $Assumptions $AsynchronousTask $BaseDirectory $BatchInput $BatchOutput $BoxForms $ByteOrdering $Canceled $CharacterEncoding $CharacterEncodings $CommandLine $CompilationTarget $ConditionHold $ConfiguredKernels $Context $ContextPath $ControlActiveSetting $CreationDate $CurrentLink $DateStringFormat $DefaultFont $DefaultFrontEnd $DefaultImagingDevice $DefaultPath $Display $DisplayFunction $DistributedContexts $DynamicEvaluation $Echo $Epilog $ExportFormats $Failed $FinancialDataSource $FormatType $FrontEnd $FrontEndSession $GeoLocation $HistoryLength $HomeDirectory $HTTPCookies $IgnoreEOF $ImagingDevices $ImportFormats $InitialDirectory $Input $InputFileName $InputStreamMethods $Inspector $InstallationDate $InstallationDirectory $InterfaceEnvironment $IterationLimit $KernelCount $KernelID $Language $LaunchDirectory $LibraryPath $LicenseExpirationDate $LicenseID $LicenseProcesses $LicenseServer $LicenseSubprocesses $LicenseType $Line $Linked $LinkSupported $LoadedFiles $MachineAddresses $MachineDomain $MachineDomains $MachineEpsilon $MachineID $MachineName $MachinePrecision $MachineType $MaxExtraPrecision $MaxLicenseProcesses $MaxLicenseSubprocesses $MaxMachineNumber $MaxNumber $MaxPiecewiseCases $MaxPrecision $MaxRootDegree $MessageGroups $MessageList $MessagePrePrint $Messages $MinMachineNumber $MinNumber $MinorReleaseNumber $MinPrecision $ModuleNumber $NetworkLicense $NewMessage $NewSymbol $Notebooks $NumberMarks $Off $OperatingSystem $Output $OutputForms $OutputSizeLimit $OutputStreamMethods $Packages $ParentLink $ParentProcessID $PasswordFile $PatchLevelID $Path $PathnameSeparator $PerformanceGoal $PipeSupported $Post $Pre $PreferencesDirectory $PrePrint $PreRead $PrintForms $PrintLiteral $ProcessID $ProcessorCount $ProcessorType $ProductInformation $ProgramName $RandomState $RecursionLimit $ReleaseNumber $RootDirectory $ScheduledTask $ScriptCommandLine $SessionID $SetParentLink $SharedFunctions $SharedVariables $SoundDisplay $SoundDisplayFunction $SuppressInputFormHeads $SynchronousEvaluation $SyntaxHandler $System $SystemCharacterEncoding $SystemID $SystemWordLength $TemporaryDirectory $TemporaryPrefix $TextStyle $TimedOut $TimeUnit $TimeZone $TopDirectory $TraceOff $TraceOn $TracePattern $TracePostAction $TracePreAction $Urgent $UserAddOnsDirectory $UserBaseDirectory $UserDocumentsDirectory $UserName $Version $VersionNumber", c:[{cN:"comment",b:/\(\*/,e:/\*\)/},e.ASM,e.QSM,e.CNM,{cN:"list",b:/\{/,e:/\}/,i:/:/}]}});hljs.registerLanguage("julia",function(r){var e={keyword:"in abstract baremodule begin bitstype break catch ccall const continue do else elseif end export finally for function global if immutable import importall let local macro module quote return try type typealias using while",literal:"true false ANY ARGS CPU_CORES C_NULL DL_LOAD_PATH DevNull ENDIAN_BOM ENV I|0 Inf Inf16 Inf32 InsertionSort JULIA_HOME LOAD_PATH MS_ASYNC MS_INVALIDATE MS_SYNC MergeSort NaN NaN16 NaN32 OS_NAME QuickSort RTLD_DEEPBIND RTLD_FIRST RTLD_GLOBAL RTLD_LAZY RTLD_LOCAL RTLD_NODELETE RTLD_NOLOAD RTLD_NOW RoundDown RoundFromZero RoundNearest RoundToZero RoundUp STDERR STDIN STDOUT VERSION WORD_SIZE catalan cglobal e|0 eu|0 eulergamma golden im nothing pi γ π φ",built_in:"ASCIIString AbstractArray AbstractRNG AbstractSparseArray Any ArgumentError Array Associative Base64Pipe Bidiagonal BigFloat BigInt BitArray BitMatrix BitVector Bool BoundsError Box CFILE Cchar Cdouble Cfloat Char CharString Cint Clong Clonglong ClusterManager Cmd Coff_t Colon Complex Complex128 Complex32 Complex64 Condition Cptrdiff_t Cshort Csize_t Cssize_t Cuchar Cuint Culong Culonglong Cushort Cwchar_t DArray DataType DenseArray Diagonal Dict DimensionMismatch DirectIndexString Display DivideError DomainError EOFError EachLine Enumerate ErrorException Exception Expr Factorization FileMonitor FileOffset Filter Float16 Float32 Float64 FloatRange FloatingPoint Function GetfieldNode GotoNode Hermitian IO IOBuffer IOStream IPv4 IPv6 InexactError Int Int128 Int16 Int32 Int64 Int8 IntSet Integer InterruptException IntrinsicFunction KeyError LabelNode LambdaStaticData LineNumberNode LoadError LocalProcess MIME MathConst MemoryError MersenneTwister Method MethodError MethodTable Module NTuple NewvarNode Nothing Number ObjectIdDict OrdinalRange OverflowError ParseError PollingFileWatcher ProcessExitedException ProcessGroup Ptr QuoteNode Range Range1 Ranges Rational RawFD Real Regex RegexMatch RemoteRef RepString RevString RopeString RoundingMode Set SharedArray Signed SparseMatrixCSC StackOverflowError Stat StatStruct StepRange String SubArray SubString SymTridiagonal Symbol SymbolNode Symmetric SystemError Task TextDisplay Timer TmStruct TopNode Triangular Tridiagonal Type TypeConstructor TypeError TypeName TypeVar UTF16String UTF32String UTF8String UdpSocket Uint Uint128 Uint16 Uint32 Uint64 Uint8 UndefRefError UndefVarError UniformScaling UnionType UnitRange Unsigned Vararg VersionNumber WString WeakKeyDict WeakRef Woodbury Zip"},t="[A-Za-z_\\u00A1-\\uFFFF][A-Za-z_0-9\\u00A1-\\uFFFF]*",o={l:t,k:e},n={cN:"type-annotation",b:/::/},a={cN:"subtype",b:/<:/},i={cN:"number",b:/(\b0x[\d_]*(\.[\d_]*)?|0x\.\d[\d_]*)p[-+]?\d+|\b0[box][a-fA-F0-9][a-fA-F0-9_]*|(\b\d[\d_]*(\.[\d_]*)?|\.\d[\d_]*)([eEfF][-+]?\d+)?/,r:0},l={cN:"char",b:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},c={cN:"subst",b:/\$\(/,e:/\)/,k:e},u={cN:"variable",b:"\\$"+t},d={cN:"string",c:[r.BE,c,u],v:[{b:/\w*"/,e:/"\w*/},{b:/\w*"""/,e:/"""\w*/}]},g={cN:"string",c:[r.BE,c,u],b:"`",e:"`"},s={cN:"macrocall",b:"@"+t},S={cN:"comment",v:[{b:"#=",e:"=#",r:10},{b:"#",e:"$"}]};return o.c=[i,l,n,a,d,g,s,S,r.HCM],c.c=o.c,o});hljs.registerLanguage("rib",function(e){return{k:"ArchiveRecord AreaLightSource Atmosphere Attribute AttributeBegin AttributeEnd Basis Begin Blobby Bound Clipping ClippingPlane Color ColorSamples ConcatTransform Cone CoordinateSystem CoordSysTransform CropWindow Curves Cylinder DepthOfField Detail DetailRange Disk Displacement Display End ErrorHandler Exposure Exterior Format FrameAspectRatio FrameBegin FrameEnd GeneralPolygon GeometricApproximation Geometry Hider Hyperboloid Identity Illuminate Imager Interior LightSource MakeCubeFaceEnvironment MakeLatLongEnvironment MakeShadow MakeTexture Matte MotionBegin MotionEnd NuPatch ObjectBegin ObjectEnd ObjectInstance Opacity Option Orientation Paraboloid Patch PatchMesh Perspective PixelFilter PixelSamples PixelVariance Points PointsGeneralPolygons PointsPolygons Polygon Procedural Projection Quantize ReadArchive RelativeDetail ReverseOrientation Rotate Scale ScreenWindow ShadingInterpolation ShadingRate Shutter Sides Skew SolidBegin SolidEnd Sphere SubdivisionMesh Surface TextureCoordinates Torus Transform TransformBegin TransformEnd TransformPoints Translate TrimCurve WorldBegin WorldEnd",i:""},t={cN:"params",b:"\\(",e:"\\)",c:["self",i,o,r,n]},c={cN:"built_in",b:"[*!#%]",r:0},l={cN:"function",bK:"module function",e:"\\=|\\{",c:[t,e.UTM]};return{aliases:["scad"],k:{keyword:"function module include use for intersection_for if else \\%",literal:"false true PI undef",built_in:"circle square polygon text sphere cube cylinder polyhedron translate rotate scale resize mirror multmatrix color offset hull minkowski union difference intersection abs sign sin cos tan acos asin atan atan2 floor round ceil ln log pow sqrt exp rands min max concat lookup str chr search version version_num norm cross parent_module echo import import_dxf dxf_linear_extrude linear_extrude rotate_extrude surface projection render children dxf_cross dxf_dim let assign"},c:[e.CLCM,e.CBCM,i,s,o,r,c,l]}});hljs.registerLanguage("ceylon",function(e){var a="assembly module package import alias class interface object given value assign void function new of extends satisfies abstracts in out return break continue throw assert dynamic if else switch case for while try catch finally then let this outer super is exists nonempty",t="shared abstract formal default actual variable late native deprecatedfinal sealed annotation suppressWarnings small",s="doc by license see throws tagged",n=t+" "+s,i={cN:"subst",eB:!0,eE:!0,b:/``/,e:/``/,k:a,r:10},r=[{cN:"string",b:'"""',e:'"""',r:10},{cN:"string",b:'"',e:'"',c:[i]},{cN:"string",b:"'",e:"'"},{cN:"number",b:"#[0-9a-fA-F_]+|\\$[01_]+|[0-9_]+(?:\\.[0-9_](?:[eE][+-]?\\d+)?)?[kMGTPmunpf]?",r:0}];return i.c=r,{k:{keyword:a,annotation:n},i:"\\$[^01]|#[^0-9a-fA-F]",c:[e.CLCM,e.C("/\\*","\\*/",{c:["self"]}),{cN:"annotation",b:'@[a-z]\\w*(?:\\:"[^"]*")?'}].concat(r)}});hljs.registerLanguage("nginx",function(e){var r={cN:"variable",v:[{b:/\$\d+/},{b:/\$\{/,e:/}/},{b:"[\\$\\@]"+e.UIR}]},b={eW:!0,l:"[a-z/_]+",k:{built_in:"on off yes no true false none blocked debug info notice warn error crit select break last permanent redirect kqueue rtsig epoll poll /dev/poll"},r:0,i:"=>",c:[e.HCM,{cN:"string",c:[e.BE,r],v:[{b:/"/,e:/"/},{b:/'/,e:/'/}]},{cN:"url",b:"([a-z]+):/",e:"\\s",eW:!0,eE:!0,c:[r]},{cN:"regexp",c:[e.BE,r],v:[{b:"\\s\\^",e:"\\s|{|;",rE:!0},{b:"~\\*?\\s+",e:"\\s|{|;",rE:!0},{b:"\\*(\\.[a-z\\-]+)+"},{b:"([a-z\\-]+\\.)+\\*"}]},{cN:"number",b:"\\b\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}(:\\d{1,5})?\\b"},{cN:"number",b:"\\b\\d+[kKmMgGdshdwy]*\\b",r:0},r]};return{aliases:["nginxconf"],c:[e.HCM,{b:e.UIR+"\\s",e:";|{",rB:!0,c:[{cN:"title",b:e.UIR,starts:b}],r:0}],i:"[^\\s\\}]"}});hljs.registerLanguage("sml",function(e){return{aliases:["ml"],k:{keyword:"abstype and andalso as case datatype do else end eqtype exception fn fun functor handle if in include infix infixr let local nonfix of op open orelse raise rec sharing sig signature struct structure then type val with withtype where while",built_in:"array bool char exn int list option order real ref string substring vector unit word",literal:"true false NONE SOME LESS EQUAL GREATER nil"},i:/\/\/|>>/,l:"[a-z_]\\w*!?",c:[{cN:"literal",b:"\\[(\\|\\|)?\\]|\\(\\)"},e.C("\\(\\*","\\*\\)",{c:["self"]}),{cN:"symbol",b:"'[A-Za-z_](?!')[\\w']*"},{cN:"tag",b:"`[A-Z][\\w']*"},{cN:"type",b:"\\b[A-Z][\\w']*",r:0},{b:"[a-z_]\\w*'[\\w']*"},e.inherit(e.ASM,{cN:"char",r:0}),e.inherit(e.QSM,{i:null}),{cN:"number",b:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",r:0},{b:/[-=]>/}]}});hljs.registerLanguage("gherkin",function(e){return{aliases:["feature"],k:"Feature Background Ability Business Need Scenario Scenarios Scenario Outline Scenario Template Examples Given And Then But When",c:[{cN:"keyword",b:"\\*"},e.C("@[^@\r\n ]+","$"),{b:"\\|",e:"\\|\\w*$",c:[{cN:"string",b:"[^|]+"}]},{cN:"variable",b:"<",e:">"},e.HCM,{cN:"string",b:'"""',e:'"""'},e.QSM]}});hljs.registerLanguage("vbnet",function(e){return{aliases:["vb"],cI:!0,k:{keyword:"addhandler addressof alias and andalso aggregate ansi as assembly auto binary by byref byval call case catch class compare const continue custom declare default delegate dim distinct do each equals else elseif end enum erase error event exit explicit finally for friend from function get global goto group handles if implements imports in inherits interface into is isfalse isnot istrue join key let lib like loop me mid mod module mustinherit mustoverride mybase myclass namespace narrowing new next not notinheritable notoverridable of off on operator option optional or order orelse overloads overridable overrides paramarray partial preserve private property protected public raiseevent readonly redim rem removehandler resume return select set shadows shared skip static step stop structure strict sub synclock take text then throw to try unicode until using when where while widening with withevents writeonly xor",built_in:"boolean byte cbool cbyte cchar cdate cdec cdbl char cint clng cobj csbyte cshort csng cstr ctype date decimal directcast double gettype getxmlnamespace iif integer long object sbyte short single string trycast typeof uinteger ulong ushort",literal:"true false nothing"},i:"//|{|}|endif|gosub|variant|wend",c:[e.inherit(e.QSM,{c:[{b:'""'}]}),e.C("'","$",{rB:!0,c:[{cN:"xmlDocTag",b:"'''|",c:[e.PWM]},{cN:"xmlDocTag",b:"",c:[e.PWM]}]}),e.CNM,{cN:"preprocessor",b:"#",e:"$",k:"if else elseif end region externalsource"}]}});hljs.registerLanguage("pf",function(t){var o={cN:"variable",b:/\$[\w\d#@][\w\d_]*/},e={cN:"variable",b://};return{aliases:["pf.conf"],l:/[a-z0-9_<>-]+/,k:{built_in:"block match pass load anchor|5 antispoof|10 set table",keyword:"in out log quick on rdomain inet inet6 proto from port os to routeallow-opts divert-packet divert-reply divert-to flags group icmp-typeicmp6-type label once probability recieved-on rtable prio queuetos tag tagged user keep fragment for os dropaf-to|10 binat-to|10 nat-to|10 rdr-to|10 bitmask least-stats random round-robinsource-hash static-portdup-to reply-to route-toparent bandwidth default min max qlimitblock-policy debug fingerprints hostid limit loginterface optimizationreassemble ruleset-optimization basic none profile skip state-defaultsstate-policy timeoutconst counters persistno modulate synproxy state|5 floating if-bound no-sync pflow|10 sloppysource-track global rule max-src-nodes max-src-states max-src-connmax-src-conn-rate overload flushscrub|5 max-mss min-ttl no-df|10 random-id",literal:"all any no-route self urpf-failed egress|5 unknown"},c:[t.HCM,t.NM,t.QSM,o,e]}});hljs.registerLanguage("r",function(e){var r="([a-zA-Z]|\\.[a-zA-Z.])[a-zA-Z0-9._]*";return{c:[e.HCM,{b:r,l:r,k:{keyword:"function if in break next repeat else for return switch while try tryCatch stop warning require library attach detach source setMethod setGeneric setGroupGeneric setClass ...",literal:"NULL NA TRUE FALSE T F Inf NaN NA_integer_|10 NA_real_|10 NA_character_|10 NA_complex_|10"},r:0},{cN:"number",b:"0[xX][0-9a-fA-F]+[Li]?\\b",r:0},{cN:"number",b:"\\d+(?:[eE][+\\-]?\\d*)?L\\b",r:0},{cN:"number",b:"\\d+\\.(?!\\d)(?:i\\b)?",r:0},{cN:"number",b:"\\d+(?:\\.\\d*)?(?:[eE][+\\-]?\\d*)?i?\\b",r:0},{cN:"number",b:"\\.\\d+(?:[eE][+\\-]?\\d*)?i?\\b",r:0},{b:"`",e:"`",r:0},{cN:"string",c:[e.BE],v:[{b:'"',e:'"'},{b:"'",e:"'"}]}]}});hljs.registerLanguage("sql",function(e){var t=e.C("--","$");return{cI:!0,i:/[<>{}*]/,c:[{cN:"operator",bK:"begin end start commit rollback savepoint lock alter create drop rename call delete do handler insert load replace select truncate update set show pragma grant merge describe use explain help declare prepare execute deallocate release unlock purge reset change stop analyze cache flush optimize repair kill install uninstall checksum restore check backup revoke",e:/;/,eW:!0,k:{keyword:"abort abs absolute acc acce accep accept access accessed accessible account acos action activate add addtime admin administer advanced advise aes_decrypt aes_encrypt after agent aggregate ali alia alias allocate allow alter always analyze ancillary and any anydata anydataset anyschema anytype apply archive archived archivelog are as asc ascii asin assembly assertion associate asynchronous at atan atn2 attr attri attrib attribu attribut attribute attributes audit authenticated authentication authid authors auto autoallocate autodblink autoextend automatic availability avg backup badfile basicfile before begin beginning benchmark between bfile bfile_base big bigfile bin binary_double binary_float binlog bit_and bit_count bit_length bit_or bit_xor bitmap blob_base block blocksize body both bound buffer_cache buffer_pool build bulk by byte byteordermark bytes c cache caching call calling cancel capacity cascade cascaded case cast catalog category ceil ceiling chain change changed char_base char_length character_length characters characterset charindex charset charsetform charsetid check checksum checksum_agg child choose chr chunk class cleanup clear client clob clob_base clone close cluster_id cluster_probability cluster_set clustering coalesce coercibility col collate collation collect colu colum column column_value columns columns_updated comment commit compact compatibility compiled complete composite_limit compound compress compute concat concat_ws concurrent confirm conn connec connect connect_by_iscycle connect_by_isleaf connect_by_root connect_time connection consider consistent constant constraint constraints constructor container content contents context contributors controlfile conv convert convert_tz corr corr_k corr_s corresponding corruption cos cost count count_big counted covar_pop covar_samp cpu_per_call cpu_per_session crc32 create creation critical cross cube cume_dist curdate current current_date current_time current_timestamp current_user cursor curtime customdatum cycle d data database databases datafile datafiles datalength date_add date_cache date_format date_sub dateadd datediff datefromparts datename datepart datetime2fromparts day day_to_second dayname dayofmonth dayofweek dayofyear days db_role_change dbtimezone ddl deallocate declare decode decompose decrement decrypt deduplicate def defa defau defaul default defaults deferred defi defin define degrees delayed delegate delete delete_all delimited demand dense_rank depth dequeue des_decrypt des_encrypt des_key_file desc descr descri describ describe descriptor deterministic diagnostics difference dimension direct_load directory disable disable_all disallow disassociate discardfile disconnect diskgroup distinct distinctrow distribute distributed div do document domain dotnet double downgrade drop dumpfile duplicate duration e each edition editionable editions element ellipsis else elsif elt empty enable enable_all enclosed encode encoding encrypt end end-exec endian enforced engine engines enqueue enterprise entityescaping eomonth error errors escaped evalname evaluate event eventdata events except exception exceptions exchange exclude excluding execu execut execute exempt exists exit exp expire explain export export_set extended extent external external_1 external_2 externally extract f failed failed_login_attempts failover failure far fast feature_set feature_value fetch field fields file file_name_convert filesystem_like_logging final finish first first_value fixed flash_cache flashback floor flush following follows for forall force form forma format found found_rows freelist freelists freepools fresh from from_base64 from_days ftp full function g general generated get get_format get_lock getdate getutcdate global global_name globally go goto grant grants greatest group group_concat group_id grouping grouping_id groups gtid_subtract guarantee guard handler hash hashkeys having hea head headi headin heading heap help hex hierarchy high high_priority hosts hour http i id ident_current ident_incr ident_seed identified identity idle_time if ifnull ignore iif ilike ilm immediate import in include including increment index indexes indexing indextype indicator indices inet6_aton inet6_ntoa inet_aton inet_ntoa infile initial initialized initially initrans inmemory inner innodb input insert install instance instantiable instr interface interleaved intersect into invalidate invisible is is_free_lock is_ipv4 is_ipv4_compat is_not is_not_null is_used_lock isdate isnull isolation iterate java join json json_exists k keep keep_duplicates key keys kill l language large last last_day last_insert_id last_value lax lcase lead leading least leaves left len lenght length less level levels library like like2 like4 likec limit lines link list listagg little ln load load_file lob lobs local localtime localtimestamp locate locator lock locked log log10 log2 logfile logfiles logging logical logical_reads_per_call logoff logon logs long loop low low_priority lower lpad lrtrim ltrim m main make_set makedate maketime managed management manual map mapping mask master master_pos_wait match matched materialized max maxextents maximize maxinstances maxlen maxlogfiles maxloghistory maxlogmembers maxsize maxtrans md5 measures median medium member memcompress memory merge microsecond mid migration min minextents minimum mining minus minute minvalue missing mod mode model modification modify module monitoring month months mount move movement multiset mutex n name name_const names nan national native natural nav nchar nclob nested never new newline next nextval no no_write_to_binlog noarchivelog noaudit nobadfile nocheck nocompress nocopy nocycle nodelay nodiscardfile noentityescaping noguarantee nokeep nologfile nomapping nomaxvalue nominimize nominvalue nomonitoring none noneditionable nonschema noorder nopr nopro noprom nopromp noprompt norely noresetlogs noreverse normal norowdependencies noschemacheck noswitch not nothing notice notrim novalidate now nowait nth_value nullif nulls num numb numbe nvarchar nvarchar2 object ocicoll ocidate ocidatetime ociduration ociinterval ociloblocator ocinumber ociref ocirefcursor ocirowid ocistring ocitype oct octet_length of off offline offset oid oidindex old on online only opaque open operations operator optimal optimize option optionally or oracle oracle_date oradata ord ordaudio orddicom orddoc order ordimage ordinality ordvideo organization orlany orlvary out outer outfile outline output over overflow overriding p package pad parallel parallel_enable parameters parent parse partial partition partitions pascal passing password password_grace_time password_lock_time password_reuse_max password_reuse_time password_verify_function patch path patindex pctincrease pctthreshold pctused pctversion percent percent_rank percentile_cont percentile_disc performance period period_add period_diff permanent physical pi pipe pipelined pivot pluggable plugin policy position post_transaction pow power pragma prebuilt precedes preceding precision prediction prediction_cost prediction_details prediction_probability prediction_set prepare present preserve prior priority private private_sga privileges procedural procedure procedure_analyze processlist profiles project prompt protection public publishingservername purge quarter query quick quiesce quota quotename radians raise rand range rank raw read reads readsize rebuild record records recover recovery recursive recycle redo reduced ref reference referenced references referencing refresh regexp_like register regr_avgx regr_avgy regr_count regr_intercept regr_r2 regr_slope regr_sxx regr_sxy reject rekey relational relative relaylog release release_lock relies_on relocate rely rem remainder rename repair repeat replace replicate replication required reset resetlogs resize resource respect restore restricted result result_cache resumable resume retention return returning returns reuse reverse revoke right rlike role roles rollback rolling rollup round row row_count rowdependencies rowid rownum rows rtrim rules safe salt sample save savepoint sb1 sb2 sb4 scan schema schemacheck scn scope scroll sdo_georaster sdo_topo_geometry search sec_to_time second section securefile security seed segment select self sequence sequential serializable server servererror session session_user sessions_per_user set sets settings sha sha1 sha2 share shared shared_pool short show shrink shutdown si_averagecolor si_colorhistogram si_featurelist si_positionalcolor si_stillimage si_texture siblings sid sign sin size size_t sizes skip slave sleep smalldatetimefromparts smallfile snapshot some soname sort soundex source space sparse spfile split sql sql_big_result sql_buffer_result sql_cache sql_calc_found_rows sql_small_result sql_variant_property sqlcode sqldata sqlerror sqlname sqlstate sqrt square standalone standby start starting startup statement static statistics stats_binomial_test stats_crosstab stats_ks_test stats_mode stats_mw_test stats_one_way_anova stats_t_test_ stats_t_test_indep stats_t_test_one stats_t_test_paired stats_wsr_test status std stddev stddev_pop stddev_samp stdev stop storage store stored str str_to_date straight_join strcmp strict string struct stuff style subdate subpartition subpartitions substitutable substr substring subtime subtring_index subtype success sum suspend switch switchoffset switchover sync synchronous synonym sys sys_xmlagg sysasm sysaux sysdate sysdatetimeoffset sysdba sysoper system system_user sysutcdatetime t table tables tablespace tan tdo template temporary terminated tertiary_weights test than then thread through tier ties time time_format time_zone timediff timefromparts timeout timestamp timestampadd timestampdiff timezone_abbr timezone_minute timezone_region to to_base64 to_date to_days to_seconds todatetimeoffset trace tracking transaction transactional translate translation treat trigger trigger_nestlevel triggers trim truncate try_cast try_convert try_parse type ub1 ub2 ub4 ucase unarchived unbounded uncompress under undo unhex unicode uniform uninstall union unique unix_timestamp unknown unlimited unlock unpivot unrecoverable unsafe unsigned until untrusted unusable unused update updated upgrade upped upper upsert url urowid usable usage use use_stored_outlines user user_data user_resources users using utc_date utc_timestamp uuid uuid_short validate validate_password_strength validation valist value values var var_samp varcharc vari varia variab variabl variable variables variance varp varraw varrawc varray verify version versions view virtual visible void wait wallet warning warnings week weekday weekofyear wellformed when whene whenev wheneve whenever where while whitespace with within without work wrapped xdb xml xmlagg xmlattributes xmlcast xmlcolattval xmlelement xmlexists xmlforest xmlindex xmlnamespaces xmlpi xmlquery xmlroot xmlschema xmlserialize xmltable xmltype xor year year_to_month years yearweek",literal:"true false null",built_in:"array bigint binary bit blob boolean char character date dec decimal float int int8 integer interval number numeric real record serial serial8 smallint text varchar varying void"},c:[{cN:"string",b:"'",e:"'",c:[e.BE,{b:"''"}]},{cN:"string",b:'"',e:'"',c:[e.BE,{b:'""'}]},{cN:"string",b:"`",e:"`",c:[e.BE]},e.CNM,e.CBCM,t]},e.CBCM,t]}});hljs.registerLanguage("kotlin",function(e){var r="val var get set class trait object public open private protected final enum if else do while for when break continue throw try catch finally import package is as in return fun override default companion reified inline volatile transient native";return{k:{typename:"Byte Short Char Int Long Boolean Float Double Void Unit Nothing",literal:"true false null",keyword:r},c:[e.C("/\\*\\*","\\*/",{r:0,c:[{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,{cN:"type",b://,rB:!0,eE:!1,r:0},{cN:"function",bK:"fun",e:"[(]|$",rB:!0,eE:!0,k:r,i:/fun\s+(<.*>)?[^\s\(]+(\s+[^\s\(]+)\s*=/,r:5,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"type",b://,k:"reified",r:0},{cN:"params",b:/\(/,e:/\)/,k:r,r:0,i:/\([^\(,\s:]+,/,c:[{cN:"typename",b:/:\s*/,e:/\s*[=\)]/,eB:!0,rE:!0,r:0}]},e.CLCM,e.CBCM]},{cN:"class",bK:"class trait",e:/[:\{(]|$/,eE:!0,i:"extends implements",c:[e.UTM,{cN:"type",b://,eB:!0,eE:!0,r:0},{cN:"typename",b:/[,:]\s*/,e:/[<\(,]|$/,eB:!0,rE:!0}]},{cN:"variable",bK:"var val",e:/\s*[=:$]/,eE:!0},e.QSM,{cN:"shebang",b:"^#!/usr/bin/env",e:"$",i:"\n"},e.CNM]}});hljs.registerLanguage("clojure-repl",function(r){return{c:[{cN:"prompt",b:/^([\w.-]+|\s*#_)=>/,starts:{e:/$/,sL:"clojure"}}]}});hljs.registerLanguage("twig",function(e){var t={cN:"params",b:"\\(",e:"\\)"},a="attribute block constant cycle date dump include max min parent random range source template_from_string",r={cN:"function",bK:a,r:0,c:[t]},c={cN:"filter",b:/\|[A-Za-z_]+:?/,k:"abs batch capitalize convert_encoding date date_modify default escape first format join json_encode keys last length lower merge nl2br number_format raw replace reverse round slice sort split striptags title trim upper url_encode",c:[r]},n="autoescape block do embed extends filter flush for if import include macro sandbox set spaceless use verbatim";return n=n+" "+n.split(" ").map(function(e){return"end"+e}).join(" "),{aliases:["craftcms"],cI:!0,sL:"xml",c:[e.C(/\{#/,/#}/),{cN:"template_tag",b:/\{%/,e:/%}/,k:n,c:[c,r]},{cN:"variable",b:/\{\{/,e:/}}/,c:[c,r]}]}});hljs.registerLanguage("vbscript",function(e){return{aliases:["vbs"],cI:!0,k:{keyword:"call class const dim do loop erase execute executeglobal exit for each next function if then else on error option explicit new private property let get public randomize redim rem select case set stop sub while wend with end to elseif is or xor and not class_initialize class_terminate default preserve in me byval byref step resume goto",built_in:"lcase month vartype instrrev ubound setlocale getobject rgb getref string weekdayname rnd dateadd monthname now day minute isarray cbool round formatcurrency conversions csng timevalue second year space abs clng timeserial fixs len asc isempty maths dateserial atn timer isobject filter weekday datevalue ccur isdate instr datediff formatdatetime replace isnull right sgn array snumeric log cdbl hex chr lbound msgbox ucase getlocale cos cdate cbyte rtrim join hour oct typename trim strcomp int createobject loadpicture tan formatnumber mid scriptenginebuildversion scriptengine split scriptengineminorversion cint sin datepart ltrim sqr scriptenginemajorversion time derived eval date formatpercent exp inputbox left ascw chrw regexp server response request cstr err",literal:"true false null nothing empty"},i:"//",c:[e.inherit(e.QSM,{c:[{b:'""'}]}),e.C(/'/,/$/,{r:0}),e.CNM]}});hljs.registerLanguage("css",function(e){var c="[a-zA-Z-][a-zA-Z0-9_-]*",a={cN:"function",b:c+"\\(",rB:!0,eE:!0,e:"\\("},r={cN:"rule",b:/[A-Z\_\.\-]+\s*:/,rB:!0,e:";",eW:!0,c:[{cN:"attribute",b:/\S/,e:":",eE:!0,starts:{cN:"value",eW:!0,eE:!0,c:[a,e.CSSNM,e.QSM,e.ASM,e.CBCM,{cN:"hexcolor",b:"#[0-9A-Fa-f]+"},{cN:"important",b:"!important"}]}}]};return{cI:!0,i:/[=\/|'\$]/,c:[e.CBCM,{cN:"id",b:/\#[A-Za-z0-9_-]+/},{cN:"class",b:/\.[A-Za-z0-9_-]+/},{cN:"attr_selector",b:/\[/,e:/\]/,i:"$"},{cN:"pseudo",b:/:(:)?[a-zA-Z0-9\_\-\+\(\)"']+/},{cN:"at_rule",b:"@(font-face|page)",l:"[a-z-]+",k:"font-face page"},{cN:"at_rule",b:"@",e:"[{;]",c:[{cN:"keyword",b:/\S+/},{b:/\s/,eW:!0,eE:!0,r:0,c:[a,e.ASM,e.QSM,e.CSSNM]}]},{cN:"tag",b:c,r:0},{cN:"rules",b:"{",e:"}",i:/\S/,c:[e.CBCM,r]}]}});hljs.registerLanguage("mel",function(e){return{k:"int float string vector matrix if else switch case default while do for in break continue global proc return about abs addAttr addAttributeEditorNodeHelp addDynamic addNewShelfTab addPP addPanelCategory addPrefixToName advanceToNextDrivenKey affectedNet affects aimConstraint air alias aliasAttr align alignCtx alignCurve alignSurface allViewFit ambientLight angle angleBetween animCone animCurveEditor animDisplay animView annotate appendStringArray applicationName applyAttrPreset applyTake arcLenDimContext arcLengthDimension arclen arrayMapper art3dPaintCtx artAttrCtx artAttrPaintVertexCtx artAttrSkinPaintCtx artAttrTool artBuildPaintMenu artFluidAttrCtx artPuttyCtx artSelectCtx artSetPaintCtx artUserPaintCtx assignCommand assignInputDevice assignViewportFactories attachCurve attachDeviceAttr attachSurface attrColorSliderGrp attrCompatibility attrControlGrp attrEnumOptionMenu attrEnumOptionMenuGrp attrFieldGrp attrFieldSliderGrp attrNavigationControlGrp attrPresetEditWin attributeExists attributeInfo attributeMenu attributeQuery autoKeyframe autoPlace bakeClip bakeFluidShading bakePartialHistory bakeResults bakeSimulation basename basenameEx batchRender bessel bevel bevelPlus binMembership bindSkin blend2 blendShape blendShapeEditor blendShapePanel blendTwoAttr blindDataType boneLattice boundary boxDollyCtx boxZoomCtx bufferCurve buildBookmarkMenu buildKeyframeMenu button buttonManip CBG cacheFile cacheFileCombine cacheFileMerge cacheFileTrack camera cameraView canCreateManip canvas capitalizeString catch catchQuiet ceil changeSubdivComponentDisplayLevel changeSubdivRegion channelBox character characterMap characterOutlineEditor characterize chdir checkBox checkBoxGrp checkDefaultRenderGlobals choice circle circularFillet clamp clear clearCache clip clipEditor clipEditorCurrentTimeCtx clipSchedule clipSchedulerOutliner clipTrimBefore closeCurve closeSurface cluster cmdFileOutput cmdScrollFieldExecuter cmdScrollFieldReporter cmdShell coarsenSubdivSelectionList collision color colorAtPoint colorEditor colorIndex colorIndexSliderGrp colorSliderButtonGrp colorSliderGrp columnLayout commandEcho commandLine commandPort compactHairSystem componentEditor compositingInterop computePolysetVolume condition cone confirmDialog connectAttr connectControl connectDynamic connectJoint connectionInfo constrain constrainValue constructionHistory container containsMultibyte contextInfo control convertFromOldLayers convertIffToPsd convertLightmap convertSolidTx convertTessellation convertUnit copyArray copyFlexor copyKey copySkinWeights cos cpButton cpCache cpClothSet cpCollision cpConstraint cpConvClothToMesh cpForces cpGetSolverAttr cpPanel cpProperty cpRigidCollisionFilter cpSeam cpSetEdit cpSetSolverAttr cpSolver cpSolverTypes cpTool cpUpdateClothUVs createDisplayLayer createDrawCtx createEditor createLayeredPsdFile createMotionField createNewShelf createNode createRenderLayer createSubdivRegion cross crossProduct ctxAbort ctxCompletion ctxEditMode ctxTraverse currentCtx currentTime currentTimeCtx currentUnit curve curveAddPtCtx curveCVCtx curveEPCtx curveEditorCtx curveIntersect curveMoveEPCtx curveOnSurface curveSketchCtx cutKey cycleCheck cylinder dagPose date defaultLightListCheckBox defaultNavigation defineDataServer defineVirtualDevice deformer deg_to_rad delete deleteAttr deleteShadingGroupsAndMaterials deleteShelfTab deleteUI deleteUnusedBrushes delrandstr detachCurve detachDeviceAttr detachSurface deviceEditor devicePanel dgInfo dgdirty dgeval dgtimer dimWhen directKeyCtx directionalLight dirmap dirname disable disconnectAttr disconnectJoint diskCache displacementToPoly displayAffected displayColor displayCull displayLevelOfDetail displayPref displayRGBColor displaySmoothness displayStats displayString displaySurface distanceDimContext distanceDimension doBlur dolly dollyCtx dopeSheetEditor dot dotProduct doubleProfileBirailSurface drag dragAttrContext draggerContext dropoffLocator duplicate duplicateCurve duplicateSurface dynCache dynControl dynExport dynExpression dynGlobals dynPaintEditor dynParticleCtx dynPref dynRelEdPanel dynRelEditor dynamicLoad editAttrLimits editDisplayLayerGlobals editDisplayLayerMembers editRenderLayerAdjustment editRenderLayerGlobals editRenderLayerMembers editor editorTemplate effector emit emitter enableDevice encodeString endString endsWith env equivalent equivalentTol erf error eval evalDeferred evalEcho event exactWorldBoundingBox exclusiveLightCheckBox exec executeForEachObject exists exp expression expressionEditorListen extendCurve extendSurface extrude fcheck fclose feof fflush fgetline fgetword file fileBrowserDialog fileDialog fileExtension fileInfo filetest filletCurve filter filterCurve filterExpand filterStudioImport findAllIntersections findAnimCurves findKeyframe findMenuItem findRelatedSkinCluster finder firstParentOf fitBspline flexor floatEq floatField floatFieldGrp floatScrollBar floatSlider floatSlider2 floatSliderButtonGrp floatSliderGrp floor flow fluidCacheInfo fluidEmitter fluidVoxelInfo flushUndo fmod fontDialog fopen formLayout format fprint frameLayout fread freeFormFillet frewind fromNativePath fwrite gamma gauss geometryConstraint getApplicationVersionAsFloat getAttr getClassification getDefaultBrush getFileList getFluidAttr getInputDeviceRange getMayaPanelTypes getModifiers getPanel getParticleAttr getPluginResource getenv getpid glRender glRenderEditor globalStitch gmatch goal gotoBindPose grabColor gradientControl gradientControlNoAttr graphDollyCtx graphSelectContext graphTrackCtx gravity grid gridLayout group groupObjectsByName HfAddAttractorToAS HfAssignAS HfBuildEqualMap HfBuildFurFiles HfBuildFurImages HfCancelAFR HfConnectASToHF HfCreateAttractor HfDeleteAS HfEditAS HfPerformCreateAS HfRemoveAttractorFromAS HfSelectAttached HfSelectAttractors HfUnAssignAS hardenPointCurve hardware hardwareRenderPanel headsUpDisplay headsUpMessage help helpLine hermite hide hilite hitTest hotBox hotkey hotkeyCheck hsv_to_rgb hudButton hudSlider hudSliderButton hwReflectionMap hwRender hwRenderLoad hyperGraph hyperPanel hyperShade hypot iconTextButton iconTextCheckBox iconTextRadioButton iconTextRadioCollection iconTextScrollList iconTextStaticLabel ikHandle ikHandleCtx ikHandleDisplayScale ikSolver ikSplineHandleCtx ikSystem ikSystemInfo ikfkDisplayMethod illustratorCurves image imfPlugins inheritTransform insertJoint insertJointCtx insertKeyCtx insertKnotCurve insertKnotSurface instance instanceable instancer intField intFieldGrp intScrollBar intSlider intSliderGrp interToUI internalVar intersect iprEngine isAnimCurve isConnected isDirty isParentOf isSameObject isTrue isValidObjectName isValidString isValidUiName isolateSelect itemFilter itemFilterAttr itemFilterRender itemFilterType joint jointCluster jointCtx jointDisplayScale jointLattice keyTangent keyframe keyframeOutliner keyframeRegionCurrentTimeCtx keyframeRegionDirectKeyCtx keyframeRegionDollyCtx keyframeRegionInsertKeyCtx keyframeRegionMoveKeyCtx keyframeRegionScaleKeyCtx keyframeRegionSelectKeyCtx keyframeRegionSetKeyCtx keyframeRegionTrackCtx keyframeStats lassoContext lattice latticeDeformKeyCtx launch launchImageEditor layerButton layeredShaderPort layeredTexturePort layout layoutDialog lightList lightListEditor lightListPanel lightlink lineIntersection linearPrecision linstep listAnimatable listAttr listCameras listConnections listDeviceAttachments listHistory listInputDeviceAxes listInputDeviceButtons listInputDevices listMenuAnnotation listNodeTypes listPanelCategories listRelatives listSets listTransforms listUnselected listerEditor loadFluid loadNewShelf loadPlugin loadPluginLanguageResources loadPrefObjects localizedPanelLabel lockNode loft log longNameOf lookThru ls lsThroughFilter lsType lsUI Mayatomr mag makeIdentity makeLive makePaintable makeRoll makeSingleSurface makeTubeOn makebot manipMoveContext manipMoveLimitsCtx manipOptions manipRotateContext manipRotateLimitsCtx manipScaleContext manipScaleLimitsCtx marker match max memory menu menuBarLayout menuEditor menuItem menuItemToShelf menuSet menuSetPref messageLine min minimizeApp mirrorJoint modelCurrentTimeCtx modelEditor modelPanel mouse movIn movOut move moveIKtoFK moveKeyCtx moveVertexAlongDirection multiProfileBirailSurface mute nParticle nameCommand nameField namespace namespaceInfo newPanelItems newton nodeCast nodeIconButton nodeOutliner nodePreset nodeType noise nonLinear normalConstraint normalize nurbsBoolean nurbsCopyUVSet nurbsCube nurbsEditUV nurbsPlane nurbsSelect nurbsSquare nurbsToPoly nurbsToPolygonsPref nurbsToSubdiv nurbsToSubdivPref nurbsUVSet nurbsViewDirectionVector objExists objectCenter objectLayer objectType objectTypeUI obsoleteProc oceanNurbsPreviewPlane offsetCurve offsetCurveOnSurface offsetSurface openGLExtension openMayaPref optionMenu optionMenuGrp optionVar orbit orbitCtx orientConstraint outlinerEditor outlinerPanel overrideModifier paintEffectsDisplay pairBlend palettePort paneLayout panel panelConfiguration panelHistory paramDimContext paramDimension paramLocator parent parentConstraint particle particleExists particleInstancer particleRenderInfo partition pasteKey pathAnimation pause pclose percent performanceOptions pfxstrokes pickWalk picture pixelMove planarSrf plane play playbackOptions playblast plugAttr plugNode pluginInfo pluginResourceUtil pointConstraint pointCurveConstraint pointLight pointMatrixMult pointOnCurve pointOnSurface pointPosition poleVectorConstraint polyAppend polyAppendFacetCtx polyAppendVertex polyAutoProjection polyAverageNormal polyAverageVertex polyBevel polyBlendColor polyBlindData polyBoolOp polyBridgeEdge polyCacheMonitor polyCheck polyChipOff polyClipboard polyCloseBorder polyCollapseEdge polyCollapseFacet polyColorBlindData polyColorDel polyColorPerVertex polyColorSet polyCompare polyCone polyCopyUV polyCrease polyCreaseCtx polyCreateFacet polyCreateFacetCtx polyCube polyCut polyCutCtx polyCylinder polyCylindricalProjection polyDelEdge polyDelFacet polyDelVertex polyDuplicateAndConnect polyDuplicateEdge polyEditUV polyEditUVShell polyEvaluate polyExtrudeEdge polyExtrudeFacet polyExtrudeVertex polyFlipEdge polyFlipUV polyForceUV polyGeoSampler polyHelix polyInfo polyInstallAction polyLayoutUV polyListComponentConversion polyMapCut polyMapDel polyMapSew polyMapSewMove polyMergeEdge polyMergeEdgeCtx polyMergeFacet polyMergeFacetCtx polyMergeUV polyMergeVertex polyMirrorFace polyMoveEdge polyMoveFacet polyMoveFacetUV polyMoveUV polyMoveVertex polyNormal polyNormalPerVertex polyNormalizeUV polyOptUvs polyOptions polyOutput polyPipe polyPlanarProjection polyPlane polyPlatonicSolid polyPoke polyPrimitive polyPrism polyProjection polyPyramid polyQuad polyQueryBlindData polyReduce polySelect polySelectConstraint polySelectConstraintMonitor polySelectCtx polySelectEditCtx polySeparate polySetToFaceNormal polySewEdge polyShortestPathCtx polySmooth polySoftEdge polySphere polySphericalProjection polySplit polySplitCtx polySplitEdge polySplitRing polySplitVertex polyStraightenUVBorder polySubdivideEdge polySubdivideFacet polyToSubdiv polyTorus polyTransfer polyTriangulate polyUVSet polyUnite polyWedgeFace popen popupMenu pose pow preloadRefEd print progressBar progressWindow projFileViewer projectCurve projectTangent projectionContext projectionManip promptDialog propModCtx propMove psdChannelOutliner psdEditTextureFile psdExport psdTextureFile putenv pwd python querySubdiv quit rad_to_deg radial radioButton radioButtonGrp radioCollection radioMenuItemCollection rampColorPort rand randomizeFollicles randstate rangeControl readTake rebuildCurve rebuildSurface recordAttr recordDevice redo reference referenceEdit referenceQuery refineSubdivSelectionList refresh refreshAE registerPluginResource rehash reloadImage removeJoint removeMultiInstance removePanelCategory rename renameAttr renameSelectionList renameUI render renderGlobalsNode renderInfo renderLayerButton renderLayerParent renderLayerPostProcess renderLayerUnparent renderManip renderPartition renderQualityNode renderSettings renderThumbnailUpdate renderWindowEditor renderWindowSelectContext renderer reorder reorderDeformers requires reroot resampleFluid resetAE resetPfxToPolyCamera resetTool resolutionNode retarget reverseCurve reverseSurface revolve rgb_to_hsv rigidBody rigidSolver roll rollCtx rootOf rot rotate rotationInterpolation roundConstantRadius rowColumnLayout rowLayout runTimeCommand runup sampleImage saveAllShelves saveAttrPreset saveFluid saveImage saveInitialState saveMenu savePrefObjects savePrefs saveShelf saveToolSettings scale scaleBrushBrightness scaleComponents scaleConstraint scaleKey scaleKeyCtx sceneEditor sceneUIReplacement scmh scriptCtx scriptEditorInfo scriptJob scriptNode scriptTable scriptToShelf scriptedPanel scriptedPanelType scrollField scrollLayout sculpt searchPathArray seed selLoadSettings select selectContext selectCurveCV selectKey selectKeyCtx selectKeyframeRegionCtx selectMode selectPref selectPriority selectType selectedNodes selectionConnection separator setAttr setAttrEnumResource setAttrMapping setAttrNiceNameResource setConstraintRestPosition setDefaultShadingGroup setDrivenKeyframe setDynamic setEditCtx setEditor setFluidAttr setFocus setInfinity setInputDeviceMapping setKeyCtx setKeyPath setKeyframe setKeyframeBlendshapeTargetWts setMenuMode setNodeNiceNameResource setNodeTypeFlag setParent setParticleAttr setPfxToPolyCamera setPluginResource setProject setStampDensity setStartupMessage setState setToolTo setUITemplate setXformManip sets shadingConnection shadingGeometryRelCtx shadingLightRelCtx shadingNetworkCompare shadingNode shapeCompare shelfButton shelfLayout shelfTabLayout shellField shortNameOf showHelp showHidden showManipCtx showSelectionInTitle showShadingGroupAttrEditor showWindow sign simplify sin singleProfileBirailSurface size sizeBytes skinCluster skinPercent smoothCurve smoothTangentSurface smoothstep snap2to2 snapKey snapMode snapTogetherCtx snapshot soft softMod softModCtx sort sound soundControl source spaceLocator sphere sphrand spotLight spotLightPreviewPort spreadSheetEditor spring sqrt squareSurface srtContext stackTrace startString startsWith stitchAndExplodeShell stitchSurface stitchSurfacePoints strcmp stringArrayCatenate stringArrayContains stringArrayCount stringArrayInsertAtIndex stringArrayIntersector stringArrayRemove stringArrayRemoveAtIndex stringArrayRemoveDuplicates stringArrayRemoveExact stringArrayToString stringToStringArray strip stripPrefixFromName stroke subdAutoProjection subdCleanTopology subdCollapse subdDuplicateAndConnect subdEditUV subdListComponentConversion subdMapCut subdMapSewMove subdMatchTopology subdMirror subdToBlind subdToPoly subdTransferUVsToCache subdiv subdivCrease subdivDisplaySmoothness substitute substituteAllString substituteGeometry substring surface surfaceSampler surfaceShaderList swatchDisplayPort switchTable symbolButton symbolCheckBox sysFile system tabLayout tan tangentConstraint texLatticeDeformContext texManipContext texMoveContext texMoveUVShellContext texRotateContext texScaleContext texSelectContext texSelectShortestPathCtx texSmudgeUVContext texWinToolCtx text textCurves textField textFieldButtonGrp textFieldGrp textManip textScrollList textToShelf textureDisplacePlane textureHairColor texturePlacementContext textureWindow threadCount threePointArcCtx timeControl timePort timerX toNativePath toggle toggleAxis toggleWindowVisibility tokenize tokenizeList tolerance tolower toolButton toolCollection toolDropped toolHasOptions toolPropertyWindow torus toupper trace track trackCtx transferAttributes transformCompare transformLimits translator trim trunc truncateFluidCache truncateHairCache tumble tumbleCtx turbulence twoPointArcCtx uiRes uiTemplate unassignInputDevice undo undoInfo ungroup uniform unit unloadPlugin untangleUV untitledFileName untrim upAxis updateAE userCtx uvLink uvSnapshot validateShelfName vectorize view2dToolCtx viewCamera viewClipPlane viewFit viewHeadOn viewLookAt viewManip viewPlace viewSet visor volumeAxis vortex waitCursor warning webBrowser webBrowserPrefs whatIs window windowPref wire wireContext workspace wrinkle wrinkleContext writeTake xbmLangPathList xform",i:")[^(\n ;"]*\\(',r:0},{cN:"function",b:"\\)",r:0},{cN:"variable",b:"[vp][0-9]+",r:0}]}});hljs.registerLanguage("livecodeserver",function(e){var r={cN:"variable",b:"\\b[gtps][A-Z]+[A-Za-z0-9_\\-]*\\b|\\$_[A-Z]+",r:0},t=[e.CBCM,e.HCM,e.C("--","$"),e.C("[^:]//","$")],a=e.inherit(e.TM,{v:[{b:"\\b_*rig[A-Z]+[A-Za-z0-9_\\-]*"},{b:"\\b_[a-z0-9\\-]+"}]}),o=e.inherit(e.TM,{b:"\\b([A-Za-z0-9_\\-]+)\\b"});return{cI:!1,k:{keyword:"$_COOKIE $_FILES $_GET $_GET_BINARY $_GET_RAW $_POST $_POST_BINARY $_POST_RAW $_SESSION $_SERVER codepoint codepoints segment segments codeunit codeunits sentence sentences trueWord trueWords paragraph after byte bytes english the until http forever descending using line real8 with seventh for stdout finally element word words fourth before black ninth sixth characters chars stderr uInt1 uInt1s uInt2 uInt2s stdin string lines relative rel any fifth items from middle mid at else of catch then third it file milliseconds seconds second secs sec int1 int1s int4 int4s internet int2 int2s normal text item last long detailed effective uInt4 uInt4s repeat end repeat URL in try into switch to words https token binfile each tenth as ticks tick system real4 by dateItems without char character ascending eighth whole dateTime numeric short first ftp integer abbreviated abbr abbrev private case while if",constant:"SIX TEN FORMFEED NINE ZERO NONE SPACE FOUR FALSE COLON CRLF PI COMMA ENDOFFILE EOF EIGHT FIVE QUOTE EMPTY ONE TRUE RETURN CR LINEFEED RIGHT BACKSLASH NULL SEVEN TAB THREE TWO six ten formfeed nine zero none space four false colon crlf pi comma endoffile eof eight five quote empty one true return cr linefeed right backslash null seven tab three two RIVERSION RISTATE FILE_READ_MODE FILE_WRITE_MODE FILE_WRITE_MODE DIR_WRITE_MODE FILE_READ_UMASK FILE_WRITE_UMASK DIR_READ_UMASK DIR_WRITE_UMASK",operator:"div mod wrap and or bitAnd bitNot bitOr bitXor among not in a an within contains ends with begins the keys of keys",built_in:"put abs acos aliasReference annuity arrayDecode arrayEncode asin atan atan2 average avg avgDev base64Decode base64Encode baseConvert binaryDecode binaryEncode byteOffset byteToNum cachedURL cachedURLs charToNum cipherNames codepointOffset codepointProperty codepointToNum codeunitOffset commandNames compound compress constantNames cos date dateFormat decompress directories diskSpace DNSServers exp exp1 exp2 exp10 extents files flushEvents folders format functionNames geometricMean global globals hasMemory harmonicMean hostAddress hostAddressToName hostName hostNameToAddress isNumber ISOToMac itemOffset keys len length libURLErrorData libUrlFormData libURLftpCommand libURLLastHTTPHeaders libURLLastRHHeaders libUrlMultipartFormAddPart libUrlMultipartFormData libURLVersion lineOffset ln ln1 localNames log log2 log10 longFilePath lower macToISO matchChunk matchText matrixMultiply max md5Digest median merge millisec millisecs millisecond milliseconds min monthNames nativeCharToNum normalizeText num number numToByte numToChar numToCodepoint numToNativeChar offset open openfiles openProcesses openProcessIDs openSockets paragraphOffset paramCount param params peerAddress pendingMessages platform popStdDev populationStandardDeviation populationVariance popVariance processID random randomBytes replaceText result revCreateXMLTree revCreateXMLTreeFromFile revCurrentRecord revCurrentRecordIsFirst revCurrentRecordIsLast revDatabaseColumnCount revDatabaseColumnIsNull revDatabaseColumnLengths revDatabaseColumnNames revDatabaseColumnNamed revDatabaseColumnNumbered revDatabaseColumnTypes revDatabaseConnectResult revDatabaseCursors revDatabaseID revDatabaseTableNames revDatabaseType revDataFromQuery revdb_closeCursor revdb_columnbynumber revdb_columncount revdb_columnisnull revdb_columnlengths revdb_columnnames revdb_columntypes revdb_commit revdb_connect revdb_connections revdb_connectionerr revdb_currentrecord revdb_cursorconnection revdb_cursorerr revdb_cursors revdb_dbtype revdb_disconnect revdb_execute revdb_iseof revdb_isbof revdb_movefirst revdb_movelast revdb_movenext revdb_moveprev revdb_query revdb_querylist revdb_recordcount revdb_rollback revdb_tablenames revGetDatabaseDriverPath revNumberOfRecords revOpenDatabase revOpenDatabases revQueryDatabase revQueryDatabaseBlob revQueryResult revQueryIsAtStart revQueryIsAtEnd revUnixFromMacPath revXMLAttribute revXMLAttributes revXMLAttributeValues revXMLChildContents revXMLChildNames revXMLCreateTreeFromFileWithNamespaces revXMLCreateTreeWithNamespaces revXMLDataFromXPathQuery revXMLEvaluateXPath revXMLFirstChild revXMLMatchingNode revXMLNextSibling revXMLNodeContents revXMLNumberOfChildren revXMLParent revXMLPreviousSibling revXMLRootNode revXMLRPC_CreateRequest revXMLRPC_Documents revXMLRPC_Error revXMLRPC_GetHost revXMLRPC_GetMethod revXMLRPC_GetParam revXMLText revXMLRPC_Execute revXMLRPC_GetParamCount revXMLRPC_GetParamNode revXMLRPC_GetParamType revXMLRPC_GetPath revXMLRPC_GetPort revXMLRPC_GetProtocol revXMLRPC_GetRequest revXMLRPC_GetResponse revXMLRPC_GetSocket revXMLTree revXMLTrees revXMLValidateDTD revZipDescribeItem revZipEnumerateItems revZipOpenArchives round sampVariance sec secs seconds sentenceOffset sha1Digest shell shortFilePath sin specialFolderPath sqrt standardDeviation statRound stdDev sum sysError systemVersion tan tempName textDecode textEncode tick ticks time to tokenOffset toLower toUpper transpose truewordOffset trunc uniDecode uniEncode upper URLDecode URLEncode URLStatus uuid value variableNames variance version waitDepth weekdayNames wordOffset xsltApplyStylesheet xsltApplyStylesheetFromFile xsltLoadStylesheet xsltLoadStylesheetFromFile add breakpoint cancel clear local variable file word line folder directory URL close socket process combine constant convert create new alias folder directory decrypt delete variable word line folder directory URL dispatch divide do encrypt filter get include intersect kill libURLDownloadToFile libURLFollowHttpRedirects libURLftpUpload libURLftpUploadFile libURLresetAll libUrlSetAuthCallback libURLSetCustomHTTPHeaders libUrlSetExpect100 libURLSetFTPListCommand libURLSetFTPMode libURLSetFTPStopTime libURLSetStatusCallback load multiply socket prepare process post seek rel relative read from process rename replace require resetAll resolve revAddXMLNode revAppendXML revCloseCursor revCloseDatabase revCommitDatabase revCopyFile revCopyFolder revCopyXMLNode revDeleteFolder revDeleteXMLNode revDeleteAllXMLTrees revDeleteXMLTree revExecuteSQL revGoURL revInsertXMLNode revMoveFolder revMoveToFirstRecord revMoveToLastRecord revMoveToNextRecord revMoveToPreviousRecord revMoveToRecord revMoveXMLNode revPutIntoXMLNode revRollBackDatabase revSetDatabaseDriverPath revSetXMLAttribute revXMLRPC_AddParam revXMLRPC_DeleteAllDocuments revXMLAddDTD revXMLRPC_Free revXMLRPC_FreeAll revXMLRPC_DeleteDocument revXMLRPC_DeleteParam revXMLRPC_SetHost revXMLRPC_SetMethod revXMLRPC_SetPort revXMLRPC_SetProtocol revXMLRPC_SetSocket revZipAddItemWithData revZipAddItemWithFile revZipAddUncompressedItemWithData revZipAddUncompressedItemWithFile revZipCancel revZipCloseArchive revZipDeleteItem revZipExtractItemToFile revZipExtractItemToVariable revZipSetProgressCallback revZipRenameItem revZipReplaceItemWithData revZipReplaceItemWithFile revZipOpenArchive send set sort split start stop subtract union unload wait write"},c:[r,{cN:"keyword",b:"\\bend\\sif\\b"},{cN:"function",bK:"function",e:"$",c:[r,o,e.ASM,e.QSM,e.BNM,e.CNM,a]},{cN:"function",b:"\\bend\\s+",e:"$",k:"end",c:[o,a]},{cN:"command",bK:"command on",e:"$",c:[r,o,e.ASM,e.QSM,e.BNM,e.CNM,a]},{cN:"preprocessor",v:[{b:"<\\?(rev|lc|livecode)",r:10},{b:"<\\?"},{b:"\\?>"}]},e.ASM,e.QSM,e.BNM,e.CNM,a].concat(t),i:";$|^\\[|^="}});hljs.registerLanguage("smalltalk",function(a){var r="[a-z][a-zA-Z0-9_]*",s={cN:"char",b:"\\$.{1}"},c={cN:"symbol",b:"#"+a.UIR};return{aliases:["st"],k:"self super nil true false thisContext",c:[a.C('"','"'),a.ASM,{cN:"class",b:"\\b[A-Z][A-Za-z0-9_]*",r:0},{cN:"method",b:r+":",r:0},a.CNM,c,s,{cN:"localvars",b:"\\|[ ]*"+r+"([ ]+"+r+")*[ ]*\\|",rB:!0,e:/\|/,i:/\S/,c:[{b:"(\\|[ ]*)?"+r}]},{cN:"array",b:"\\#\\(",e:"\\)",c:[a.ASM,s,a.CNM,c]}]}});hljs.registerLanguage("rust",function(e){var t="([uif](8|16|32|64|size))?",r=e.inherit(e.CBCM);return r.c.push("self"),{aliases:["rs"],k:{keyword:"alignof as be box break const continue crate do else enum extern false fn for if impl in let loop match mod mut offsetof once priv proc pub pure ref return self Self sizeof static struct super trait true type typeof unsafe unsized use virtual while where yield int i8 i16 i32 i64 uint u8 u32 u64 float f32 f64 str char bool",built_in:"Copy Send Sized Sync Drop Fn FnMut FnOnce drop Box ToOwned Clone PartialEq PartialOrd Eq Ord AsRef AsMut Into From Default Iterator Extend IntoIterator DoubleEndedIterator ExactSizeIterator Option Some None Result Ok Err SliceConcatExt String ToString Vec assert! assert_eq! bitflags! bytes! cfg! col! concat! concat_idents! debug_assert! debug_assert_eq! env! panic! file! format! format_args! include_bin! include_str! line! local_data_key! module_path! option_env! print! println! select! stringify! try! unimplemented! unreachable! vec! write! writeln!"},l:e.IR+"!?",i:""}]}});hljs.registerLanguage("fix",function(u){return{c:[{b:/[^\u2401\u0001]+/,e:/[\u2401\u0001]/,eE:!0,rB:!0,rE:!1,c:[{b:/([^\u2401\u0001=]+)/,e:/=([^\u2401\u0001=]+)/,rE:!0,rB:!1,cN:"attribute"},{b:/=/,e:/([\u2401\u0001])/,eE:!0,eB:!0,cN:"string"}]}],cI:!0}});hljs.registerLanguage("gradle",function(e){return{cI:!0,k:{keyword:"task project allprojects subprojects artifacts buildscript configurations dependencies repositories sourceSets description delete from into include exclude source classpath destinationDir includes options sourceCompatibility targetCompatibility group flatDir doLast doFirst flatten todir fromdir ant def abstract break case catch continue default do else extends final finally for if implements instanceof native new private protected public return static switch synchronized throw throws transient try volatile while strictfp package import false null super this true antlrtask checkstyle codenarc copy boolean byte char class double float int interface long short void compile runTime file fileTree abs any append asList asWritable call collect compareTo count div dump each eachByte eachFile eachLine every find findAll flatten getAt getErr getIn getOut getText grep immutable inject inspect intersect invokeMethods isCase join leftShift minus multiply newInputStream newOutputStream newPrintWriter newReader newWriter next plus pop power previous print println push putAt read readBytes readLines reverse reverseEach round size sort splitEachLine step subMap times toInteger toList tokenize upto waitForOrKill withPrintWriter withReader withStream withWriter withWriterAppend write writeLine"},c:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.NM,e.RM]}});hljs.registerLanguage("xl",function(e){var t="ObjectLoader Animate MovieCredits Slides Filters Shading Materials LensFlare Mapping VLCAudioVideo StereoDecoder PointCloud NetworkAccess RemoteControl RegExp ChromaKey Snowfall NodeJS Speech Charts",o={keyword:"if then else do while until for loop import with is as where when by data constant",literal:"true false nil",type:"integer real text name boolean symbol infix prefix postfix block tree",built_in:"in mod rem and or xor not abs sign floor ceil sqrt sin cos tan asin acos atan exp expm1 log log2 log10 log1p pi at",module:t,id:"text_length text_range text_find text_replace contains page slide basic_slide title_slide title subtitle fade_in fade_out fade_at clear_color color line_color line_width texture_wrap texture_transform texture scale_?x scale_?y scale_?z? translate_?x translate_?y translate_?z? rotate_?x rotate_?y rotate_?z? rectangle circle ellipse sphere path line_to move_to quad_to curve_to theme background contents locally time mouse_?x mouse_?y mouse_buttons"},a={cN:"constant",b:"[A-Z][A-Z_0-9]+",r:0},r={cN:"variable",b:"([A-Z][a-z_0-9]+)+",r:0},i={cN:"id",b:"[a-z][a-z_0-9]+",r:0},l={cN:"string",b:'"',e:'"',i:"\\n"},n={cN:"string",b:"'",e:"'",i:"\\n"},s={cN:"string",b:"<<",e:">>"},c={cN:"number",b:"[0-9]+#[0-9A-Z_]+(\\.[0-9-A-Z_]+)?#?([Ee][+-]?[0-9]+)?",r:10},_={cN:"import",bK:"import",e:"$",k:{keyword:"import",module:t},r:0,c:[l]},d={cN:"function",b:"[a-z].*->"};return{aliases:["tao"],l:/[a-zA-Z][a-zA-Z0-9_?]*/,k:o,c:[e.CLCM,e.CBCM,l,n,s,d,_,a,r,i,c,e.NM]}});hljs.registerLanguage("ocaml",function(e){return{aliases:["ml"],k:{keyword:"and as assert asr begin class constraint do done downto else end exception external for fun function functor if in include inherit! inherit initializer land lazy let lor lsl lsr lxor match method!|10 method mod module mutable new object of open! open or private rec sig struct then to try type val! val virtual when while with parser value",built_in:"array bool bytes char exn|5 float int int32 int64 list lazy_t|5 nativeint|5 string unit in_channel out_channel ref",literal:"true false"},i:/\/\/|>>/,l:"[a-z_]\\w*!?",c:[{cN:"literal",b:"\\[(\\|\\|)?\\]|\\(\\)",r:0},e.C("\\(\\*","\\*\\)",{c:["self"]}),{cN:"symbol",b:"'[A-Za-z_](?!')[\\w']*"},{cN:"tag",b:"`[A-Z][\\w']*"},{cN:"type",b:"\\b[A-Z][\\w']*",r:0},{b:"[a-z_]\\w*'[\\w']*"},e.inherit(e.ASM,{cN:"char",r:0}),e.inherit(e.QSM,{i:null}),{cN:"number",b:"\\b(0[xX][a-fA-F0-9_]+[Lln]?|0[oO][0-7_]+[Lln]?|0[bB][01_]+[Lln]?|[0-9][0-9_]*([Lln]|(\\.[0-9_]*)?([eE][-+]?[0-9_]+)?)?)",r:0},{b:/[-=]>/}]}});hljs.registerLanguage("scheme",function(e){var t="[^\\(\\)\\[\\]\\{\\}\",'`;#|\\\\\\s]+",r="(\\-|\\+)?\\d+([./]\\d+)?",i=r+"[+\\-]"+r+"i",a={built_in:"case-lambda call/cc class define-class exit-handler field import inherit init-field interface let*-values let-values let/ec mixin opt-lambda override protect provide public rename require require-for-syntax syntax syntax-case syntax-error unit/sig unless when with-syntax and begin call-with-current-continuation call-with-input-file call-with-output-file case cond define define-syntax delay do dynamic-wind else for-each if lambda let let* let-syntax letrec letrec-syntax map or syntax-rules ' * + , ,@ - ... / ; < <= = => > >= ` abs acos angle append apply asin assoc assq assv atan boolean? caar cadr call-with-input-file call-with-output-file call-with-values car cdddar cddddr cdr ceiling char->integer char-alphabetic? char-ci<=? char-ci=? char-ci>? char-downcase char-lower-case? char-numeric? char-ready? char-upcase char-upper-case? char-whitespace? char<=? char=? char>? char? close-input-port close-output-port complex? cons cos current-input-port current-output-port denominator display eof-object? eq? equal? eqv? eval even? exact->inexact exact? exp expt floor force gcd imag-part inexact->exact inexact? input-port? integer->char integer? interaction-environment lcm length list list->string list->vector list-ref list-tail list? load log magnitude make-polar make-rectangular make-string make-vector max member memq memv min modulo negative? newline not null-environment null? number->string number? numerator odd? open-input-file open-output-file output-port? pair? peek-char port? positive? procedure? quasiquote quote quotient rational? rationalize read read-char real-part real? remainder reverse round scheme-report-environment set! set-car! set-cdr! sin sqrt string string->list string->number string->symbol string-append string-ci<=? string-ci=? string-ci>? string-copy string-fill! string-length string-ref string-set! string<=? string=? string>? string? substring symbol->string symbol? tan transcript-off transcript-on truncate values vector vector->list vector-fill! vector-length vector-ref vector-set! with-input-from-file with-output-to-file write write-char zero?"},n={cN:"shebang",b:"^#!",e:"$"},c={cN:"literal",b:"(#t|#f|#\\\\"+t+"|#\\\\.)"},l={cN:"number",v:[{b:r,r:0},{b:i,r:0},{b:"#b[0-1]+(/[0-1]+)?"},{b:"#o[0-7]+(/[0-7]+)?"},{b:"#x[0-9a-f]+(/[0-9a-f]+)?"}]},s=e.QSM,o=[e.C(";","$",{r:0}),e.C("#\\|","\\|#")],u={b:t,r:0},p={cN:"variable",b:"'"+t},d={eW:!0,r:0},g={cN:"list",v:[{b:"\\(",e:"\\)"},{b:"\\[",e:"\\]"}],c:[{cN:"keyword",b:t,l:t,k:a},d]};return d.c=[c,l,s,u,p,g].concat(o),{i:/\S/,c:[n,l,s,p,g].concat(o)}});hljs.registerLanguage("http",function(t){return{aliases:["https"],i:"\\S",c:[{cN:"status",b:"^HTTP/[0-9\\.]+",e:"$",c:[{cN:"number",b:"\\b\\d{3}\\b"}]},{cN:"request",b:"^[A-Z]+ (.*?) HTTP/[0-9\\.]+$",rB:!0,e:"$",c:[{cN:"string",b:" ",e:" ",eB:!0,eE:!0}]},{cN:"attribute",b:"^\\w",e:": ",eE:!0,i:"\\n|\\s|=",starts:{cN:"string",e:"$"}},{b:"\\n\\n",starts:{sL:[],eW:!0}}]}});hljs.registerLanguage("verilog",function(e){return{aliases:["v"],cI:!0,k:{keyword:"always and assign begin buf bufif0 bufif1 case casex casez cmos deassign default defparam disable edge else end endcase endfunction endmodule endprimitive endspecify endtable endtask event for force forever fork function if ifnone initial inout input join macromodule module nand negedge nmos nor not notif0 notif1 or output parameter pmos posedge primitive pulldown pullup rcmos release repeat rnmos rpmos rtran rtranif0 rtranif1 specify specparam table task timescale tran tranif0 tranif1 wait while xnor xor",typename:"highz0 highz1 integer large medium pull0 pull1 real realtime reg scalared signed small strong0 strong1 supply0 supply0 supply1 supply1 time tri tri0 tri1 triand trior trireg vectored wand weak0 weak1 wire wor"},c:[e.CBCM,e.CLCM,e.QSM,{cN:"number",b:"\\b(\\d+'(b|h|o|d|B|H|O|D))?[0-9xzXZ]+",c:[e.BE],r:0},{cN:"typename",b:"\\.\\w+",r:0},{cN:"value",b:"#\\((?!parameter).+\\)"},{cN:"keyword",b:"\\+|-|\\*|/|%|<|>|=|#|`|\\!|&|\\||@|:|\\^|~|\\{|\\}",r:0}]}});hljs.registerLanguage("actionscript",function(e){var a="[a-zA-Z_$][a-zA-Z0-9_$]*",c="([*]|[a-zA-Z_$][a-zA-Z0-9_$]*)",t={cN:"rest_arg",b:"[.]{3}",e:a,r:10};return{aliases:["as"],k:{keyword:"as break case catch class const continue default delete do dynamic each else extends final finally for function get if implements import in include instanceof interface internal is namespace native new override package private protected public return set static super switch this throw try typeof use var void while with",literal:"true false null undefined"},c:[e.ASM,e.QSM,e.CLCM,e.CBCM,e.CNM,{cN:"package",bK:"package",e:"{",c:[e.TM]},{cN:"class",bK:"class interface",e:"{",eE:!0,c:[{bK:"extends implements"},e.TM]},{cN:"preprocessor",bK:"import include",e:";"},{cN:"function",bK:"function",e:"[{;]",eE:!0,i:"\\S",c:[e.TM,{cN:"params",b:"\\(",e:"\\)",c:[e.ASM,e.QSM,e.CLCM,e.CBCM,t]},{cN:"type",b:":",e:c,r:10}]}],i:/#/}});hljs.registerLanguage("zephir",function(e){var i={cN:"string",c:[e.BE],v:[{b:'b"',e:'"'},{b:"b'",e:"'"},e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},n={v:[e.BNM,e.CNM]};return{aliases:["zep"],cI:!0,k:"and include_once list abstract global private echo interface as static endswitch array null if endwhile or const for endforeach self var let while isset public protected exit foreach throw elseif include __FILE__ empty require_once do xor return parent clone use __CLASS__ __LINE__ else break print eval new catch __METHOD__ case exception default die require __FUNCTION__ enddeclare final try switch continue endfor endif declare unset true false trait goto instanceof insteadof __DIR__ __NAMESPACE__ yield finally int uint long ulong char uchar double float bool boolean stringlikely unlikely",c:[e.CLCM,e.HCM,e.C("/\\*","\\*/",{c:[{cN:"doctag",b:"@[A-Za-z]+"}]}),e.C("__halt_compiler.+?;",!1,{eW:!0,k:"__halt_compiler",l:e.UIR}),{cN:"string",b:"<<<['\"]?\\w+['\"]?$",e:"^\\w+;",c:[e.BE]},{b:/(::|->)+[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*/},{cN:"function",bK:"function",e:/[;{]/,eE:!0,i:"\\$|\\[|%",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)",c:["self",e.CBCM,i,n]}]},{cN:"class",bK:"class interface",e:"{",eE:!0,i:/[:\(\$"]/,c:[{bK:"extends implements"},e.UTM]},{bK:"namespace",e:";",i:/[\.']/,c:[e.UTM]},{bK:"use",e:";",c:[e.UTM]},{b:"=>"},i,n]}});hljs.registerLanguage("json",function(e){var t={literal:"true false null"},i=[e.QSM,e.CNM],l={cN:"value",e:",",eW:!0,eE:!0,c:i,k:t},c={b:"{",e:"}",c:[{cN:"attribute",b:'\\s*"',e:'"\\s*:\\s*',eB:!0,eE:!0,c:[e.BE],i:"\\n",starts:l}],i:"\\S"},n={b:"\\[",e:"\\]",c:[e.inherit(l,{cN:null})],i:"\\S"};return i.splice(i.length,0,c,n),{c:i,k:t,i:"\\S"}});hljs.registerLanguage("q",function(e){var s={keyword:"do while select delete by update from",constant:"0b 1b",built_in:"neg not null string reciprocal floor ceiling signum mod xbar xlog and or each scan over prior mmu lsq inv md5 ltime gtime count first var dev med cov cor all any rand sums prds mins maxs fills deltas ratios avgs differ prev next rank reverse iasc idesc asc desc msum mcount mavg mdev xrank mmin mmax xprev rotate distinct group where flip type key til get value attr cut set upsert raze union inter except cross sv vs sublist enlist read0 read1 hopen hclose hdel hsym hcount peach system ltrim rtrim trim lower upper ssr view tables views cols xcols keys xkey xcol xasc xdesc fkeys meta lj aj aj0 ij pj asof uj ww wj wj1 fby xgroup ungroup ej save load rsave rload show csv parse eval min max avg wavg wsum sin cos tan sum",typename:"`float `double int `timestamp `timespan `datetime `time `boolean `symbol `char `byte `short `long `real `month `date `minute `second `guid"};return{aliases:["k","kdb"],k:s,l:/\b(`?)[A-Za-z0-9_]+\b/,c:[e.CLCM,e.QSM,e.CNM]}});hljs.registerLanguage("processing",function(e){return{k:{keyword:"BufferedReader PVector PFont PImage PGraphics HashMap boolean byte char color double float int long String Array FloatDict FloatList IntDict IntList JSONArray JSONObject Object StringDict StringList Table TableRow XML false synchronized int abstract float private char boolean static null if const for true while long throw strictfp finally protected import native final return void enum else break transient new catch instanceof byte super volatile case assert short package default double public try this switch continue throws protected public private",constant:"P2D P3D HALF_PI PI QUARTER_PI TAU TWO_PI",variable:"displayHeight displayWidth mouseY mouseX mousePressed pmouseX pmouseY key keyCode pixels focused frameCount frameRate height width",title:"setup draw",built_in:"size createGraphics beginDraw createShape loadShape PShape arc ellipse line point quad rect triangle bezier bezierDetail bezierPoint bezierTangent curve curveDetail curvePoint curveTangent curveTightness shape shapeMode beginContour beginShape bezierVertex curveVertex endContour endShape quadraticVertex vertex ellipseMode noSmooth rectMode smooth strokeCap strokeJoin strokeWeight mouseClicked mouseDragged mouseMoved mousePressed mouseReleased mouseWheel keyPressed keyPressedkeyReleased keyTyped print println save saveFrame day hour millis minute month second year background clear colorMode fill noFill noStroke stroke alpha blue brightness color green hue lerpColor red saturation modelX modelY modelZ screenX screenY screenZ ambient emissive shininess specular add createImage beginCamera camera endCamera frustum ortho perspective printCamera printProjection cursor frameRate noCursor exit loop noLoop popStyle pushStyle redraw binary boolean byte char float hex int str unbinary unhex join match matchAll nf nfc nfp nfs split splitTokens trim append arrayCopy concat expand reverse shorten sort splice subset box sphere sphereDetail createInput createReader loadBytes loadJSONArray loadJSONObject loadStrings loadTable loadXML open parseXML saveTable selectFolder selectInput beginRaw beginRecord createOutput createWriter endRaw endRecord PrintWritersaveBytes saveJSONArray saveJSONObject saveStream saveStrings saveXML selectOutput popMatrix printMatrix pushMatrix resetMatrix rotate rotateX rotateY rotateZ scale shearX shearY translate ambientLight directionalLight lightFalloff lights lightSpecular noLights normal pointLight spotLight image imageMode loadImage noTint requestImage tint texture textureMode textureWrap blend copy filter get loadPixels set updatePixels blendMode loadShader PShaderresetShader shader createFont loadFont text textFont textAlign textLeading textMode textSize textWidth textAscent textDescent abs ceil constrain dist exp floor lerp log mag map max min norm pow round sq sqrt acos asin atan atan2 cos degrees radians sin tan noise noiseDetail noiseSeed random randomGaussian randomSeed"},c:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.CNM]}});hljs.registerLanguage("d",function(e){var r={keyword:"abstract alias align asm assert auto body break byte case cast catch class const continue debug default delete deprecated do else enum export extern final finally for foreach foreach_reverse|10 goto if immutable import in inout int interface invariant is lazy macro mixin module new nothrow out override package pragma private protected public pure ref return scope shared static struct super switch synchronized template this throw try typedef typeid typeof union unittest version void volatile while with __FILE__ __LINE__ __gshared|10 __thread __traits __DATE__ __EOF__ __TIME__ __TIMESTAMP__ __VENDOR__ __VERSION__",built_in:"bool cdouble cent cfloat char creal dchar delegate double dstring float function idouble ifloat ireal long real short string ubyte ucent uint ulong ushort wchar wstring",literal:"false null true"},t="(0|[1-9][\\d_]*)",a="(0|[1-9][\\d_]*|\\d[\\d_]*|[\\d_]+?\\d)",i="0[bB][01_]+",n="([\\da-fA-F][\\da-fA-F_]*|_[\\da-fA-F][\\da-fA-F_]*)",c="0[xX]"+n,_="([eE][+-]?"+a+")",d="("+a+"(\\.\\d*|"+_+")|\\d+\\."+a+a+"|\\."+t+_+"?)",o="(0[xX]("+n+"\\."+n+"|\\.?"+n+")[pP][+-]?"+a+")",s="("+t+"|"+i+"|"+c+")",l="("+o+"|"+d+")",u="\\\\(['\"\\?\\\\abfnrtv]|u[\\dA-Fa-f]{4}|[0-7]{1,3}|x[\\dA-Fa-f]{2}|U[\\dA-Fa-f]{8})|&[a-zA-Z\\d]{2,};",b={cN:"number",b:"\\b"+s+"(L|u|U|Lu|LU|uL|UL)?",r:0},f={cN:"number",b:"\\b("+l+"([fF]|L|i|[fF]i|Li)?|"+s+"(i|[fF]i|Li))",r:0},g={cN:"string",b:"'("+u+"|.)",e:"'",i:"."},h={b:u,r:0},p={cN:"string",b:'"',c:[h],e:'"[cwd]?'},w={cN:"string",b:'[rq]"',e:'"[cwd]?',r:5},N={cN:"string",b:"`",e:"`[cwd]?"},A={cN:"string",b:'x"[\\da-fA-F\\s\\n\\r]*"[cwd]?',r:10},F={cN:"string",b:'q"\\{',e:'\\}"'},m={cN:"shebang",b:"^#!",e:"$",r:5},y={cN:"preprocessor",b:"#(line)",e:"$",r:5},L={cN:"keyword",b:"@[a-zA-Z_][a-zA-Z_\\d]*"},v=e.C("\\/\\+","\\+\\/",{c:["self"],r:10});return{l:e.UIR,k:r,c:[e.CLCM,e.CBCM,v,A,p,w,N,F,f,b,g,m,y,L]}});hljs.registerLanguage("asciidoc",function(e){return{aliases:["adoc"],c:[e.C("^/{4,}\\n","\\n/{4,}$",{r:10}),e.C("^//","$",{r:0}),{cN:"title",b:"^\\.\\w.*$"},{b:"^[=\\*]{4,}\\n",e:"\\n^[=\\*]{4,}$",r:10},{cN:"header",b:"^(={1,5}) .+?( \\1)?$",r:10},{cN:"header",b:"^[^\\[\\]\\n]+?\\n[=\\-~\\^\\+]{2,}$",r:10},{cN:"attribute",b:"^:.+?:",e:"\\s",eE:!0,r:10},{cN:"attribute",b:"^\\[.+?\\]$",r:0},{cN:"blockquote",b:"^_{4,}\\n",e:"\\n_{4,}$",r:10},{cN:"code",b:"^[\\-\\.]{4,}\\n",e:"\\n[\\-\\.]{4,}$",r:10},{b:"^\\+{4,}\\n",e:"\\n\\+{4,}$",c:[{b:"<",e:">",sL:"xml",r:0}],r:10},{cN:"bullet",b:"^(\\*+|\\-+|\\.+|[^\\n]+?::)\\s+"},{cN:"label",b:"^(NOTE|TIP|IMPORTANT|WARNING|CAUTION):\\s+",r:10},{cN:"strong",b:"\\B\\*(?![\\*\\s])",e:"(\\n{2}|\\*)",c:[{b:"\\\\*\\w",r:0}]},{cN:"emphasis",b:"\\B'(?!['\\s])",e:"(\\n{2}|')",c:[{b:"\\\\'\\w",r:0}],r:0},{cN:"emphasis",b:"_(?![_\\s])",e:"(\\n{2}|_)",r:0},{cN:"smartquote",v:[{b:"``.+?''"},{b:"`.+?'"}]},{cN:"code",b:"(`.+?`|\\+.+?\\+)",r:0},{cN:"code",b:"^[ \\t]",e:"$",r:0},{cN:"horizontal_rule",b:"^'{3,}[ \\t]*$",r:10},{b:"(link:)?(http|https|ftp|file|irc|image:?):\\S+\\[.*?\\]",rB:!0,c:[{b:"(link|image:?):",r:0},{cN:"link_url",b:"\\w",e:"[^\\[]+",r:0},{cN:"link_label",b:"\\[",e:"\\]",eB:!0,eE:!0,r:0}],r:10}]}});hljs.registerLanguage("rsl",function(e){return{k:{keyword:"float color point normal vector matrix while for if do return else break extern continue",built_in:"abs acos ambient area asin atan atmosphere attribute calculatenormal ceil cellnoise clamp comp concat cos degrees depth Deriv diffuse distance Du Dv environment exp faceforward filterstep floor format fresnel incident length lightsource log match max min mod noise normalize ntransform opposite option phong pnoise pow printf ptlined radians random reflect refract renderinfo round setcomp setxcomp setycomp setzcomp shadow sign sin smoothstep specular specularbrdf spline sqrt step tan texture textureinfo trace transform vtransform xcomp ycomp zcomp"},i:"",c:[e.inherit(e.TM,{b:/'[a-zA-Z0-9_]+/})]};return{aliases:["fs"],k:"abstract and as assert base begin class default delegate do done downcast downto elif else end exception extern false finally for fun function global if in inherit inline interface internal lazy let match member module mutable namespace new null of open or override private public rec return sig static struct then to true try type upcast use val void when while with yield",i:/\/\*/,c:[{cN:"keyword",b:/\b(yield|return|let|do)!/},{cN:"string",b:'@"',e:'"',c:[{b:'""'}]},{cN:"string",b:'"""',e:'"""'},e.C("\\(\\*","\\*\\)"),{cN:"class",bK:"type",e:"\\(|=|$",eE:!0,c:[e.UTM,t]},{cN:"annotation",b:"\\[<",e:">\\]",r:10},{cN:"attribute",b:"\\B('[A-Za-z])\\b",c:[e.BE]},e.CLCM,e.inherit(e.QSM,{i:null}),e.CNM]}});PK!v)II;kirlent_sphinx/templates/kirlent/static/plugin/leap/leap.js/* * Copyright (c) 2013, Leap Motion, Inc. * 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. * 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 HOLDER 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. * * Version 0.2.0 - http://js.leapmotion.com/0.2.0/leap.min.js * Grab latest versions from http://js.leapmotion.com/ */ !function(e,t,n){function i(n,s){if(!t[n]){if(!e[n]){var o=typeof require=="function"&&require;if(!s&&o)return o(n,!0);if(r)return r(n,!0);throw new Error("Cannot find module '"+n+"'")}var u=t[n]={exports:{}};e[n][0].call(u.exports,function(t){var r=e[n][1][t];return i(r?r:t)},u,u.exports)}return t[n].exports}var r=typeof require=="function"&&require;for(var s=0;s=this.size)return undefined;if(i>=this._buf.length)return undefined;return this._buf[(this.pos-i-1)%this.size]};CircularBuffer.prototype.push=function(o){this._buf[this.pos%this.size]=o;return this.pos++}},{}],3:[function(require,module,exports){var Connection=module.exports=require("./base_connection");Connection.prototype.setupSocket=function(){var connection=this;var socket=new WebSocket(this.getUrl());socket.onopen=function(){connection.handleOpen()};socket.onmessage=function(message){connection.handleData(message.data)};socket.onclose=function(){connection.handleClose()};return socket};Connection.prototype.startHeartbeat=function(){if(!this.protocol.sendHeartbeat||this.heartbeatTimer)return;var connection=this;var propertyName=null;if(typeof document.hidden!=="undefined"){propertyName="hidden"}else if(typeof document.mozHidden!=="undefined"){propertyName="mozHidden"}else if(typeof document.msHidden!=="undefined"){propertyName="msHidden"}else if(typeof document.webkitHidden!=="undefined"){propertyName="webkitHidden"}else{propertyName=undefined}var windowVisible=true;var focusListener=window.addEventListener("focus",function(e){windowVisible=true});var blurListener=window.addEventListener("blur",function(e){windowVisible=false});this.on("disconnect",function(){if(connection.heartbeatTimer){clearTimeout(connection.heartbeatTimer);delete connection.heartbeatTimer}window.removeEventListener(focusListener);window.removeEventListener(blurListener)});this.heartbeatTimer=setInterval(function(){var isVisible=propertyName===undefined?true:document[propertyName]===false;if(isVisible&&windowVisible){connection.sendHeartbeat()}else{connection.setHeartbeatState(false)}},this.opts.heartbeatInterval)}},{"./base_connection":1}],4:[function(require,module,exports){!function(process){var Frame=require("./frame"),CircularBuffer=require("./circular_buffer"),Pipeline=require("./pipeline"),EventEmitter=require("events").EventEmitter,gestureListener=require("./gesture").gestureListener,_=require("underscore");var Controller=module.exports=function(opts){var inNode=typeof process!=="undefined"&&process.title==="node";opts=_.defaults(opts||{},{inNode:inNode});this.inNode=opts.inNode;opts=_.defaults(opts||{},{frameEventName:this.useAnimationLoop()?"animationFrame":"deviceFrame",supressAnimationLoop:false});this.supressAnimationLoop=opts.supressAnimationLoop;this.frameEventName=opts.frameEventName;this.history=new CircularBuffer(200);this.lastFrame=Frame.Invalid;this.lastValidFrame=Frame.Invalid;this.lastConnectionFrame=Frame.Invalid;this.accumulatedGestures=[];if(opts.connectionType===undefined){this.connectionType=this.inBrowser()?require("./connection"):require("./node_connection")}else{this.connectionType=opts.connectionType}this.connection=new this.connectionType(opts);this.setupConnectionEvents()};Controller.prototype.gesture=function(type,cb){var creator=gestureListener(this,type);if(cb!==undefined){creator.stop(cb)}return creator};Controller.prototype.inBrowser=function(){return!this.inNode};Controller.prototype.useAnimationLoop=function(){return this.inBrowser()&&typeof chrome==="undefined"};Controller.prototype.connect=function(){var controller=this;if(this.connection.connect()&&this.inBrowser()&&!controller.supressAnimationLoop){var callback=function(){controller.emit("animationFrame",controller.lastConnectionFrame);window.requestAnimFrame(callback)};window.requestAnimFrame(callback)}};Controller.prototype.disconnect=function(){this.connection.disconnect()};Controller.prototype.frame=function(num){return this.history.get(num)||Frame.Invalid};Controller.prototype.loop=function(callback){switch(callback.length){case 1:this.on(this.frameEventName,callback);break;case 2:var controller=this;var scheduler=null;var immediateRunnerCallback=function(frame){callback(frame,function(){if(controller.lastFrame!=frame){immediateRunnerCallback(controller.lastFrame)}else{controller.once(controller.frameEventName,immediateRunnerCallback)}})};this.once(this.frameEventName,immediateRunnerCallback);break}this.connect()};Controller.prototype.addStep=function(step){if(!this.pipeline)this.pipeline=new Pipeline(this);this.pipeline.addStep(step)};Controller.prototype.processFrame=function(frame){if(frame.gestures){this.accumulatedGestures=this.accumulatedGestures.concat(frame.gestures)}if(this.pipeline){frame=this.pipeline.run(frame);if(!frame)frame=Frame.Invalid}this.lastConnectionFrame=frame;this.emit("deviceFrame",frame)};Controller.prototype.processFinishedFrame=function(frame){this.lastFrame=frame;if(frame.valid){this.lastValidFrame=frame}frame.controller=this;frame.historyIdx=this.history.push(frame);if(frame.gestures){frame.gestures=this.accumulatedGestures;this.accumulatedGestures=[];for(var gestureIdx=0;gestureIdx!=frame.gestures.length;gestureIdx++){this.emit("gesture",frame.gestures[gestureIdx],frame)}}this.emit("frame",frame)};Controller.prototype.setupConnectionEvents=function(){var controller=this;this.connection.on("frame",function(frame){controller.processFrame(frame)});this.on(this.frameEventName,function(frame){controller.processFinishedFrame(frame)});this.connection.on("disconnect",function(){controller.emit("disconnect")});this.connection.on("ready",function(){controller.emit("ready")});this.connection.on("connect",function(){controller.emit("connect")});this.connection.on("focus",function(){controller.emit("focus")});this.connection.on("blur",function(){controller.emit("blur")});this.connection.on("protocol",function(protocol){controller.emit("protocol",protocol)});this.connection.on("deviceConnect",function(evt){controller.emit(evt.state?"deviceConnected":"deviceDisconnected")})};_.extend(Controller.prototype,EventEmitter.prototype)}(require("__browserify_process"))},{"./circular_buffer":2,"./connection":3,"./frame":5,"./gesture":6,"./node_connection":16,"./pipeline":10,__browserify_process:18,events:17,underscore:20}],5:[function(require,module,exports){var Hand=require("./hand"),Pointable=require("./pointable"),createGesture=require("./gesture").createGesture,glMatrix=require("gl-matrix"),mat3=glMatrix.mat3,vec3=glMatrix.vec3,InteractionBox=require("./interaction_box"),_=require("underscore");var Frame=module.exports=function(data){this.valid=true;this.id=data.id;this.timestamp=data.timestamp;this.hands=[];this.handsMap={};this.pointables=[];this.tools=[];this.fingers=[];if(data.interactionBox){this.interactionBox=new InteractionBox(data.interactionBox)}this.gestures=[];this.pointablesMap={};this._translation=data.t;this._rotation=_.flatten(data.r);this._scaleFactor=data.s;this.data=data;this.type="frame";this.currentFrameRate=data.currentFrameRate;var handMap={};for(var handIdx=0,handCount=data.hands.length;handIdx!=handCount;handIdx++){var hand=new Hand(data.hands[handIdx]);hand.frame=this;this.hands.push(hand);this.handsMap[hand.id]=hand;handMap[hand.id]=handIdx}for(var pointableIdx=0,pointableCount=data.pointables.length;pointableIdx!=pointableCount;pointableIdx++){var pointable=new Pointable(data.pointables[pointableIdx]);pointable.frame=this;this.pointables.push(pointable);this.pointablesMap[pointable.id]=pointable;(pointable.tool?this.tools:this.fingers).push(pointable);if(pointable.handId!==undefined&&handMap.hasOwnProperty(pointable.handId)){var hand=this.hands[handMap[pointable.handId]];hand.pointables.push(pointable);(pointable.tool?hand.tools:hand.fingers).push(pointable)}}if(data.gestures){for(var gestureIdx=0,gestureCount=data.gestures.length;gestureIdx!=gestureCount;gestureIdx++){this.gestures.push(createGesture(data.gestures[gestureIdx]))}}};Frame.prototype.tool=function(id){var pointable=this.pointable(id);return pointable.tool?pointable:Pointable.Invalid};Frame.prototype.pointable=function(id){return this.pointablesMap[id]||Pointable.Invalid};Frame.prototype.finger=function(id){var pointable=this.pointable(id);return!pointable.tool?pointable:Pointable.Invalid};Frame.prototype.hand=function(id){return this.handsMap[id]||Hand.Invalid};Frame.prototype.rotationAngle=function(sinceFrame,axis){if(!this.valid||!sinceFrame.valid)return 0;var rot=this.rotationMatrix(sinceFrame);var cs=(rot[0]+rot[4]+rot[8]-1)*.5;var angle=Math.acos(cs);angle=isNaN(angle)?0:angle;if(axis!==undefined){var rotAxis=this.rotationAxis(sinceFrame);angle*=vec3.dot(rotAxis,vec3.normalize(vec3.create(),axis))}return angle};Frame.prototype.rotationAxis=function(sinceFrame){if(!this.valid||!sinceFrame.valid)return vec3.create();return vec3.normalize(vec3.create(),[this._rotation[7]-sinceFrame._rotation[5],this._rotation[2]-sinceFrame._rotation[6],this._rotation[3]-sinceFrame._rotation[1]])};Frame.prototype.rotationMatrix=function(sinceFrame){if(!this.valid||!sinceFrame.valid)return mat3.create();var transpose=mat3.transpose(mat3.create(),this._rotation);return mat3.multiply(mat3.create(),sinceFrame._rotation,transpose)};Frame.prototype.scaleFactor=function(sinceFrame){if(!this.valid||!sinceFrame.valid)return 1;return Math.exp(this._scaleFactor-sinceFrame._scaleFactor)};Frame.prototype.translation=function(sinceFrame){if(!this.valid||!sinceFrame.valid)return vec3.create();return vec3.subtract(vec3.create(),this._translation,sinceFrame._translation)};Frame.prototype.toString=function(){var str="Frame [ id:"+this.id+" | timestamp:"+this.timestamp+" | Hand count:("+this.hands.length+") | Pointable count:("+this.pointables.length+")";if(this.gestures)str+=" | Gesture count:("+this.gestures.length+")";str+=" ]";return str};Frame.prototype.dump=function(){var out="";out+="Frame Info:
";out+=this.toString();out+="

Hands:
";for(var handIdx=0,handCount=this.hands.length;handIdx!=handCount;handIdx++){out+=" "+this.hands[handIdx].toString()+"
"}out+="

Pointables:
";for(var pointableIdx=0,pointableCount=this.pointables.length;pointableIdx!=pointableCount;pointableIdx++){out+=" "+this.pointables[pointableIdx].toString()+"
"}if(this.gestures){out+="

Gestures:
";for(var gestureIdx=0,gestureCount=this.gestures.length;gestureIdx!=gestureCount;gestureIdx++){out+=" "+this.gestures[gestureIdx].toString()+"
"}}out+="

Raw JSON:
";out+=JSON.stringify(this.data);return out};Frame.Invalid={valid:false,hands:[],fingers:[],tools:[],gestures:[],pointables:[],pointable:function(){return Pointable.Invalid},finger:function(){return Pointable.Invalid},hand:function(){return Hand.Invalid},toString:function(){return"invalid frame"},dump:function(){return this.toString()},rotationAngle:function(){return 0},rotationMatrix:function(){return mat3.create()},rotationAxis:function(){return vec3.create()},scaleFactor:function(){return 1},translation:function(){return vec3.create()}}},{"./gesture":6,"./hand":7,"./interaction_box":9,"./pointable":11,"gl-matrix":19,underscore:20}],6:[function(require,module,exports){var glMatrix=require("gl-matrix"),vec3=glMatrix.vec3,EventEmitter=require("events").EventEmitter,_=require("underscore");var createGesture=exports.createGesture=function(data){var gesture;switch(data.type){case"circle":gesture=new CircleGesture(data);break;case"swipe":gesture=new SwipeGesture(data);break;case"screenTap":gesture=new ScreenTapGesture(data);break;case"keyTap":gesture=new KeyTapGesture(data);break;default:throw"unkown gesture type"}gesture.id=data.id;gesture.handIds=data.handIds;gesture.pointableIds=data.pointableIds;gesture.duration=data.duration;gesture.state=data.state;gesture.type=data.type;return gesture};var gestureListener=exports.gestureListener=function(controller,type){var handlers={};var gestureMap={};var gestureCreator=function(){var candidateGesture=gestureMap[gesture.id];if(candidateGesture!==undefined)gesture.update(gesture,frame);if(gesture.state=="start"||gesture.state=="stop"){if(type==gesture.type&&gestureMap[gesture.id]===undefined){gestureMap[gesture.id]=new Gesture(gesture,frame);gesture.update(gesture,frame)}if(gesture.state=="stop"){delete gestureMap[gesture.id]}}};controller.on("gesture",function(gesture,frame){if(gesture.type==type){if(gesture.state=="start"||gesture.state=="stop"){if(gestureMap[gesture.id]===undefined){var gestureTracker=new Gesture(gesture,frame);gestureMap[gesture.id]=gestureTracker;_.each(handlers,function(cb,name){gestureTracker.on(name,cb)})}}gestureMap[gesture.id].update(gesture,frame);if(gesture.state=="stop"){delete gestureMap[gesture.id]}}});var builder={start:function(cb){handlers["start"]=cb;return builder},stop:function(cb){handlers["stop"]=cb;return builder},complete:function(cb){handlers["stop"]=cb;return builder},update:function(cb){handlers["update"]=cb;return builder}};return builder};var Gesture=exports.Gesture=function(gesture,frame){this.gestures=[gesture];this.frames=[frame]};Gesture.prototype.update=function(gesture,frame){this.gestures.push(gesture);this.frames.push(frame);this.emit(gesture.state,this)};_.extend(Gesture.prototype,EventEmitter.prototype);var CircleGesture=function(data){this.center=data.center;this.normal=data.normal;this.progress=data.progress;this.radius=data.radius};CircleGesture.prototype.toString=function(){return"CircleGesture ["+JSON.stringify(this)+"]"};var SwipeGesture=function(data){this.startPosition=data.startPosition;this.position=data.position;this.direction=data.direction;this.speed=data.speed};SwipeGesture.prototype.toString=function(){return"SwipeGesture ["+JSON.stringify(this)+"]"};var ScreenTapGesture=function(data){this.position=data.position;this.direction=data.direction;this.progress=data.progress};ScreenTapGesture.prototype.toString=function(){return"ScreenTapGesture ["+JSON.stringify(this)+"]"};var KeyTapGesture=function(data){this.position=data.position;this.direction=data.direction;this.progress=data.progress};KeyTapGesture.prototype.toString=function(){return"KeyTapGesture ["+JSON.stringify(this)+"]"}},{events:17,"gl-matrix":19,underscore:20}],7:[function(require,module,exports){var Pointable=require("./pointable"),glMatrix=require("gl-matrix"),mat3=glMatrix.mat3,vec3=glMatrix.vec3,_=require("underscore");var Hand=module.exports=function(data){this.id=data.id;this.palmPosition=data.palmPosition;this.direction=data.direction;this.palmVelocity=data.palmVelocity;this.palmNormal=data.palmNormal;this.sphereCenter=data.sphereCenter;this.sphereRadius=data.sphereRadius;this.valid=true;this.pointables=[];this.fingers=[];this.tools=[];this._translation=data.t;this._rotation=_.flatten(data.r);this._scaleFactor=data.s;this.timeVisible=data.timeVisible;this.stabilizedPalmPosition=data.stabilizedPalmPosition};Hand.prototype.finger=function(id){var finger=this.frame.finger(id);return finger&&finger.handId==this.id?finger:Pointable.Invalid};Hand.prototype.rotationAngle=function(sinceFrame,axis){if(!this.valid||!sinceFrame.valid)return 0;var sinceHand=sinceFrame.hand(this.id);if(!sinceHand.valid)return 0;var rot=this.rotationMatrix(sinceFrame);var cs=(rot[0]+rot[4]+rot[8]-1)*.5;var angle=Math.acos(cs);angle=isNaN(angle)?0:angle;if(axis!==undefined){var rotAxis=this.rotationAxis(sinceFrame);angle*=vec3.dot(rotAxis,vec3.normalize(vec3.create(),axis))}return angle};Hand.prototype.rotationAxis=function(sinceFrame){if(!this.valid||!sinceFrame.valid)return vec3.create();var sinceHand=sinceFrame.hand(this.id);if(!sinceHand.valid)return vec3.create();return vec3.normalize(vec3.create(),[this._rotation[7]-sinceHand._rotation[5],this._rotation[2]-sinceHand._rotation[6],this._rotation[3]-sinceHand._rotation[1]])};Hand.prototype.rotationMatrix=function(sinceFrame){if(!this.valid||!sinceFrame.valid)return mat3.create();var sinceHand=sinceFrame.hand(this.id);if(!sinceHand.valid)return mat3.create();var transpose=mat3.transpose(mat3.create(),this._rotation);var m=mat3.multiply(mat3.create(),sinceHand._rotation,transpose);return m};Hand.prototype.scaleFactor=function(sinceFrame){if(!this.valid||!sinceFrame.valid)return 1;var sinceHand=sinceFrame.hand(this.id);if(!sinceHand.valid)return 1;return Math.exp(this._scaleFactor-sinceHand._scaleFactor)};Hand.prototype.translation=function(sinceFrame){if(!this.valid||!sinceFrame.valid)return vec3.create();var sinceHand=sinceFrame.hand(this.id);if(!sinceHand.valid)return vec3.create();return[this._translation[0]-sinceHand._translation[0],this._translation[1]-sinceHand._translation[1],this._translation[2]-sinceHand._translation[2]]};Hand.prototype.toString=function(){return"Hand [ id: "+this.id+" | palm velocity:"+this.palmVelocity+" | sphere center:"+this.sphereCenter+" ] "};Hand.Invalid={valid:false,fingers:[],tools:[],pointables:[],pointable:function(){return Pointable.Invalid},finger:function(){return Pointable.Invalid},toString:function(){return"invalid frame"},dump:function(){return this.toString()},rotationAngle:function(){return 0},rotationMatrix:function(){return mat3.create()},rotationAxis:function(){return vec3.create()},scaleFactor:function(){return 1},translation:function(){return vec3.create()}}},{"./pointable":11,"gl-matrix":19,underscore:20}],8:[function(require,module,exports){!function(){module.exports={Controller:require("./controller"),Frame:require("./frame"),Gesture:require("./gesture"),Hand:require("./hand"),Pointable:require("./pointable"),InteractionBox:require("./interaction_box"),Connection:require("./connection"),CircularBuffer:require("./circular_buffer"),UI:require("./ui"),glMatrix:require("gl-matrix"),mat3:require("gl-matrix").mat3,vec3:require("gl-matrix").vec3,loopController:undefined,loop:function(opts,callback){if(callback===undefined){callback=opts;opts={}}if(!this.loopController)this.loopController=new this.Controller(opts);this.loopController.loop(callback)}}}()},{"./circular_buffer":2,"./connection":3,"./controller":4,"./frame":5,"./gesture":6,"./hand":7,"./interaction_box":9,"./pointable":11,"./ui":13,"gl-matrix":19}],9:[function(require,module,exports){var glMatrix=require("gl-matrix"),vec3=glMatrix.vec3;var InteractionBox=module.exports=function(data){this.valid=true;this.center=data.center;this.size=data.size;this.width=data.size[0];this.height=data.size[1];this.depth=data.size[2]};InteractionBox.prototype.denormalizePoint=function(normalizedPosition){return vec3.fromValues((normalizedPosition[0]-.5)*this.size[0]+this.center[0],(normalizedPosition[1]-.5)*this.size[1]+this.center[1],(normalizedPosition[2]-.5)*this.size[2]+this.center[2])};InteractionBox.prototype.normalizePoint=function(position,clamp){var vec=vec3.fromValues((position[0]-this.center[0])/this.size[0]+.5,(position[1]-this.center[1])/this.size[1]+.5,(position[2]-this.center[2])/this.size[2]+.5);if(clamp){vec[0]=Math.min(Math.max(vec[0],0),1);vec[1]=Math.min(Math.max(vec[1],0),1);vec[2]=Math.min(Math.max(vec[2],0),1)}return vec};InteractionBox.prototype.toString=function(){return"InteractionBox [ width:"+this.width+" | height:"+this.height+" | depth:"+this.depth+" ]"};InteractionBox.Invalid={valid:false}},{"gl-matrix":19}],10:[function(require,module,exports){var Pipeline=module.exports=function(){this.steps=[]};Pipeline.prototype.addStep=function(step){this.steps.push(step)};Pipeline.prototype.run=function(frame){var stepsLength=this.steps.length;for(var i=0;i!=stepsLength;i++){if(!frame)break;frame=this.steps[i](frame)}return frame}},{}],11:[function(require,module,exports){var glMatrix=require("gl-matrix"),vec3=glMatrix.vec3;var Pointable=module.exports=function(data){this.valid=true;this.id=data.id;this.handId=data.handId;this.length=data.length;this.tool=data.tool;this.width=data.width;this.direction=data.direction;this.stabilizedTipPosition=data.stabilizedTipPosition;this.tipPosition=data.tipPosition;this.tipVelocity=data.tipVelocity;this.touchZone=data.touchZone;this.touchDistance=data.touchDistance;this.timeVisible=data.timeVisible};Pointable.prototype.toString=function(){if(this.tool==true){return"Pointable [ id:"+this.id+" "+this.length+"mmx | with:"+this.width+"mm | direction:"+this.direction+" ]"}else{return"Pointable [ id:"+this.id+" "+this.length+"mmx | direction: "+this.direction+" ]"}};Pointable.Invalid={valid:false}},{"gl-matrix":19}],12:[function(require,module,exports){var Frame=require("./frame");var Event=function(data){this.type=data.type;this.state=data.state};var chooseProtocol=exports.chooseProtocol=function(header){var protocol;switch(header.version){case 1:protocol=JSONProtocol(1,function(data){return new Frame(data)});break;case 2:protocol=JSONProtocol(2,function(data){return new Frame(data)});protocol.sendHeartbeat=function(connection){connection.send(protocol.encode({heartbeat:true}))};break;case 3:protocol=JSONProtocol(3,function(data){return data.event?new Event(data.event):new Frame(data)});protocol.sendHeartbeat=function(connection){connection.send(protocol.encode({heartbeat:true}))};break;default:throw"unrecognized version"}return protocol};var JSONProtocol=function(version,cb){var protocol=cb;protocol.encode=function(message){return JSON.stringify(message)};protocol.version=version;protocol.versionLong="Version "+version;protocol.type="protocol";return protocol}},{"./frame":5}],13:[function(require,module,exports){exports.UI={Region:require("./ui/region"),Cursor:require("./ui/cursor")}},{"./ui/cursor":14,"./ui/region":15}],14:[function(require,module,exports){var Cursor=module.exports=function(){return function(frame){var pointable=frame.pointables.sort(function(a,b){return a.z-b.z})[0];if(pointable&&pointable.valid){frame.cursorPosition=pointable.tipPosition}return frame}}},{}],15:[function(require,module,exports){var EventEmitter=require("events").EventEmitter,_=require("underscore");var Region=module.exports=function(start,end){this.start=new Vector(start);this.end=new Vector(end);this.enteredFrame=null};Region.prototype.hasPointables=function(frame){for(var i=0;i!=frame.pointables.length;i++){var position=frame.pointables[i].tipPosition;if(position.x>=this.start.x&&position.x<=this.end.x&&position.y>=this.start.y&&position.y<=this.end.y&&position.z>=this.start.z&&position.z<=this.end.z){return true}}return false};Region.prototype.listener=function(opts){var region=this;if(opts&&opts.nearThreshold)this.setupNearRegion(opts.nearThreshold);return function(frame){return region.updatePosition(frame)}};Region.prototype.clipper=function(){var region=this;return function(frame){region.updatePosition(frame);return region.enteredFrame?frame:null}};Region.prototype.setupNearRegion=function(distance){var nearRegion=this.nearRegion=new Region([this.start.x-distance,this.start.y-distance,this.start.z-distance],[this.end.x+distance,this.end.y+distance,this.end.z+distance]);var region=this;nearRegion.on("enter",function(frame){region.emit("near",frame)});nearRegion.on("exit",function(frame){region.emit("far",frame)});region.on("exit",function(frame){region.emit("near",frame)})};Region.prototype.updatePosition=function(frame){if(this.nearRegion)this.nearRegion.updatePosition(frame);if(this.hasPointables(frame)&&this.enteredFrame==null){this.enteredFrame=frame;this.emit("enter",this.enteredFrame)}else if(!this.hasPointables(frame)&&this.enteredFrame!=null){this.enteredFrame=null;this.emit("exit",this.enteredFrame)}return frame};Region.prototype.normalize=function(position){return new Vector([(position.x-this.start.x)/(this.end.x-this.start.x),(position.y-this.start.y)/(this.end.y-this.start.y),(position.z-this.start.z)/(this.end.z-this.start.z)])};Region.prototype.mapToXY=function(position,width,height){var normalized=this.normalize(position);var x=normalized.x,y=normalized.y;if(x>1)x=1;else if(x<-1)x=-1;if(y>1)y=1;else if(y<-1)y=-1;return[(x+1)/2*width,(1-y)/2*height,normalized.z]};_.extend(Region.prototype,EventEmitter.prototype)},{events:17,underscore:20}],16:[function(require,module,exports){},{}],17:[function(require,module,exports){!function(process){if(!process.EventEmitter)process.EventEmitter=function(){};var EventEmitter=exports.EventEmitter=process.EventEmitter;var isArray=typeof Array.isArray==="function"?Array.isArray:function(xs){return Object.prototype.toString.call(xs)==="[object Array]"};function indexOf(xs,x){if(xs.indexOf)return xs.indexOf(x);for(var i=0;i0&&this._events[type].length>m){this._events[type].warned=true;console.error("(node) warning: possible EventEmitter memory "+"leak detected. %d listeners added. "+"Use emitter.setMaxListeners() to increase limit.",this._events[type].length);console.trace()}}this._events[type].push(listener)}else{this._events[type]=[this._events[type],listener]}return this};EventEmitter.prototype.on=EventEmitter.prototype.addListener;EventEmitter.prototype.once=function(type,listener){var self=this;self.on(type,function g(){self.removeListener(type,g);listener.apply(this,arguments)});return this};EventEmitter.prototype.removeListener=function(type,listener){if("function"!==typeof listener){throw new Error("removeListener only takes instances of Function")}if(!this._events||!this._events[type])return this;var list=this._events[type];if(isArray(list)){var i=indexOf(list,listener);if(i<0)return this;list.splice(i,1);if(list.length==0)delete this._events[type]}else if(this._events[type]===listener){delete this._events[type]}return this};EventEmitter.prototype.removeAllListeners=function(type){if(arguments.length===0){this._events={};return this}if(type&&this._events&&this._events[type])this._events[type]=null;return this};EventEmitter.prototype.listeners=function(type){if(!this._events)this._events={};if(!this._events[type])this._events[type]=[];if(!isArray(this._events[type])){this._events[type]=[this._events[type]]}return this._events[type]}}(require("__browserify_process"))},{__browserify_process:18}],18:[function(require,module,exports){var process=module.exports={};process.nextTick=function(){var canSetImmediate=typeof window!=="undefined"&&window.setImmediate;var canPost=typeof window!=="undefined"&&window.postMessage&&window.addEventListener;if(canSetImmediate){return function(f){return window.setImmediate(f)}}if(canPost){var queue=[];window.addEventListener("message",function(ev){if(ev.source===window&&ev.data==="process-tick"){ev.stopPropagation();if(queue.length>0){var fn=queue.shift();fn()}}},true);return function nextTick(fn){queue.push(fn);window.postMessage("process-tick","*")}}return function nextTick(fn){setTimeout(fn,0)}}();process.title="browser";process.browser=true;process.env={};process.argv=[];process.binding=function(name){throw new Error("process.binding is not supported")};process.cwd=function(){return"/"};process.chdir=function(dir){throw new Error("process.chdir is not supported")}},{}],19:[function(require,module,exports){!function(){!function(){"use strict";var shim={};if(typeof exports==="undefined"){if(typeof define=="function"&&typeof define.amd=="object"&&define.amd){shim.exports={};define(function(){return shim.exports})}else{shim.exports=window}}else{shim.exports=exports}!function(exports){var vec2={};if(!GLMAT_EPSILON){var GLMAT_EPSILON=1e-6}vec2.create=function(){return new Float32Array(2)};vec2.clone=function(a){var out=new Float32Array(2);out[0]=a[0];out[1]=a[1];return out};vec2.fromValues=function(x,y){var out=new Float32Array(2);out[0]=x;out[1]=y;return out};vec2.copy=function(out,a){out[0]=a[0];out[1]=a[1];return out};vec2.set=function(out,x,y){out[0]=x;out[1]=y;return out};vec2.add=function(out,a,b){out[0]=a[0]+b[0];out[1]=a[1]+b[1];return out};vec2.sub=vec2.subtract=function(out,a,b){out[0]=a[0]-b[0];out[1]=a[1]-b[1];return out};vec2.mul=vec2.multiply=function(out,a,b){out[0]=a[0]*b[0];out[1]=a[1]*b[1];return out};vec2.div=vec2.divide=function(out,a,b){out[0]=a[0]/b[0];out[1]=a[1]/b[1];return out};vec2.min=function(out,a,b){out[0]=Math.min(a[0],b[0]); out[1]=Math.min(a[1],b[1]);return out};vec2.max=function(out,a,b){out[0]=Math.max(a[0],b[0]);out[1]=Math.max(a[1],b[1]);return out};vec2.scale=function(out,a,b){out[0]=a[0]*b;out[1]=a[1]*b;return out};vec2.dist=vec2.distance=function(a,b){var x=b[0]-a[0],y=b[1]-a[1];return Math.sqrt(x*x+y*y)};vec2.sqrDist=vec2.squaredDistance=function(a,b){var x=b[0]-a[0],y=b[1]-a[1];return x*x+y*y};vec2.len=vec2.length=function(a){var x=a[0],y=a[1];return Math.sqrt(x*x+y*y)};vec2.sqrLen=vec2.squaredLength=function(a){var x=a[0],y=a[1];return x*x+y*y};vec2.negate=function(out,a){out[0]=-a[0];out[1]=-a[1];return out};vec2.normalize=function(out,a){var x=a[0],y=a[1];var len=x*x+y*y;if(len>0){len=1/Math.sqrt(len);out[0]=a[0]*len;out[1]=a[1]*len}return out};vec2.dot=function(a,b){return a[0]*b[0]+a[1]*b[1]};vec2.cross=function(out,a,b){var z=a[0]*b[1]-a[1]*b[0];out[0]=out[1]=0;out[2]=z;return out};vec2.lerp=function(out,a,b,t){var ax=a[0],ay=a[1];out[0]=ax+t*(b[0]-ax);out[1]=ay+t*(b[1]-ay);return out};vec2.transformMat2=function(out,a,m){var x=a[0],y=a[1];out[0]=x*m[0]+y*m[1];out[1]=x*m[2]+y*m[3];return out};vec2.forEach=function(){var vec=new Float32Array(2);return function(a,stride,offset,count,fn,arg){var i,l;if(!stride){stride=2}if(!offset){offset=0}if(count){l=Math.min(count*stride+offset,a.length)}else{l=a.length}for(i=offset;i0){len=1/Math.sqrt(len);out[0]=a[0]*len;out[1]=a[1]*len;out[2]=a[2]*len}return out};vec3.dot=function(a,b){return a[0]*b[0]+a[1]*b[1]+a[2]*b[2]};vec3.cross=function(out,a,b){var ax=a[0],ay=a[1],az=a[2],bx=b[0],by=b[1],bz=b[2];out[0]=ay*bz-az*by;out[1]=az*bx-ax*bz;out[2]=ax*by-ay*bx;return out};vec3.lerp=function(out,a,b,t){var ax=a[0],ay=a[1],az=a[2];out[0]=ax+t*(b[0]-ax);out[1]=ay+t*(b[1]-ay);out[2]=az+t*(b[2]-az);return out};vec3.transformMat4=function(out,a,m){var x=a[0],y=a[1],z=a[2];out[0]=m[0]*x+m[4]*y+m[8]*z+m[12];out[1]=m[1]*x+m[5]*y+m[9]*z+m[13];out[2]=m[2]*x+m[6]*y+m[10]*z+m[14];return out};vec3.transformQuat=function(out,a,q){var x=a[0],y=a[1],z=a[2],qx=q[0],qy=q[1],qz=q[2],qw=q[3],ix=qw*x+qy*z-qz*y,iy=qw*y+qz*x-qx*z,iz=qw*z+qx*y-qy*x,iw=-qx*x-qy*y-qz*z;out[0]=ix*qw+iw*-qx+iy*-qz-iz*-qy;out[1]=iy*qw+iw*-qy+iz*-qx-ix*-qz;out[2]=iz*qw+iw*-qz+ix*-qy-iy*-qx;return out};vec3.forEach=function(){var vec=new Float32Array(3);return function(a,stride,offset,count,fn,arg){var i,l;if(!stride){stride=3}if(!offset){offset=0}if(count){l=Math.min(count*stride+offset,a.length)}else{l=a.length}for(i=offset;i0){len=1/Math.sqrt(len);out[0]=a[0]*len;out[1]=a[1]*len;out[2]=a[2]*len;out[3]=a[3]*len}return out};vec4.dot=function(a,b){return a[0]*b[0]+a[1]*b[1]+a[2]*b[2]+a[3]*b[3]};vec4.lerp=function(out,a,b,t){var ax=a[0],ay=a[1],az=a[2],aw=a[3];out[0]=ax+t*(b[0]-ax);out[1]=ay+t*(b[1]-ay);out[2]=az+t*(b[2]-az);out[3]=aw+t*(b[3]-aw);return out};vec4.transformMat4=function(out,a,m){var x=a[0],y=a[1],z=a[2],w=a[3];out[0]=m[0]*x+m[4]*y+m[8]*z+m[12]*w;out[1]=m[1]*x+m[5]*y+m[9]*z+m[13]*w;out[2]=m[2]*x+m[6]*y+m[10]*z+m[14]*w;out[3]=m[3]*x+m[7]*y+m[11]*z+m[15]*w;return out};vec4.transformQuat=function(out,a,q){var x=a[0],y=a[1],z=a[2],qx=q[0],qy=q[1],qz=q[2],qw=q[3],ix=qw*x+qy*z-qz*y,iy=qw*y+qz*x-qx*z,iz=qw*z+qx*y-qy*x,iw=-qx*x-qy*y-qz*z;out[0]=ix*qw+iw*-qx+iy*-qz-iz*-qy;out[1]=iy*qw+iw*-qy+iz*-qx-ix*-qz;out[2]=iz*qw+iw*-qz+ix*-qy-iy*-qx;return out};vec4.forEach=function(){var vec=new Float32Array(4);return function(a,stride,offset,count,fn,arg){var i,l;if(!stride){stride=4}if(!offset){offset=0}if(count){l=Math.min(count*stride+offset,a.length)}else{l=a.length}for(i=offset;i=1){if(out!==a){out[0]=ax;out[1]=ay;out[2]=az;out[3]=aw}return out}halfTheta=Math.acos(cosHalfTheta);sinHalfTheta=Math.sqrt(1-cosHalfTheta*cosHalfTheta);if(Math.abs(sinHalfTheta)<.001){out[0]=ax*.5+bx*.5;out[1]=ay*.5+by*.5;out[2]=az*.5+bz*.5;out[3]=aw*.5+bw*.5;return out}ratioA=Math.sin((1-t)*halfTheta)/sinHalfTheta;ratioB=Math.sin(t*halfTheta)/sinHalfTheta;out[0]=ax*ratioA+bx*ratioB;out[1]=ay*ratioA+by*ratioB;out[2]=az*ratioA+bz*ratioB;out[3]=aw*ratioA+bw*ratioB;return out};quat.invert=function(out,a){var a0=a[0],a1=a[1],a2=a[2],a3=a[3],dot=a0*a0+a1*a1+a2*a2+a3*a3,invDot=dot?1/dot:0;out[0]=-a0*invDot;out[1]=-a1*invDot;out[2]=-a2*invDot;out[3]=a3*invDot;return out};quat.conjugate=function(out,a){out[0]=-a[0];out[1]=-a[1];out[2]=-a[2];out[3]=a[3];return out};quat.len=quat.length=vec4.length;quat.sqrLen=quat.squaredLength=vec4.squaredLength;quat.normalize=vec4.normalize;quat.str=function(a){return"quat("+a[0]+", "+a[1]+", "+a[2]+", "+a[3]+")"};if(typeof exports!=="undefined"){exports.quat=quat}}(shim.exports)}()}()},{}],20:[function(require,module,exports){!function(){!function(){var root=this;var previousUnderscore=root._;var breaker={};var ArrayProto=Array.prototype,ObjProto=Object.prototype,FuncProto=Function.prototype;var push=ArrayProto.push,slice=ArrayProto.slice,concat=ArrayProto.concat,toString=ObjProto.toString,hasOwnProperty=ObjProto.hasOwnProperty;var nativeForEach=ArrayProto.forEach,nativeMap=ArrayProto.map,nativeReduce=ArrayProto.reduce,nativeReduceRight=ArrayProto.reduceRight,nativeFilter=ArrayProto.filter,nativeEvery=ArrayProto.every,nativeSome=ArrayProto.some,nativeIndexOf=ArrayProto.indexOf,nativeLastIndexOf=ArrayProto.lastIndexOf,nativeIsArray=Array.isArray,nativeKeys=Object.keys,nativeBind=FuncProto.bind;var _=function(obj){if(obj instanceof _)return obj;if(!(this instanceof _))return new _(obj);this._wrapped=obj};if(typeof exports!=="undefined"){if(typeof module!=="undefined"&&module.exports){exports=module.exports=_}exports._=_}else{root._=_}_.VERSION="1.4.4";var each=_.each=_.forEach=function(obj,iterator,context){if(obj==null)return;if(nativeForEach&&obj.forEach===nativeForEach){obj.forEach(iterator,context)}else if(obj.length===+obj.length){for(var i=0,l=obj.length;i2;if(obj==null)obj=[];if(nativeReduce&&obj.reduce===nativeReduce){if(context)iterator=_.bind(iterator,context);return initial?obj.reduce(iterator,memo):obj.reduce(iterator)}each(obj,function(value,index,list){if(!initial){memo=value;initial=true}else{memo=iterator.call(context,memo,value,index,list)}});if(!initial)throw new TypeError(reduceError);return memo};_.reduceRight=_.foldr=function(obj,iterator,memo,context){var initial=arguments.length>2;if(obj==null)obj=[];if(nativeReduceRight&&obj.reduceRight===nativeReduceRight){if(context)iterator=_.bind(iterator,context);return initial?obj.reduceRight(iterator,memo):obj.reduceRight(iterator)}var length=obj.length;if(length!==+length){var keys=_.keys(obj);length=keys.length}each(obj,function(value,index,list){index=keys?keys[--length]:--length;if(!initial){memo=obj[index];initial=true}else{memo=iterator.call(context,memo,obj[index],index,list)}});if(!initial)throw new TypeError(reduceError);return memo};_.find=_.detect=function(obj,iterator,context){var result;any(obj,function(value,index,list){if(iterator.call(context,value,index,list)){result=value;return true}});return result};_.filter=_.select=function(obj,iterator,context){var results=[];if(obj==null)return results;if(nativeFilter&&obj.filter===nativeFilter)return obj.filter(iterator,context);each(obj,function(value,index,list){if(iterator.call(context,value,index,list))results[results.length]=value});return results};_.reject=function(obj,iterator,context){return _.filter(obj,function(value,index,list){return!iterator.call(context,value,index,list)},context)};_.every=_.all=function(obj,iterator,context){iterator||(iterator=_.identity);var result=true;if(obj==null)return result;if(nativeEvery&&obj.every===nativeEvery)return obj.every(iterator,context);each(obj,function(value,index,list){if(!(result=result&&iterator.call(context,value,index,list)))return breaker});return!!result};var any=_.some=_.any=function(obj,iterator,context){iterator||(iterator=_.identity);var result=false;if(obj==null)return result;if(nativeSome&&obj.some===nativeSome)return obj.some(iterator,context);each(obj,function(value,index,list){if(result||(result=iterator.call(context,value,index,list)))return breaker});return!!result};_.contains=_.include=function(obj,target){if(obj==null)return false;if(nativeIndexOf&&obj.indexOf===nativeIndexOf)return obj.indexOf(target)!=-1;return any(obj,function(value){return value===target})};_.invoke=function(obj,method){var args=slice.call(arguments,2);var isFunc=_.isFunction(method);return _.map(obj,function(value){return(isFunc?method:value[method]).apply(value,args)})};_.pluck=function(obj,key){return _.map(obj,function(value){return value[key]})};_.where=function(obj,attrs,first){if(_.isEmpty(attrs))return first?null:[];return _[first?"find":"filter"](obj,function(value){for(var key in attrs){if(attrs[key]!==value[key])return false}return true})};_.findWhere=function(obj,attrs){return _.where(obj,attrs,true)};_.max=function(obj,iterator,context){if(!iterator&&_.isArray(obj)&&obj[0]===+obj[0]&&obj.length<65535){return Math.max.apply(Math,obj)}if(!iterator&&_.isEmpty(obj))return-Infinity;var result={computed:-Infinity,value:-Infinity};each(obj,function(value,index,list){var computed=iterator?iterator.call(context,value,index,list):value;computed>=result.computed&&(result={value:value,computed:computed})});return result.value};_.min=function(obj,iterator,context){if(!iterator&&_.isArray(obj)&&obj[0]===+obj[0]&&obj.length<65535){return Math.min.apply(Math,obj)}if(!iterator&&_.isEmpty(obj))return Infinity;var result={computed:Infinity,value:Infinity};each(obj,function(value,index,list){var computed=iterator?iterator.call(context,value,index,list):value;computedb||a===void 0)return 1;if(a>>1;iterator.call(context,array[mid])=0})})};_.difference=function(array){var rest=concat.apply(ArrayProto,slice.call(arguments,1));return _.filter(array,function(value){return!_.contains(rest,value)})};_.zip=function(){var args=slice.call(arguments);var length=_.max(_.pluck(args,"length"));var results=new Array(length);for(var i=0;i=0;i--){args=[funcs[i].apply(this,args)]}return args[0]}};_.after=function(times,func){if(times<=0)return func();return function(){if(--times<1){return func.apply(this,arguments)}}};_.keys=nativeKeys||function(obj){if(obj!==Object(obj))throw new TypeError("Invalid object");var keys=[];for(var key in obj)if(_.has(obj,key))keys[keys.length]=key;return keys};_.values=function(obj){var values=[];for(var key in obj)if(_.has(obj,key))values.push(obj[key]);return values};_.pairs=function(obj){var pairs=[];for(var key in obj)if(_.has(obj,key))pairs.push([key,obj[key]]);return pairs};_.invert=function(obj){var result={};for(var key in obj)if(_.has(obj,key))result[obj[key]]=key;return result};_.functions=_.methods=function(obj){var names=[];for(var key in obj){if(_.isFunction(obj[key]))names.push(key)}return names.sort()};_.extend=function(obj){each(slice.call(arguments,1),function(source){if(source){for(var prop in source){obj[prop]=source[prop]}}});return obj};_.pick=function(obj){var copy={};var keys=concat.apply(ArrayProto,slice.call(arguments,1));each(keys,function(key){if(key in obj)copy[key]=obj[key]});return copy};_.omit=function(obj){var copy={};var keys=concat.apply(ArrayProto,slice.call(arguments,1));for(var key in obj){if(!_.contains(keys,key))copy[key]=obj[key]}return copy};_.defaults=function(obj){each(slice.call(arguments,1),function(source){if(source){for(var prop in source){if(obj[prop]==null)obj[prop]=source[prop]}}});return obj};_.clone=function(obj){if(!_.isObject(obj))return obj;return _.isArray(obj)?obj.slice():_.extend({},obj)};_.tap=function(obj,interceptor){interceptor(obj);return obj};var eq=function(a,b,aStack,bStack){if(a===b)return a!==0||1/a==1/b;if(a==null||b==null)return a===b;if(a instanceof _)a=a._wrapped;if(b instanceof _)b=b._wrapped;var className=toString.call(a);if(className!=toString.call(b))return false;switch(className){case"[object String]":return a==String(b);case"[object Number]":return a!=+a?b!=+b:a==0?1/a==1/b:a==+b;case"[object Date]":case"[object Boolean]":return+a==+b;case"[object RegExp]":return a.source==b.source&&a.global==b.global&&a.multiline==b.multiline&&a.ignoreCase==b.ignoreCase}if(typeof a!="object"||typeof b!="object")return false;var length=aStack.length;while(length--){if(aStack[length]==a)return bStack[length]==b}aStack.push(a);bStack.push(b);var size=0,result=true;if(className=="[object Array]"){size=a.length;result=size==b.length;if(result){while(size--){if(!(result=eq(a[size],b[size],aStack,bStack)))break}}}else{var aCtor=a.constructor,bCtor=b.constructor;if(aCtor!==bCtor&&!(_.isFunction(aCtor)&&aCtor instanceof aCtor&&_.isFunction(bCtor)&&bCtor instanceof bCtor)){return false}for(var key in a){if(_.has(a,key)){size++;if(!(result=_.has(b,key)&&eq(a[key],b[key],aStack,bStack)))break}}if(result){for(key in b){if(_.has(b,key)&&!size--)break}result=!size}}aStack.pop();bStack.pop();return result};_.isEqual=function(a,b){return eq(a,b,[],[])};_.isEmpty=function(obj){if(obj==null)return true;if(_.isArray(obj)||_.isString(obj))return obj.length===0;for(var key in obj)if(_.has(obj,key))return false;return true};_.isElement=function(obj){return!!(obj&&obj.nodeType===1)};_.isArray=nativeIsArray||function(obj){return toString.call(obj)=="[object Array]"};_.isObject=function(obj){return obj===Object(obj)};each(["Arguments","Function","String","Number","Date","RegExp"],function(name){_["is"+name]=function(obj){return toString.call(obj)=="[object "+name+"]"}});if(!_.isArguments(arguments)){_.isArguments=function(obj){return!!(obj&&_.has(obj,"callee"))}}if(typeof/./!=="function"){_.isFunction=function(obj){return typeof obj==="function"}}_.isFinite=function(obj){return isFinite(obj)&&!isNaN(parseFloat(obj))};_.isNaN=function(obj){return _.isNumber(obj)&&obj!=+obj};_.isBoolean=function(obj){return obj===true||obj===false||toString.call(obj)=="[object Boolean]"};_.isNull=function(obj){return obj===null};_.isUndefined=function(obj){return obj===void 0};_.has=function(obj,key){return hasOwnProperty.call(obj,key)};_.noConflict=function(){root._=previousUnderscore;return this};_.identity=function(value){return value};_.times=function(n,iterator,context){var accum=Array(n);for(var i=0;i":">",'"':""","'":"'","/":"/"}};entityMap.unescape=_.invert(entityMap.escape);var entityRegexes={escape:new RegExp("["+_.keys(entityMap.escape).join("")+"]","g"),unescape:new RegExp("("+_.keys(entityMap.unescape).join("|")+")","g")};_.each(["escape","unescape"],function(method){_[method]=function(string){if(string==null)return"";return(""+string).replace(entityRegexes[method],function(match){return entityMap[method][match]})}});_.result=function(object,property){if(object==null)return null;var value=object[property];return _.isFunction(value)?value.call(object):value};_.mixin=function(obj){each(_.functions(obj),function(name){var func=_[name]=obj[name];_.prototype[name]=function(){var args=[this._wrapped];push.apply(args,arguments);return result.call(this,func.apply(_,args))}})};var idCounter=0;_.uniqueId=function(prefix){var id=++idCounter+"";return prefix?prefix+id:id};_.templateSettings={evaluate:/<%([\s\S]+?)%>/g,interpolate:/<%=([\s\S]+?)%>/g,escape:/<%-([\s\S]+?)%>/g};var noMatch=/(.)^/;var escapes={"'":"'","\\":"\\","\r":"r","\n":"n"," ":"t","\u2028":"u2028","\u2029":"u2029"};var escaper=/\\|'|\r|\n|\t|\u2028|\u2029/g;_.template=function(text,data,settings){var render;settings=_.defaults({},settings,_.templateSettings);var matcher=new RegExp([(settings.escape||noMatch).source,(settings.interpolate||noMatch).source,(settings.evaluate||noMatch).source].join("|")+"|$","g");var index=0;var source="__p+='";text.replace(matcher,function(match,escape,interpolate,evaluate,offset){source+=text.slice(index,offset).replace(escaper,function(match){return"\\"+escapes[match]});if(escape){source+="'+\n((__t=("+escape+"))==null?'':_.escape(__t))+\n'"}if(interpolate){source+="'+\n((__t=("+interpolate+"))==null?'':__t)+\n'"}if(evaluate){source+="';\n"+evaluate+"\n__p+='"}index=offset+match.length;return match});source+="';\n";if(!settings.variable)source="with(obj||{}){\n"+source+"}\n";source="var __t,__p='',__j=Array.prototype.join,"+"print=function(){__p+=__j.call(arguments,'');};\n"+source+"return __p;\n";try{render=new Function(settings.variable||"obj","_",source)}catch(e){e.source=source;throw e}if(data)return render(data,_);var template=function(data){return render.call(this,data,_)};template.source="function("+(settings.variable||"obj")+"){\n"+source+"}";return template};_.chain=function(obj){return _(obj).chain()};var result=function(obj){return this._chain?_(obj).chain():obj};_.mixin(_);each(["pop","push","reverse","shift","sort","splice","unshift"],function(name){var method=ArrayProto[name];_.prototype[name]=function(){var obj=this._wrapped;method.apply(obj,arguments);if((name=="shift"||name=="splice")&&obj.length===0)delete obj[0];return result.call(this,obj)}});each(["concat","join","slice"],function(name){var method=ArrayProto[name];_.prototype[name]=function(){return result.call(this,method.apply(this._wrapped,arguments))}});_.extend(_.prototype,{chain:function(){this._chain=true;return this},value:function(){return this._wrapped}})}.call(this)}()},{}],21:[function(require,module,exports){window.requestAnimFrame=function(){return window.requestAnimationFrame||window.webkitRequestAnimationFrame||window.mozRequestAnimationFrame||window.oRequestAnimationFrame||window.msRequestAnimationFrame||function(callback){window.setTimeout(callback,1e3/60)}}();Leap=require("../lib/index")},{"../lib/index":8}]},{},[21]); /* * Leap Motion integration for Reveal.js. * James Sun [sun16] * Rory Hardy [gneatgeek] */ (function () { var body = document.body, controller = new Leap.Controller({ enableGestures: true }), lastGesture = 0, leapConfig = Reveal.getConfig().leap, pointer = document.createElement( 'div' ), config = { autoCenter : true, // Center pointer around detected position. gestureDelay : 500, // How long to delay between gestures. naturalSwipe : true, // Swipe as if it were a touch screen. pointerColor : '#00aaff', // Default color of the pointer. pointerOpacity : 0.7, // Default opacity of the pointer. pointerSize : 15, // Default minimum height/width of the pointer. pointerTolerance : 120 // Bigger = slower pointer. }, entered, enteredPosition, now, size, tipPosition; // Other vars we need later, but don't need to redeclare. // Merge user defined settings with defaults if( leapConfig ) { for( key in leapConfig ) { config[key] = leapConfig[key]; } } pointer.id = 'leap'; pointer.style.position = 'absolute'; pointer.style.visibility = 'hidden'; pointer.style.zIndex = 50; pointer.style.opacity = config.pointerOpacity; pointer.style.backgroundColor = config.pointerColor; body.appendChild( pointer ); // Leap's loop controller.on( 'frame', function ( frame ) { // Timing code to rate limit gesture execution now = new Date().getTime(); // Pointer: 1 to 2 fingers. Strictly one finger works but may cause innaccuracies. // The innaccuracies were observed on a development model and may not be an issue with consumer models. if( frame.fingers.length > 0 && frame.fingers.length < 3 ) { // Invert direction and multiply by 3 for greater effect. size = -3 * frame.fingers[0].tipPosition[2]; if( size < config.pointerSize ) { size = config.pointerSize; } pointer.style.width = size + 'px'; pointer.style.height = size + 'px'; pointer.style.borderRadius = size - 5 + 'px'; pointer.style.visibility = 'visible'; tipPosition = frame.fingers[0].tipPosition; if( config.autoCenter ) { // Check whether the finger has entered the z range of the Leap Motion. Used for the autoCenter option. if( !entered ) { entered = true; enteredPosition = frame.fingers[0].tipPosition; } pointer.style.top = (-1 * (( tipPosition[1] - enteredPosition[1] ) * body.offsetHeight / config.pointerTolerance )) + ( body.offsetHeight / 2 ) + 'px'; pointer.style.left = (( tipPosition[0] - enteredPosition[0] ) * body.offsetWidth / config.pointerTolerance ) + ( body.offsetWidth / 2 ) + 'px'; } else { pointer.style.top = ( 1 - (( tipPosition[1] - 50) / config.pointerTolerance )) * body.offsetHeight + 'px'; pointer.style.left = ( tipPosition[0] * body.offsetWidth / config.pointerTolerance ) + ( body.offsetWidth / 2 ) + 'px'; } } else { // Hide pointer on exit entered = false; pointer.style.visibility = 'hidden'; } // Gestures if( frame.gestures.length > 0 && (now - lastGesture) > config.gestureDelay ) { var gesture = frame.gestures[0]; // One hand gestures if( frame.hands.length === 1 ) { // Swipe gestures. 3+ fingers. if( frame.fingers.length > 2 && gesture.type === 'swipe' ) { // Define here since some gestures will throw undefined for these. var x = gesture.direction[0], y = gesture.direction[1]; // Left/right swipe gestures if( Math.abs( x ) > Math.abs( y )) { if( x > 0 ) { config.naturalSwipe ? Reveal.left() : Reveal.right(); } else { config.naturalSwipe ? Reveal.right() : Reveal.left(); } } // Up/down swipe gestures else { if( y > 0 ) { config.naturalSwipe ? Reveal.down() : Reveal.up(); } else { config.naturalSwipe ? Reveal.up() : Reveal.down(); } } lastGesture = now; } } // Two hand gestures else if( frame.hands.length === 2 ) { // Upward two hand swipe gesture if( gesture.type === 'swipe' && gesture.direction[1] > 0 ) { Reveal.toggleOverview(); } lastGesture = now; } } }); controller.connect(); })(); PK!v KKDkirlent_sphinx/templates/kirlent/static/plugin/markdown/example.html reveal.js - Markdown Demo

PK!Bkirlent_sphinx/templates/kirlent/static/plugin/markdown/example.md# Markdown Demo ## External 1.1 Content 1.1 Note: This will only appear in the speaker notes window. ## External 1.2 Content 1.2 ## External 2 Content 2.1 ## External 3.1 Content 3.1 ## External 3.2 Content 3.2 PK! &b+/+/Ckirlent_sphinx/templates/kirlent/static/plugin/markdown/markdown.js/** * The reveal.js markdown plugin. Handles parsing of * markdown inside of presentations as well as loading * of external markdown documents. */ (function( root, factory ) { if( typeof exports === 'object' ) { module.exports = factory( require( './marked' ) ); } else { // Browser globals (root is window) root.RevealMarkdown = factory( root.marked ); root.RevealMarkdown.initialize(); } }( this, function( marked ) { if( typeof marked === 'undefined' ) { throw 'The reveal.js Markdown plugin requires marked to be loaded'; } if( typeof hljs !== 'undefined' ) { marked.setOptions({ highlight: function( lang, code ) { return hljs.highlightAuto( lang, code ).value; } }); } var DEFAULT_SLIDE_SEPARATOR = '^\r?\n---\r?\n$', DEFAULT_NOTES_SEPARATOR = 'note:', DEFAULT_ELEMENT_ATTRIBUTES_SEPARATOR = '\\\.element\\\s*?(.+?)$', DEFAULT_SLIDE_ATTRIBUTES_SEPARATOR = '\\\.slide:\\\s*?(\\\S.+?)$'; var SCRIPT_END_PLACEHOLDER = '__SCRIPT_END__'; /** * Retrieves the markdown contents of a slide section * element. Normalizes leading tabs/whitespace. */ function getMarkdownFromSlide( section ) { var template = section.querySelector( 'script' ); // strip leading whitespace so it isn't evaluated as code var text = ( template || section ).textContent; // restore script end tags text = text.replace( new RegExp( SCRIPT_END_PLACEHOLDER, 'g' ), '' ); var leadingWs = text.match( /^\n?(\s*)/ )[1].length, leadingTabs = text.match( /^\n?(\t*)/ )[1].length; if( leadingTabs > 0 ) { text = text.replace( new RegExp('\\n?\\t{' + leadingTabs + '}','g'), '\n' ); } else if( leadingWs > 1 ) { text = text.replace( new RegExp('\\n? {' + leadingWs + '}', 'g'), '\n' ); } return text; } /** * Given a markdown slide section element, this will * return all arguments that aren't related to markdown * parsing. Used to forward any other user-defined arguments * to the output markdown slide. */ function getForwardedAttributes( section ) { var attributes = section.attributes; var result = []; for( var i = 0, len = attributes.length; i < len; i++ ) { var name = attributes[i].name, value = attributes[i].value; // disregard attributes that are used for markdown loading/parsing if( /data\-(markdown|separator|vertical|notes)/gi.test( name ) ) continue; if( value ) { result.push( name + '="' + value + '"' ); } else { result.push( name ); } } return result.join( ' ' ); } /** * Inspects the given options and fills out default * values for what's not defined. */ function getSlidifyOptions( options ) { options = options || {}; options.separator = options.separator || DEFAULT_SLIDE_SEPARATOR; options.notesSeparator = options.notesSeparator || DEFAULT_NOTES_SEPARATOR; options.attributes = options.attributes || ''; return options; } /** * Helper function for constructing a markdown slide. */ function createMarkdownSlide( content, options ) { options = getSlidifyOptions( options ); var notesMatch = content.split( new RegExp( options.notesSeparator, 'mgi' ) ); if( notesMatch.length === 2 ) { content = notesMatch[0] + ''; } // prevent script end tags in the content from interfering // with parsing content = content.replace( /<\/script>/g, SCRIPT_END_PLACEHOLDER ); return ''; } /** * Parses a data string into multiple slides based * on the passed in separator arguments. */ function slidify( markdown, options ) { options = getSlidifyOptions( options ); var separatorRegex = new RegExp( options.separator + ( options.verticalSeparator ? '|' + options.verticalSeparator : '' ), 'mg' ), horizontalSeparatorRegex = new RegExp( options.separator ); var matches, lastIndex = 0, isHorizontal, wasHorizontal = true, content, sectionStack = []; // iterate until all blocks between separators are stacked up while( matches = separatorRegex.exec( markdown ) ) { notes = null; // determine direction (horizontal by default) isHorizontal = horizontalSeparatorRegex.test( matches[0] ); if( !isHorizontal && wasHorizontal ) { // create vertical stack sectionStack.push( [] ); } // pluck slide content from markdown input content = markdown.substring( lastIndex, matches.index ); if( isHorizontal && wasHorizontal ) { // add to horizontal stack sectionStack.push( content ); } else { // add to vertical stack sectionStack[sectionStack.length-1].push( content ); } lastIndex = separatorRegex.lastIndex; wasHorizontal = isHorizontal; } // add the remaining slide ( wasHorizontal ? sectionStack : sectionStack[sectionStack.length-1] ).push( markdown.substring( lastIndex ) ); var markdownSections = ''; // flatten the hierarchical stack, and insert
tags for( var i = 0, len = sectionStack.length; i < len; i++ ) { // vertical if( sectionStack[i] instanceof Array ) { markdownSections += '
'; sectionStack[i].forEach( function( child ) { markdownSections += '
' + createMarkdownSlide( child, options ) + '
'; } ); markdownSections += '
'; } else { markdownSections += '
' + createMarkdownSlide( sectionStack[i], options ) + '
'; } } return markdownSections; } /** * Parses any current data-markdown slides, splits * multi-slide markdown into separate sections and * handles loading of external markdown. */ function processSlides() { var sections = document.querySelectorAll( '[data-markdown]'), section; for( var i = 0, len = sections.length; i < len; i++ ) { section = sections[i]; if( section.getAttribute( 'data-markdown' ).length ) { var xhr = new XMLHttpRequest(), url = section.getAttribute( 'data-markdown' ); datacharset = section.getAttribute( 'data-charset' ); // see https://developer.mozilla.org/en-US/docs/Web/API/element.getAttribute#Notes if( datacharset != null && datacharset != '' ) { xhr.overrideMimeType( 'text/html; charset=' + datacharset ); } xhr.onreadystatechange = function() { if( xhr.readyState === 4 ) { // file protocol yields status code 0 (useful for local debug, mobile applications etc.) if ( ( xhr.status >= 200 && xhr.status < 300 ) || xhr.status === 0 ) { section.outerHTML = slidify( xhr.responseText, { separator: section.getAttribute( 'data-separator' ), verticalSeparator: section.getAttribute( 'data-separator-vertical' ), notesSeparator: section.getAttribute( 'data-separator-notes' ), attributes: getForwardedAttributes( section ) }); } else { section.outerHTML = '
' + 'ERROR: The attempt to fetch ' + url + ' failed with HTTP status ' + xhr.status + '.' + 'Check your browser\'s JavaScript console for more details.' + '

Remember that you need to serve the presentation HTML from a HTTP server.

' + '
'; } } }; xhr.open( 'GET', url, false ); try { xhr.send(); } catch ( e ) { alert( 'Failed to get the Markdown file ' + url + '. Make sure that the presentation and the file are served by a HTTP server and the file can be found there. ' + e ); } } else if( section.getAttribute( 'data-separator' ) || section.getAttribute( 'data-separator-vertical' ) || section.getAttribute( 'data-separator-notes' ) ) { section.outerHTML = slidify( getMarkdownFromSlide( section ), { separator: section.getAttribute( 'data-separator' ), verticalSeparator: section.getAttribute( 'data-separator-vertical' ), notesSeparator: section.getAttribute( 'data-separator-notes' ), attributes: getForwardedAttributes( section ) }); } else { section.innerHTML = createMarkdownSlide( getMarkdownFromSlide( section ) ); } } } /** * Check if a node value has the attributes pattern. * If yes, extract it and add that value as one or several attributes * the the terget element. * * You need Cache Killer on Chrome to see the effect on any FOM transformation * directly on refresh (F5) * http://stackoverflow.com/questions/5690269/disabling-chrome-cache-for-website-development/7000899#answer-11786277 */ function addAttributeInElement( node, elementTarget, separator ) { var mardownClassesInElementsRegex = new RegExp( separator, 'mg' ); var mardownClassRegex = new RegExp( "([^\"= ]+?)=\"([^\"=]+?)\"", 'mg' ); var nodeValue = node.nodeValue; if( matches = mardownClassesInElementsRegex.exec( nodeValue ) ) { var classes = matches[1]; nodeValue = nodeValue.substring( 0, matches.index ) + nodeValue.substring( mardownClassesInElementsRegex.lastIndex ); node.nodeValue = nodeValue; while( matchesClass = mardownClassRegex.exec( classes ) ) { elementTarget.setAttribute( matchesClass[1], matchesClass[2] ); } return true; } return false; } /** * Add attributes to the parent element of a text node, * or the element of an attribute node. */ function addAttributes( section, element, previousElement, separatorElementAttributes, separatorSectionAttributes ) { if ( element != null && element.childNodes != undefined && element.childNodes.length > 0 ) { previousParentElement = element; for( var i = 0; i < element.childNodes.length; i++ ) { childElement = element.childNodes[i]; if ( i > 0 ) { j = i - 1; while ( j >= 0 ) { aPreviousChildElement = element.childNodes[j]; if ( typeof aPreviousChildElement.setAttribute == 'function' && aPreviousChildElement.tagName != "BR" ) { previousParentElement = aPreviousChildElement; break; } j = j - 1; } } parentSection = section; if( childElement.nodeName == "section" ) { parentSection = childElement ; previousParentElement = childElement ; } if ( typeof childElement.setAttribute == 'function' || childElement.nodeType == Node.COMMENT_NODE ) { addAttributes( parentSection, childElement, previousParentElement, separatorElementAttributes, separatorSectionAttributes ); } } } if ( element.nodeType == Node.COMMENT_NODE ) { if ( addAttributeInElement( element, previousElement, separatorElementAttributes ) == false ) { addAttributeInElement( element, section, separatorSectionAttributes ); } } } /** * Converts any current data-markdown slides in the * DOM to HTML. */ function convertSlides() { var sections = document.querySelectorAll( '[data-markdown]'); for( var i = 0, len = sections.length; i < len; i++ ) { var section = sections[i]; // Only parse the same slide once if( !section.getAttribute( 'data-markdown-parsed' ) ) { section.setAttribute( 'data-markdown-parsed', true ) var notes = section.querySelector( 'aside.notes' ); var markdown = getMarkdownFromSlide( section ); section.innerHTML = marked( markdown ); addAttributes( section, section, null, section.getAttribute( 'data-element-attributes' ) || section.parentNode.getAttribute( 'data-element-attributes' ) || DEFAULT_ELEMENT_ATTRIBUTES_SEPARATOR, section.getAttribute( 'data-attributes' ) || section.parentNode.getAttribute( 'data-attributes' ) || DEFAULT_SLIDE_ATTRIBUTES_SEPARATOR); // If there were notes, we need to re-add them after // having overwritten the section's HTML if( notes ) { section.appendChild( notes ); } } } } // API return { initialize: function() { processSlides(); convertSlides(); }, // TODO: Do these belong in the API? processSlides: processSlides, convertSlides: convertSlides, slidify: slidify }; })); PK!Lz==Akirlent_sphinx/templates/kirlent/static/plugin/markdown/marked.js/** * marked - a markdown parser * Copyright (c) 2011-2014, Christopher Jeffrey. (MIT Licensed) * https://github.com/chjj/marked */ (function(){function e(e){this.tokens=[],this.tokens.links={},this.options=e||a.defaults,this.rules=p.normal,this.options.gfm&&(this.rules=this.options.tables?p.tables:p.gfm)}function t(e,t){if(this.options=t||a.defaults,this.links=e,this.rules=u.normal,this.renderer=this.options.renderer||new n,this.renderer.options=this.options,!this.links)throw new Error("Tokens array requires a `links` property.");this.options.gfm?this.rules=this.options.breaks?u.breaks:u.gfm:this.options.pedantic&&(this.rules=u.pedantic)}function n(e){this.options=e||{}}function r(e){this.tokens=[],this.token=null,this.options=e||a.defaults,this.options.renderer=this.options.renderer||new n,this.renderer=this.options.renderer,this.renderer.options=this.options}function s(e,t){return e.replace(t?/&/g:/&(?!#?\w+;)/g,"&").replace(//g,">").replace(/"/g,""").replace(/'/g,"'")}function i(e){return e.replace(/&([#\w]+);/g,function(e,t){return t=t.toLowerCase(),"colon"===t?":":"#"===t.charAt(0)?String.fromCharCode("x"===t.charAt(1)?parseInt(t.substring(2),16):+t.substring(1)):""})}function l(e,t){return e=e.source,t=t||"",function n(r,s){return r?(s=s.source||s,s=s.replace(/(^|[^\[])\^/g,"$1"),e=e.replace(r,s),n):new RegExp(e,t)}}function o(){}function h(e){for(var t,n,r=1;rAn error occured:

"+s(c.message+"",!0)+"
";throw c}}var p={newline:/^\n+/,code:/^( {4}[^\n]+\n*)+/,fences:o,hr:/^( *[-*_]){3,} *(?:\n+|$)/,heading:/^ *(#{1,6}) *([^\n]+?) *#* *(?:\n+|$)/,nptable:o,lheading:/^([^\n]+)\n *(=|-){2,} *(?:\n+|$)/,blockquote:/^( *>[^\n]+(\n(?!def)[^\n]+)*\n*)+/,list:/^( *)(bull) [\s\S]+?(?:hr|def|\n{2,}(?! )(?!\1bull )\n*|\s*$)/,html:/^ *(?:comment *(?:\n|\s*$)|closed *(?:\n{2,}|\s*$)|closing *(?:\n{2,}|\s*$))/,def:/^ *\[([^\]]+)\]: *]+)>?(?: +["(]([^\n]+)[")])? *(?:\n+|$)/,table:o,paragraph:/^((?:[^\n]+\n?(?!hr|heading|lheading|blockquote|tag|def))+)\n*/,text:/^[^\n]+/};p.bullet=/(?:[*+-]|\d+\.)/,p.item=/^( *)(bull) [^\n]*(?:\n(?!\1bull )[^\n]*)*/,p.item=l(p.item,"gm")(/bull/g,p.bullet)(),p.list=l(p.list)(/bull/g,p.bullet)("hr","\\n+(?=\\1?(?:[-*_] *){3,}(?:\\n+|$))")("def","\\n+(?="+p.def.source+")")(),p.blockquote=l(p.blockquote)("def",p.def)(),p._tag="(?!(?:a|em|strong|small|s|cite|q|dfn|abbr|data|time|code|var|samp|kbd|sub|sup|i|b|u|mark|ruby|rt|rp|bdi|bdo|span|br|wbr|ins|del|img)\\b)\\w+(?!:/|[^\\w\\s@]*@)\\b",p.html=l(p.html)("comment",//)("closed",/<(tag)[\s\S]+?<\/\1>/)("closing",/])*?>/)(/tag/g,p._tag)(),p.paragraph=l(p.paragraph)("hr",p.hr)("heading",p.heading)("lheading",p.lheading)("blockquote",p.blockquote)("tag","<"+p._tag)("def",p.def)(),p.normal=h({},p),p.gfm=h({},p.normal,{fences:/^ *(`{3,}|~{3,}) *(\S+)? *\n([\s\S]+?)\s*\1 *(?:\n+|$)/,paragraph:/^/}),p.gfm.paragraph=l(p.paragraph)("(?!","(?!"+p.gfm.fences.source.replace("\\1","\\2")+"|"+p.list.source.replace("\\1","\\3")+"|")(),p.tables=h({},p.gfm,{nptable:/^ *(\S.*\|.*)\n *([-:]+ *\|[-| :]*)\n((?:.*\|.*(?:\n|$))*)\n*/,table:/^ *\|(.+)\n *\|( *[-:]+[-| :]*)\n((?: *\|.*(?:\n|$))*)\n*/}),e.rules=p,e.lex=function(t,n){var r=new e(n);return r.lex(t)},e.prototype.lex=function(e){return e=e.replace(/\r\n|\r/g,"\n").replace(/\t/g," ").replace(/\u00a0/g," ").replace(/\u2424/g,"\n"),this.token(e,!0)},e.prototype.token=function(e,t,n){for(var r,s,i,l,o,h,a,u,c,e=e.replace(/^ +$/gm,"");e;)if((i=this.rules.newline.exec(e))&&(e=e.substring(i[0].length),i[0].length>1&&this.tokens.push({type:"space"})),i=this.rules.code.exec(e))e=e.substring(i[0].length),i=i[0].replace(/^ {4}/gm,""),this.tokens.push({type:"code",text:this.options.pedantic?i:i.replace(/\n+$/,"")});else if(i=this.rules.fences.exec(e))e=e.substring(i[0].length),this.tokens.push({type:"code",lang:i[2],text:i[3]});else if(i=this.rules.heading.exec(e))e=e.substring(i[0].length),this.tokens.push({type:"heading",depth:i[1].length,text:i[2]});else if(t&&(i=this.rules.nptable.exec(e))){for(e=e.substring(i[0].length),h={type:"table",header:i[1].replace(/^ *| *\| *$/g,"").split(/ *\| */),align:i[2].replace(/^ *|\| *$/g,"").split(/ *\| */),cells:i[3].replace(/\n$/,"").split("\n")},u=0;u ?/gm,""),this.token(i,t,!0),this.tokens.push({type:"blockquote_end"});else if(i=this.rules.list.exec(e)){for(e=e.substring(i[0].length),l=i[2],this.tokens.push({type:"list_start",ordered:l.length>1}),i=i[0].match(this.rules.item),r=!1,c=i.length,u=0;c>u;u++)h=i[u],a=h.length,h=h.replace(/^ *([*+-]|\d+\.) +/,""),~h.indexOf("\n ")&&(a-=h.length,h=this.options.pedantic?h.replace(/^ {1,4}/gm,""):h.replace(new RegExp("^ {1,"+a+"}","gm"),"")),this.options.smartLists&&u!==c-1&&(o=p.bullet.exec(i[u+1])[0],l===o||l.length>1&&o.length>1||(e=i.slice(u+1).join("\n")+e,u=c-1)),s=r||/\n\n(?!\s*$)/.test(h),u!==c-1&&(r="\n"===h.charAt(h.length-1),s||(s=r)),this.tokens.push({type:s?"loose_item_start":"list_item_start"}),this.token(h,!1,n),this.tokens.push({type:"list_item_end"});this.tokens.push({type:"list_end"})}else if(i=this.rules.html.exec(e))e=e.substring(i[0].length),this.tokens.push({type:this.options.sanitize?"paragraph":"html",pre:"pre"===i[1]||"script"===i[1]||"style"===i[1],text:i[0]});else if(!n&&t&&(i=this.rules.def.exec(e)))e=e.substring(i[0].length),this.tokens.links[i[1].toLowerCase()]={href:i[2],title:i[3]};else if(t&&(i=this.rules.table.exec(e))){for(e=e.substring(i[0].length),h={type:"table",header:i[1].replace(/^ *| *\| *$/g,"").split(/ *\| */),align:i[2].replace(/^ *|\| *$/g,"").split(/ *\| */),cells:i[3].replace(/(?: *\| *)?\n$/,"").split("\n")},u=0;u])/,autolink:/^<([^ >]+(@|:\/)[^ >]+)>/,url:o,tag:/^|^<\/?\w+(?:"[^"]*"|'[^']*'|[^'">])*?>/,link:/^!?\[(inside)\]\(href\)/,reflink:/^!?\[(inside)\]\s*\[([^\]]*)\]/,nolink:/^!?\[((?:\[[^\]]*\]|[^\[\]])*)\]/,strong:/^__([\s\S]+?)__(?!_)|^\*\*([\s\S]+?)\*\*(?!\*)/,em:/^\b_((?:__|[\s\S])+?)_\b|^\*((?:\*\*|[\s\S])+?)\*(?!\*)/,code:/^(`+)\s*([\s\S]*?[^`])\s*\1(?!`)/,br:/^ {2,}\n(?!\s*$)/,del:o,text:/^[\s\S]+?(?=[\\?(?:\s+['"]([\s\S]*?)['"])?\s*/,u.link=l(u.link)("inside",u._inside)("href",u._href)(),u.reflink=l(u.reflink)("inside",u._inside)(),u.normal=h({},u),u.pedantic=h({},u.normal,{strong:/^__(?=\S)([\s\S]*?\S)__(?!_)|^\*\*(?=\S)([\s\S]*?\S)\*\*(?!\*)/,em:/^_(?=\S)([\s\S]*?\S)_(?!_)|^\*(?=\S)([\s\S]*?\S)\*(?!\*)/}),u.gfm=h({},u.normal,{escape:l(u.escape)("])","~|])")(),url:/^(https?:\/\/[^\s<]+[^<.,:;"')\]\s])/,del:/^~~(?=\S)([\s\S]*?\S)~~/,text:l(u.text)("]|","~]|")("|","|https?://|")()}),u.breaks=h({},u.gfm,{br:l(u.br)("{2,}","*")(),text:l(u.gfm.text)("{2,}","*")()}),t.rules=u,t.output=function(e,n,r){var s=new t(n,r);return s.output(e)},t.prototype.output=function(e){for(var t,n,r,i,l="";e;)if(i=this.rules.escape.exec(e))e=e.substring(i[0].length),l+=i[1];else if(i=this.rules.autolink.exec(e))e=e.substring(i[0].length),"@"===i[2]?(n=this.mangle(":"===i[1].charAt(6)?i[1].substring(7):i[1]),r=this.mangle("mailto:")+n):(n=s(i[1]),r=n),l+=this.renderer.link(r,null,n);else if(this.inLink||!(i=this.rules.url.exec(e))){if(i=this.rules.tag.exec(e))!this.inLink&&/^
/i.test(i[0])&&(this.inLink=!1),e=e.substring(i[0].length),l+=this.options.sanitize?s(i[0]):i[0];else if(i=this.rules.link.exec(e))e=e.substring(i[0].length),this.inLink=!0,l+=this.outputLink(i,{href:i[2],title:i[3]}),this.inLink=!1;else if((i=this.rules.reflink.exec(e))||(i=this.rules.nolink.exec(e))){if(e=e.substring(i[0].length),t=(i[2]||i[1]).replace(/\s+/g," "),t=this.links[t.toLowerCase()],!t||!t.href){l+=i[0].charAt(0),e=i[0].substring(1)+e;continue}this.inLink=!0,l+=this.outputLink(i,t),this.inLink=!1}else if(i=this.rules.strong.exec(e))e=e.substring(i[0].length),l+=this.renderer.strong(this.output(i[2]||i[1]));else if(i=this.rules.em.exec(e))e=e.substring(i[0].length),l+=this.renderer.em(this.output(i[2]||i[1]));else if(i=this.rules.code.exec(e))e=e.substring(i[0].length),l+=this.renderer.codespan(s(i[2],!0));else if(i=this.rules.br.exec(e))e=e.substring(i[0].length),l+=this.renderer.br();else if(i=this.rules.del.exec(e))e=e.substring(i[0].length),l+=this.renderer.del(this.output(i[1]));else if(i=this.rules.text.exec(e))e=e.substring(i[0].length),l+=s(this.smartypants(i[0]));else if(e)throw new Error("Infinite loop on byte: "+e.charCodeAt(0))}else e=e.substring(i[0].length),n=s(i[1]),r=n,l+=this.renderer.link(r,null,n);return l},t.prototype.outputLink=function(e,t){var n=s(t.href),r=t.title?s(t.title):null;return"!"!==e[0].charAt(0)?this.renderer.link(n,r,this.output(e[1])):this.renderer.image(n,r,s(e[1]))},t.prototype.smartypants=function(e){return this.options.smartypants?e.replace(/--/g,"—").replace(/(^|[-\u2014/(\[{"\s])'/g,"$1‘").replace(/'/g,"’").replace(/(^|[-\u2014/(\[{\u2018\s])"/g,"$1“").replace(/"/g,"”").replace(/\.{3}/g,"…"):e},t.prototype.mangle=function(e){for(var t,n="",r=e.length,s=0;r>s;s++)t=e.charCodeAt(s),Math.random()>.5&&(t="x"+t.toString(16)),n+="&#"+t+";";return n},n.prototype.code=function(e,t,n){if(this.options.highlight){var r=this.options.highlight(e,t);null!=r&&r!==e&&(n=!0,e=r)}return t?'
'+(n?e:s(e,!0))+"\n
\n":"
"+(n?e:s(e,!0))+"\n
"},n.prototype.blockquote=function(e){return"
\n"+e+"
\n"},n.prototype.html=function(e){return e},n.prototype.heading=function(e,t,n){return"'+e+"\n"},n.prototype.hr=function(){return this.options.xhtml?"
\n":"
\n"},n.prototype.list=function(e,t){var n=t?"ol":"ul";return"<"+n+">\n"+e+"\n"},n.prototype.listitem=function(e){return"
  • "+e+"
  • \n"},n.prototype.paragraph=function(e){return"

    "+e+"

    \n"},n.prototype.table=function(e,t){return"\n\n"+e+"\n\n"+t+"\n
    \n"},n.prototype.tablerow=function(e){return"\n"+e+"\n"},n.prototype.tablecell=function(e,t){var n=t.header?"th":"td",r=t.align?"<"+n+' style="text-align:'+t.align+'">':"<"+n+">";return r+e+"\n"},n.prototype.strong=function(e){return""+e+""},n.prototype.em=function(e){return""+e+""},n.prototype.codespan=function(e){return""+e+""},n.prototype.br=function(){return this.options.xhtml?"
    ":"
    "},n.prototype.del=function(e){return""+e+""},n.prototype.link=function(e,t,n){if(this.options.sanitize){try{var r=decodeURIComponent(i(e)).replace(/[^\w:]/g,"").toLowerCase()}catch(s){return""}if(0===r.indexOf("javascript:")||0===r.indexOf("vbscript:"))return""}var l='
    "},n.prototype.image=function(e,t,n){var r=''+n+'":">"},r.parse=function(e,t,n){var s=new r(t,n);return s.parse(e)},r.prototype.parse=function(e){this.inline=new t(e.links,this.options,this.renderer),this.tokens=e.reverse();for(var n="";this.next();)n+=this.tok();return n},r.prototype.next=function(){return this.token=this.tokens.pop()},r.prototype.peek=function(){return this.tokens[this.tokens.length-1]||0},r.prototype.parseText=function(){for(var e=this.token.text;"text"===this.peek().type;)e+="\n"+this.next().text;return this.inline.output(e)},r.prototype.tok=function(){switch(this.token.type){case"space":return"";case"hr":return this.renderer.hr();case"heading":return this.renderer.heading(this.inline.output(this.token.text),this.token.depth,this.token.text);case"code":return this.renderer.code(this.token.text,this.token.lang,this.token.escaped);case"table":var e,t,n,r,s,i="",l="";for(n="",e=0;e reveal.js - Slide Notes
    UPCOMING:

    Time Click to Reset

    0:00 AM
    00:00:00
    PK!k=kirlent_sphinx/templates/kirlent/static/plugin/notes/notes.js/** * Handles opening of and synchronization with the reveal.js * notes window. * * Handshake process: * 1. This window posts 'connect' to notes window * - Includes URL of presentation to show * 2. Notes window responds with 'connected' when it is available * 3. This window proceeds to send the current presentation state * to the notes window */ var RevealNotes = (function() { function openNotes() { var jsFileLocation = document.querySelector('script[src$="notes.js"]').src; // this js file path jsFileLocation = jsFileLocation.replace(/notes\.js(\?.*)?$/, ''); // the js folder path var notesPopup = window.open( jsFileLocation + 'notes.html', 'reveal.js - Notes', 'width=1100,height=700' ); /** * Connect to the notes window through a postmessage handshake. * Using postmessage enables us to work in situations where the * origins differ, such as a presentation being opened from the * file system. */ function connect() { // Keep trying to connect until we get a 'connected' message back var connectInterval = setInterval( function() { notesPopup.postMessage( JSON.stringify( { namespace: 'reveal-notes', type: 'connect', url: window.location.protocol + '//' + window.location.host + window.location.pathname + window.location.search, state: Reveal.getState() } ), '*' ); }, 500 ); window.addEventListener( 'message', function( event ) { var data = JSON.parse( event.data ); if( data && data.namespace === 'reveal-notes' && data.type === 'connected' ) { clearInterval( connectInterval ); onConnected(); } } ); } /** * Posts the current slide data to the notes window */ function post() { var slideElement = Reveal.getCurrentSlide(), notesElement = slideElement.querySelector( 'aside.notes' ); var messageData = { namespace: 'reveal-notes', type: 'state', notes: '', markdown: false, whitespace: 'normal', state: Reveal.getState() }; // Look for notes defined in a slide attribute if( slideElement.hasAttribute( 'data-notes' ) ) { messageData.notes = slideElement.getAttribute( 'data-notes' ); messageData.whitespace = 'pre-wrap'; } // Look for notes defined in an aside element if( notesElement ) { messageData.notes = notesElement.innerHTML; messageData.markdown = typeof notesElement.getAttribute( 'data-markdown' ) === 'string'; } notesPopup.postMessage( JSON.stringify( messageData ), '*' ); } /** * Called once we have established a connection to the notes * window. */ function onConnected() { // Monitor events that trigger a change in state Reveal.addEventListener( 'slidechanged', post ); Reveal.addEventListener( 'fragmentshown', post ); Reveal.addEventListener( 'fragmenthidden', post ); Reveal.addEventListener( 'overviewhidden', post ); Reveal.addEventListener( 'overviewshown', post ); Reveal.addEventListener( 'paused', post ); Reveal.addEventListener( 'resumed', post ); // Post the initial state post(); } connect(); } if( !/receiver/i.test( window.location.search ) ) { // If the there's a 'notes' query set, open directly if( window.location.search.match( /(\?|\&)notes/gi ) !== null ) { openNotes(); } // Open the notes when the 's' key is hit document.addEventListener( 'keydown', function( event ) { // Disregard the event if the target is editable or a // modifier is present if ( document.querySelector( ':focus' ) !== null || event.shiftKey || event.altKey || event.ctrlKey || event.metaKey ) return; // Disregard the event if keyboard is disabled if ( Reveal.getConfig().keyboard === false ) return; if( event.keyCode === 83 ) { event.preventDefault(); openNotes(); } }, false ); } return { open: openNotes }; })(); PK!~XXEkirlent_sphinx/templates/kirlent/static/plugin/notes-server/client.js(function() { // don't emit events from inside the previews themselves if( window.location.search.match( /receiver/gi ) ) { return; } var socket = io.connect( window.location.origin ), socketId = Math.random().toString().slice( 2 ); console.log( 'View slide notes at ' + window.location.origin + '/notes/' + socketId ); window.open( window.location.origin + '/notes/' + socketId, 'notes-' + socketId ); /** * Posts the current slide data to the notes window */ function post() { var slideElement = Reveal.getCurrentSlide(), notesElement = slideElement.querySelector( 'aside.notes' ); var messageData = { notes: '', markdown: false, socketId: socketId, state: Reveal.getState() }; // Look for notes defined in a slide attribute if( slideElement.hasAttribute( 'data-notes' ) ) { messageData.notes = slideElement.getAttribute( 'data-notes' ); } // Look for notes defined in an aside element if( notesElement ) { messageData.notes = notesElement.innerHTML; messageData.markdown = typeof notesElement.getAttribute( 'data-markdown' ) === 'string'; } socket.emit( 'statechanged', messageData ); } // When a new notes window connects, post our current state socket.on( 'new-subscriber', function( data ) { post(); } ); // When the state changes from inside of the speaker view socket.on( 'statechanged-speaker', function( data ) { Reveal.setState( data.state ); } ); // Monitor events that trigger a change in state Reveal.addEventListener( 'slidechanged', post ); Reveal.addEventListener( 'fragmentshown', post ); Reveal.addEventListener( 'fragmenthidden', post ); Reveal.addEventListener( 'overviewhidden', post ); Reveal.addEventListener( 'overviewshown', post ); Reveal.addEventListener( 'paused', post ); Reveal.addEventListener( 'resumed', post ); // Post the initial state post(); }()); PK!jv'""Dkirlent_sphinx/templates/kirlent/static/plugin/notes-server/index.jsvar http = require('http'); var express = require('express'); var fs = require('fs'); var io = require('socket.io'); var _ = require('underscore'); var Mustache = require('mustache'); var app = express(); var staticDir = express.static; var server = http.createServer(app); io = io(server); var opts = { port : 1947, baseDir : __dirname + '/../../' }; io.on( 'connection', function( socket ) { socket.on( 'new-subscriber', function( data ) { socket.broadcast.emit( 'new-subscriber', data ); }); socket.on( 'statechanged', function( data ) { socket.broadcast.emit( 'statechanged', data ); }); socket.on( 'statechanged-speaker', function( data ) { socket.broadcast.emit( 'statechanged-speaker', data ); }); }); [ 'css', 'js', 'images', 'plugin', 'lib' ].forEach( function( dir ) { app.use( '/' + dir, staticDir( opts.baseDir + dir ) ); }); app.get('/', function( req, res ) { res.writeHead( 200, { 'Content-Type': 'text/html' } ); fs.createReadStream( opts.baseDir + '/index.html' ).pipe( res ); }); app.get( '/notes/:socketId', function( req, res ) { fs.readFile( opts.baseDir + 'plugin/notes-server/notes.html', function( err, data ) { res.send( Mustache.to_html( data.toString(), { socketId : req.params.socketId })); }); }); // Actually listen server.listen( opts.port || null ); var brown = '\033[33m', green = '\033[32m', reset = '\033[0m'; var slidesLocation = 'http://localhost' + ( opts.port ? ( ':' + opts.port ) : '' ); console.log( brown + 'reveal.js - Speaker Notes' + reset ); console.log( '1. Open the slides at ' + green + slidesLocation + reset ); console.log( '2. Click on the link your JS console to go to the notes page' ); console.log( '3. Advance through your slides and your notes will advance automatically' ); PK! 9!%!%Fkirlent_sphinx/templates/kirlent/static/plugin/notes-server/notes.html reveal.js - Slide Notes
    UPCOMING:

    Time Click to Reset

    0:00 AM
    00:00:00
    PK! kGkirlent_sphinx/templates/kirlent/static/plugin/postmessage/example.html
    PK!1Ikirlent_sphinx/templates/kirlent/static/plugin/postmessage/postmessage.js/* simple postmessage plugin Useful when a reveal slideshow is inside an iframe. It allows to call reveal methods from outside. Example: var reveal = window.frames[0]; // Reveal.prev(); reveal.postMessage(JSON.stringify({method: 'prev', args: []}), '*'); // Reveal.next(); reveal.postMessage(JSON.stringify({method: 'next', args: []}), '*'); // Reveal.slide(2, 2); reveal.postMessage(JSON.stringify({method: 'slide', args: [2,2]}), '*'); Add to the slideshow: dependencies: [ ... { src: 'plugin/postmessage/postmessage.js', async: true, condition: function() { return !!document.body.classList; } } ] */ (function (){ window.addEventListener( "message", function ( event ) { var data = JSON.parse( event.data ), method = data.method, args = data.args; if( typeof Reveal[method] === 'function' ) { Reveal[method].apply( Reveal, data.args ); } }, false); }()); PK!PǾEkirlent_sphinx/templates/kirlent/static/plugin/print-pdf/print-pdf.js/** * phantomjs script for printing presentations to PDF. * * Example: * phantomjs print-pdf.js "http://lab.hakim.se/reveal-js?print-pdf" reveal-demo.pdf * * By Manuel Bieh (https://github.com/manuelbieh) */ // html2pdf.js var page = new WebPage(); var system = require( 'system' ); var slideWidth = system.args[3] ? system.args[3].split( 'x' )[0] : 960; var slideHeight = system.args[3] ? system.args[3].split( 'x' )[1] : 700; page.viewportSize = { width: slideWidth, height: slideHeight }; // TODO // Something is wrong with these config values. An input // paper width of 1920px actually results in a 756px wide // PDF. page.paperSize = { width: Math.round( slideWidth * 2 ), height: Math.round( slideHeight * 2 ), border: 0 }; var inputFile = system.args[1] || 'index.html?print-pdf'; var outputFile = system.args[2] || 'slides.pdf'; if( outputFile.match( /\.pdf$/gi ) === null ) { outputFile += '.pdf'; } console.log( 'Printing PDF (Paper size: '+ page.paperSize.width + 'x' + page.paperSize.height +')' ); page.open( inputFile, function( status ) { window.setTimeout( function() { console.log( 'Printed succesfully' ); page.render( outputFile ); phantom.exit(); }, 1000 ); } ); PK!Akirlent_sphinx/templates/kirlent/static/plugin/remotes/remotes.js/** * Touch-based remote controller for your presentation courtesy * of the folks at http://remotes.io */ (function(window){ /** * Detects if we are dealing with a touch enabled device (with some false positives) * Borrowed from modernizr: https://github.com/Modernizr/Modernizr/blob/master/feature-detects/touch.js */ var hasTouch = (function(){ return ('ontouchstart' in window) || window.DocumentTouch && document instanceof DocumentTouch; })(); /** * Detects if notes are enable and the current page is opened inside an /iframe * this prevents loading Remotes.io several times */ var isNotesAndIframe = (function(){ return window.RevealNotes && !(self == top); })(); if(!hasTouch && !isNotesAndIframe){ head.ready( 'remotes.ne.min.js', function() { new Remotes("preview") .on("swipe-left", function(e){ Reveal.right(); }) .on("swipe-right", function(e){ Reveal.left(); }) .on("swipe-up", function(e){ Reveal.down(); }) .on("swipe-down", function(e){ Reveal.up(); }) .on("tap", function(e){ Reveal.next(); }) .on("zoom-out", function(e){ Reveal.toggleOverview(true); }) .on("zoom-in", function(e){ Reveal.toggleOverview(false); }) ; } ); head.js('https://hakim-static.s3.amazonaws.com/reveal-js/remotes.ne.min.js'); } })(window);PK!Q_?kirlent_sphinx/templates/kirlent/static/plugin/search/search.js/* * Handles finding a text string anywhere in the slides and showing the next occurrence to the user * by navigatating to that slide and highlighting it. * * By Jon Snyder , February 2013 */ var RevealSearch = (function() { var matchedSlides; var currentMatchedIndex; var searchboxDirty; var myHilitor; // Original JavaScript code by Chirp Internet: www.chirp.com.au // Please acknowledge use of this code by including this header. // 2/2013 jon: modified regex to display any match, not restricted to word boundaries. function Hilitor(id, tag) { var targetNode = document.getElementById(id) || document.body; var hiliteTag = tag || "EM"; var skipTags = new RegExp("^(?:" + hiliteTag + "|SCRIPT|FORM|SPAN)$"); var colors = ["#ff6", "#a0ffff", "#9f9", "#f99", "#f6f"]; var wordColor = []; var colorIdx = 0; var matchRegex = ""; var matchingSlides = []; this.setRegex = function(input) { input = input.replace(/^[^\w]+|[^\w]+$/g, "").replace(/[^\w'-]+/g, "|"); matchRegex = new RegExp("(" + input + ")","i"); } this.getRegex = function() { return matchRegex.toString().replace(/^\/\\b\(|\)\\b\/i$/g, "").replace(/\|/g, " "); } // recursively apply word highlighting this.hiliteWords = function(node) { if(node == undefined || !node) return; if(!matchRegex) return; if(skipTags.test(node.nodeName)) return; if(node.hasChildNodes()) { for(var i=0; i < node.childNodes.length; i++) this.hiliteWords(node.childNodes[i]); } if(node.nodeType == 3) { // NODE_TEXT if((nv = node.nodeValue) && (regs = matchRegex.exec(nv))) { //find the slide's section element and save it in our list of matching slides var secnode = node.parentNode; while (secnode.nodeName != 'SECTION') { secnode = secnode.parentNode; } var slideIndex = Reveal.getIndices(secnode); var slidelen = matchingSlides.length; var alreadyAdded = false; for (var i=0; i < slidelen; i++) { if ( (matchingSlides[i].h === slideIndex.h) && (matchingSlides[i].v === slideIndex.v) ) { alreadyAdded = true; } } if (! alreadyAdded) { matchingSlides.push(slideIndex); } if(!wordColor[regs[0].toLowerCase()]) { wordColor[regs[0].toLowerCase()] = colors[colorIdx++ % colors.length]; } var match = document.createElement(hiliteTag); match.appendChild(document.createTextNode(regs[0])); match.style.backgroundColor = wordColor[regs[0].toLowerCase()]; match.style.fontStyle = "inherit"; match.style.color = "#000"; var after = node.splitText(regs.index); after.nodeValue = after.nodeValue.substring(regs[0].length); node.parentNode.insertBefore(match, after); } } }; // remove highlighting this.remove = function() { var arr = document.getElementsByTagName(hiliteTag); while(arr.length && (el = arr[0])) { el.parentNode.replaceChild(el.firstChild, el); } }; // start highlighting at target node this.apply = function(input) { if(input == undefined || !input) return; this.remove(); this.setRegex(input); this.hiliteWords(targetNode); return matchingSlides; }; } function openSearch() { //ensure the search term input dialog is visible and has focus: var inputbox = document.getElementById("searchinput"); inputbox.style.display = "inline"; inputbox.focus(); inputbox.select(); } function toggleSearch() { var inputbox = document.getElementById("searchinput"); if (inputbox.style.display !== "inline") { openSearch(); } else { inputbox.style.display = "none"; myHilitor.remove(); } } function doSearch() { //if there's been a change in the search term, perform a new search: if (searchboxDirty) { var searchstring = document.getElementById("searchinput").value; //find the keyword amongst the slides myHilitor = new Hilitor("slidecontent"); matchedSlides = myHilitor.apply(searchstring); currentMatchedIndex = 0; } //navigate to the next slide that has the keyword, wrapping to the first if necessary if (matchedSlides.length && (matchedSlides.length <= currentMatchedIndex)) { currentMatchedIndex = 0; } if (matchedSlides.length > currentMatchedIndex) { Reveal.slide(matchedSlides[currentMatchedIndex].h, matchedSlides[currentMatchedIndex].v); currentMatchedIndex++; } } var dom = {}; dom.wrapper = document.querySelector( '.reveal' ); if( !dom.wrapper.querySelector( '.searchbox' ) ) { var searchElement = document.createElement( 'div' ); searchElement.id = "searchinputdiv"; searchElement.classList.add( 'searchdiv' ); searchElement.style.position = 'absolute'; searchElement.style.top = '10px'; searchElement.style.left = '10px'; //embedded base64 search icon Designed by Sketchdock - http://www.sketchdock.com/: searchElement.innerHTML = ''; dom.wrapper.appendChild( searchElement ); } document.getElementById("searchbutton").addEventListener( 'click', function(event) { doSearch(); }, false ); document.getElementById("searchinput").addEventListener( 'keyup', function( event ) { switch (event.keyCode) { case 13: event.preventDefault(); doSearch(); searchboxDirty = false; break; default: searchboxDirty = true; } }, false ); // Open the search when the 's' key is hit (yes, this conflicts with the notes plugin, disabling for now) /* document.addEventListener( 'keydown', function( event ) { // Disregard the event if the target is editable or a // modifier is present if ( document.querySelector( ':focus' ) !== null || event.shiftKey || event.altKey || event.ctrlKey || event.metaKey ) return; if( event.keyCode === 83 ) { event.preventDefault(); openSearch(); } }, false ); */ return { open: openSearch }; })(); PK!OR:55>kirlent_sphinx/templates/kirlent/static/plugin/zoom-js/zoom.js// Custom reveal.js integration (function(){ var isEnabled = true; document.querySelector( '.reveal .slides' ).addEventListener( 'mousedown', function( event ) { var modifier = ( Reveal.getConfig().zoomKey ? Reveal.getConfig().zoomKey : 'alt' ) + 'Key'; var zoomPadding = 20; var revealScale = Reveal.getScale(); if( event[ modifier ] && isEnabled ) { event.preventDefault(); var bounds = event.target.getBoundingClientRect(); zoom.to({ x: ( bounds.left * revealScale ) - zoomPadding, y: ( bounds.top * revealScale ) - zoomPadding, width: ( bounds.width * revealScale ) + ( zoomPadding * 2 ), height: ( bounds.height * revealScale ) + ( zoomPadding * 2 ), pan: false }); } } ); Reveal.addEventListener( 'overviewshown', function() { isEnabled = false; } ); Reveal.addEventListener( 'overviewhidden', function() { isEnabled = true; } ); })(); /*! * zoom.js 0.3 (modified for use with reveal.js) * http://lab.hakim.se/zoom-js * MIT licensed * * Copyright (C) 2011-2014 Hakim El Hattab, http://hakim.se */ var zoom = (function(){ // The current zoom level (scale) var level = 1; // The current mouse position, used for panning var mouseX = 0, mouseY = 0; // Timeout before pan is activated var panEngageTimeout = -1, panUpdateInterval = -1; // Check for transform support so that we can fallback otherwise var supportsTransforms = 'WebkitTransform' in document.body.style || 'MozTransform' in document.body.style || 'msTransform' in document.body.style || 'OTransform' in document.body.style || 'transform' in document.body.style; if( supportsTransforms ) { // The easing that will be applied when we zoom in/out document.body.style.transition = 'transform 0.8s ease'; document.body.style.OTransition = '-o-transform 0.8s ease'; document.body.style.msTransition = '-ms-transform 0.8s ease'; document.body.style.MozTransition = '-moz-transform 0.8s ease'; document.body.style.WebkitTransition = '-webkit-transform 0.8s ease'; } // Zoom out if the user hits escape document.addEventListener( 'keyup', function( event ) { if( level !== 1 && event.keyCode === 27 ) { zoom.out(); } } ); // Monitor mouse movement for panning document.addEventListener( 'mousemove', function( event ) { if( level !== 1 ) { mouseX = event.clientX; mouseY = event.clientY; } } ); /** * Applies the CSS required to zoom in, prefers the use of CSS3 * transforms but falls back on zoom for IE. * * @param {Object} rect * @param {Number} scale */ function magnify( rect, scale ) { var scrollOffset = getScrollOffset(); // Ensure a width/height is set rect.width = rect.width || 1; rect.height = rect.height || 1; // Center the rect within the zoomed viewport rect.x -= ( window.innerWidth - ( rect.width * scale ) ) / 2; rect.y -= ( window.innerHeight - ( rect.height * scale ) ) / 2; if( supportsTransforms ) { // Reset if( scale === 1 ) { document.body.style.transform = ''; document.body.style.OTransform = ''; document.body.style.msTransform = ''; document.body.style.MozTransform = ''; document.body.style.WebkitTransform = ''; } // Scale else { var origin = scrollOffset.x +'px '+ scrollOffset.y +'px', transform = 'translate('+ -rect.x +'px,'+ -rect.y +'px) scale('+ scale +')'; document.body.style.transformOrigin = origin; document.body.style.OTransformOrigin = origin; document.body.style.msTransformOrigin = origin; document.body.style.MozTransformOrigin = origin; document.body.style.WebkitTransformOrigin = origin; document.body.style.transform = transform; document.body.style.OTransform = transform; document.body.style.msTransform = transform; document.body.style.MozTransform = transform; document.body.style.WebkitTransform = transform; } } else { // Reset if( scale === 1 ) { document.body.style.position = ''; document.body.style.left = ''; document.body.style.top = ''; document.body.style.width = ''; document.body.style.height = ''; document.body.style.zoom = ''; } // Scale else { document.body.style.position = 'relative'; document.body.style.left = ( - ( scrollOffset.x + rect.x ) / scale ) + 'px'; document.body.style.top = ( - ( scrollOffset.y + rect.y ) / scale ) + 'px'; document.body.style.width = ( scale * 100 ) + '%'; document.body.style.height = ( scale * 100 ) + '%'; document.body.style.zoom = scale; } } level = scale; if( document.documentElement.classList ) { if( level !== 1 ) { document.documentElement.classList.add( 'zoomed' ); } else { document.documentElement.classList.remove( 'zoomed' ); } } } /** * Pan the document when the mosue cursor approaches the edges * of the window. */ function pan() { var range = 0.12, rangeX = window.innerWidth * range, rangeY = window.innerHeight * range, scrollOffset = getScrollOffset(); // Up if( mouseY < rangeY ) { window.scroll( scrollOffset.x, scrollOffset.y - ( 1 - ( mouseY / rangeY ) ) * ( 14 / level ) ); } // Down else if( mouseY > window.innerHeight - rangeY ) { window.scroll( scrollOffset.x, scrollOffset.y + ( 1 - ( window.innerHeight - mouseY ) / rangeY ) * ( 14 / level ) ); } // Left if( mouseX < rangeX ) { window.scroll( scrollOffset.x - ( 1 - ( mouseX / rangeX ) ) * ( 14 / level ), scrollOffset.y ); } // Right else if( mouseX > window.innerWidth - rangeX ) { window.scroll( scrollOffset.x + ( 1 - ( window.innerWidth - mouseX ) / rangeX ) * ( 14 / level ), scrollOffset.y ); } } function getScrollOffset() { return { x: window.scrollX !== undefined ? window.scrollX : window.pageXOffset, y: window.scrollY !== undefined ? window.scrollY : window.pageYOffset } } return { /** * Zooms in on either a rectangle or HTML element. * * @param {Object} options * - element: HTML element to zoom in on * OR * - x/y: coordinates in non-transformed space to zoom in on * - width/height: the portion of the screen to zoom in on * - scale: can be used instead of width/height to explicitly set scale */ to: function( options ) { // Due to an implementation limitation we can't zoom in // to another element without zooming out first if( level !== 1 ) { zoom.out(); } else { options.x = options.x || 0; options.y = options.y || 0; // If an element is set, that takes precedence if( !!options.element ) { // Space around the zoomed in element to leave on screen var padding = 20; var bounds = options.element.getBoundingClientRect(); options.x = bounds.left - padding; options.y = bounds.top - padding; options.width = bounds.width + ( padding * 2 ); options.height = bounds.height + ( padding * 2 ); } // If width/height values are set, calculate scale from those values if( options.width !== undefined && options.height !== undefined ) { options.scale = Math.max( Math.min( window.innerWidth / options.width, window.innerHeight / options.height ), 1 ); } if( options.scale > 1 ) { options.x *= options.scale; options.y *= options.scale; magnify( options, options.scale ); if( options.pan !== false ) { // Wait with engaging panning as it may conflict with the // zoom transition panEngageTimeout = setTimeout( function() { panUpdateInterval = setInterval( pan, 1000 / 60 ); }, 800 ); } } } }, /** * Resets the document zoom state to its default. */ out: function() { clearTimeout( panEngageTimeout ); clearInterval( panUpdateInterval ); magnify( { x: 0, y: 0 }, 1 ); level = 1; }, // Alias magnify: function( options ) { this.to( options ) }, reset: function() { this.out() }, zoomLevel: function() { return level; } } })(); PK!ELL6kirlent_sphinx/templates/kirlent/static/revealjs.css_t@charset "utf-8"; .reveal tt.code span.pre { font-family: monospace; } PK! d +kirlent_sphinx/templates/kirlent/theme.conf[theme] inherit = basic stylesheet = revealjs.css pygments_style = friendly [options] # Set the lang attribute of the html tag. Defaults to "en" lang = en # The "normal" size of the presentation, aspect ratio will be preserved # when the presentation is scaled to fit different resolutions width = 960 height = 700 # Factor of the display size that should remain empty around the content margin = 0.1 # Bounds for smallest/largest possible scale to apply to content min_scale = 0.2 max_scale = 1.0 # Display controls in the bottom right corner controls = true # Display a presentation progress bar progress = true # Push each slide change to the browser history history = true # Enable keyboard shortcuts for navigation keyboard = true # Enable the slide overview mode overview = true # Vertical centring of slides center = false # Enables touch navigation on devices with touch input touch = true # Loop the presentation loop = false # Change the presentation direction to be RTL rtl = false # Turns fragments on and off globally fragments = true # Number of milliseconds between automatically proceeding to the # next slide, disabled when set to 0, this value can be overwritten # by using a data-autoslide attribute on your slides auto_slide = 0 # Enable slide navigation via mouse wheel mouse_wheel = false # Apply a 3D roll to links on hover rolling_links = false # Opens links in an iframe preview overlay preview_links = false # Theme (black/white/league/beige/sky/night/serif/simple/solarized) theme = white # Transition style (default/none/fade/slide/convex/concave/zoom) transition = default # Transition speed (default/fast/slow) transition_speed = default # Transition style for full page slide backgrounds (default/none/fade/slide/convex/concave/zoom) background_transition = default # Display the page number of the current slide slide_number = false # Flags if the presentation is running in an embedded mode, # i.e. contained within a limited portion of the screen embedded = false # Stop auto-sliding after user input auto_slide_stoppable = true # Hides the address bar on mobile devices hide_address_bar = true # Parallax background image # CSS syntax, e.g. "a.jpg" parallax_background_image = # Parallax background size # CSS syntax, e.g. "3000px 2000px" parallax_background_size = # Focuses body when page changes visiblity to ensure keyboard shortcuts work focus_body_on_page_visibility_change = true # Number of slides away from the current that are visible view_distance = 3 # Enable plguin javascript for reveal.js plugin_list = # config for Multiplexing multiplex = # config for Leap motion leap = # config for MathJax math = # loading custom js after RevealJs.initialize. customjs = PK!7`*kirlent_sphinx-0.1.2.dist-info/LICENSE.txtCopyright 2019 H. Turgut Uyar Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: 1. Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. 2. 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. 3. 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 HOLDER 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. PK!HڽTU$kirlent_sphinx-0.1.2.dist-info/WHEEL A н#Z;/"d&F[xzw@Zpy3Fv]\fi4WZ^EgM_-]#0(q7PK!HW 'kirlent_sphinx-0.1.2.dist-info/METADATAVr6}Wc2#R$pO;%Ղȵ XͿ(ɢO^D,.x^‹/NA)ji)bSTR?&[l?;H&m] 4ďu0;c)Y#~䒼+vYԜ6bBz%Yagܷk Y'gazD8݃˩7EQ5GHI+csѴM'z9ZHS"}f"[ }08:%9y'gbed4_(~+i95-rS-:x\S{ҖuѴlm ynt[z \I't4֬G6 [pM:}A^r_Yyp!EQ>7{fq^7M5Fs]uidvY0KamN// L:!zwi?ettOυOo/PhW7{=j )ZƇ4L3S|rQyzw}t4l$8aOjh`oh΄9T҃U+o= j!h}cDBAvQTKDUy@ꠚ#sG(eHcc4X\$)<9Q /WL%[Κ:" e)Kͳ[jDDYDF0- %A $Pq!7 7Y4qn?eQ3p @IXێ\-"hk" n ' u#Tk*rPELM:PŶw@ۍ@ϽFX /g ǙͶ'h 3k}Pmm5 %41e i J 5l-Ž(^[;U.PS݋yj(~a3ml+=( s˲$ܢ៦2ۡ/9U[k~s Es5~)7W^L~}$GT\N(9Q 2iƬJ@z?Vr> dY WVB|Ufz+./Dw| %?PK!HxҌ\+%kirlent_sphinx-0.1.2.dist-info/RECORDI҆HL ""(nydVUY}:>QQ/ "H&j(.qgYߪyF6fgM$ q':=>5!nǓ䆕[w!1?_1uJ^ϨJV(@ǨF>6wy[70B~6=}0m8MFw6EQ/uc–EkoCo:`'YgF|6ڒ}J{~r  ;YhיC9Èx֤ځ30:*5:=fErY'@ ~pLV5 aK9uq+ bru"~^ev=E]b!G8f]/Z܀\oO^0]Top$vv+Ła6^T^)WQ>:[(t]>>qg-o/"P75LzuuhGχ\ia$A|cꑸBP:W,rG#@\$ĄdTP/*G`S FܣHbˍ΋sEj4 JL/x$l*vzSr)hӺ?}9Y;57O±dXLzp{T p4y^vpR}@34\O*bzߝ/QޒSUq9`Ӝ˽_P=Ud-㵃IS._,p_`:~M\zI|^ͦ8U] np# N_N'ݚt`!2"w-WɗL#7(AJ߉0~Y#XŎ&YW.YL)VéfaιYXoLJT1AF\X*sr; 4sKBs$nka& Kd8Of%T!m!VzN,!:yiJ~\&npJ޶~ BOϑLsU\l} V{NGf]Al*Ճj Q_M-hr:3pɄ ⛣*M9e܍lδAȏ?N3=o%I!j'̲品뭶S 6)^8 UG*JgIe[>8M%FF@ξ\w(#{ܫ d\ Mg{J̭I\¿^?}>H<{Vl*/&Nn;㯓˧dO{dcY0;lG5WPuM6owyZDɂ=|ճGrѴP)ڳ<-P[U.♳>W vеG>9aЭI8RvhBKI#T H!Q${s6ދUDD jGc~w+!==hO {yRI{8Fg"̋ȑd]=LBvoBn֘uq7b1Z5 ލ'v؂Ԯ"L˰,v^7J$IZ xAOAaZWJK%-#e7쓟w 3(_&$#]qHCq%+S*s>=*"h M Mi\a[\Ѱ}%jpx kl~#;;Cg9r/]1xv.q(N nl)K.ez\0NHvzkiVx\y,͔[OuٱYU[|oΊ`0]?/uoe.Zj߳ kmM[s:F3ݧRW flwv ĝOFonn.p@!"K(΂j0#o5e_6V3q\܆] 0K70B Vac1ݨ)j~L\MUM"jNyQkaJb_I濳~-#n\MWD;Ƶ\U SvC /DU!ͻ{9=ۛ*ѴZktMoլgz!iOvtZC23g51]@3e y/"O ?mWSfcq">'v4YX 2#"OO&V憤'ϛLXq`h()IL'Uk!zc+ )h ,aju! D .UG1hq'&\OQU-9]nCtbnqZ,*^riy拪RfCLqu(ILX>kggmjnB%'*7ii8`TNbOJ!clAQ4c9*KB{=t1OֆȾ/ H9g&!RуzZ{'bnCv%Bcv~ Ui n3D>"(O8T[suʌ|GJ7oзѺ洱CXzryAvyQ<<0*R;`OJGt;rIg]S*øa ljcB2SG99UB@ěnu>z䯕h@*khLtHv9z9gur$PyPh(DMcݟ el;]Ud` lT@0"E9jh">?a+ѴԢi-'R ϶b_u/|zN结Rl(t!8,s GlO Դ ?s~Haj>A[5 ,`|}ӂK.gZ7t<@=.$)=>WhߞNM \YCv]7 ϧXuiծ>{0>ĀT=Y4ԓIt)7C1Gf0V%fi2q" /xf3]/WG?1@Xc!I7V{.r6NKs(tY!$oix]X ]lʊpGC.ΙPzbf'?. {6kǕO.%H)925= BO/WZ4|L/tC'\.g$6OBUiaIxZ{D=X,TB:Z;oO8^LƣW8+RBz1Ci@=cK K;o]zV=_mmk[!f-U*wsRJd7/Q=w<>?=͕4Zh 5k:~CQ@=d @`52?>=/f@X_~wvVQ;"e+2eF_rܪ^CLAP5Ɏ3 jU T0f*.MҬI$ݸϷfKFwvliGLB& <q́2|yz9*ʭQ0_+#n¦r!D[tC}?IR[oD`\ !'=VO&e.0vC|bM[;(UBY j'l¢O#A&>Z m.Tl.= %(gέlR5tyuC?ܶ <x{Nj}](Spkx΅sLM5<wpj}nƤGݟ]۰ũk4*fLbik/x?7kirlent_sphinx/templates/kirlent/static/css/theme/solarized.cssPK!UCOkirlent_sphinx/templates/kirlent/static/css/theme/source/beige.scssPK!;CUkirlent_sphinx/templates/kirlent/static/css/theme/source/black.scssPK!)//CZkirlent_sphinx/templates/kirlent/static/css/theme/source/blood.scssPK!OODakirlent_sphinx/templates/kirlent/static/css/theme/source/league.scssPK!|BPfkirlent_sphinx/templates/kirlent/static/css/theme/source/moon.scssPK!BCkkirlent_sphinx/templates/kirlent/static/css/theme/source/night.scssPK!kCokirlent_sphinx/templates/kirlent/static/css/theme/source/serif.scssPK!R]xD tkirlent_sphinx/templates/kirlent/static/css/theme/source/simple.scssPK!CyyAxkirlent_sphinx/templates/kirlent/static/css/theme/source/sky.scssPK!EG}kirlent_sphinx/templates/kirlent/static/css/theme/source/solarized.scssPK! /Ckirlent_sphinx/templates/kirlent/static/css/theme/source/white.scssPK!dSSFkirlent_sphinx/templates/kirlent/static/css/theme/template/mixins.scssPK!ND  Hskirlent_sphinx/templates/kirlent/static/css/theme/template/settings.scssPK!3 Ekirlent_sphinx/templates/kirlent/static/css/theme/template/theme.scssPK!Frmm;ҫkirlent_sphinx/templates/kirlent/static/css/theme/white.cssPK!O*v*v8kirlent_sphinx/templates/kirlent/static/js/jquery.min.jsPK![<<4;kirlent_sphinx/templates/kirlent/static/js/reveal.jsPK!'P)); kirlent_sphinx/templates/kirlent/static/lib/css/zenburn.cssPK!V~\\F( kirlent_sphinx/templates/kirlent/static/lib/font/league-gothic/LICENSEPK!I44P kirlent_sphinx/templates/kirlent/static/lib/font/league-gothic/league-gothic.cssPK!·`d`dP큊 kirlent_sphinx/templates/kirlent/static/lib/font/league-gothic/league-gothic.eotPK!5Þ+PXs kirlent_sphinx/templates/kirlent/static/lib/font/league-gothic/league-gothic.ttfPK!42,x,xQn kirlent_sphinx/templates/kirlent/static/lib/font/league-gothic/league-gothic.woffPK!NHa kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/LICENSEPK!8''[ kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-italic.eotPK!S\O[ " kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-italic.ttfPK!Ube\큝kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-italic.woffPK!5.XX\Fkirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-regular.eotPK!F5ee\큓kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-regular.ttfPK!͔]kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-regular.woffPK!>)_)_]$kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibold.eotPK!<\WW]"kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibold.ttfPK!^#{kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibold.woffPK!ë''c_? kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibolditalic.eotPK!,bb00c큚g!kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibolditalic.ttfPK!qidK%kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro-semibolditalic.woffPK!OȐT͗&kirlent_sphinx/templates/kirlent/static/lib/font/source-sans-pro/source-sans-pro.cssPK!\..;ϝ&kirlent_sphinx/templates/kirlent/static/lib/js/classList.jsPK!:Kb b :V&kirlent_sphinx/templates/kirlent/static/lib/js/head.min.jsPK!>|;&kirlent_sphinx/templates/kirlent/static/lib/js/html5shiv.jsPK! {{ET&kirlent_sphinx/templates/kirlent/static/plugin/highlight/highlight.jsPK!v)II;2v-kirlent_sphinx/templates/kirlent/static/plugin/leap/leap.jsPK!v KKDW.kirlent_sphinx/templates/kirlent/static/plugin/markdown/example.htmlPK!B.kirlent_sphinx/templates/kirlent/static/plugin/markdown/example.mdPK! &b+/+/CJ.kirlent_sphinx/templates/kirlent/static/plugin/markdown/markdown.jsPK!Lz==A/kirlent_sphinx/templates/kirlent/static/plugin/markdown/marked.jsPK!;?/kirlent_sphinx/templates/kirlent/static/plugin/math/math.jsPK!mqqBF/kirlent_sphinx/templates/kirlent/static/plugin/multiplex/client.jsPK!AH/kirlent_sphinx/templates/kirlent/static/plugin/multiplex/index.jsPK!M"l!33BN/kirlent_sphinx/templates/kirlent/static/plugin/multiplex/master.jsPK!2o1C&&?R/kirlent_sphinx/templates/kirlent/static/plugin/notes/notes.htmlPK!k=y/kirlent_sphinx/templates/kirlent/static/plugin/notes/notes.jsPK!~XXE/kirlent_sphinx/templates/kirlent/static/plugin/notes-server/client.jsPK!jv'""D/kirlent_sphinx/templates/kirlent/static/plugin/notes-server/index.jsPK! 9!%!%FE/kirlent_sphinx/templates/kirlent/static/plugin/notes-server/notes.htmlPK! kGʽ/kirlent_sphinx/templates/kirlent/static/plugin/postmessage/example.htmlPK!1I/kirlent_sphinx/templates/kirlent/static/plugin/postmessage/postmessage.jsPK!PǾE#/kirlent_sphinx/templates/kirlent/static/plugin/print-pdf/print-pdf.jsPK!AD/kirlent_sphinx/templates/kirlent/static/plugin/remotes/remotes.jsPK!Q_?n/kirlent_sphinx/templates/kirlent/static/plugin/search/search.jsPK!OR:55>/kirlent_sphinx/templates/kirlent/static/plugin/zoom-js/zoom.jsPK!ELL6K 0kirlent_sphinx/templates/kirlent/static/revealjs.css_tPK! d + 0kirlent_sphinx/templates/kirlent/theme.confPK!7`*0kirlent_sphinx-0.1.2.dist-info/LICENSE.txtPK!HڽTU$0kirlent_sphinx-0.1.2.dist-info/WHEELPK!HW '0kirlent_sphinx-0.1.2.dist-info/METADATAPK!HxҌ\+%9$0kirlent_sphinx-0.1.2.dist-info/RECORDPK\\'50