Page MenuHomeGitPull.it

No OneTemporary

This file is larger than 256 KB, so syntax highlighting was skipped.
diff --git a/.gitignore b/.gitignore
index ca785c9..34a910a 100644
--- a/.gitignore
+++ b/.gitignore
@@ -1,23 +1,20 @@
# configuration file
-/load.php
+/www/load.php
# GNU Gettext compiled .po files
*.mo
# Some proprietary IDE
.idea/
# Generated by tagliatella.php each time it's run
schedule.xml
-# The local .htaccess file (the versioned one is in /documentation/apache/htaccess.conf)
-/.htaccess
-
# https://www.vagrantup.com/
/.vagrant
# Adminer (fuck you @lvps)
/adminer.php
-# our unuseful framework
+# our unuseful framework - some people place it here
/includes/suckless-php
diff --git a/admin/api/tagliatella.php b/admin/api/tagliatella.php
new file mode 100755
index 0000000..df61c17
--- /dev/null
+++ b/admin/api/tagliatella.php
@@ -0,0 +1,216 @@
+<?php
+# Linux Day 2016 - API to generate a strange XML file format
+# Copyright (C) 2016, 2018 Ludovico Pavesi, Valerio Bozzolan
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+require __DIR__ . DIRECTORY_SEPARATOR . '..' . DIRECTORY_SEPARATOR . 'load.php';
+
+// In case something goes wrong...
+http_response_code( 500 );
+
+$uid = isset( $_GET[ 'conference' ] )
+ ? $_GET[ 'conference' ]
+ : CURRENT_CONFERENCE_UID;
+
+$conference_row = FullConference::factoryFromUID( $uid )
+ ->queryRow();
+
+if( ! $conference_row ) {
+ throw new LogicException( sprintf(
+ "Conference with uid '%s' does not exists!",
+ esc_html( $uid )
+ ) );
+}
+
+$xml = new DOMDocument( '1.0', 'UTF-8' );
+$schedule = $xml->createElement( 'schedule' );
+$schedule = $xml->appendChild( $schedule );
+$conference = $xml->createElement( 'conference' );
+$conference = $schedule->appendChild( $conference );
+
+$conference_fields = [
+ 'title' => $conference_row->getConferenceTitle(),
+ 'subtitle' => $conference_row->getConferenceSubtitle(),
+ 'acronym' => $conference_row->get( Conference::ACRONYM ),
+ 'days' => $conference_row->get( Conference::DAYS ),
+ 'persons_url' => $conference_row->get( Conference::PERSONS_URL ),
+ 'events_url' => $conference_row->get( Conference::EVENTS_URL ),
+];
+
+foreach( $conference_fields as $xml_field => $db_field ) {
+ add_child( $xml, $conference, $xml_field, $db_field );
+}
+
+add_child( $xml, $conference, 'start', $conference_row->getConferenceStart( 'Y-m-d H:i:s' ) );
+add_child( $xml, $conference, 'end', $conference_row->getConferenceEnd( 'Y-m-d H:i:s' ) );
+add_child( $xml, $conference, 'city', $conference_row->getLocationAddress() );
+add_child( $xml, $conference, 'venue', $conference_row->getLocationNoteHTML() );
+
+// Yes, these are hardcoded. asd
+add_child( $xml, $conference, 'day_change', '09:00:00' );
+add_child( $xml, $conference, 'timeslot_duration', '00:30:00' );
+
+$events = FullEvent::factoryByConference( $conference_row->getConferenceID() )
+ ->orderBy( Event::START )
+ ->orderBy( Room::ID_ )
+ ->queryGenerator();
+
+// Room names indexed by room_ID
+$room_names = [];
+
+$events_by_date_then_room = [];
+foreach( $events as $event ) {
+
+ $day = $event->getEventStart( 'Y-m-d' );
+
+ // Add various levels to the array, if they don't already exists
+ if( ! isset( $events_by_date_then_room[ $day ] ) ) {
+ $events_by_date_then_room[ $day ] = [];
+ }
+
+ $room = $event->getRoomID();
+
+ if( ! isset( $events_by_date_then_room[ $day ][ $room ] ) ) {
+ $events_by_date_then_room[ $day ][ $room ] = [];
+ }
+
+ $room_names[ $room ] = $event->getRoomName();
+
+ // And finally, add the event itself
+ $events_by_date_then_room[ $day ][$room ][] = $event;
+}
+
+// These are database event fields whose content can be taken straight from the database.
+// Others need a little more work to convert to the correct format.
+$keys = [
+ 'subtitle' => Event::SUBTITLE,
+ 'language' => Event::LANGUAGE,
+];
+
+$day_index = 1;
+$events_by_id = [];
+foreach( $events_by_date_then_room as $day_date => $rooms ) {
+ $dayxml = add_child( $xml, $schedule, 'day', NULL );
+ $dayxml->setAttribute( 'index', $day_index );
+ $dayxml->setAttribute( 'date', $day_date );
+
+ foreach( $rooms as $room_ID => $events ) {
+ $roomxml = add_child( $xml, $dayxml, 'room', NULL );
+
+ // 9 agosto 2016 22:30 Ludovico says that this does not exist. OK.
+ // 9 agosto 2016 22:31 Ludovico says that this exists. OK.
+ $roomxml->setAttribute( 'name', $room_names[ $room_ID ] );
+
+ foreach( $events as $event ) {
+ $event_ID = $event->getEventID();
+
+ $eventxml = add_child( $xml, $roomxml, 'event', NULL );
+ $eventxml->setAttribute( 'id', $event_ID );
+
+ $events_by_id[ $event_ID ] = $eventxml;
+
+ // this stops PHPStorm from complaining, but most of these elements are really just strings...
+ /** @var $event DateTime[] */
+ // Same exact format, two different parameters since 'start' is a DateTime and 'duration' a DateInterval. Why, PHP, WHY?
+ add_child( $xml, $eventxml, 'title', $event->getEventTitle() );
+ add_child( $xml, $eventxml, 'slug', $event->getEventUID() );
+ add_child( $xml, $eventxml, 'start', $event->getEventStart( 'H:i' ) );
+ add_child( $xml, $eventxml, 'duration', $event->getEventDuration( '%H:%I' ) );
+ add_child( $xml, $eventxml, 'room', $event->getRoomName() );
+ add_child( $xml, $eventxml, 'track', $event->getTrackName() );
+ add_child( $xml, $eventxml, 'type', $event->getChapterName() );
+
+ $description = null;
+ if( $event->hasEventDescription() ) {
+ $description = $event->getEventDescriptionHTML();
+ }
+ add_child( $xml, $eventxml, 'description', $description );
+
+ $abstract = null;
+ if( $event->hasEventAbstract() ) {
+ $abstract = $event->getEventAbstractHTML();
+ }
+ add_child( $xml, $eventxml, 'abstract', $abstract );
+
+ // Add event fields that don't need any further processing
+ foreach( $keys as $xml_key => $db_key ) {
+ add_child( $xml, $eventxml, $xml_key, $event->get( $db_key ) );
+ }
+ }
+ }
+
+ $day_index++;
+}
+
+$people = EventUser::factory()
+ ->select( [
+ Event::ID_,
+ User::ID_,
+ User::UID,
+ User::NAME,
+ User::SURNAME
+ ] )
+ ->from( [
+ Event::T,
+ User::T,
+ ] )
+ ->whereInt( Conference::ID , $conference_row->getConferenceID() )
+ ->equals( EventUser::EVENT_, Event::ID_ )
+ ->equals( EventUser::USER_, User ::ID_ )
+ ->orderBy( Event::ID )
+ ->queryGenerator();
+
+$lastid = NULL;
+$lastpersons = NULL;
+foreach( $people as $row ) {
+ // This works only because rows are sorted by events
+ $event_ID = $row->getEventID();
+
+ if( $lastid !== $event_ID ) {
+ $event = $event_ID;
+ $lastid = $event;
+
+ $personsxml = $xml->createElement( 'persons' );
+ $personsxml = $events_by_id[ $event ]->appendChild( $personsxml );
+ $lastpersons = $personsxml;
+ }
+
+ $personxml = add_child( $xml, $lastpersons, 'person', $row->getUserFullname() );
+ $personxml->setAttribute( 'id', $row->getUserID() );
+ $personxml->setAttribute( 'slug', $row->getUserUID() );
+}
+
+http_response_code( 200 );
+header( 'Content-type: text/xml; charset=' . CHARSET );
+echo $xml->saveXML();
+
+// ----------------------------------------------------------------------------
+
+/**
+ * Add child to an element and return it
+ *
+ * @param $xml DOMDocument
+ * @param $parent DOMNode
+ * @param $tagname string
+ * @param $content string
+ * @return DOMElement
+ */
+function add_child( & $xml, $parent, $tagname, $content ) {
+ $child = $xml->createElement( $tagname );
+ if( null !== $content && '' !== $content ) {
+ $child->nodeValue = $content;
+ }
+ return $parent->appendChild( $child );
+}
diff --git a/admin/api/tropical.php b/admin/api/tropical.php
new file mode 100644
index 0000000..384fb8b
--- /dev/null
+++ b/admin/api/tropical.php
@@ -0,0 +1,194 @@
+<?php
+# Linux Day Torino - API to generate a strange iCal file format
+# Copyright (C) 2019 Ludovico Pavesi, Valerio Bozzolan
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+/*
+ * This is the Linux Day Torino Tropical (trop-iCal) API
+ *
+ * It print a (hopefully) valid iCal file of a Linux Day Torino event.
+ */
+
+// load the framework
+require __DIR__ . DIRECTORY_SEPARATOR . '..' . DIRECTORY_SEPARATOR . 'load.php';
+
+// die if missing Conference UIR
+if( empty( $_GET['conference'] ) ) {
+ http_response_code( 404 );
+ die( "Missing 'conference' argument" );
+}
+
+$event = null;
+$conference = FullConference::factoryFromUID( $_GET['conference'] )
+ ->queryRow();
+
+// die if missing Conference
+if( !$conference ) {
+ http_response_code( 404 );
+ die( "Conference not found" );
+}
+
+// die if missing Event UID
+if( isset( $_GET['event'] ) ) {
+ $event = FullEvent::factoryFromConferenceAndEventUID( $conference, $_GET['event'] )
+ ->queryRow();
+
+ if( !$event ) {
+ http_response_code( 404 );
+ die( "Event not found" );
+ }
+}
+
+$event_url = null;
+if( $event ) {
+ $event_ID = $event->getEventID();
+ $event_title = $event->getEventTitle();
+ $event_start = $event->getEventStart();
+ $event_end = $event->getEventEnd();
+ $event_desc = $event->getEventDescription();
+ if( $event->hasEventPermalink() ) {
+ $event_url = $event->getEventURL( true );
+ }
+} else {
+ $event_ID = $conference->getConferenceID();
+ $event_title = $conference->getConferenceTitle();
+ $event_url = $conference->getConferenceURL();
+ $event_start = $conference->getConferenceStart();
+ $event_end = $conference->getConferenceEnd();
+ $event_desc = $conference->getConferenceDescription();
+}
+
+$event_uid = $conference->getConferenceUID();
+if( $event ) {
+ $event_uid .= '-' . $event->getEventUID();
+}
+
+if( $event ) {
+ $event_stable_guid = $conference->getConferenceUID() . '-' . $event_ID . '@linuxdaytorino.org';
+} else {
+ $event_stable_guid = $conference->getConferenceUID() . '@linuxdaytorino.org';
+}
+
+$event_location = null; // TODO: get this one (e.g. "Room A" or "Via Fasulla 123, Springfield")
+$event_geo_lat = null;
+$event_geo_lng = null;
+if( $conference->locationHasGeo() ) {
+ $event_geo_lat = $conference->getLocationGeoLat();
+ $event_geo_lng = $conference->getLocationGeoLng();
+}
+
+if( empty( $_GET['debug'] ) ) {
+ header( 'Content-Type: text/calendar' );
+ header( sprintf( 'Content-Disposition: attachment; filename=%s.ics', $event_uid ) );
+} else {
+ header( 'Content-Type: text/plain' );
+}
+
+echo get_ical(
+ $event_stable_guid,
+ $event_title,
+ $event_start,
+ $event_end,
+ $event_url,
+ $event_desc,
+ $event_location,
+ $event_geo_lat,
+ $event_geo_lng
+);
+
+function timestamp_to_ical( $timestamp ) {
+ return date( 'Ymd\THis\Z', $timestamp );
+}
+
+
+/**
+ * Get an event (or conference as a single event) in iCal format.
+ *
+ * @param string $id Unique ID for this event
+ * @param string $title Event title
+ * @param int $start Start time (UNIX timestamp)
+ * @param int $end End time (UNIX timestamp)
+ * @param string $url Event URL
+ * @param string $description Longer description of the event
+ * @param string $location Name of event location, e.g. "Room A"
+ * @param float $geo_lat Latitude of the location
+ * @param float $geo_lon Longitude of the location
+ *
+ * @return string the event in iCal format
+ */
+function get_ical( $id, $title, $start, $end, $url = null, $description = null, $location = null, $geo_lat = null, $geo_lng = null ) {
+ $dtstart = timestamp_to_ical( $start->getTimestamp() );
+ $dtend = timestamp_to_ical( $end->getTimestamp() );
+ $dtstamp = timestamp_to_ical( time() );
+ $id = htmlspecialchars( $id );
+ $title = htmlspecialchars( $title );
+ if( !$description ) {
+ $opt_description = '';
+ } else {
+ $description = str_replace( "\n", " ", $description );
+ $description = strip_tags( $description );
+ $description = htmlspecialchars( $description );
+ $opt_description = "DESCRIPTION:$description";
+ }
+ if( !$url ) {
+ $opt_url = '';
+ } else {
+ $opt_url = 'URL;VALUE=URI:' . htmlspecialchars( $url );
+ }
+ if( !$geo_lat || !$geo_lng ) {
+ $opt_geo = '';
+ } else {
+ $opt_geo = "GEO:$geo_lat;$geo_lng";
+ }
+ if( !$location ) {
+ $opt_location = '';
+ } else {
+ $location = htmlspecialchars( $location );
+ $opt_location = "LOCATION:$location";
+ }
+
+ $ics = [];
+ $ics[] = 'BEGIN:VCALENDAR';
+ $ics[] = 'VERSION:2.0';
+ $ics[] = 'PRODID:-//ldto/asd//NONSGML v1.0//EN';
+ $ics[] = 'CALSCALE:GREGORIAN';
+ $ics[] = 'BEGIN:VEVENT';
+ $ics[] = "UID:$id";
+ $ics[] = "SUMMARY:$title";
+
+ if( $opt_description ) {
+ $ics[] = $opt_description;
+ }
+
+ if( $opt_url ) {
+ $ics[] = $opt_url;
+ }
+
+ if( $opt_location ) {
+ $ics[] = $opt_location;
+ }
+
+ if( $opt_geo ) {
+ $ics[] = $opt_geo;
+ }
+
+ $ics[] = "DTSTART:$dtstart";
+ $ics[] = "DTEND:$dtend";
+ $ics[] = "DTSTAMP:$dtstamp";
+ $ics[] = 'END:VEVENT';
+ $ics[] = 'END:VCALENDAR';
+
+ return implode( "\r\n", $ics );
+}
diff --git a/admin/credits.php b/admin/credits.php
new file mode 100644
index 0000000..6dccd7f
--- /dev/null
+++ b/admin/credits.php
@@ -0,0 +1,237 @@
+<?php
+# Linux Day 2016 - Credits
+# Copyright (C) 2016, 2017 Valerio Bozzolan, Rosario Antoci, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+require 'load.php';
+
+inject_in_module('header', function() {
+ echo "\n\t<style>.libre-icon {min-height: 120px}</style>";
+} );
+
+Header::spawn('credits');
+?>
+ <div class="section">
+ <p class="flow-text"><?= __("Di seguito sono riportati gli elementi utilizzati in questo sito, tra i migliori esempi di <strong>software libero</strong> e <strong>open source</strong>.") ?></p>
+ </div>
+
+ <div class="section">
+ <div class="row">
+ <?php
+ CreditBox::spawn(
+ "Debian GNU/Linux",
+ 'https://debian.org',
+ 'gnu-gpl',
+ __("Sistema operativo del server web."),
+ 'debian.png'
+ );
+ CreditBox::spawn(
+ "Apache",
+ 'https://httpd.apache.org',
+ 'apache',
+ __("Server web."),
+ 'apache.png'
+ );
+ CreditBox::spawn(
+ "PHP5",
+ 'http://php.net',
+ 'php',
+ __("Pre-processore di ipertesti."),
+ 'php.png'
+ );
+ CreditBox::spawn(
+ "MariaDB",
+ 'https://mariadb.org',
+ 'gnu-gpl-v2',
+ __("MySQL guidato dalla comunità."),
+ 'mariadb.png'
+ );
+ CreditBox::spawn(
+ "MySQL",
+ 'http://www.mysql.com',
+ 'gnu-gpl-v2',
+ __("Database SQL relazionale."),
+ 'mysql.png'
+ );
+ CreditBox::spawn(
+ "GNU Gettext",
+ 'https://www.gnu.org/software/gettext/',
+ 'gnu-gpl',
+ __("Framework per internazionalizzazione e localizzazione dei messaggi."),
+ 'gnu.png'
+ );
+ CreditBox::spawn(
+ "Boz-PHP",
+ 'https://launchpad.net/boz-php-another-php-framework',
+ 'gnu-agpl',
+ __("Framework PHP e MySQL/MariaDB."),
+ 'boz.png'
+ );
+ CreditBox::spawn(
+ "Let's Encrypt",
+ 'https://certbot.eff.org',
+ 'apache',
+ __("Certificato SSL."),
+ 'lets-encrypt.png'
+ );
+ CreditBox::spawn(
+ "jQuery",
+ 'http://jquery.com',
+ 'jquery',
+ __("Framework JavaScript."),
+ 'jquery.png'
+ );
+ CreditBox::spawn(
+ "Leaflet",
+ 'http://leafletjs.com',
+ 'bsd-2',
+ __("Framework JavaScript per mappe interattive"),
+ 'leaflet.png'
+ );
+ CreditBox::spawn(
+ "Materialize",
+ 'https://github.com/Dogfalo/materialize',
+ 'mit',
+ __("Framework CSS e JavaScript in stile Material Design."),
+ 'materialize.png'
+ );
+ CreditBox::spawn(
+ "Roboto 2.0",
+ 'https://www.google.com/fonts/specimen/Roboto',
+ 'apache',
+ __("Famiglia di caratteri."),
+ 'roboto.png'
+ );
+ CreditBox::spawn(
+ "Material Design Icons",
+ 'http://google.github.io/material-design-icons/',
+ 'cc-by',
+ __("Collezione di icone Material Design."),
+ 'material.png'
+ );
+ CreditBox::spawn(
+ "Inkscape",
+ __('https://inkscape.org/it/'),
+ 'gnu-gpl-v2',
+ __("Programma per disegno vettoriale."),
+ 'inkscape.png'
+ );
+ CreditBox::spawn(
+ "GIMP",
+ __('https://www.gimp.org'),
+ 'gnu-gpl',
+ __("Fotoritocchi e modifiche alle immagini"),
+ 'gimp.png'
+ );
+ CreditBox::spawn(
+ "GNU Nano",
+ 'https://www.nano-editor.org',
+ 'gnu-gpl',
+ __("Banale editor di testo da terminale."),
+ 'gnu-nano.png'
+ );
+ CreditBox::spawn(
+ "OpenStreetMap",
+ 'http://www.openstreetmap.org',
+ 'odbl',
+ __("Mappa planetaria libera"),
+ 'osm.png'
+ );
+ CreditBox::spawn(
+ "Git",
+ 'https://git-scm.com',
+ 'gnu-gpl-v2',
+ __("Controllo versione distribuito"),
+ 'git.png'
+ );
+ CreditBox::spawn(
+ "Attendize",
+ 'https://www.attendize.com',
+ 'aal',
+ __("Event manager open source"),
+ 'attendize.jpg'
+ );
+ CreditBox::spawn(
+ "YOURLS",
+ 'https://yourls.org',
+ 'mit',
+ __("Your Own Url Shortener"),
+ 'yourls.png'
+ );
+ CreditBox::spawn(
+ "W3C Validator",
+ 'https://validator.w3.org',
+ 'mit',
+ __("Validatore standard HTML, JavaScript e CSS"),
+ 'w3c.png'
+ );
+ CreditBox::spawn(
+ "F-Droid",
+ 'https://f-droid.org',
+ 'gnu-gpl-v3',
+ __("Catalogo di software libero per Android"),
+ 'f-droid.png'
+ );
+ ?>
+ </div>
+ </div>
+
+ <div id="clone" class="divider"></div>
+ <p><?php printf(
+ __("Il codice sorgente del sito è distribuito sotto licenza libera %s. Clonalo!"),
+ license('gnu-agpl')->getLink()
+ ) ?></p>
+ <div class="row">
+ <div class="col s12 m6">
+ <blockquote class="hoverable"><code>git clone <?= REPO ?></code></blockquote>
+ </div>
+ </div>
+
+ <div id="media" class="divider"></div>
+ <div class="section">
+ <h3><?= __("Materiale") ?></h3>
+
+ <ul class="collection">
+ <?php $thanks = function($to, $toURL, $what, $url, $license) { ?>
+ <?php $license = license($license) ?>
+ <li class="collection-item"><?php printf(
+ __("Grazie a %s per %s sotto licenza %s."),
+ HTML::a($toURL, $to),
+ HTML::a($url, $what),
+ HTML::a( $license->getURL(), $license->getShort() )
+ ) ?></li>
+ <?php }; ?>
+
+ <?php
+ $thanks(
+ "User:VGrigas (WMF)",
+ 'https://commons.wikimedia.org/wiki/User:VGrigas_%28WMF%29',
+ __("l'immagine estratta dal suo video «This is Wikipedia»"),
+ 'https://commons.wikimedia.org/wiki/File:This_is_Wikipedia.webm',
+ 'cc-by-sa-3.0'
+ );
+ $thanks(
+ "Rui Damas",
+ 'https://www.gnu.org/graphics/gnu-slash-linux.html',
+ __("l'immagine predefinita di alcuni elementi"),
+ DEFAULT_IMAGE,
+ 'gnu-gpl'
+ );
+ ?>
+ </ul>
+ </div>
+<?php
+
+Footer::spawn( ['home' => false] );
diff --git a/admin/event-edit.php b/admin/event-edit.php
new file mode 100644
index 0000000..b3f670f
--- /dev/null
+++ b/admin/event-edit.php
@@ -0,0 +1,628 @@
+<?php
+# Linux Day Torino website
+# Copyright (C) 2016, 2017, 2018, 2019 Valerio Bozzolan, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+/*
+ * Event edit
+ *
+ * From this page you can create/edit an User and assign some skills/interests etc.
+ */
+
+// load configurations and framework
+require 'load.php';
+
+// inherit the Conference or specify one
+$conference_uid = CURRENT_CONFERENCE_UID;
+if( isset( $_REQUEST['conference'] ) ) {
+ $conference_uid = $_REQUEST['conference'];
+}
+
+// check if the Conference exists
+$conference = FullConference::factoryFromUID( $conference_uid )
+ ->queryRow();
+
+if( !$conference ) {
+ die_with_404();
+}
+
+// retrieve the Event (if existing)
+$event = null;
+if( isset( $_GET['uid'] ) ) {
+ $event = ( new QueryEvent() )
+ ->whereConference( $conference )
+ ->joinConference()
+ ->joinChapter()
+ ->whereEventUID( $_GET['uid'] )
+ ->queryRow();
+
+ if( !$event ) {
+ die_with_404();
+ }
+
+ if( !$event->isEventEditable() ) {
+ error_die("Can't edit event");
+ }
+} else {
+ // check if there are permissions to add event
+ if( !has_permission( 'add-event' ) ) {
+ die( 'missing permissions' );
+ }
+}
+
+$warning = null;
+
+if( $_POST ) {
+
+ if( is_action( 'save-event' ) ) {
+
+ $conference_ID = $conference->getConferenceID();
+
+ $data = [];
+ $data[] = new DBCol( Event::TITLE, $_POST['title'], 's' );
+ $data[] = new DBCol( Event::UID, $_POST['uid'], 's' );
+ $data[] = new DBCol( Event::LANGUAGE, $_POST['language'], 's' );
+ $data[] = new DBCol( Event::SUBTITLE, $_POST['subtitle'], 's' );
+ $data[] = new DBCol( Event::START, $_POST['start'], 's' );
+ $data[] = new DBCol( Event::END, $_POST['end'], 's' );
+ $data[] = new DBCol( Event::IMAGE, $_POST['image'], 'snull' );
+ $data[] = new DBCol( Chapter::ID, $_POST['chapter'], 'd' );
+ $data[] = new DBCol( Room::ID, $_POST['room'], 'd' );
+ $data[] = new DBCol( Track::ID, $_POST['track'], 'd' );
+ $data[] = new DBCol( Conference::ID, $conference_ID, 'd' );
+
+ // for each language save the fields
+ foreach( all_languages() as $lang ) {
+ foreach( Event::fields_i18n() as $i18n_column => $label ) {
+ // generic column name in this language
+ $field = $i18n_column . '_' . $lang->getISO();
+
+ // sent column value
+ $value = $_POST[ $field ] ?? null;
+
+ // prepare to be saved
+ $data[] = new DBCol( $field, $value, 'snull' );
+ }
+ }
+
+ // convert empty strings to NULL, if possible
+ foreach( $data as $row ) {
+ $row->promoteNULL();
+ }
+
+ if( $event ) {
+ // update the existing Event
+ ( new QueryEvent() )
+ ->whereEvent( $event )
+ ->update( $data );
+ } else {
+ // insert a new Event
+ Event::factory()
+ ->insertRow( $data );
+ }
+
+ $id = $event ? $event->getEventID() : last_inserted_ID();
+
+ // get the updated Event
+ $event = FullEvent::factory()
+ ->whereInt( Event::ID, $id )
+ ->queryRow();
+
+ // POST-redirect-GET
+ http_redirect( $event->getFullEventEditURL(), 303 );
+ }
+
+ /**
+ * Change the Image
+ */
+ if( $event && is_action( 'change-image' ) ) {
+
+ // prepare the image uploader
+ $image = new FileUploader( 'image', [
+ 'category' => 'image',
+ 'override-filename' => "event-" . $event->getEventUID(),
+ ] );
+
+ // prepare the image pathnames
+ $img_url = $event->getConferenceUID() . _ . 'images';
+ $img_path = ABSPATH . __ . $event->getConferenceUID() . __ . 'images';
+
+ // really upload that shitty image somewhere
+ if( $image->fileChoosed() ) {
+ $ok = $image->uploadTo( $img_path, $status, $filename, $ext );
+ if( $ok ) {
+
+ // now update
+ ( new QueryEvent() )
+ ->whereEvent( $event )
+ ->update( [
+ 'event_img' => $img_url . "/$filename.$ext",
+ ] );
+
+ // POST-redirect-GET
+ http_redirect( $event->getFullEventEditURL(), 303 );
+
+ } else {
+ $warning = $image->getErrorMessage();
+ }
+ }
+ }
+
+ /*
+ * Add the user
+ */
+ if( $event && is_action( 'add-user' ) && isset( $_POST['user'] ) ) {
+ // Add user
+
+ $user = User::factoryFromUID( $_POST['user'] )
+ ->select( User::ID )
+ ->queryRow();
+
+ if( $user ) {
+ ( new QueryEventUser() )
+ ->whereEvent( $event )
+ ->whereUser( $user )
+ ->delete();
+
+ ( new QueryEventUser() )->insertRow( [
+ new DBCol( Event::ID, $event->getEventID(), 'd' ),
+ new DBCol( User ::ID, $user->getUserID(), 'd' ),
+ new DBCol( EventUser::ORDER, 0, 'd' ),
+ ] );
+ }
+ }
+
+ /**
+ * Update an user order
+ */
+ if( $event && is_action( 'update-user' ) && isset( $_POST['user'] ) ) {
+
+ $user = User::factoryFromUID( $_POST['user'] )
+ ->select( User::ID )
+ ->queryRow();
+
+ if( $user ) {
+ if ( !empty( $_POST['delete'] ) ) {
+ // Delete user
+
+ EventUser::delete( $event->getEventID(), $user->getUserID() );
+
+ } elseif( isset( $_POST['order'] ) ) {
+
+ // change order
+ EventUser::factory()
+ ->whereInt( Event::ID, $event->getEventID() )
+ ->whereInt( User ::ID, $user->getUserID() )
+ ->update( [
+ new DBCol( EventUser::ORDER, $_POST['order'], 'd')
+ ] );
+ }
+ }
+ }
+
+ // post -> redirect -> get (no: it hide errors)
+ // http_redirect( $_SERVER[ 'REQUEST_URI' ], 303 );
+}
+
+if( $event ) {
+ Header::spawn( null, [
+ 'title' => sprintf(
+ __("Modifica %s: %s"),
+ $event->getChapterName(),
+ $event->getEventTitle()
+ ),
+ ] );
+} else {
+ Header::spawn( null, [
+ 'title' => sprintf(
+ __( "Aggiungi %s" ),
+ __( "Evento" )
+ ),
+ ] );
+}
+
+?>
+
+ <?php if( $warning ): ?>
+ <div class="card-panel yellow"><?= esc_html( $warning ) ?></div>
+ <?php endif ?>
+
+ <p><?= HTML::a(
+ $conference->getConferenceURL(),
+ esc_html( $conference->getConferenceTitle() ) . icon( 'home', 'left' )
+ ) ?></p>
+
+ <?php if( $event ): ?>
+ <p><?= HTML::a(
+ // href
+ $event->getEventURL(),
+
+ // text
+ __( "Vedi" ) . icon( 'account_box', 'left' )
+ ) ?></p>
+ <?php endif ?>
+
+ <form method="post">
+ <?php form_action( 'save-event' ) ?>
+
+ <div class="row">
+
+ <div class="col s12 m4 l3">
+ <div class="card-panel">
+ <label for="event-title"><?= __( "Titolo" ) ?></label>
+ <input type="text" name="title" id="event-title" required<?php
+ if( $event ) {
+ echo value( $event->get( Event::TITLE ) );
+ }
+ ?> />
+ </div>
+ </div>
+
+ <div class="col s12 m4 l3">
+ <div class="card-panel">
+ <label for="event-uid"><?= __( "Codice" ) ?></label>
+ <input type="text" name="uid" id="event-uid" required<?php
+ if( $event ) {
+ echo value( $event->get( Event::UID ) );
+ }
+ ?> />
+ </div>
+ </div>
+
+ <div class="col s12 m4 l3">
+ <div class="card-panel">
+ <label for="event-subtitle"><?= __( "Sottotitolo" ) ?></label>
+ <input type="text" name="subtitle" id="event-subtitle"<?php
+ if( $event ) {
+ echo value( $event->get( Event::SUBTITLE ) );
+ }
+ ?> />
+ </div>
+ </div>
+
+ <div class="col s12 m4 l3">
+ <div class="card-panel">
+ <label for="event-language"><?= __( "Lingua" ) ?></label>
+ <input type="text" name="language" id="event-language" maxlenght="2"<?php
+ if( $event ) {
+ echo value( $event->get( Event::LANGUAGE ) );
+ }
+ ?> />
+ </div>
+ </div>
+
+ </div>
+
+ <div class="row">
+
+ <!-- chapters -->
+ <div class="col s12 m4 l3">
+ <div class="card-panel">
+ <label for="chapter"><?= __( "Capitolo" ) ?></label>
+ <select name="chapter">
+ <?php
+ // get every chapter
+ $chapters =
+ Chapter::factory()
+ ->orderBy( Chapter::NAME )
+ ->queryGenerator();
+
+ // generate select options
+ foreach( $chapters as $chapter ) {
+ $option = ( new HTML( 'option' ) )
+ ->setText( esc_html( $chapter->getChapterName() ) )
+ ->setAttr( 'value', $chapter->getChapterID() );
+
+ // eventually select this chapter
+ $selected = false;
+ if( $event ) {
+ $selected = $event->getChapterID() === $chapter->getChapterID();
+ } elseif( isset( $_GET['chapter'] ) ) {
+ $selected = $_GET['chapter'] === $chapter->getChapterUID();
+ }
+
+ if( $selected ) {
+ $option->setAttr( 'selected', 'selected' );
+ }
+
+ echo $option->render();
+ }
+ ?>
+ </select>
+ </div>
+ </div>
+ <!-- /chapters -->
+
+ <!-- tracks -->
+ <div class="col s12 m4 l3">
+ <div class="card-panel">
+ <label for="track"><?= __( "Traccia" ) ?></label>
+ <select name="track">
+ <?php
+ // select all the available tracks for this Location
+ $tracks =
+ Track::factory()
+ ->orderBy( Track::NAME )
+ ->queryGenerator();
+
+ // generate a select option for each track
+ foreach( $tracks as $track ) {
+ $option = ( new HTML( 'option' ) )
+ ->setText( esc_html( $track->getTrackName() ) )
+ ->setAttr( 'value', $track->getTrackID() );
+
+ // eventually auto-select this track
+ $selected = false;
+ if( $event ) {
+ $selected = $event->getTrackID() === $track->getTrackID();
+ } elseif( isset( $_GET['track'] ) ) {
+ $selected = $_GET['track'] === $track->getTrackUID();
+ }
+
+ if( $selected ) {
+ $option->setAttr( 'selected', 'selected' );
+ }
+
+ echo $option->render();
+ }
+ ?>
+ </select>
+ </div>
+ </div>
+ <!-- /tracks -->
+
+ <!-- rooms -->
+ <div class="col s12 m4 l3">
+ <div class="card-panel">
+ <label for="room"><?= __( "Stanza" ) ?></label>
+ <select name="room">
+ <?php
+ // select all the available rooms for this Location
+ $rooms =
+ Room::factory()
+ ->whereInt( Location::ID, $conference->getLocationID() )
+ ->orderBy( Room::NAME )
+ ->queryGenerator();
+
+ // generate a select option for each room
+ foreach( $rooms as $room ) {
+ $option = ( new HTML( 'option' ) )
+ ->setText( esc_html( $room->getRoomName() ) )
+ ->setAttr( 'value', $room->getRoomID() );
+
+ // eventually auto-select this room
+ $selected = false;
+ if( $event ) {
+ $selected = $event->getRoomID() === $room->getRoomID();
+ } elseif( isset( $_GET['room'] ) ) {
+ $selected = $_GET['room'] === $room->getRoomUID();
+ }
+
+ if( $selected ) {
+ $option->setAttr( 'selected', 'selected' );
+ }
+
+ echo $option->render();
+ }
+ ?>
+ </select>
+ </div>
+ </div>
+ <!-- /rooms -->
+
+ </div>
+
+
+ <div class="row">
+
+ <div class="col s12 m4 l3">
+ <div class="card-panel">
+ <label for="event-start"><?= __( "Inizio" ) ?></label>
+ <input type="text" name="start" required placeholder="Y-m-d H:i:s"<?php
+ if( $event ) {
+ echo value( $event->getEventStart()->format( 'Y-m-d H:i:s' ) );
+ } elseif( isset( $_GET['start'] ) ) {
+ echo value( $_GET['start'] );
+ }
+ ?> />
+ </div>
+ </div>
+
+ <div class="col s12 m4 l3">
+ <div class="card-panel">
+ <label for="event-end"><?= __( "Fine" ) ?></label>
+ <input type="text" name="end" required placeholder="Y-m-d H:i:s"<?php
+ if( $event ) {
+ echo value( $event->getEventEnd()->format( 'Y-m-d H:i:s' ) );
+ } elseif( isset( $_GET['end'] ) ) {
+ echo value( $_GET['end'] );
+ }
+ ?> />
+ </div>
+ </div>
+
+ </div>
+
+ <?php foreach( Event::fields_i18n() as $i18n_column => $label ): ?>
+ <h3><?= $label ?></h3>
+ <div class="row">
+ <?php foreach( all_languages() as $lang ): ?>
+ <?php $iso = $lang->getISO() ?>
+ <?php $field = $i18n_column . '_' . $iso ?>
+ <div class="col s12 m6">
+ <div class="card-panel">
+ <label for="event-abstract"><?= $label ?> (<?= $lang->getHuman() ?>)</label>
+ <textarea name="<?= esc_attr( $field ) ?>" class="materialize-textarea"><?php
+ if( $event ) {
+ echo esc_html( $event->get( $field ) );
+ }
+ ?></textarea>
+ </div>
+ </div>
+ <?php endforeach ?>
+ </div>
+ <?php endforeach ?>
+
+ <!-- Image -->
+ <div class="row">
+ <div class="col s12 m6">
+ <div class="card-panel">
+ <label for="event-image"><?= __( "Immagine" ) ?></label>
+ <input type="text" name="image"<?php
+ if( $event ) {
+ echo value( $event->get( Event::IMAGE ) );
+ }
+ ?>/ >
+ <?php if( $event && $event->hasEventImage() ): ?>
+ <img src="<?= esc_attr( $event->getEventImage() ) ?>" class="responsive-img" alt="<?= esc_attr( $event->getEventTitle() ) ?>" />
+ <?php endif ?>
+ </div>
+ </div>
+ </div>
+ <!-- /Image -->
+
+ <div class="row">
+ <div class="col s12">
+ <button type="submit" class="btn waves-effect"><?= __( "Salva" ) ?></button>
+ </div>
+ </div>
+ </form>
+
+ <!-- image -->
+ <?php if( $event ): ?>
+ <form method="post" enctype="multipart/form-data">
+ <?php form_action( 'change-image' ) ?>
+ <div class="row">
+ <div class="col s12">
+ <div class="card-panel">
+
+ <h3><?= __( "Nuova Immagine" ) ?></h3>
+
+ <div class="file-field input-field">
+ <div class="btn">
+ <span><?= __( "Sfoglia" ) ?></span>
+ <input name="image" type="file" />
+ </div>
+ <div class="file-path-wrapper">
+ <input class="file-path validate" type="text" />
+ </div>
+ </div>
+ <button type="submit" class="btn waves-effect"><?= __( "Carica" ) ?></button>
+ </div>
+ </div>
+ </div>
+ </form>
+ <?php endif ?>
+ <!-- /image -->
+
+ <?php if( $event ): ?>
+ <div class="row">
+ <div class="col s12 m6">
+ <div class="card-panel">
+ <h3><?php printf(
+ __( "Associa %s" ),
+ __( "Utente" )
+ ) ?></h3>
+ <form action="" method="post">
+ <?php form_action( 'add-user' ) ?>
+ <select name="user" class="browser-default">
+ <?php $users = User::factory()
+ ->select( [
+ User::UID,
+ User::NAME,
+ User::SURNAME,
+ ] )
+ ->orderBy( User::NAME )
+ ->queryGenerator();
+ ?>
+ <?php foreach( $users as $user ): ?>
+ <option value="<?= $user->getUserUID() ?>">
+ <?= esc_html( $user->getUserFullname() ) ?>
+ </option>
+ <?php endforeach ?>
+ </select>
+ <p><button type="submit" class="btn"><?= __("Aggiungi") ?></button></p>
+ </form>
+
+ <p><?= HTML::a(
+ ROOT . '/2016/user-edit.php',
+ sprintf(
+ __( "Aggiungi %s" ),
+ sprintf(
+ __( "Nuovo %s" ),
+ __( "Utente" )
+ )
+ )
+ ) ?></p>
+ </div>
+ </div>
+ </div>
+ <?php endif ?>
+
+ <?php if( $event ): ?>
+ <?php $users = $event->factoryUserByEvent()
+ ->select( [
+ User::UID,
+ EventUser::ORDER,
+ ] )
+ ->defaultClass( EventUser::class )
+ ->orderBy( EventUser::ORDER )
+ ->queryGenerator();
+ ?>
+
+ <?php if( $users->valid() ): ?>
+ <h3><?php printf(
+ __( "Modifica %s" ),
+ __( "Ordinamento" )
+ ) ?></h3>
+ <div class="row">
+ <?php foreach( $users as $i => $user ): ?>
+ <div class="col s12 m6">
+ <div class="card-panel">
+ <div class="row">
+ <form action="" method="post">
+ <?php form_action( 'update-user' ) ?>
+ <div class="col s12 m6">
+ <input type="text" name="user"<?= value( $user->getUserUID() ) ?> />
+ </div>
+ <div class="col s12 m6">
+ <input type="number" name="order"<?= value( $user->getEventUserOrder() ) ?>" />
+ </div>
+ <div class="col sq12 m6">
+ <input type="checkbox" name="delete" value="yes" id="asd-<?= $i ?>" />
+ <label for="asd-<?= $i ?>"><?= __("Elimina") ?></label>
+ </div>
+ <div class="col s12 m6">
+ <p><button type="submit" class="btn"><?= __("Salva") ?></button></p>
+ <p><small><?= HTML::a(
+ $user->getUserEditURL(),
+ sprintf(
+ __( "Modifica %s" ),
+ __( "Utente" )
+ )
+ ) ?></small></p>
+ </div>
+ </form>
+ </div>
+ </div>
+ </div>
+ <?php endforeach ?>
+ </div>
+ <?php endif ?>
+ <?php endif ?>
+
+<?php
+
+Footer::spawn();
diff --git a/admin/event-translate.php b/admin/event-translate.php
new file mode 100644
index 0000000..4057936
--- /dev/null
+++ b/admin/event-translate.php
@@ -0,0 +1,136 @@
+<?php
+# Linux Day Torino Website - Event translation page
+# Copyright (C) 2019 Valerio Bozzolan, Linux Day Torino contributors
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+// load the framework
+require 'load.php';
+
+// only allow translators
+// read the Event ID
+$id = isset( $_GET['id'] )
+ ? (int) $_GET['id']
+ : null;
+
+// require the Event ID
+if( !$id ) {
+ die_with_404();
+}
+
+// query the Event
+$event = ( new QueryEvent() )
+ ->whereEventID( $id )
+ ->joinConference()
+ ->joinChapter()
+ ->queryRow();
+
+// no Event no party
+if( !$event ) {
+ die_with_404();
+}
+
+// no permissions no party
+if( !$event->isEventEditable() && !has_permission( 'translate' ) ) {
+ error_die( 'not enough permissions' );
+}
+
+$DEFAULT_LANGUAGE = RegisterLanguage::instance()->getDefault();
+
+// register form action
+if( is_action( 'translate-event' ) ) {
+
+ $tosave = [];
+
+ // for each language save the fields
+ foreach( all_languages() as $lang ) {
+
+ // do not allow to edit the default language if you are not the Event owner
+ if( $lang === $DEFAULT_LANGUAGE && !$event->isEventEditable() ) {
+ continue;
+ }
+
+ // for each translatable fields
+ foreach( Event::fields_i18n() as $i18n_column => $label ) {
+
+ // generic column name in this language
+ $field = $i18n_column . '_' . $lang->getISO();
+
+ // sent column value
+ $value = isset( $_POST[ $field ] )
+ ? $_POST[ $field ]
+ : null;
+
+ // set empty strings as null
+ if( !$value ) {
+ $value = null;
+ }
+
+ // sanitize the value before update (allow string and null)
+ $tosave[] = new DBCol( $field, $value, 'snull' );
+ }
+ }
+
+ // update the fields
+ ( new QueryEvent() )
+ ->whereEvent( $event )
+ ->update( $tosave );
+
+ // POST -> redirect -> GET
+ http_redirect( $_SERVER[ 'REQUEST_URI' ], 303 );
+}
+
+// print the site header
+Header::spawn( null, [
+ 'title' => $event->getEventTitle(),
+] );
+?>
+
+<p><?= HTML::a(
+ $event->getConferenceURL(),
+ esc_html( $event->getConferenceTitle() ) . icon( 'home', 'left' )
+) ?></p>
+
+<p><?= HTML::a(
+ // href
+ $event->getEventURL(),
+
+ // text
+ __( "Vedi" ) . icon( 'account_box', 'left' )
+) ?></p>
+
+<form method="post">
+
+ <?php form_action( 'translate-event' ) ?>
+
+ <?php foreach( Event::fields_i18n() as $field => $label ): ?>
+
+ <?php template( 'textarea-multilanguage', [
+ 'event' => $event,
+ 'field' => $field,
+ 'label' => $label,
+ ] ) ?>
+
+ <?php endforeach ?>
+
+ <div class="row">
+ <div class="col s12">
+ <button class="btn waves-effect" type="submit"><?= __( "Salva" ) ?></button>
+ </div>
+ </div>
+
+</form>
+
+<?php
+Footer::spawn();
diff --git a/admin/event.php b/admin/event.php
new file mode 100644
index 0000000..9ae3d77
--- /dev/null
+++ b/admin/event.php
@@ -0,0 +1,311 @@
+<?php
+# Linux Day 2016 - single event page (an event lives in a conference)
+# Copyright (C) 2016, 2017, 2018, 2019 Valerio Bozzolan, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+require 'load.php';
+
+$conference = FullConference::factoryFromUID( CURRENT_CONFERENCE_UID )
+ ->queryRow();
+
+if( !$conference ) {
+ die_with_404();
+}
+
+if( !isset( $_GET['uid'] ) ) {
+ die_with_404();
+}
+
+$event = FullEvent::factoryByConferenceAndUID(
+ $conference->getConferenceID(),
+ $_GET['uid']
+)->queryRow();
+
+if( !$event ) {
+ die_with_404();
+}
+
+$args = [
+ 'title' => sprintf(
+ __("%s: %s"),
+ $event->getChapterName(),
+ $event->getEventTitle()
+ ),
+ 'url' => $event->getEventURL( true ),
+];
+
+if( $event->hasEventImage() ) {
+ $args['og'] = [
+ 'image' => $event->getEventImage( true ),
+ ];
+}
+
+Header::spawn( null, $args );
+?>
+
+ <?php if( $event->isEventEditable() ): ?>
+ <p><?= HTML::a(
+ $event->getFullEventEditURL(),
+ __("Modifica") . icon('edit', 'left')
+ ) ?></p>
+ <?php elseif( $event->isEventTranslatable() ): ?>
+ <p><?= HTML::a(
+ $event->getEventTranslateURL(),
+ __("Traduci") . icon('edit', 'left')
+ ) ?></p>
+ <?php endif ?>
+
+ <div class="row">
+ <div class="col s12 m5 l4">
+ <div class="row">
+ <div class="col s6 m12">
+ <img class="responsive-img hoverable" src="<?= esc_attr(
+ $event->hasEventImage()
+ ? $event->getEventImage()
+ : DEFAULT_IMAGE
+ ) ?>" alt="<?= esc_attr( $event->getEventTitle() ) ?>" />
+ </div>
+ </div>
+ </div>
+
+ <!-- Start room -->
+ <div class="col s12 m6 offset-m1 l5 offset-l3">
+ <table class="striped bordered">
+ <tr>
+ <th><?= icon('folder', 'left'); echo __("Tema") ?></th>
+ <td>
+ <?= $event->getTrackName() ?><br />
+ <small><?= $event->getTrackLabel() ?></small>
+ </td>
+ </tr>
+ <tr>
+ <th><?= icon('room', 'left'); echo __("Dove") ?></th>
+ <td>
+ <?= $event->getRoomName() ?><br />
+ <small>@ <?= HTML::a(
+ $conference->getLocationGeoOSM(),
+ $conference->getLocationName(),
+ $conference->getLocationAddress(),
+ null,
+ 'target="_blank"'
+ ) ?></small><br />
+ <small><?= $conference->getLocationAddress() ?></small>
+ </td>
+ </tr>
+ <tr>
+ <th><?= icon('access_time', 'left'); echo __("Quando") ?></th>
+ <td>
+ <?= $event->getEventHumanStart() ?><br />
+ <small><?php printf(
+ __("%s alle %s"),
+ $event->getEventStart('d/m/Y'),
+ $event->getEventStart('H:i')
+ ) ?></small><br />
+ <small><?= HTML::a(
+ $event->getEventCalURL(),
+ __( "Scarica promemoria calendario" )
+ ) ?></small>
+ </td>
+ </tr>
+ </table>
+ </div>
+ <!-- End room -->
+ </div>
+
+ <!-- Start event abstract -->
+ <?php if( $event->hasEventAbstract() ): ?>
+ <div class="divider"></div>
+ <div class="section">
+ <h3><?= __("Abstract") ?></h3>
+ <?= $event->getEventAbstractHTML( ['p' => 'flow-text'] ) ?>
+ </div>
+ <?php endif ?>
+ <!-- End event abstract -->
+
+ <!-- Start event description -->
+ <?php if( $event->hasEventDescription() ): ?>
+ <div class="divider"></div>
+ <div class="section">
+ <h3><?= __("Descrizione") ?></h3>
+ <?= $event->getEventDescriptionHTML( ['p' => 'flow-text'] ) ?>
+ </div>
+ <?php endif ?>
+ <!-- End event description -->
+
+ <!-- Start event description -->
+ <?php if( $event->hasEventNote() ): ?>
+ <div class="divider"></div>
+ <div class="section">
+ <h3><?= __("Note") ?></h3>
+ <?= $event->getEventNoteHTML( ['p' => 'flow-text'] ) ?>
+ </div>
+ <?php endif ?>
+ <!-- End event description -->
+
+ <!-- Start files -->
+ <?php $sharables = $event->factorySharebleByEvent()
+ ->queryGenerator();
+ ?>
+ <?php if( $sharables->valid() ): ?>
+ <div class="divider"></div>
+ <div class="section">
+ <h3><?= __("Materiale") ?></h3>
+ <div class="row">
+ <?php foreach( $sharables as $sharable ): ?>
+ <div class="col s12">
+ <?php if( $sharable->isSharableDownloadable() ): ?>
+ <p class="flow-text">
+ <?php printf(
+ __("Scarica %s distribuibile sotto licenza %s."),
+ HTML::a(
+ $sharable->getSharablePath(),
+ icon('attachment', 'left') . $sharable->getSharableTitle(['prop' => true]),
+ null,
+ null,
+ 'target="_blank"'
+ ),
+ $sharable->getSharableLicense()->getLink()
+ ) ?>
+ </p>
+ <?php if( $sharable->isSharableVideo() ): ?>
+ <video class="responsive-video" controls="controls">
+ <source src="<?= $sharable->getSharablePath() ?>" type="<?= $sharable->getSharableMIME() ?>" />
+ </video>
+ <?php endif ?>
+ <?php else: ?>
+ <p class="flow-text">
+ <?php printf(
+ __("Vedi %s distribuibile sotto licenza %s."),
+ HTML::a(
+ $sharable->getSharablePath(),
+ icon('share', 'left') . $sharable->getSharableTitle( ['prop' => true] ),
+ null,
+ null,
+ 'target="_blank"'
+ ),
+ $sharable->getSharableLicense()->getLink()
+ ) ?>
+ </p>
+ <?php endif ?>
+ </div>
+ <?php endforeach ?>
+ </div>
+ </div>
+ <?php endif ?>
+ <!-- End files -->
+
+ <!-- Start speakers -->
+ <div class="divider"></div>
+ <div class="section">
+ <h3><?= __("Relatori") ?></h3>
+
+ <?php $users = $event->factoryUserByEvent()
+ ->queryGenerator(); ?>
+
+ <?php if( $users->valid() ): ?>
+ <div class="row">
+ <?php foreach( $users as $user ): ?>
+ <div class="col s12 m6">
+ <div class="row valign-wrapper">
+ <div class="col s4 l3">
+ <a class="tooltipped" href="<?= esc_attr(
+ $user->getUserURL()
+ ) ?>" title="<?= esc_attr( sprintf(
+ __("Profilo di %s"),
+ $user->getUserFullname()
+ ) ) ?>" data-tooltip="<?= esc_attr(
+ $user->getUserFullname()
+ ) ?>">
+ <img class="circle responsive-img hoverable" src="<?= esc_attr(
+ $user->getUserImage(256)
+ ) ?>" alt="<?= esc_attr(
+ $user->getUserFullname()
+ ) ?>" />
+ </a>
+ </div>
+ <div class="col s8 l9">
+ <?= HTML::a(
+ $user->getUserURL(),
+ "<h4>" . esc_html( $user->getUserFullname() ) . "</h4>",
+ sprintf(
+ __("Profilo di %s"),
+ $user->getUserFullname()
+ ),
+ 'valign'
+ ) ?>
+ </div>
+ </div>
+ </div>
+ <?php endforeach ?>
+ </div>
+ <?php else: ?>
+ <p><?= __("L'elenco dei relatori non è ancora noto.") ?></p>
+ <?php endif ?>
+ </div>
+ <!-- End speakers -->
+
+ <?php
+ $previous = $event->factoryPreviousFullEvent()
+ ->select('event_uid', 'event_title', 'chapter_uid', 'conference_uid', 'event_start')
+ ->limit(1)
+ ->queryRow();
+
+ $next = $event->factoryNextFullEvent()
+ ->select('event_uid', 'event_title', 'chapter_uid', 'conference_uid', 'event_start')
+ ->limit(1)
+ ->queryRow();
+ ?>
+ <?php if($previous || $next): ?>
+ <!-- Stard previous/before -->
+ <div class="divider"></div>
+ <div class="section">
+ <div class="row">
+ <div class="col s12 m6">
+ <?php if( $previous ): ?>
+ <h3><?= icon('navigate_before'); echo __("Preceduto da") ?></h3>
+ <p class="flow-text">
+ <?= HTML::a(
+ $previous->getEventURL(),
+ esc_html( $previous->getEventTitle() )
+ ) ?>
+ <time datetime="<?= $previous->getEventStart('Y-m-d H:i') ?>"><?= $previous->getEventHumanStart() ?></time>
+ </p>
+ <?php endif ?>
+ </div>
+ <div class="col s12 m6 right-align">
+ <?php if( $next ): ?>
+ <h3><?= __("A seguire"); echo icon('navigate_next') ?></h3>
+ <p class="flow-text">
+ <?= HTML::a(
+ $next->getEventURL(),
+ esc_html( $next->getEventTitle() )
+ ) ?>
+ <time datetime="<?= $next->getEventStart('Y-m-d H:i') ?>"><?= $next->getEventHumanStart() ?></time>
+ </p>
+ <?php endif ?>
+ </div>
+ </div>
+ </div>
+ <!-- End previous/before -->
+ <?php endif ?>
+
+ <script>
+ $( function () {
+ $( '.tooltipped' ).tooltip();
+ } );
+ </script>
+<?php
+
+Footer::spawn();
diff --git a/admin/includes/class-ActivityBox.php b/admin/includes/class-ActivityBox.php
new file mode 100644
index 0000000..171afdd
--- /dev/null
+++ b/admin/includes/class-ActivityBox.php
@@ -0,0 +1,78 @@
+<?php
+# Linux Day 2016 - activity box
+# Copyright (C) 2016, 2017, 2018 Valerio Bozzolan, Ludovico Pavesi, Rosario Antoci, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+/**
+ * Box for an activity
+ */
+class ActivityBox {
+
+ /**
+ * Spawn the box
+ *
+ * @param $what string Activity name
+ * @param $who string Who is conducting the activity
+ * @param $prep string Preposition for the conductor
+ * @param $img string Image name
+ * @param $attendize string Attendize URL
+ */
+ public static function spawn( $what, $who, $url = null, $prep = null, $img = null, $attendize = null ) {
+ if( ! $prep ) {
+ $prep = __( "da %s" );
+ }
+ $who_text = $who;
+ if( $url ) {
+ $who = HTML::a( $url, $who, null, 'white-text', 'target="_blank"' );
+ }
+ $who_prep = sprintf( $prep, $who );
+ ?>
+
+ <div class="col s12 m6">
+ <div class="card-panel hoverable purple darken-3 white-text">
+ <?php if( $img ): ?>
+ <div class="row"><!-- Start image row -->
+ <div class="col s4">
+ <img class="responsive-img" src="<?= STATIC_PATH . "/partner/$img" ?>" alt="<?php echo esc_attr( $who_text ) ?>" />
+ </div>
+ <div class="col s8"><!-- Start text col -->
+ <?php endif ?>
+
+ <p>
+ <span class="flow-text"><?= $what ?></span><br />
+ <?php printf( __( "Gestito %s." ), $who_prep ) ?>
+ </p>
+
+ <?php if( $attendize ): ?>
+ <p><?= HTML::a(
+ $attendize,
+ __("Prenota"),
+ sprintf(
+ __( "Prenota la tua partecipazione a %s" ),
+ $what
+ ),
+ 'btn white purple-text waves-effect waves-purple hoverable',
+ 'target="_blank"'
+ ) ?></p>
+ <?php endif ?>
+
+ <?php if( $img ): ?>
+ </div><!-- End text col -->
+ </div><!-- End image row -->
+ <?php endif ?>
+ </div>
+ </div><?php
+ }
+}
diff --git a/admin/includes/class-CreditBox.php b/admin/includes/class-CreditBox.php
new file mode 100644
index 0000000..941e0d6
--- /dev/null
+++ b/admin/includes/class-CreditBox.php
@@ -0,0 +1,58 @@
+<?php
+# Linux Day 2016 - Credits technology box
+# Copyright (C) 2016, 2017, 2018 Valerio Bozzolan, Rosario Antoci, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+/**
+ * Credit box
+ */
+class CreditBox {
+
+ /**
+ * Material design icon flag
+ */
+ const MDI = true;
+
+ /**
+ * Spawn a credit box
+ *
+ * @param $name string Project name
+ * @param $url string Project URL
+ * @param $license string License UID
+ * @param $icon string Icon filename or Material Design Icon name
+ */
+ public static function spawn( $name, $url, $license, $desc, $icon = null ) {
+ $license = license( $license ); ?>
+ <div class="col s3 m2 l1">
+ <div class="row libre-icon valign-wrapper">
+ <div class="col s12 valign">
+ <a href="<?= $url ?>" title="<?php printf(
+ __( "%s: progetto a licenza %s" ),
+ $name,
+ $license->getShort()
+ ) ?>" target="_blank">
+ <?php if( $icon ): ?>
+ <img class="hoverable responsive-img" src="<?= STATIC_PATH . "/libre-icons/$icon" ?>" alt="<?php printf(
+ __( "Logo di %s" ),
+ $name
+ ) ?>" />
+ <?php endif ?>
+ </a>
+ </div>
+ </div>
+ </div><?php
+ }
+
+}
diff --git a/admin/includes/class-DailyEventsTable.php b/admin/includes/class-DailyEventsTable.php
new file mode 100644
index 0000000..51b124d
--- /dev/null
+++ b/admin/includes/class-DailyEventsTable.php
@@ -0,0 +1,227 @@
+<?php
+# Linux Day 2016 - Print a daily rappresentation of events
+# Copyright (C) 2016, 2017, 2018 Valerio Bozzolan, Ludovico Pavesi, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+/**
+ * Print an hour-based events table
+ */
+class DailyEventsTable {
+
+ /**
+ * Conference
+ *
+ * @type object
+ */
+ private $conference;
+
+ /**
+ * Chapter
+ *
+ * @type object
+ */
+ private $chapter;
+
+ /**
+ * @type integer
+ */
+ private $hours;
+
+ /**
+ * @type array Array of tracks
+ */
+ private $tracks;
+
+ /**
+ * Bi-dimensional array of events indexed by [ $hour ][ $track_uid ]
+ *
+ * @type array Bi-dimensional array of database results
+ */
+ private $events;
+
+ /**
+ * Total of events
+ */
+ private $n;
+
+ /**
+ * Constructor
+ *
+ * @param $conference object Conference
+ * @param $chaptet object Chapter
+ * @param $fields array Fields to be selected
+ */
+ public function __construct( $conference, $chapter, $fields = [] ) {
+
+ $this->conference = $conference;
+ $this->chapter = $chapter;
+
+ $events = DailyEvents::fromConferenceChapter( $conference, $chapter, $fields );
+
+ foreach( $events as $event ) {
+ $track_uid = $event->getTrackUID();
+
+ $this->events[ $event->hour ][ $track_uid ] = $event;
+
+ if( ! isset( $this->tracks[ $track_uid ] ) ) {
+ $this->tracks[ $track_uid ] = $event;
+ }
+ }
+
+ // The number of hours is the hour of the last event
+ $this->hours = $events ? end( $events )->hour : 0;
+
+ $this->n = count( $events );
+ }
+
+ /**
+ * Print the daily events table
+ *
+ * N.B. It seems that it can exists a `table` function in a class but you CAN'T call it without a parse error.
+ * PHP MERDA.
+ */
+ public function printTable() {
+ if( ! isset( $this->tracks ) ) {
+ echo __("asd! No.");
+ return;
+ }
+
+ $conference_uid = $this->conference->getConferenceUID();
+ $chapter_uid = $this->chapter->getChapterUID();
+ ?>
+
+ <table class="bordered striped hoverable responsive-table">
+ <thead>
+ <tr>
+ <th><!-- asd --></th>
+
+ <?php foreach( $this->tracks as $track ): ?>
+ <th class="tooltipped" data-position="top" data-tooltip="<?= esc_attr( $track->getTrackLabel() ) ?>"><?= esc_html( $track->getTrackName() ) ?></th>
+ <?php endforeach ?>
+ </tr>
+ </thead>
+ <tbody>
+
+ <?php for( $h = 1; $h <= $this->getHours(); $h++ ): ?>
+ <tr class="hoverable">
+ <th><?php printf(
+ __("%d° ora"),
+ $h
+ ) ?></th>
+ <?php foreach( $this->getTracks() as $track ): ?>
+ <td><?php
+ $track_uid = $track->getTrackUID();
+ if( isset( $this->events[ $h ][ $track_uid ] ) ) {
+ $event = $this->events[ $h ][ $track_uid ];
+
+ $event_title = $event->getEventTitle();
+
+ $title = HTML::a(
+ FullEvent::permalink(
+ $conference_uid,
+ $event->getEventUID(),
+ $chapter_uid
+ ),
+ sprintf(
+ "<strong>%s</strong>",
+ $event_title
+ ),
+ sprintf(
+ __( "Talk %s" ),
+ $event_title
+ )
+ );
+ printf(
+ __( "%s<br /> di %s." ),
+ $title,
+ $this->getImplodedUsers( $h, $track_uid )
+ );
+ } else {
+ echo __( "Nessun talk pianificato." );
+ }
+ ?></td>
+ <?php endforeach ?>
+ </tr>
+ <?php endfor ?>
+
+ </tbody>
+ </table>
+
+ <?php
+ }
+
+ private function getImplodedUsers( $h, $t ) {
+ $event_ID = $this->events[ $h ][ $t ]->getEventID();
+
+ $users = User::factoryByEvent( $event_ID )
+ ->select( [
+ User::NAME,
+ User::SURNAME,
+ User::UID,
+ ] )
+ ->queryResults();
+
+ if( ! $users ) {
+ return "//";
+ }
+
+ foreach( $users as & $user ) {
+ $user = $user->getUserLink( ROOT );
+ }
+
+ $last = count( $users ) > 1 ? array_pop( $users ) : false;
+ $s = implode( __( ", " ), $users );
+ if( $last ) {
+ $s = sprintf( __( "%s e %s" ), $s, $last );
+ }
+ return $s;
+ }
+
+ /**
+ * Get how much hours
+ *
+ * @return int
+ */
+ public function getHours() {
+ return $this->hours;
+ }
+
+ /**
+ * Get all the tracks
+ *
+ * @return array
+ */
+ public function getTracks() {
+ return $this->tracks;
+ }
+
+ /**
+ * Count all the events
+ *
+ * @return int
+ */
+ public function countEvents() {
+ return $this->n;
+ }
+
+ /**
+ * Count all the tracks
+ *
+ * @return int
+ */
+ public function countTracks() {
+ return count( $this->tracks );
+ }
+}
diff --git a/admin/includes/class-Footer.php b/admin/includes/class-Footer.php
new file mode 100644
index 0000000..3d9e2bf
--- /dev/null
+++ b/admin/includes/class-Footer.php
@@ -0,0 +1,156 @@
+<?php
+# Linux Day 2016 - Footer
+# Copyright (C) 2016, 2017, 2018 Valerio Bozzolan, Rosario Antoci, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU General Public License for more details.
+#
+# You should have received a copy of the GNU General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+class Footer {
+ static function spawn( $args = [] ) {
+
+ $args = array_replace( [
+ 'home' => true
+ ], $args );
+?>
+
+
+ <?php if( $args['home'] ): ?>
+ <div class="divider"></div>
+ <div class="section">
+ <a class="btn purple darken-3 waves-effect" href="<?= keep_url_in_language( CURRENT_CONFERENCE_PATH . _ ) ?>">
+ <?php
+ printf(
+ __("Torna a %s"),
+ SITE_NAME
+ );
+ echo icon('home', 'right');
+ ?>
+ </a>
+ </div>
+ <?php endif ?>
+
+<?php load_module('footer') ?>
+
+<footer class="page-footer <?= BACK ?>">
+ <div class="container">
+ <div class="row">
+ <div class="col s12 m7 l8">
+ <h5 class="white-text"><code>#LDTO2016</code></h5>
+ <p class="white-text"><?php printf(
+ __("Tutti i contenuti sono rilasciati sotto ".
+ "licenza di <strong>contenuto culturale libero</strong> %s. ".
+ "Sei libero di distribuire e/o modificare i contenuti ".
+ "anche per scopi commerciali, fintanto che si cita la provenienza e ".
+ "si ricondivide sotto la medesima licenza."
+ ),
+ license('cc-by-sa-4.0')->getLink('yellow-text')
+ ) ?></p>
+ <p class="white-text"><?php printf(
+ __("Contattare all'indirizzo %s o al numero %s."),
+ HTML::a('mailto:' . CONTACT_EMAIL, CONTACT_EMAIL, null, 'white-text hoverable'),
+ HTML::a('tel:' . CONTACT_PHONE_PREFIX . CONTACT_PHONE, CONTACT_PHONE, null, 'white-text hoverable', 'target="_blank"')
+ ) ?></p>
+ <p class="ld-social valign-wrapper">
+ <a class="hoverable" href="https://facebook.com/LinuxDayTorino" target="_blank" title="<?php printf(
+ __("%s su Facebook"),
+ SITE_NAME
+ ) ?>">
+ <img src="<?= STATIC_PATH ?>/social/facebook.png" height="32" alt="Facebook" />
+ </a>
+
+ <a class="hoverable" href="https://twitter.com/LinuxDayTorino" target="_blank" title="<?php printf(
+ __("%s su Twitter"),
+ SITE_NAME
+ ) ?>">
+ <img src="<?= STATIC_PATH ?>/social/twitter.png" height="32" alt="Twitter" class="circle white" />
+ </a>
+
+ <?= HTML::a(
+ 'https://blog.linuxdaytorino.org',
+ icon('rss_feed', 'purple-text text-darken-3 ld-blog-icon'),
+ __("Blog del Linux Day Torino"),
+ 'btn-floating waves-effect waves-purple white purple-text ld-blog',
+ 'target="_blank"'
+ ) ?>
+ </p>
+ </div>
+ <div class="col s12 m5 l4">
+ <h5 class="white-text"><?= __("Edizioni Passate") ?></h5>
+ <ul>
+ <?php $ld = function($year, $where) { ?>
+ <li><?= HTML::a(
+ "/$year/",
+ "$year, $where",
+ sprintf(
+ "Linux Day %d %s",
+ $year,
+ $where
+ ),
+ 'grey-text text-lighten-3 hoverable'
+ ) ?></li>
+ <?php };
+
+ $ld(2015, __("Dipartimento di Biotecnologie") );
+ $ld(2014, __("Politecnico di Torino") );
+ $ld(2013, __("Politecnico di Torino") );
+ $ld(2012, __("Cortile del Maglio") );
+
+ // You want to fight about this?
+ for($year=2011; $year>2006; $year--) {
+ $ld($year, __("Cascina Roccafranca") );
+ }
+ ?>
+ </ul>
+
+ <h5 class="white-text"><?= __( "Lingua" ) ?></h5>
+ <form method="get">
+ <select name="l">
+ <?php foreach( all_languages() as $l ): ?>
+ <option value="<?= $l->getISO() ?>"<?= selected( $l, latest_language() ) ?>><?= $l->getHuman() ?></option>
+ <?php endforeach ?>
+ </select>
+ <button type="submit" class="btn waves-effect"><?= __( "Scegli" ) ?></button>
+ </form>
+ </div>
+ </div>
+ <div class="row darken-1 white-text">
+ <div class="col s12">
+ <p><small><?php
+ echo icon('cloud_queue', 'left');
+ printf(
+ __("Pagina generata in %s secondi con %d query al database."),
+ get_page_load(),
+ get_num_queries()
+ );
+ ?></small></p>
+ </div>
+ </div>
+ </div>
+ <div class="footer-copyright">
+ <div class="container">
+ <p>&copy; <?= date('Y') ?> <?= SITE_NAME ?> - <?= __("<b>Alcuni</b> diritti riservati.") ?></p>
+ </div>
+ </div>
+</footer>
+<script>
+$( function () {
+ $( '.button-collapse' ).sideNav();
+ $( '.parallax' ).parallax();
+ $( 'select' ).material_select();
+} );
+</script>
+</body>
+</html>
+<!-- <?= __("Hai notato qualcosa? Non c'è nessun software di tracciamento degli utenti. Non dovremmo vantarcene, dato che dovrebbe essere una cosa normale non regalare i tuoi dati a terzi!") ?> --><?php
+ }
+}
diff --git a/admin/includes/class-Header.php b/admin/includes/class-Header.php
new file mode 100644
index 0000000..7df0fc2
--- /dev/null
+++ b/admin/includes/class-Header.php
@@ -0,0 +1,205 @@
+<?php
+# Linux Day 2016 - Header
+# Copyright (C) 2016, 2017, 2018 Valerio Bozzolan, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+/**
+ * Header of the website
+ */
+class Header {
+
+ /**
+ * Spawn the header
+ *
+ * @param $menu_uid string Menu entry UID (if any) or page title
+ * @param $args array Header arguments
+ */
+ public static function spawn( $menu_uid = null, $args = [] ) {
+
+ $menu = $menu_uid
+ ? menu_entry( $menu_uid )
+ : null;
+
+ $args = array_replace( [
+ 'show-title' => true,
+ 'nav-title' => SITE_NAME_SHORT,
+ 'head-title' => null,
+ 'title' => $menu ? $menu->name : null,
+ 'url' => $menu ? keep_url_in_language( $menu->url ) : null,
+ 'not-found' => false,
+ 'user-navbar' => true,
+ 'container' => true,
+ 'alert' => null,
+ 'alert.type' => null,
+ 'noindex' => NOINDEX
+ ], $args );
+
+ if( ! isset( $args['og'] ) ) {
+ $args['og'] = [];
+ }
+
+ $args['og'] = array_replace( [
+ 'image' => STATIC_URL . '/ld-2016-logo-purple.png', // It's better an absolute URL here
+ 'type' => 'website',
+ 'url' => $args['url'],
+ 'title' => $args['title']
+ ], $args['og'] );
+
+ if( $args['head-title'] === null ) {
+ $args['head-title'] = sprintf(
+ __("%s - %s"),
+ $args['title'],
+ $args['nav-title']
+ );
+ }
+
+ // force the permalink to this URL
+ if( $args['url'] && FORCE_PERMALINK ) {
+ force_permalink( $args['url'] );
+ }
+
+ header('Content-Type: text/html; charset=' . CHARSET);
+
+ if( $args['not-found'] ) {
+ header('HTTP/1.1 404 Not Found');
+ }
+
+ enqueue_css('materialize');
+ enqueue_css('materialize.custom');
+ enqueue_css('materialize.icons');
+ enqueue_js('jquery');
+ enqueue_js('materialize');
+
+ // Close header - Start
+ $args['container'] && inject_in_module('footer', function() { ?>
+ </div>
+ <!-- End container -->
+
+ <?php } );
+ // Close header - End
+
+ $l = latest_language()->getISO();
+?>
+<!DOCTYPE html>
+<html lang="<?= $l ?>">
+<head>
+ <title><?= esc_html( $args['head-title'] ) ?></title>
+ <meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no" />
+ <meta name="generator" content="GNU nano" />
+ <link rel="copyright" href="//creativecommons.org/licenses/by-sa/4.0/" />
+ <link rel="icon" type="image/png" sizes="196x196" href="<?= STATIC_PATH ?>/favicon/favicon-192.png" />
+ <link rel="shortcut icon" href="<?= STATIC_PATH ?>/favicon/favicon.ico" />
+ <link rel="icon" sizes="16x16 32x32 64x64" href="<?= STATIC_PATH ?>/favicon/favicon.ico" />
+ <link rel="icon" type="image/png" sizes="196x196" href="<?= STATIC_PATH ?>/favicon/favicon-192.png" />
+ <link rel="icon" type="image/png" sizes="160x160" href="<?= STATIC_PATH ?>/favicon/favicon-160.png" />
+ <link rel="icon" type="image/png" sizes="96x96" href="<?= STATIC_PATH ?>/favicon/favicon-96.png" />
+ <link rel="icon" type="image/png" sizes="64x64" href="<?= STATIC_PATH ?>/favicon/favicon-64.png" />
+ <link rel="icon" type="image/png" sizes="32x32" href="<?= STATIC_PATH ?>/favicon/favicon-32.png" />
+ <link rel="icon" type="image/png" sizes="16x16" href="<?= STATIC_PATH ?>/favicon/favicon-16.png" />
+ <link rel="apple-touch-icon" href="<?= STATIC_PATH ?>/favicon/favicon-57.png" />
+ <link rel="apple-touch-icon" sizes="114x114" href="<?= STATIC_PATH ?>/favicon/favicon-114.png" />
+ <link rel="apple-touch-icon" sizes="72x72" href="<?= STATIC_PATH ?>/favicon/favicon-72.png" />
+ <link rel="apple-touch-icon" sizes="144x144" href="<?= STATIC_PATH ?>/favicon/favicon-144.png" />
+ <link rel="apple-touch-icon" sizes="60x60" href="<?= STATIC_PATH ?>/favicon/favicon-60.png" />
+ <link rel="apple-touch-icon" sizes="120x120" href="<?= STATIC_PATH ?>/favicon/favicon-120.png" />
+ <link rel="apple-touch-icon" sizes="76x76" href="<?= STATIC_PATH ?>/favicon/favicon-76.png" />
+ <link rel="apple-touch-icon" sizes="152x152" href="<?= STATIC_PATH ?>/favicon/favicon-152.png" />
+ <link rel="apple-touch-icon" sizes="180x180" href="<?= STATIC_PATH ?>/favicon/favicon-180.png" />
+ <meta name="msapplication-TileColor" content="#FFFFFF" />
+ <meta name="msapplication-TileImage" content="<?= STATIC_PATH ?>/favicon/favicon-144.png" />
+ <meta name="msapplication-config" content="<?= STATIC_PATH ?>/favicon/browserconfig.xml" />
+<?php load_module('header') ?>
+
+<?php foreach($args['og'] as $id=>$value): ?>
+ <meta property="og:<?= $id ?>" content="<?php echo $value ?>" />
+<?php endforeach ?>
+<?php if( $args['noindex'] ): ?>
+ <meta name="robots" content="noindex" />
+<?php endif ?>
+</head>
+<!--
+ _ _ _ _ _ _
+| | (_)_ __ _ ___ __ (_)___ | (_) | _____ ___ _____ __
+| | | | '_ \| | | \ \/ / | / __| | | | |/ / _ \ / __|/ _ \ \/ /
+| |___| | | | | |_| |> < | \__ \ | | | < __/ \__ \ __/> < _
+|_____|_|_| |_|\__,_/_/\_\ |_|___/ |_|_|_|\_\___| |___/\___/_/\_( )
+ |/
+ _ _ _ _ _ _ _
+(_) |_( )___ | |__ ___| |_| |_ ___ _ __ __ _| |__ ___ _ __
+| | __|// __| | '_ \ / _ \ __| __/ _ \ '__| \ \ /\ / / '_ \ / _ \ '_ \
+| | |_ \__ \ | |_) | __/ |_| || __/ | \ V V /| | | | __/ | | |
+|_|\__| |___/ |_.__/ \___|\__|\__\___|_| \_/\_/ |_| |_|\___|_| |_|
+ _ _ _ __ _____
+(_) |_( )___ / _|_ __ ___ ___ | ___| __ ___ ___ __ _ ___
+| | __|// __| | |_| '__/ _ \/ _ \ | |_ | '__/ _ \/ _ \ / _` / __|
+| | |_ \__ \ | _| | | __/ __/_ _ _ | _|| | | __/ __/ | (_| \__ \
+|_|\__| |___/ |_| |_| \___|\___(_|_|_) |_| |_| \___|\___| \__,_|___/
+ _ _____ _ _
+(_)_ __ | ___| __ ___ ___ __| | ___ _ __ ___ | |
+| | '_ \ | |_ | '__/ _ \/ _ \/ _` |/ _ \| '_ ` _ \| |
+| | | | | | _|| | | __/ __/ (_| | (_) | | | | | |_|
+|_|_| |_| |_| |_| \___|\___|\__,_|\___/|_| |_| |_(_)
+
+<3
+<?= __('https://it.wikipedia.org/wiki/GNU') ?>
+
+<3
+<?= __('https://it.wikipedia.org/wiki/Linux_(kernel)') ?>
+
+-->
+<body>
+ <nav>
+ <div class="nav-wrapper purple darken-4">
+ <a class="brand-logo" href="<?= keep_url_in_language( CURRENT_CONFERENCE_PATH . _ ) ?>" title="<?php echo esc_attr(SITE_NAME) ?>">
+ <img src="<?= STATIC_PATH ?>/ld-2016-logo-64.png" alt="<?php echo esc_attr(SITE_DESCRIPTION) ?>" />
+ </a>
+ <a href="#" data-activates="slide-out" class="button-collapse"><?= icon('menu') ?></a>
+ <?php print_menu('root', 0, ['main-ul-intag' => 'class="right hide-on-med-and-down"']) ?>
+
+ </div>
+ <?php print_menu('root', 0, [
+ 'main-ul-intag' => 'id="slide-out" class="side-nav"',
+ 'collapse' => true
+ ] ) ?>
+
+ </nav>
+ <div class="parallax-container">
+ <div class="parallax"><img src="<?= STATIC_PATH ?>/this-is-Wikipedia.jpg" alt="<?php echo __("This is Wikipedia") ?>"></div>
+ </div>
+
+ <?php if( $args['alert'] ) {
+ new Messagebox( $args['alert'], $args['alert.type'] );
+ } ?>
+
+ <?php if( $args['show-title'] ): ?>
+ <header class="container">
+ <?php if( isset( $args['url'] ) ): ?>
+
+ <h1><?= HTML::a( $args['url'], esc_html( $args['title'] ), null, TEXT ) ?></h1>
+ <?php else: ?>
+
+ <h1><?= esc_html( $args['title'] ) ?></h1>
+ <?php endif ?>
+ </header>
+ <?php endif ?>
+
+ <?php if( $args['container'] ): ?>
+ <!-- Start container -->
+ <div class="container">
+
+ <?php endif ?>
+
+<?php }
+}
diff --git a/admin/includes/class-Messagebox.php b/admin/includes/class-Messagebox.php
new file mode 100644
index 0000000..e554e22
--- /dev/null
+++ b/admin/includes/class-Messagebox.php
@@ -0,0 +1,50 @@
+<?php
+# Linux Day 2016 - Messagebox
+# Copyright (C) 2016 Valerio Bozzolan
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+class Messagebox {
+ const ERROR = 'error';
+ const WARN = 'warning';
+ const INFO = 'info';
+
+ function __construct($message, $type = 'info') { ?>
+
+ <div class="container">
+ <div class="card-panel <?= self::color($type) ?>">
+ <p class="flow-text"><?= icon( self::icon($type), 'left' ); echo $message ?></p>
+ </div>
+ </div>
+
+<?php }
+
+ static function icon($type) {
+ $types = [
+ 'info' => 'info_outline',
+ 'error' => 'error_outline',
+ 'warning' => 'warning'
+ ];
+ return $types[ $type ];
+ }
+
+ static function color($type) {
+ $colors = [
+ 'info' => 'blue lighten-2',
+ 'error' => 'red accent-4 white-text',
+ 'warning' => 'purple lighten-5'
+ ];
+ return $colors[ $type ];
+ }
+}
diff --git a/admin/includes/class-SocialBox.php b/admin/includes/class-SocialBox.php
new file mode 100644
index 0000000..8f4a85b
--- /dev/null
+++ b/admin/includes/class-SocialBox.php
@@ -0,0 +1,49 @@
+<?php
+# Linux Day 2016 - Social box
+# Copyright (C) 2016, 2017, 2018 Valerio Bozzolan, Ludovico Pavesi, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+/**
+ * Social box
+ */
+class SocialBox {
+
+ /**
+ * Spawn a social box
+ *
+ * @param $user User
+ * @param $social string Social title
+ * @param $profile string Profile URL
+ * @param $path string Icon path
+ * @param $is_icon
+ */
+ public static function spawn( $user, $social, $profile, $path, $is_icon = false ) { ?>
+ <div class="col s4 m3 l2">
+ <?php
+ $title = sprintf(
+ __("%s su %s"),
+ $user->getUserFullname(),
+ $social
+ );
+
+ $logo = $is_icon
+ ? icon( $path )
+ : HTML::img( STATIC_PATH . "/social/$path", $social, $title, 'responsive-img' );
+
+ echo HTML::a( $profile, $logo, $title, null, 'target="_blank" rel="noreferrer nofollow"' ); ?>
+ </div><?php
+ }
+
+}
diff --git a/admin/includes/functions.php b/admin/includes/functions.php
new file mode 100644
index 0000000..194a4a1
--- /dev/null
+++ b/admin/includes/functions.php
@@ -0,0 +1,85 @@
+<?php
+# Linux Day 2016 - Lazy functions
+# Copyright (C) 2016, 2018 Valerio Bozzolan
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+/**
+ * A recursive function to generate a menu tree.
+ *
+ * @param string $uid The menu identifier
+ * @param int $level Level of the menu, used internally. Default 0.
+ * @param array $args Arguments
+ */
+function print_menu($uid = null, $level = 0, $args = [] ) {
+
+ $args = array_replace( [
+ 'max-level' => 99,
+ 'main-ul-intag' => 'class="collection"'
+ ], $args );
+
+ if( $level > $args['max-level'] ) {
+ return;
+ }
+
+ $menuEntries = get_children_menu_entries($uid);
+
+ if( ! $menuEntries ) {
+ return;
+ }
+ ?>
+
+ <ul<?php if($level === 0): echo HTML::spaced( $args['main-ul-intag'] ); endif ?>>
+ <?php foreach( $menuEntries as $menuEntry ): ?>
+
+ <li>
+ <?= HTML::a( keep_url_in_language( $menuEntry->url ), $menuEntry->name, $menuEntry->get('title') ) ?>
+<?php print_menu( $menuEntry->uid, $level + 1, $args ) ?>
+
+ </li>
+ <?php endforeach ?>
+
+ </ul>
+ <?php
+}
+
+function icon($icon = 'send', $c = null) {
+ if( $c !== null ) {
+ $c = " $c";
+ } else {
+ $c = '';
+ }
+ return "<i class=\"material-icons$c\">$icon</i>";
+}
+
+function die_with_404() {
+ new Header('404', [
+ 'title' => __("È un 404! Pagina non trovata :("),
+ 'not-found' => true
+ ] );
+ error( __("Nott foond! A.k.a. erroro quattrociantoquatto (N.B. eseguire coi permessi di root <b>non</b> risolve la situazione!)") );
+ new Footer();
+ exit;
+}
+
+/**
+ * Require a certain page from the template directory
+ *
+ * @param $name string page name (to be sanitized)
+ * @param $args mixed arguments to be passed to the page scope
+ */
+function template( $template, $template_args = [] ) {
+ extract( $template_args, EXTR_SKIP );
+ require CURRENT_CONFERENCE_ABSPATH . __ . 'template' . __ . $template . '.php';
+}
diff --git a/admin/index.php b/admin/index.php
new file mode 100644
index 0000000..9404d3a
--- /dev/null
+++ b/admin/index.php
@@ -0,0 +1,395 @@
+<?php
+# Linux Day 2016 - homepage of the conference
+# Copyright (C) 2016, 2017, 2018, 2019 Valerio Bozzolan, Ludovico Pavesi, Rosario Antoci, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+require 'load.php';
+
+$conference = FullConference::factoryFromUID( CURRENT_CONFERENCE_UID )
+ ->queryRow();
+
+if( !$conference ) {
+ die_with_404();
+}
+
+enqueue_js('leaflet');
+enqueue_js('leaflet.init');
+enqueue_js('scrollfire');
+enqueue_css('leaflet');
+enqueue_css('home');
+
+// Support for non-JavaScript
+inject_in_module('header', function() {
+ echo "\n\t<noscript><style>#map {display: none}</style></noscript>";
+} );
+
+Header::spawn( null, [
+ 'show-title' => false,
+ 'head-title' => $s = $conference->getConferenceTitle(),
+ 'title' => $s,
+ 'url' => $conference->getConferenceURL()
+] );
+?>
+ <?php
+ $from = $conference->getConferenceEnd('Y-m-d H:i:s');
+
+ $other_events = $conference->factoryFullEventByConference()
+ ->select( [
+ Event::UID,
+ Event::TITLE,
+ Event::START,
+ Event::END,
+ Chapter::UID,
+ Chapter::NAME,
+ Room::NAME,
+ ] )
+ ->where( sprintf(
+ "%s > '%s'",
+ Event::END,
+ esc_sql( $from )
+ ) )
+ ->orderBy( Event::START )
+ ->queryGenerator();
+ ?>
+ <?php if( $other_events->valid() ): ?>
+ <div class="section">
+ <h3><?php printf( __("Il %s si è concluso..."), $conference->getConferenceTitle() ) ?></h3>
+ <h4><?= __("Ma abbiamo altro!") ?></h4>
+ <table class="bordered hoverable">
+ <tr>
+ <th><?= __("Evento") ?></th>
+ <th><?= __("Quando") ?></th>
+ <th class="hide-on-small-only"><?= __("Dove") ?></th>
+ </tr>
+ <?php foreach( $other_events as $event ): ?>
+ <?php
+ $classes = 'hoverable';
+ if( $event->isEventPassed() ) {
+ $classes .= ' grey lighten-3';
+ }
+ ?>
+ <tr class="<?= $classes ?>">
+ <td>
+ <?= HTML::a(
+ FullEvent::permalink(
+ $conference->getConferenceUID(),
+ $event->getEventUID(),
+ $event->getChapterUID()
+ ),
+ $event->getEventTitle()
+ ) ?><br />
+ <small>(<?= $event->getChapterName() ?>)</small>
+ </td>
+ <td>
+ <time datetime="<?= $event->getEventStart( 'Y-m-d H:i' ) ?>"><?= $event->getEventHumanStart() ?></time><br />
+ <small>(<?php printf(
+ __("%s alle %s"),
+ $event->getEventStart( __( "d/m/Y" ) ),
+ $event->getEventStart( 'H:i' )
+ ) ?>)</small>
+ </td>
+ <td class="hide-on-small-only">
+ <?= $event->getRoomName() ?>
+ </td>
+ </tr>
+ <?php endforeach ?>
+ </table>
+ </div>
+ <?php endif ?>
+
+ <div class="header">
+ <div class="center-align">
+ <h1><?= HTML::a(
+ $conference->getConferenceURL(),
+ strtoupper( SITE_NAME ),
+ null,
+ TEXT
+ ) ?></h1>
+ </div>
+ </div>
+
+ <div class="section">
+ <div class="row valign-wrapper">
+ <div class="col s12 m2 l1 center-align hide-on-small-only">
+ <img src="<?= STATIC_PATH ?>/linuxday-200.png" alt="<?= esc_attr( $conference->getConferenceTitle() ) ?>" class="responsive-img" />
+ </div>
+ <div class="col s12 m10 l11">
+ <p class="flow-text text-justify"><?php printf(
+ __(
+ "Il Linux Day è la principale manifestazione italiana di promozione di software libero e sistemi operativi %s/%s. ".
+ "Il Linux Day Torino 2016 si è tenuto il <strong>%s</strong> (%s) presso il <strong>Dipartimento di Informatica</strong> dell'Università degli studi di Torino."
+ ),
+ HTML::a(
+ __('https://it.wikipedia.org/wiki/GNU'),
+ 'GNU',
+ null,
+ 'black-text hoverable'
+ ),
+ HTML::a(
+ __('https://it.wikipedia.org/wiki/Linux_%28kernel%29'),
+ 'Linux',
+ null,
+ 'black-text hoverable'
+ ),
+ $conference->getConferenceStart('d/m/Y'),
+ $conference->getConferenceHumanStart()
+ ) ?></p>
+ </div>
+ </div>
+ <div class="row">
+ <div class="col s12 m8">
+ <blockquote class="flow-text">
+ // How to write good code<br />
+ <strong>$software</strong>:
+ function(<span class="yellow hoverable">play</span>,
+ <span class="teal white-text hoverable">freedom</span>,
+ <span class="purple darken-2 white-text hoverable">friends</span>) { /* RTFM */ }
+ </blockquote>
+ </div>
+ <div class="col s12 m4">
+ <p class="flow-text"><?= __("Il tema di quest'anno a livello nazionale è... il <code>coding</code>!") ?></p>
+ </div>
+ </div>
+ </div>
+
+ <div id="talk" class="divider" data-show="#talk-section"></div>
+ <div class="section" id="talk-section">
+ <?php $chapter = Chapter::factoryFromUID('talk')->queryRow() ?>
+
+ <h3><?= esc_html( $chapter->getChapterName() ) ?></h3>
+
+ <?php $eventsTable = new DailyEventsTable( $conference, $chapter, [
+ Event::T . DOT . Event::ID,
+ Event::UID,
+ Event::TITLE,
+ Event::START,
+ Event::END,
+ Track::UID,
+ Track::NAME,
+ Track::LABEL,
+ ]
+ ); ?>
+ <p class="flow-text text-justify"><?php printf(
+ __(
+ "Un ampio programma fatto di %s talks di un'ora ciascuno distribuiti in %s ore, ".
+ "affrontando tematiche riguardanti il software libero su più livelli, ".
+ "per soddisfare le esigenze di un ampio pubblico (dai più piccoli, al curioso, fino agli esperti)."
+ ),
+ "<b>{$eventsTable->countEvents()}</b>",
+ "<b>{$eventsTable->getHours()}</b>"
+ ) ?></p>
+ <p><?php printf(
+ __("In seguito si riporta la tabella dei talk suddivisa in %s categorie:"),
+ "<b>{$eventsTable->countTracks()}</b>"
+ ) ?></p>
+ <?php $eventsTable->printTable(); ?>
+ </div>
+
+ <div id="rooms" class="divider" data-show="#rooms-section"></div>
+ <div class="section" id="rooms-section">
+ <div class="row">
+ <div class="col s12 m4 l4">
+ <h3><?= __("Planimetria") ?></h3>
+ <p class="flow-text"><?= __("La manifestazione è suddivisa in aule tematiche.") ?></p>
+ </div>
+ <div class="col s12 m7 offset-m1 l6 offset-l2">
+ <div class="card-panel">
+ <div class="center-align">
+ <p><img class="materialboxed responsive-img" src="<?= ROOT ?>/2016/static/libre-icons/planimetria_dip_info.png" alt="<?= __("Planimetria Dipartimento di Informatica") ?>" /></p>
+ </div>
+ </div>
+ </div>
+ </div>
+ </div>
+
+ <div id="fdroid" class="divider" data-show="#fdroid-section"></div>
+ <div class="section" id="fdroid-section">
+ <h3><?= __("App Android") ?></h3>
+ <p class="flow-text"><?php printf(
+ __("La tabella dei talk può essere scomoda su schermo piccolo. Prova l'app %s!"),
+ "<em>LDTO Companion</em>"
+ ) ?></p>
+ <div class="row">
+ <div class="col s12 m5 l6">
+ <div class="row">
+ <div class="col s4 offset-s4 m12">
+ <img src="<?= STATIC_PATH ?>/libre-icons/f-droid.png" alt="F-Droid" class="responsive-img" />
+ </div>
+ </div>
+ </div>
+ <div class="col s12 m7 l6">
+ <p><?php
+ echo icon('looks_one', 'left');
+ printf(
+ __("Scarica e installa %s:"),
+ "F-Droid"
+ );
+ ?></p>
+ <p>
+ <a class="btn waves-effect purple darken-2 waves-light" href="https://f-droid.org" target="_blank">
+ <?= icon('file_download', 'left'); echo __("Installa F-Droid") ?>
+ </a>
+ </p>
+ <p><?php
+ echo icon('looks_two', 'left');
+ printf(
+ __("Scarica e installa %s:"),
+ "LDTO Companion"
+ );
+ ?></p>
+ <p>
+ <a class="btn waves-effect purple darken-2 waves-light" href="https://f-droid.org/en/packages/it.linuxday.torino/" target="_blank">
+ <?= icon('file_download', 'left'); echo __("Installa LDTO16") ?>
+ </a>
+ </p>
+ </div>
+ </div>
+ </div>
+
+ <div id="activities" class="divider" data-show="#activities-section"></div>
+ <div class="section" id="activities-section">
+ <h3><?= __("Attività") ?></h3>
+ <p class="flow-text"><?= __("In contemporanea ai talk avranno luogo diverse attività:") ?></p>
+ <div class="row">
+ <?php
+ ActivityBox::spawn(
+ __("Riparazione di apparecchiature elettroniche."),
+ __("Associazione Restarters Torino"),
+ 'http://www.associazionetesso.org',
+ __("dall'%s"),
+ 'restart-party.png'
+ );
+ ActivityBox::spawn(
+ __("Laboratorio di coding per i più piccoli a tema Linux Day"),
+ sprintf(
+ __("%s e %s."),
+ HTML::a(
+ 'http://www.coderdojotorino.it',
+ __("CoderDojo Torino"),
+ null,
+ 'white-text',
+ 'target="_blank"'
+ ),
+ HTML::a(
+ 'http://www.coderdojotorino2.it',
+ __("Coderdojo Torino 2"),
+ null,
+ 'white-text',
+ 'target="_blank"'
+ )
+ ),
+ null,
+ null,
+ 'coderdojo.png',
+ 'https://attendize.ldto.it/e/3/coderdojo-at-linuxday'
+ );
+ ActivityBox::spawn(
+ __("Allestimento museale di Retrocomputing."),
+ "MuBIT",
+ 'http://mupin.it',
+ __("dal %s"),
+ 'mubit.png'
+ );
+ ActivityBox::spawn(
+ __("LIP (Linux Installation Party) e assistenza tecnica distribuzioni GNU/Linux."),
+ __("volontari")
+ );
+ ?>
+
+ </div>
+ </div>
+
+ <div id="where" class="divider" data-show="#where-section"></div>
+ <div id="where-section" class="section">
+ <div class="row">
+ <div class="col s12 m4">
+ <h3><?= __("Come arrivare") ?></h3>
+ <p class="flow-text"><?= $conference->getLocationName() ?></p>
+ <?= $conference->getLocationNoteHTML(['p' => 'flow-text']) ?>
+ </div>
+ <div class="col s10 m8">
+ <div class="card-panel">
+ <?php $conference->printLocationLeaflet() ?>
+ <noscript>
+ <img class="responsive-img" src="<?= $conference->getLocationGeothumb() ?>" alt="<?= esc_html( $conference->getLocationName() ) ?>">
+ <p><?= __("Abilitare JavaScript per la mappa interattiva.") ?></p>
+ </noscript>
+ <div class="row valign-wrapper">
+ <div class="col s8">
+ <p class="flow-text"><?= $conference->getLocationAddress() ?></p>
+ </div>
+ <div class="col s4">
+ <p class="right"><?= HTML::a(
+ $conference->getLocationGeoOSM(),
+ icon('place', 'right'),
+ sprintf(
+ __("Vedi %s su OpenStreetMap"),
+ esc_html( $conference->getConferenceTitle() )
+ ),
+ 'btn-floating btn-large purple darken-3 waves-effect',
+ 'target="_blank"'
+ ) ?></p>
+ </div>
+ </div>
+ </div>
+ </div>
+ </div>
+ </div>
+
+ <div id="price" class="divider" data-show="#price-section"></div>
+ <div class="section" id="price-section">
+ <div class="row">
+ <div class="col s12 m4">
+ <div class="row">
+ <div class="col s6 m12 offset-s3">
+ <div class="center-align">
+ <img class="responsive-img circle hoverable" src="<?= STATIC_PATH ?>/4-liberta.png" alt="<?php
+ __("Le quattro libertà fontamentali del software libero")
+ ?>" />
+ </div>
+ </div>
+ </div>
+ </div>
+ <div class="col s12 m8">
+ <h3><?= __("Ingresso gratuito") ?></h3>
+ <p class="flow-text"><?php printf(
+ __(
+ "Anche quest'anno l'accesso all'evento è completamente gratuito.<br /> ".
+ "Non dimenticare di portarti a casa una <em>maglietta</em> o ".
+ "qualche dozzina di adesivi e spille! ".
+ "È il nostro modo per promuovere ulteriormente il software libero, ".
+ "per far sì che altri Linux Day rimangano sempre indipendenti, liberi e gratuiti.<br /> ".
+ "Ci vediamo il <strong>%s</strong>!"
+ ),
+ __("22 ottobre")
+ ) ?></p>
+
+ <!--
+ <p><?= HTML::a(
+ './partner.php',
+ __("Scopri i nostri partner") . icon('business', 'right'),
+ sprintf(
+ __("Partner %s"),
+ $conference->getConferenceTitle()
+ ),
+ 'btn purple white-text waves-effect waves-light'
+ ) ?></p>
+ -->
+ </div>
+ </div>
+ </div>
+<?php
+
+Footer::spawn( ['home' => false] );
diff --git a/admin/load.php b/admin/load.php
new file mode 100644
index 0000000..68161ef
--- /dev/null
+++ b/admin/load.php
@@ -0,0 +1,49 @@
+<?php
+# Linux Day 2016 - Boz-PHP configuration
+# Copyright (C) 2016, 2017 Valerio Bozzolan, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+// Boz-PHP: start
+require '../load.php';
+
+define('CURRENT_CONFERENCE_UID', '2016');
+define('CURRENT_CONFERENCE_PATH', ROOT . _ . CURRENT_CONFERENCE_UID);
+define('CURRENT_CONFERENCE_URL', URL . _ . CURRENT_CONFERENCE_UID);
+define('CURRENT_CONFERENCE_ABSPATH', ABSPATH . __ . ROOT . __ . CURRENT_CONFERENCE_UID);
+
+// Autoload classes
+spl_autoload_register( function($c) {
+ $path = CURRENT_CONFERENCE_ABSPATH . __ . INCLUDES . __ . "class-$c.php";
+ if( is_file( $path ) ) {
+ require $path;
+ }
+} );
+
+require 'includes/functions.php';
+
+///////////////////////////////////////////////////////////////////
+define('STITIC', 'static');
+
+define_default( 'PANEL_NAME', __( "Conference Panel" ) );
+
+///////////////////////////////////////////////////////////////////
+// Boz-PHP: CSS and JS (some aliases from `libjs-jquery` package)
+register_js('leaflet.init', STATIC_PATH . '/leaflet-init.js');
+register_js('materialize', STATIC_PATH . '/materialize/js/materialize.min.js');
+register_css('materialize', STATIC_PATH . '/materialize/css/materialize.min.css');
+register_css('materialize.custom', STATIC_PATH . '/materialize-custom.css');
+register_css('materialize.icons', STATIC_PATH . '/material-design-icons/material-icons.css');
+register_css('home', STATIC_PATH . '/home.css');
+register_js('scrollfire', STATIC_PATH . '/scrollfire.js');
diff --git a/admin/login.php b/admin/login.php
new file mode 100644
index 0000000..0806d89
--- /dev/null
+++ b/admin/login.php
@@ -0,0 +1,83 @@
+<?php
+# Linux Day 2016 - Admin login page
+# Copyright (C) 2016, 2017, 2018, 2019 Valerio Bozzolan, Ludovico Pavesi, Rosario Antoci, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+require 'load.php';
+
+$status = null;
+
+if( is_action( 'logout' ) ) {
+ logout();
+}
+
+if( is_action( 'login' ) && isset( $_POST['user_uid'], $_POST['user_password'] ) ) {
+ login( $status );
+}
+
+switch( $status ) {
+ case Session::LOGIN_FAILED:
+ error_die("Wrong e-mail or password");
+ break;
+ case Session::USER_DISABLED:
+ error_die("User disabled");
+ break;
+}
+
+Header::spawn( null, [
+ 'title' => __( "Login" ),
+] );
+
+if( is_logged() ):
+?>
+
+ <form method="post" class="card-panel">
+ <?php form_action( 'logout' ) ?>
+ <p class="flow-text"><?= __("Sei loggato!") ?></p>
+ <p>
+ <button type="submit" class="btn waves-effect"><?=
+ __( "Sloggati" )
+ .
+ icon('exit_to_app', 'left')
+ ?></button>
+ </p>
+ </form>
+
+<?php else: ?>
+ <div class="card-panel">
+ <form method="post">
+ <?php form_action( 'login' ) ?>
+ <div class="row">
+ <div class="input-field col s12 m6">
+ <input name="user_uid" id="user_uid" type="text" class="validate"<?= value( @$_REQUEST['user_uid'] ) ?> />
+ <label for="user_uid"><?= __("Nome utente") ?></label>
+ </div>
+ <div class="input-field col s12 m6">
+ <input name="user_password" id="user_password" type="password" class="validate" />
+ <label for="user_password"><?= __("Password") ?></label>
+ </div>
+ </div>
+ <div class="col s12">
+ <p><button class="btn waves-effect purple" type="submit">
+ <?= __("Accedi") ?>
+ <?= icon() ?>
+ </button></p>
+ </div>
+ </form>
+ </div>
+<?php
+endif;
+
+Footer::spawn();
diff --git a/admin/partner.php b/admin/partner.php
new file mode 100644
index 0000000..e61f491
--- /dev/null
+++ b/admin/partner.php
@@ -0,0 +1,186 @@
+<?php
+# Linux Day 2016 - Media partner page
+# Copyright (C) 2016, 2017 Valerio Bozzolan, Rosario Antoci, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+require 'load.php';
+
+Header::spawn('partner');
+?>
+ <p class="flow-text"><?= __(
+ "Sapevi che il Linux Day è una festa nazionale? Nello stesso giorno si festeggia in tutta Italia.".
+ "Tutto questo, a Torino, non sarebbe possibile senza una comunità incredibile. Grazie a tutti coloro che credono ".
+ "nella libertà digitale e culturale."
+ ) ?></p>
+
+ <?php function partner($name, $url, $logo, $max_size = false) {
+ $max_size = $max_size ? ' style="max-height:120px"' : '';
+ echo HTML::a(
+ $url,
+ sprintf(
+ '<img class="responsive-img" src="%s" alt="%s"%s />',
+ STATIC_PATH . "/partner/$logo",
+ sprintf(
+ __("Logo di %s"),
+ $name
+ ),
+ $max_size
+ ),
+ $name,
+ null,
+ 'target="_blank"'
+ );
+ } ?>
+
+ <div class="divider"></div>
+ <div class="section">
+ <p class="flow-text"><?= __("Con la partecipazione di:") ?></p>
+ <div class="row">
+ <div class="col s12 m3">
+ <?php partner(
+ __("Associazione Tesso"),
+ 'http://www.associazionetesso.org',
+ 'tesso.png',
+ 1
+ ); ?>
+ </div>
+ <div class="col s12 m3">
+ <?php partner(
+ "MuBIT",
+ 'http://www.mupin.it',
+ 'mubit.jpg',
+ 1
+ ); ?>
+ </div>
+ <div class="col s12 m3">
+ <?php partner(
+ __("Coderdojo Torino"),
+ 'http://coderdojotorino.it',
+ 'cd1.png',
+ 1
+ ); ?>
+ </div>
+ <div class="col s12 m3">
+ <?php partner(
+ "Coderdojo Torino 2",
+ 'http://coderdojotorino2.it',
+ 'cd2.jpg',
+ 1
+ ); ?>
+ </div>
+ <div class="col s12 m3">
+ <?php partner(
+ "Giovani per Torino",
+ 'http://www.comune.torino.it/infogio/gxt/',
+ 'giovani-per-torino.jpeg',
+ 1
+ ); ?>
+ </div>
+ </div>
+ </div>
+
+ <div id="main-sponsor" class="divider"></div>
+ <div class="section">
+ <p class="flow-text"><?= __("Main sponsor:") ?></p>
+ <div class="row">
+ <div class="col s12 m6 l4">
+ <?php partner(
+ "Quadrata Service Group s.r.l",
+ 'http://www.quadrata-group.com',
+ 'quadrata.png'
+ ); ?>
+ </div>
+ </div>
+ </div>
+
+ <div id="media-partner" class="divider"></div>
+ <div class="section">
+ <p class="flow-text"><?= __("Media partner:") ?></p>
+ <div class="row">
+ <div class="col s12 m6 l4">
+ <?php partner(
+ "Border Radio",
+ 'http://border-radio.it',
+ 'border.png'
+ ); ?>
+ </div>
+ <div class="col s12 m6 offset-l2 l4" style="padding-top:20px">
+ <?php partner(
+ "Quotidiano Piemontese",
+ 'http://www.quotidianopiemontese.it',
+ 'quotidiano-piemontese.jpg'
+ ); ?>
+ </div>
+ </div>
+ </div>
+
+ <div class="divider"></div>
+ <div class="section">
+ <p class="flow-text"><?= __("Con il patrocinio di:") ?></p>
+
+ <?php function patrocinio ($who, $url, $img) {
+ partner(
+ sprintf(
+ __("Patrocinio %s"),
+ $who
+ ),
+ $url,
+ $img
+ );
+ } ?>
+
+ <div class="row">
+ <div class="col s12 m2">
+ <?php patrocinio(
+ __("Regione Piemonte"),
+ 'http://www.comune.torino.it/circ4/',
+ 'regione-piemonte.jpg'
+ ); ?>
+ </div>
+
+ <div class="col s12 m2">
+ <?php patrocinio(
+ __("Città Metropolitana di Torino"),
+ 'http://www.cittametropolitana.torino.it',
+ 'metropoli.png'
+ ); ?>
+
+ </div>
+ <div class="col s12 m2">
+ <?php patrocinio(
+ __("Comune di Torino"),
+ 'http://www.comune.torino.it',
+ 'comune.jpg'
+ ); ?>
+ </div>
+ <div class="col s12 m2">
+ <?php patrocinio(
+ __("Dipartimento di Informatica UniTO"),
+ 'http://di.unito.it',
+ 'dipinfounito.jpg'
+ ); ?>
+ </div>
+ <div class="col s12 m2">
+ <?php patrocinio(
+ __("Torino Smart City"),
+ 'http://www.torinosmartcity.it',
+ 'smartcity.jpg'
+ ); ?>
+ </div>
+ </div>
+ </div>
+<?php
+
+Footer::spawn( ['home' => false] );
diff --git a/admin/photos.php b/admin/photos.php
new file mode 100644
index 0000000..316d7e1
--- /dev/null
+++ b/admin/photos.php
@@ -0,0 +1,47 @@
+<?php
+# Linux Day 2016 - Credits
+# Copyright (C) 2016, 2017 Valerio Bozzolan, Rosario Antoci, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+require 'load.php';
+
+$alt = esc_attr( sprintf(
+ __("foto %s"),
+ SITE_NAME
+) );
+
+Header::spawn('photos');
+?>
+ <div class="section">
+ <p class="flow-text"><?= __("Alcuni scatti dal Linux Day 2016 a Torino.") ?></p>
+ <div class="row">
+ <?php if( $handle = opendir(STATIC_ABSPATH . __ . 'photos' ) ): ?>
+ <?php while (false !== ($entry = readdir($handle) ) ): ?>
+ <?php if( $entry === '.' || $entry === '..' ) continue ?>
+
+ <div class="col s12 m3">
+ <img class="responsive-img ld-photo materialboxed" src="<?= STATIC_PATH . "/photos/$entry" ?>" alt="<?= $alt ?>" />
+ </div>
+
+ <?php endwhile ?>
+
+ <?php closedir($handle) ?>
+ <?php endif ?>
+ </div>
+ </div>
+
+<?php
+
+Footer::spawn( [ 'home' => false ] );
diff --git a/admin/static/4-liberta.png b/admin/static/4-liberta.png
new file mode 100644
index 0000000..4f49f1a
Binary files /dev/null and b/admin/static/4-liberta.png differ
diff --git a/admin/static/corsi-unito.png b/admin/static/corsi-unito.png
new file mode 100644
index 0000000..75a9848
Binary files /dev/null and b/admin/static/corsi-unito.png differ
diff --git a/admin/static/favicon/browserconfig.xml b/admin/static/favicon/browserconfig.xml
new file mode 100644
index 0000000..068581e
--- /dev/null
+++ b/admin/static/favicon/browserconfig.xml
@@ -0,0 +1,11 @@
+<?xml version="1.0" encoding="utf-8"?>
+<browserconfig>
+ <msapplication>
+ <tile>
+ <square70x70logo src="/favicon-70.png"/>
+ <square150x150logo src="/favicon-150.png"/>
+ <square310x310logo src="/favicon-310.png"/>
+ <TileColor>#FFFFFF</TileColor>
+ </tile>
+ </msapplication>
+</browserconfig>
\ No newline at end of file
diff --git a/admin/static/favicon/favicon-114.png b/admin/static/favicon/favicon-114.png
new file mode 100644
index 0000000..9b00449
Binary files /dev/null and b/admin/static/favicon/favicon-114.png differ
diff --git a/admin/static/favicon/favicon-120.png b/admin/static/favicon/favicon-120.png
new file mode 100644
index 0000000..4ad3a5e
Binary files /dev/null and b/admin/static/favicon/favicon-120.png differ
diff --git a/admin/static/favicon/favicon-144.png b/admin/static/favicon/favicon-144.png
new file mode 100644
index 0000000..584ddac
Binary files /dev/null and b/admin/static/favicon/favicon-144.png differ
diff --git a/admin/static/favicon/favicon-150.png b/admin/static/favicon/favicon-150.png
new file mode 100644
index 0000000..a9bd4c0
Binary files /dev/null and b/admin/static/favicon/favicon-150.png differ
diff --git a/admin/static/favicon/favicon-152.png b/admin/static/favicon/favicon-152.png
new file mode 100644
index 0000000..10c62ea
Binary files /dev/null and b/admin/static/favicon/favicon-152.png differ
diff --git a/admin/static/favicon/favicon-16.png b/admin/static/favicon/favicon-16.png
new file mode 100644
index 0000000..1baa7f1
Binary files /dev/null and b/admin/static/favicon/favicon-16.png differ
diff --git a/admin/static/favicon/favicon-160.png b/admin/static/favicon/favicon-160.png
new file mode 100644
index 0000000..50da4d3
Binary files /dev/null and b/admin/static/favicon/favicon-160.png differ
diff --git a/admin/static/favicon/favicon-180.png b/admin/static/favicon/favicon-180.png
new file mode 100644
index 0000000..b26ac0c
Binary files /dev/null and b/admin/static/favicon/favicon-180.png differ
diff --git a/admin/static/favicon/favicon-192.png b/admin/static/favicon/favicon-192.png
new file mode 100644
index 0000000..27610bc
Binary files /dev/null and b/admin/static/favicon/favicon-192.png differ
diff --git a/admin/static/favicon/favicon-310.png b/admin/static/favicon/favicon-310.png
new file mode 100644
index 0000000..8749a72
Binary files /dev/null and b/admin/static/favicon/favicon-310.png differ
diff --git a/admin/static/favicon/favicon-32.png b/admin/static/favicon/favicon-32.png
new file mode 100644
index 0000000..9515f9a
Binary files /dev/null and b/admin/static/favicon/favicon-32.png differ
diff --git a/admin/static/favicon/favicon-57.png b/admin/static/favicon/favicon-57.png
new file mode 100644
index 0000000..87be07a
Binary files /dev/null and b/admin/static/favicon/favicon-57.png differ
diff --git a/admin/static/favicon/favicon-60.png b/admin/static/favicon/favicon-60.png
new file mode 100644
index 0000000..42fe37b
Binary files /dev/null and b/admin/static/favicon/favicon-60.png differ
diff --git a/admin/static/favicon/favicon-64.png b/admin/static/favicon/favicon-64.png
new file mode 100644
index 0000000..10655fe
Binary files /dev/null and b/admin/static/favicon/favicon-64.png differ
diff --git a/admin/static/favicon/favicon-70.png b/admin/static/favicon/favicon-70.png
new file mode 100644
index 0000000..964a19b
Binary files /dev/null and b/admin/static/favicon/favicon-70.png differ
diff --git a/admin/static/favicon/favicon-72.png b/admin/static/favicon/favicon-72.png
new file mode 100644
index 0000000..b341048
Binary files /dev/null and b/admin/static/favicon/favicon-72.png differ
diff --git a/admin/static/favicon/favicon-76.png b/admin/static/favicon/favicon-76.png
new file mode 100644
index 0000000..392152f
Binary files /dev/null and b/admin/static/favicon/favicon-76.png differ
diff --git a/admin/static/favicon/favicon-96.png b/admin/static/favicon/favicon-96.png
new file mode 100644
index 0000000..4b8f04d
Binary files /dev/null and b/admin/static/favicon/favicon-96.png differ
diff --git a/admin/static/favicon/favicon.ico b/admin/static/favicon/favicon.ico
new file mode 100644
index 0000000..d6bf1cc
Binary files /dev/null and b/admin/static/favicon/favicon.ico differ
diff --git a/admin/static/gnu-linux-on-black.png b/admin/static/gnu-linux-on-black.png
new file mode 100644
index 0000000..e01db20
Binary files /dev/null and b/admin/static/gnu-linux-on-black.png differ
diff --git a/admin/static/home.css b/admin/static/home.css
new file mode 100644
index 0000000..8f8b01e
--- /dev/null
+++ b/admin/static/home.css
@@ -0,0 +1,51 @@
+/* Linux Day 2016 - CSS3 Animation
+ * Copyright (C) 2016 Valerio Bozzolan
+ *
+ * This program is free software: you can redistribute it and/or modify
+ * it under the terms of the GNU Affero General Public License as published by
+ * the Free Software Foundation, either version 3 of the License, or
+ * (at your option) any later version.
+ *
+ * This program is distributed in the hope that it will be useful,
+ * but WITHOUT ANY WARRANTY; without even the implied warranty of
+ * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+ * GNU Affero General Public License for more details.
+ *
+ * You should have received a copy of the GNU Affero General Public License
+ * along with this program. If not, see <http://www.gnu.org/licenses/>.
+ */
+h1::before {
+ content: "> ";
+}
+h1::before {
+ animation: blinker 2s ease infinite;
+}
+@keyframes blinker {
+ 20% { opacity: 0.0; }
+}
+@media only screen and (min-width: 600px) {
+ #activities-section .card-panel {
+ min-height:226px;
+ }
+}
+#map {
+ height:400px;
+}
+th {
+ text-align:left !important;
+}
+#activities-section .card-panel {
+ padding:10px 15px;
+}
+#activities-section .card-panel .row {
+ margin-bottom:0px;
+}
+#activities-section .flow-text {
+ line-height:1.1;
+}
+#rooms-section img {
+ max-width: 60%;
+}
+#f-droid .btn {
+ width:99%;
+}
diff --git a/admin/static/ld-2016-learning.svg b/admin/static/ld-2016-learning.svg
new file mode 100644
index 0000000..ba50414
--- /dev/null
+++ b/admin/static/ld-2016-learning.svg
@@ -0,0 +1,144 @@
+<?xml version="1.0" encoding="UTF-8" standalone="no"?>
+<!-- Created with Inkscape (http://www.inkscape.org/) -->
+
+<svg
+ xmlns:dc="http://purl.org/dc/elements/1.1/"
+ xmlns:cc="http://creativecommons.org/ns#"
+ xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
+ xmlns:svg="http://www.w3.org/2000/svg"
+ xmlns="http://www.w3.org/2000/svg"
+ xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
+ xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
+ width="5cm"
+ height="5cm"
+ viewBox="0 0 177.16535 177.16535"
+ id="svg2"
+ version="1.1"
+ inkscape:version="0.91 r13725"
+ inkscape:export-filename="/home/luca/Scrivania/ld-2016-tux-font.png"
+ inkscape:export-xdpi="520.19196"
+ inkscape:export-ydpi="520.19196"
+ sodipodi:docname="ld-2016-tux.svg">
+ <defs
+ id="defs4">
+ <clipPath
+ clipPathUnits="userSpaceOnUse"
+ id="clipPath4176">
+ <rect
+ style="opacity:1;fill:#333333;fill-opacity:1;stroke:#a05a2c;stroke-width:2.49999976;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ id="rect4178"
+ width="112.14285"
+ height="86.785706"
+ x="199.22485"
+ y="910.13293"
+ mask="none" />
+ </clipPath>
+ </defs>
+ <sodipodi:namedview
+ id="base"
+ pagecolor="#ffffff"
+ bordercolor="#666666"
+ borderopacity="1.0"
+ inkscape:pageopacity="0.0"
+ inkscape:pageshadow="2"
+ inkscape:zoom="1"
+ inkscape:cx="71.782506"
+ inkscape:cy="109.57144"
+ inkscape:document-units="px"
+ inkscape:current-layer="g4147"
+ showgrid="false"
+ units="cm"
+ inkscape:window-width="1366"
+ inkscape:window-height="732"
+ inkscape:window-x="0"
+ inkscape:window-y="0"
+ inkscape:window-maximized="1" />
+ <metadata
+ id="metadata7">
+ <rdf:RDF>
+ <cc:Work
+ rdf:about="">
+ <dc:format>image/svg+xml</dc:format>
+ <dc:type
+ rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
+ <dc:title></dc:title>
+ </cc:Work>
+ </rdf:RDF>
+ </metadata>
+ <g
+ inkscape:label="Livello 1"
+ inkscape:groupmode="layer"
+ id="layer1"
+ transform="translate(0,-875.1969)">
+ <g
+ id="g4147"
+ transform="translate(37.142854,-5.7142855)">
+ <rect
+ style="opacity:1;fill:#4a148c;fill-opacity:1;stroke:none;stroke-width:0;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ id="rect4191"
+ width="178.62814"
+ height="178.62814"
+ x="-37.052502"
+ y="880.4585" />
+ <rect
+ style="opacity:1;fill:#333333;fill-opacity:1;stroke:#a05a2c;stroke-width:2.84058666;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ id="rect4353"
+ width="127.42062"
+ height="98.60894"
+ x="7.1534834"
+ y="894.54138" />
+ <g
+ id="g4327"
+ transform="matrix(1.0356882,0,0,1.0356882,-58.478556,-4.870617)">
+ <g
+ style="fill:#ffffff"
+ transform="matrix(0.58205753,0,0,0.58205753,40.210067,397.41848)"
+ id="g4238">
+ <path
+ sodipodi:nodetypes="sssccssscs"
+ inkscape:connector-curvature="0"
+ id="rect4316"
+ d="m 98.386004,944.93887 c -0.370435,0 -6.960747,4.48223 -6.960747,4.73416 0,0.093 -0.711161,0.84893 -0.267633,1.11712 1.106646,0.66917 0.39118,0.56442 0.388888,1.52248 -0.0015,0.58502 0.629135,1.0371 0.319749,1.51514 -0.224084,0.34626 0.972656,0.66477 0.972656,0.70732 0,0.29241 0.784078,-0.25366 3.86988,-2.69458 5.727003,-4.53015 5.655603,-4.46752 5.655603,-4.95119 0,-0.23449 -0.0837,-0.49201 -0.18603,-0.57264 -0.29907,-0.23567 -3.44307,-1.37781 -3.792366,-1.37781 z"
+ style="opacity:1;fill:#ffffff;fill-opacity:1;stroke:none;stroke-width:0;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1" />
+ </g>
+ <g
+ id="g4323">
+ <path
+ style="opacity:0.98999999;fill:#ffffff;fill-opacity:1;stroke:none;stroke-width:0.36539048;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ d="m 51.803248,927.62658 c -0.145439,10e-5 -0.295609,0.004 -0.451863,0.0118 -1.043142,0.0513 -1.654785,0.20699 -2.22341,0.56541 -0.527355,0.3324 -0.652732,0.52224 -0.584259,0.88726 0.06733,0.35897 0.07287,0.35562 -0.816638,0.46539 -0.248525,0.0307 -0.950631,0.15551 -1.560345,0.27712 -3.349574,0.66811 -5.371633,1.84373 -6.341393,3.68728 -0.513738,0.97664 -0.357604,1.21721 0.698401,1.0773 0.38309,-0.0508 0.73006,-0.0617 0.771331,-0.0247 0.04127,0.037 -0.446622,0.41212 -1.084352,0.8343 -2.96543,1.96315 -4.63865,4.10157 -4.63865,5.92777 0,0.82369 0.09555,0.85236 1.155535,0.34419 0.482711,-0.23142 0.929453,-0.42076 0.993166,-0.42068 0.297597,3e-4 0.183185,0.31998 -0.413636,1.15143 -1.704519,2.37463 -2.518416,4.07104 -2.738835,5.7089 -0.163454,1.21463 0.157248,2.63728 0.609564,2.70176 0.134806,0.0192 0.313653,-0.10108 0.587754,-0.39655 0.581066,-0.6263 1.070073,-0.96465 1.217923,-0.84195 0.0992,0.0823 0.09823,0.14174 -0.0069,0.34537 -0.185897,0.35948 -0.500695,1.65352 -0.500695,2.05809 0,0.23711 -0.05841,0.39848 -0.181227,0.50364 -0.09941,0.0851 -0.180625,0.22299 -0.180625,0.30654 0,0.16983 0.251296,0.48246 0.387729,0.48246 0.04865,0 0.388,0.28456 0.754281,0.63249 0.69358,0.65883 1.003167,1.06484 1.299288,0.79686 0.102603,-0.0929 0.355526,-0.5219 0.355526,-0.72676 0,-1.17959 1.935091,-4.46299 4.269327,-7.58552 1.753863,-2.34617 2.2864,-3.46079 2.900693,-4.73848 0.563474,-1.17197 0.816788,-1.51119 1.570226,-1.88146 0.400712,-0.19693 0.647821,-0.41665 1.571099,-0.35494 l 0.85357,0.0571 1.082424,0.63327 c 1.106704,0.55909 1.615232,0.60427 2.384936,0.69702 1.700633,0.20491 4.251915,-0.34474 6.642815,-1.12976 1.56634,-0.51428 2.037664,-0.50117 2.952507,0.22655 0.492019,0.44452 0.70807,0.91701 1.32649,2.31915 0.850438,1.92824 1.273412,2.79846 1.966149,4.10359 0.565342,1.06511 1.077393,1.78697 3.162864,4.88485 0.234246,0.34793 0.461112,0.91854 0.56989,1.25136 0.108749,0.33282 0.373752,0.96463 0.473613,1.09159 l 0.558353,0.1365 1.696266,0.0538 c 1.124989,0.0357 1.566942,-0.2069 1.643126,-0.28309 0.30067,-0.30066 -0.127064,-2.01347 -0.698219,-3.04528 -0.16957,-0.30631 -0.308292,-0.58093 -0.308292,-0.61014 0,-0.18583 0.352273,0.0359 0.993738,0.62485 0.406045,0.37278 0.789888,0.67779 0.852546,0.67779 0.06266,0 0.187885,-0.0819 0.278288,-0.1818 0.135439,-0.14966 0.170925,-0.38387 0.204182,-1.33265 0.08519,-2.43112 -0.604925,-4.52174 -2.21639,-6.7097 -0.274553,-0.37279 -0.600527,-0.78707 -0.724277,-0.92079 -0.272836,-0.29482 -0.220178,-0.56912 0.09179,-0.47834 0.112092,0.0326 0.533681,0.22248 0.937255,0.42186 0.763379,0.37711 0.988075,0.40569 1.152042,0.14532 0.140228,-0.22267 -0.133481,-1.1936 -0.62074,-2.20342 -0.788352,-1.63384 -2.222054,-3.26106 -3.76788,-4.27682 -0.462648,-0.304 -0.895111,-0.59766 -0.961384,-0.65249 -0.228854,-0.18943 0.03271,-0.24993 0.633091,-0.1471 0.644869,0.11047 0.888424,0.0326 0.888424,-0.283 0,-0.38319 -1.310616,-1.9659 -2.210487,-2.66999 -1.707472,-1.33597 -3.229468,-1.95028 -5.697125,-2.29933 l -1.084955,-0.15356 -0.0069,-0.26771 c -0.0042,-0.14714 -0.01476,-0.31252 -0.02289,-0.36773 -0.02289,-0.15285 -0.972259,-0.62595 -1.732143,-0.86313 -1.01121,-0.31561 -2.480912,-0.29616 -3.468987,0.0459 -0.392187,0.13576 -0.883935,0.34724 -1.092606,0.46951 -0.513648,0.30103 -0.739399,0.28127 -1.521484,-0.13062 -0.834743,-0.43962 -1.61005,-0.62853 -2.628219,-0.62778 z m 1.020489,15.10961 c -1.621949,0.0877 -3.017424,0.49754 -4.293547,1.7824 -0.923278,0.92962 -1.676835,2.54022 -1.676835,3.58297 0,0.56729 0.158543,1.89483 0.517594,2.36506 1.813057,2.3745 6.608113,2.40977 8.631949,-0.4944 0.278468,-0.3996 0.251236,-0.28923 0.251236,-0.21257 0,0.0797 -0.151043,0.27574 -0.648093,1.79375 -0.998136,3.04836 -1.047058,3.72744 -0.715631,3.72744 0.04754,0 1.676745,-0.84196 2.934522,-1.6154 1.257747,-0.77343 2.363397,-1.59746 2.422591,-1.66876 0.144747,-0.17444 0.190928,-0.46509 -1.289257,-2.13492 -0.676861,-0.7636 -0.81242,-0.90858 -0.81242,-0.90858 0.01295,-0.0505 0.314708,-0.0195 0.457497,0.0122 0.998046,0.22187 0.327209,0.14659 0.813504,0.0567 1.128243,-0.20857 2.281429,-1.03585 2.710338,-1.91252 0.502834,-1.02776 0.14544,-2.3868 -0.789948,-2.91308 -0.445206,-0.25048 -0.762293,-0.49228 -1.409844,-0.48626 -0.867367,0.008 -2.392346,0.21916 -2.915966,0.68986 l -0.238132,1.50815 1.186985,-0.19631 c 0.510395,-0.0679 0.538893,-0.19262 0.77344,0.16533 0.596731,0.91073 0.285427,1.37834 -0.913246,1.49352 -0.261177,0.0251 -0.626162,0.13044 -0.779826,0.0668 -0.234367,-0.0971 -0.700449,-0.004 -1.073748,0.17659 -0.515456,0.24953 -0.567993,0.15624 -0.956836,-0.0735 -0.328325,-0.19394 -0.247682,-0.25419 -0.244971,-0.60904 0.003,-0.3383 0.19888,-0.49961 0.471806,-0.7505 0.465721,-0.42816 1.056367,-0.48026 1.61975,-0.26606 0.469185,0.17838 0.620288,-0.7069 0.269883,-1.29513 -0.381011,-0.63963 -0.934363,-1.02866 -1.658399,-1.39416 -0.64966,-0.32795 -0.911831,-0.58335 -1.649121,-0.54348 z m 3.417534,21.88688 c -2.038898,0.0287 -4.151059,0.52949 -6.196645,1.52151 -4.298247,2.08449 -8.567905,7.2394 -10.039143,11.96791 -0.634898,2.04055 -0.510304,3.05039 -0.510304,5.46708 0,2.39593 0.262984,3.22394 0.84625,4.96512 1.556519,4.64665 5.81949,8.50699 10.584903,9.07468 1.021362,0.12166 3.765529,-0.44549 4.901815,-0.66477 6.573319,-1.26852 11.799392,-7.31175 13.317473,-14.39307 0.225691,-1.0528 0.296332,-1.28604 0.296784,-3.34602 3.01e-4,-2.11585 -0.171919,-2.53092 -0.416136,-3.56381 -0.608781,-2.57531 -1.632162,-4.97372 -3.254834,-6.68936 -2.345051,-2.47942 -6.131938,-4.38714 -9.530163,-4.33927 z"
+ id="rect4184"
+ inkscape:connector-curvature="0"
+ sodipodi:nodetypes="ccscsssscssscssscscscscscsssssccsscssccccsccssscccsccssscsssccccsscsccssssssssscsscssssccccccssccscssssssssssccsss" />
+ <path
+ style="fill:#000001"
+ d="m 36.776949,1012.9957 c -0.633091,-0.072 -1.679728,-0.3282 -1.998924,-0.4903 -0.503406,-0.2555 -1.399572,-1.2887 -1.613273,-1.8598 -0.309467,-0.8272 -0.201351,-1.287 0.438307,-1.8642 0.749762,-0.6766 2.340171,-1.1543 4.439107,-1.3334 0.621313,-0.053 1.393999,-0.1249 1.717082,-0.1598 l 0.587422,-0.063 -0.01838,-0.5874 c -0.0099,-0.324 -0.172191,-1.1918 -0.361491,-1.9351 l -0.343206,-1.3478 -0.60619,-0.3693 c -1.857912,-1.1322 -3.298151,-2.8886 -4.586475,-5.5933 -0.336126,-0.70561 -0.633693,-1.36427 -0.661317,-1.46368 -0.02771,-0.0994 -0.138059,-0.40442 -0.245452,-0.6778 -0.93099,-2.3701 -1.818691,-6.38737 -1.815136,-8.2143 0.003,-0.92329 -0.104712,-2.58978 -0.169901,-2.65871 -0.199994,-0.21142 -0.663637,-0.0466 -2.082458,0.7402 -2.353546,1.30516 -3.021491,1.43911 -3.715493,0.74511 -0.443127,-0.44311 -0.653455,-1.15063 -0.661498,-2.22519 -0.0054,-0.73938 0.01868,-1.03742 0.175052,-2.16895 0.09245,-0.66837 0.514492,-2.34459 0.73949,-2.93711 1.257536,-3.31165 5.014359,-10.75488 10.023809,-19.85978 0.964096,-1.75231 1.752929,-3.22854 1.752929,-3.2805 0,-0.25534 0.287927,-0.62774 0.485362,-0.62774 0.327751,0 0.517444,-0.29204 0.597333,-0.9196 0.09113,-0.716 0.304767,-1.25837 1.079592,-2.74049 0.955782,-1.82829 1.628125,-2.88272 3.078034,-4.82724 1.819444,-2.44019 2.343937,-3.23847 2.983625,-4.54127 0.781182,-1.59094 1.314682,-2.09379 2.4757,-2.33342 0.930719,-0.1921 1.532691,-0.0665 2.829419,0.59014 1.44274,0.73065 1.776276,0.79902 3.596563,0.7373 1.77754,-0.0603 2.681749,-0.24253 4.877264,-0.98303 1.406681,-0.47444 1.686354,-0.54125 2.091013,-0.49949 1.195932,0.12343 1.780162,0.82715 2.978655,3.58791 0.183396,0.42249 0.757684,1.60965 1.276183,2.63813 0.871162,1.7281 1.662616,3.01819 3.315895,5.40504 0.348658,0.50336 0.676078,1.10155 0.791393,1.44596 0.108207,0.32308 0.28853,0.73356 0.400743,0.91218 l 0.204032,0.32475 0.888936,0.0589 c 1.856135,0.12291 2.663976,0.055 2.851319,-0.23956 0.0375,-0.059 0.06883,-0.25484 0.06962,-0.43515 0,-0.18031 0.05221,-0.36653 0.114351,-0.41383 0.123209,-0.0938 0.577813,-0.21898 3.501943,-0.96421 2.697203,-0.68739 6.455021,-1.52222 7.726836,-1.71656 0.149115,-0.0228 0.645502,-0.10365 1.103059,-0.17969 1.775944,-0.29515 2.845144,-0.27899 4.906726,0.0741 1.097727,0.18804 2.399576,0.83074 2.722056,1.34383 0.272323,0.43332 0.190505,1.01435 -0.234306,1.66368 -0.431048,0.65886 -2.892258,3.09444 -3.972031,3.9307 -2.690336,2.08358 -5.751862,3.75449 -7.736928,4.22266 -0.707378,0.16683 -1.100318,0.21539 -2.662772,0.32909 -0.29823,0.0217 -1.030249,0.0799 -1.626708,0.12934 -0.59646,0.0494 -1.267478,0.0886 -1.49115,0.0871 -0.564287,-0.004 -3.092855,0.17059 -3.230824,0.22293 -0.18903,0.0717 -0.131673,0.51515 0.331125,2.55982 0.41704,1.84242 0.575132,2.59086 0.680386,3.22087 0.0244,0.14554 0.08462,0.47088 0.133963,0.72298 0.04937,0.2521 0.112182,0.6007 0.139535,0.77466 0.02741,0.17397 0.151013,0.94666 0.274733,1.71709 0.285578,1.77816 0.550189,4.13276 0.685507,6.10015 0.120467,1.75123 0.05883,6.03177 -0.102151,7.09426 -0.05645,0.37279 -0.102874,0.7388 -0.103115,0.81336 -2.71e-4,0.0746 -0.06073,0.5219 -0.134415,0.9941 -0.07368,0.47219 -0.1505,0.97907 -0.170683,1.12639 -0.154899,1.13024 -0.72253,3.62006 -1.216327,5.33525 -0.157399,0.54676 -0.34191,1.19744 -0.409991,1.44597 -0.183667,0.67036 -1.179002,3.23129 -1.510338,3.88602 -0.343326,0.67846 -2.099358,2.58513 -3.342796,3.62963 -0.590556,0.496 -0.700389,0.6313 -0.700389,0.8626 0,0.1508 -0.208188,1.1742 -0.462588,2.2741 -0.254429,1.0999 -0.467949,2.2235 -0.474456,2.4969 l -0.01175,0.497 0.587423,0.063 c 0.323082,0.035 1.095769,0.1072 1.717081,0.1608 1.316309,0.1135 2.809567,0.4341 3.544147,0.7611 0.944214,0.4202 1.516725,1.0993 1.516725,1.799 0,0.4924 -0.481898,1.3315 -1.112368,1.9369 -0.474637,0.4558 -0.675867,0.5804 -1.197528,0.7415 -0.87776,0.2712 -1.451748,0.3223 -3.519144,0.3135 -2.278386,-0.01 -2.367795,-0.014 -3.84087,-0.1761 -0.670987,-0.074 -1.443674,-0.1556 -1.717051,-0.1816 -0.273377,-0.026 -1.168067,-0.1497 -1.9882,-0.2749 -0.820132,-0.1253 -1.633486,-0.2464 -1.807454,-0.2692 -0.173967,-0.023 -0.519643,-0.082 -0.768168,-0.132 -0.595134,-0.1194 -0.734489,-0.1438 -1.236268,-0.2166 -0.773771,-0.1123 -1.007415,-0.4577 -1.105047,-1.6338 -0.0247,-0.2982 -0.103387,-0.9895 -0.174691,-1.5363 -0.0713,-0.5468 -0.130649,-1.0551 -0.131854,-1.1297 0,-0.074 -0.06221,-0.5829 -0.135559,-1.1296 -0.07335,-0.5468 -0.133872,-1.0551 -0.134504,-1.1297 -0.003,-0.2424 -0.200899,-1.4647 -0.251628,-1.5468 -0.06172,-0.1 -3.44564,-0.1067 -3.507184,-0.01 -0.04437,0.072 -0.340645,2.1036 -0.345164,2.3673 0,0.074 -0.06236,0.5829 -0.135709,1.1296 -0.07335,0.5468 -0.134354,1.0551 -0.135559,1.1297 0,0.075 -0.06046,0.5829 -0.131673,1.1296 -0.07121,0.5468 -0.14538,1.1711 -0.16484,1.3873 -0.03413,0.38 -0.211141,0.673 -0.499761,0.8274 -0.128239,0.069 -1.800465,0.3925 -2.529351,0.4898 -0.173968,0.023 -0.987322,0.1448 -1.807455,0.27 -0.820132,0.1253 -1.714822,0.249 -1.988199,0.275 -0.273378,0.026 -1.046064,0.1087 -1.717081,0.1839 -0.671018,0.075 -1.362369,0.1397 -1.536336,0.1435 -1.872583,0.041 -4.084455,0.054 -4.33789,0.025 z m 17.946332,-16.2101 c 4.703598,-0.80412 9.103363,-4.0192 11.777009,-8.6059 4.619491,-7.9249 2.524291,-17.57062 -4.59009,-21.13149 -2.124029,-1.06311 -4.909678,-1.50133 -7.391071,-1.16272 -4.686337,0.63948 -9.232114,3.73125 -11.97583,8.14528 -1.917437,3.08467 -2.890962,6.65364 -2.756126,10.10391 0.179058,4.5817 2.246394,8.51375 5.683118,10.8093 1.326068,0.88576 3.119153,1.59918 4.727004,1.88078 1.120049,0.19616 3.257665,0.17767 4.525986,-0.0392 z m 3.124817,-43.21966 c 2.237236,-1.3803 2.382224,-1.48588 2.408222,-1.75344 0.0244,-0.25253 -0.105616,-0.43409 -1.152252,-1.60709 -0.648937,-0.72732 -1.179906,-1.33114 -1.179906,-1.34184 0,-0.0107 0.416859,-0.0194 0.92632,-0.0194 0.815885,0 0.987924,-0.0289 1.443071,-0.2422 0.607305,-0.28464 1.348511,-0.94853 1.668371,-1.49433 0.274582,-0.46854 0.372606,-1.29455 0.211532,-1.78258 -0.06121,-0.18548 -0.238855,-0.48252 -0.394778,-0.6601 -0.876555,-0.99835 -2.802187,-1.00882 -4.104879,-0.0223 -0.26196,0.19837 -0.505967,0.36009 -0.542236,0.35938 -0.03627,-6e-4 -0.174239,-0.19776 -0.306635,-0.43788 -0.420323,-0.76242 -1.722865,-1.4761 -2.985161,-1.63563 -0.728283,-0.092 -1.708707,-0.002 -2.508083,0.23015 -1.56637,0.45502 -3.218986,1.7763 -3.88687,3.10755 -0.369504,0.73651 -0.477771,1.25896 -0.437856,2.11285 0.04802,1.02726 0.327029,1.65305 1.035972,2.32354 0.916139,0.86643 2.04634,1.22464 3.600329,1.14109 1.596012,-0.0858 3.010917,-0.71581 4.27011,-1.90128 0.260966,-0.24567 0.474457,-0.42976 0.474457,-0.40909 0,0.0207 -0.36601,1.13392 -0.813355,2.47389 -0.447345,1.33996 -0.813354,2.52051 -0.813354,2.62344 0,0.25587 0.169298,0.40404 0.461654,0.40404 0.158423,0 1.084653,-0.51819 2.625327,-1.46873 z m -2.877889,-5.66621 c -0.356249,-0.21723 -0.48021,-0.43965 -0.48021,-0.86159 0,-0.62931 0.500574,-1.22067 1.19057,-1.40646 0.29353,-0.079 0.455508,-0.0711 0.792267,0.0391 0.408605,0.13364 0.438579,0.13073 0.862276,-0.0838 0.956987,-0.48449 1.854267,-0.0859 1.854267,0.82381 0,0.97396 -1.200179,1.70803 -2.112763,1.29222 -0.187192,-0.0853 -0.30079,-0.0633 -0.699816,0.13556 -0.565582,0.28185 -1.012716,0.30128 -1.406591,0.0611 z"
+ id="path4149"
+ inkscape:connector-curvature="0" />
+ </g>
+ </g>
+ <text
+ xml:space="preserve"
+ style="font-style:normal;font-weight:normal;font-size:64.66493225px;line-height:125%;font-family:sans-serif;letter-spacing:0px;word-spacing:0px;fill:#ffffff;fill-opacity:1;stroke:none;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1"
+ x="60.350334"
+ y="1127.5682"
+ id="text4355"
+ sodipodi:linespacing="125%"
+ transform="scale(1.2239959,0.81699621)"><tspan
+ sodipodi:role="line"
+ id="tspan4357"
+ x="62.684597"
+ y="1127.5682"
+ style="font-style:normal;font-variant:normal;font-weight:bold;font-stretch:normal;font-size:24.24934769px;font-family:'whatever it takes';-inkscape-font-specification:'whatever it takes Bold';text-align:center;text-anchor:middle;fill:#ffffff">Ask me </tspan><tspan
+ sodipodi:role="line"
+ x="62.684597"
+ y="1154.2456"
+ style="font-style:normal;font-variant:normal;font-weight:bold;font-stretch:normal;font-size:24.24934769px;font-family:'whatever it takes';-inkscape-font-specification:'whatever it takes Bold';text-align:center;text-anchor:middle;fill:#ffffff"
+ id="tspan4361">about </tspan><tspan
+ sodipodi:role="line"
+ x="60.350334"
+ y="1180.9229"
+ style="font-style:normal;font-variant:normal;font-weight:bold;font-stretch:normal;font-size:24.24934769px;font-family:'whatever it takes';-inkscape-font-specification:'whatever it takes Bold';text-align:center;text-anchor:middle;fill:#ffffff"
+ id="tspan4359">GNU/Linux</tspan></text>
+ </g>
+ </g>
+</svg>
diff --git a/admin/static/ld-2016-logo-64.png b/admin/static/ld-2016-logo-64.png
new file mode 100644
index 0000000..de019bf
Binary files /dev/null and b/admin/static/ld-2016-logo-64.png differ
diff --git a/admin/static/ld-2016-logo-purple.png b/admin/static/ld-2016-logo-purple.png
new file mode 100644
index 0000000..0b749e9
Binary files /dev/null and b/admin/static/ld-2016-logo-purple.png differ
diff --git a/admin/static/ld-2016-logo.png b/admin/static/ld-2016-logo.png
new file mode 100644
index 0000000..a71cb4b
Binary files /dev/null and b/admin/static/ld-2016-logo.png differ
diff --git a/admin/static/ld-2016-tux.png b/admin/static/ld-2016-tux.png
new file mode 100644
index 0000000..ef6e39b
Binary files /dev/null and b/admin/static/ld-2016-tux.png differ
diff --git a/admin/static/ld-2016-tux.svg b/admin/static/ld-2016-tux.svg
new file mode 100644
index 0000000..e8f3b6f
--- /dev/null
+++ b/admin/static/ld-2016-tux.svg
@@ -0,0 +1,100 @@
+<?xml version="1.0" encoding="UTF-8" standalone="no"?>
+<!-- Created with Inkscape (http://www.inkscape.org/) -->
+
+<svg
+ xmlns:dc="http://purl.org/dc/elements/1.1/"
+ xmlns:cc="http://creativecommons.org/ns#"
+ xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
+ xmlns:svg="http://www.w3.org/2000/svg"
+ xmlns="http://www.w3.org/2000/svg"
+ xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
+ xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
+ width="5cm"
+ height="5cm"
+ viewBox="0 0 177.16535 177.16535"
+ id="svg2"
+ version="1.1"
+ inkscape:version="0.91 r13725"
+ inkscape:export-filename="/home/luca/Scrivania/ld-2016-tux.png"
+ inkscape:export-xdpi="520.19196"
+ inkscape:export-ydpi="520.19196"
+ sodipodi:docname="ld-2016-tux.svg">
+ <defs
+ id="defs4" />
+ <sodipodi:namedview
+ id="base"
+ pagecolor="#ffffff"
+ bordercolor="#666666"
+ borderopacity="1.0"
+ inkscape:pageopacity="0.0"
+ inkscape:pageshadow="2"
+ inkscape:zoom="1.4"
+ inkscape:cx="-252.93664"
+ inkscape:cy="44.106163"
+ inkscape:document-units="px"
+ inkscape:current-layer="g4147"
+ showgrid="false"
+ units="cm"
+ inkscape:window-width="1366"
+ inkscape:window-height="732"
+ inkscape:window-x="1366"
+ inkscape:window-y="0"
+ inkscape:window-maximized="1" />
+ <metadata
+ id="metadata7">
+ <rdf:RDF>
+ <cc:Work
+ rdf:about="">
+ <dc:format>image/svg+xml</dc:format>
+ <dc:type
+ rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
+ <dc:title></dc:title>
+ </cc:Work>
+ </rdf:RDF>
+ </metadata>
+ <g
+ inkscape:label="Livello 1"
+ inkscape:groupmode="layer"
+ id="layer1"
+ transform="translate(0,-875.1969)">
+ <g
+ id="g4147"
+ transform="translate(37.142854,-5.7142855)">
+ <rect
+ style="opacity:1;fill:#4a148c;fill-opacity:1;stroke:none;stroke-width:0;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ id="rect4191"
+ width="195.96968"
+ height="195.96968"
+ x="-44.671333"
+ y="872.20831" />
+ <g
+ id="g4327">
+ <g
+ style="fill:#ffffff"
+ transform="matrix(0.58205753,0,0,0.58205753,40.210067,397.41848)"
+ id="g4238">
+ <path
+ sodipodi:nodetypes="sssccssscs"
+ inkscape:connector-curvature="0"
+ id="rect4316"
+ d="m 98.386004,944.93887 c -0.370435,0 -6.960747,4.48223 -6.960747,4.73416 0,0.093 -0.711161,0.84893 -0.267633,1.11712 1.106646,0.66917 0.39118,0.56442 0.388888,1.52248 -0.0015,0.58502 0.629135,1.0371 0.319749,1.51514 -0.224084,0.34626 0.972656,0.66477 0.972656,0.70732 0,0.29241 0.784078,-0.25366 3.86988,-2.69458 5.727003,-4.53015 5.655603,-4.46752 5.655603,-4.95119 0,-0.23449 -0.0837,-0.49201 -0.18603,-0.57264 -0.29907,-0.23567 -3.44307,-1.37781 -3.792366,-1.37781 z"
+ style="opacity:1;fill:#ffffff;fill-opacity:1;stroke:none;stroke-width:0;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1" />
+ </g>
+ <g
+ id="g4323">
+ <path
+ style="opacity:0.98999999;fill:#ffffff;fill-opacity:1;stroke:none;stroke-width:0.36539048;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ d="m 51.803248,927.62658 c -0.145439,10e-5 -0.295609,0.004 -0.451863,0.0118 -1.043142,0.0513 -1.654785,0.20699 -2.22341,0.56541 -0.527355,0.3324 -0.652732,0.52224 -0.584259,0.88726 0.06733,0.35897 0.07287,0.35562 -0.816638,0.46539 -0.248525,0.0307 -0.950631,0.15551 -1.560345,0.27712 -3.349574,0.66811 -5.371633,1.84373 -6.341393,3.68728 -0.513738,0.97664 -0.357604,1.21721 0.698401,1.0773 0.38309,-0.0508 0.73006,-0.0617 0.771331,-0.0247 0.04127,0.037 -0.446622,0.41212 -1.084352,0.8343 -2.96543,1.96315 -4.63865,4.10157 -4.63865,5.92777 0,0.82369 0.09555,0.85236 1.155535,0.34419 0.482711,-0.23142 0.929453,-0.42076 0.993166,-0.42068 0.297597,3e-4 0.183185,0.31998 -0.413636,1.15143 -1.704519,2.37463 -2.518416,4.07104 -2.738835,5.7089 -0.163454,1.21463 0.157248,2.63728 0.609564,2.70176 0.134806,0.0192 0.313653,-0.10108 0.587754,-0.39655 0.581066,-0.6263 1.070073,-0.96465 1.217923,-0.84195 0.0992,0.0823 0.09823,0.14174 -0.0069,0.34537 -0.185897,0.35948 -0.500695,1.65352 -0.500695,2.05809 0,0.23711 -0.05841,0.39848 -0.181227,0.50364 -0.09941,0.0851 -0.180625,0.22299 -0.180625,0.30654 0,0.16983 0.251296,0.48246 0.387729,0.48246 0.04865,0 0.388,0.28456 0.754281,0.63249 0.69358,0.65883 1.003167,1.06484 1.299288,0.79686 0.102603,-0.0929 0.355526,-0.5219 0.355526,-0.72676 0,-1.17959 1.935091,-4.46299 4.269327,-7.58552 1.753863,-2.34617 2.2864,-3.46079 2.900693,-4.73848 0.563474,-1.17197 0.816788,-1.51119 1.570226,-1.88146 0.400712,-0.19693 0.647821,-0.41665 1.571099,-0.35494 l 0.85357,0.0571 1.082424,0.63327 c 1.106704,0.55909 1.615232,0.60427 2.384936,0.69702 1.700633,0.20491 4.251915,-0.34474 6.642815,-1.12976 1.56634,-0.51428 2.037664,-0.50117 2.952507,0.22655 0.492019,0.44452 0.70807,0.91701 1.32649,2.31915 0.850438,1.92824 1.273412,2.79846 1.966149,4.10359 0.565342,1.06511 1.077393,1.78697 3.162864,4.88485 0.234246,0.34793 0.461112,0.91854 0.56989,1.25136 0.108749,0.33282 0.373752,0.96463 0.473613,1.09159 l 0.558353,0.1365 1.696266,0.0538 c 1.124989,0.0357 1.566942,-0.2069 1.643126,-0.28309 0.30067,-0.30066 -0.127064,-2.01347 -0.698219,-3.04528 -0.16957,-0.30631 -0.308292,-0.58093 -0.308292,-0.61014 0,-0.18583 0.352273,0.0359 0.993738,0.62485 0.406045,0.37278 0.789888,0.67779 0.852546,0.67779 0.06266,0 0.187885,-0.0819 0.278288,-0.1818 0.135439,-0.14966 0.170925,-0.38387 0.204182,-1.33265 0.08519,-2.43112 -0.604925,-4.52174 -2.21639,-6.7097 -0.274553,-0.37279 -0.600527,-0.78707 -0.724277,-0.92079 -0.272836,-0.29482 -0.220178,-0.56912 0.09179,-0.47834 0.112092,0.0326 0.533681,0.22248 0.937255,0.42186 0.763379,0.37711 0.988075,0.40569 1.152042,0.14532 0.140228,-0.22267 -0.133481,-1.1936 -0.62074,-2.20342 -0.788352,-1.63384 -2.222054,-3.26106 -3.76788,-4.27682 -0.462648,-0.304 -0.895111,-0.59766 -0.961384,-0.65249 -0.228854,-0.18943 0.03271,-0.24993 0.633091,-0.1471 0.644869,0.11047 0.888424,0.0326 0.888424,-0.283 0,-0.38319 -1.310616,-1.9659 -2.210487,-2.66999 -1.707472,-1.33597 -3.229468,-1.95028 -5.697125,-2.29933 l -1.084955,-0.15356 -0.0069,-0.26771 c -0.0042,-0.14714 -0.01476,-0.31252 -0.02289,-0.36773 -0.02289,-0.15285 -0.972259,-0.62595 -1.732143,-0.86313 -1.01121,-0.31561 -2.480912,-0.29616 -3.468987,0.0459 -0.392187,0.13576 -0.883935,0.34724 -1.092606,0.46951 -0.513648,0.30103 -0.739399,0.28127 -1.521484,-0.13062 -0.834743,-0.43962 -1.61005,-0.62853 -2.628219,-0.62778 z m 1.020489,15.10961 c -1.621949,0.0877 -3.017424,0.49754 -4.293547,1.7824 -0.923278,0.92962 -1.676835,2.54022 -1.676835,3.58297 0,0.56729 0.158543,1.89483 0.517594,2.36506 1.813057,2.3745 6.608113,2.40977 8.631949,-0.4944 0.278468,-0.3996 0.251236,-0.28923 0.251236,-0.21257 0,0.0797 -0.151043,0.27574 -0.648093,1.79375 -0.998136,3.04836 -1.047058,3.72744 -0.715631,3.72744 0.04754,0 1.676745,-0.84196 2.934522,-1.6154 1.257747,-0.77343 2.363397,-1.59746 2.422591,-1.66876 0.144747,-0.17444 0.190928,-0.46509 -1.289257,-2.13492 -0.676861,-0.7636 -0.81242,-0.90858 -0.81242,-0.90858 0.01295,-0.0505 0.314708,-0.0195 0.457497,0.0122 0.998046,0.22187 0.327209,0.14659 0.813504,0.0567 1.128243,-0.20857 2.281429,-1.03585 2.710338,-1.91252 0.502834,-1.02776 0.14544,-2.3868 -0.789948,-2.91308 -0.445206,-0.25048 -0.762293,-0.49228 -1.409844,-0.48626 -0.867367,0.008 -2.392346,0.21916 -2.915966,0.68986 l -0.238132,1.50815 1.186985,-0.19631 c 0.510395,-0.0679 0.538893,-0.19262 0.77344,0.16533 0.596731,0.91073 0.285427,1.37834 -0.913246,1.49352 -0.261177,0.0251 -0.626162,0.13044 -0.779826,0.0668 -0.234367,-0.0971 -0.700449,-0.004 -1.073748,0.17659 -0.515456,0.24953 -0.567993,0.15624 -0.956836,-0.0735 -0.328325,-0.19394 -0.247682,-0.25419 -0.244971,-0.60904 0.003,-0.3383 0.19888,-0.49961 0.471806,-0.7505 0.465721,-0.42816 1.056367,-0.48026 1.61975,-0.26606 0.469185,0.17838 0.620288,-0.7069 0.269883,-1.29513 -0.381011,-0.63963 -0.934363,-1.02866 -1.658399,-1.39416 -0.64966,-0.32795 -0.911831,-0.58335 -1.649121,-0.54348 z m 3.417534,21.88688 c -2.038898,0.0287 -4.151059,0.52949 -6.196645,1.52151 -4.298247,2.08449 -8.567905,7.2394 -10.039143,11.96791 -0.634898,2.04055 -0.510304,3.05039 -0.510304,5.46708 0,2.39593 0.262984,3.22394 0.84625,4.96512 1.556519,4.64665 5.81949,8.50699 10.584903,9.07468 1.021362,0.12166 3.765529,-0.44549 4.901815,-0.66477 6.573319,-1.26852 11.799392,-7.31175 13.317473,-14.39307 0.225691,-1.0528 0.296332,-1.28604 0.296784,-3.34602 3.01e-4,-2.11585 -0.171919,-2.53092 -0.416136,-3.56381 -0.608781,-2.57531 -1.632162,-4.97372 -3.254834,-6.68936 -2.345051,-2.47942 -6.131938,-4.38714 -9.530163,-4.33927 z"
+ id="rect4184"
+ inkscape:connector-curvature="0"
+ sodipodi:nodetypes="ccscsssscssscssscscscscscsssssccsscssccccsccssscccsccssscsssccccsscsccssssssssscsscssssccccccssccscssssssssssccsss" />
+ <path
+ style="fill:#000001"
+ d="m 36.776949,1012.9957 c -0.633091,-0.072 -1.679728,-0.3282 -1.998924,-0.4903 -0.503406,-0.2555 -1.399572,-1.2887 -1.613273,-1.8598 -0.309467,-0.8272 -0.201351,-1.287 0.438307,-1.8642 0.749762,-0.6766 2.340171,-1.1543 4.439107,-1.3334 0.621313,-0.053 1.393999,-0.1249 1.717082,-0.1598 l 0.587422,-0.063 -0.01838,-0.5874 c -0.0099,-0.324 -0.172191,-1.1918 -0.361491,-1.9351 l -0.343206,-1.3478 -0.60619,-0.3693 c -1.857912,-1.1322 -3.298151,-2.8886 -4.586475,-5.5933 -0.336126,-0.70561 -0.633693,-1.36427 -0.661317,-1.46368 -0.02771,-0.0994 -0.138059,-0.40442 -0.245452,-0.6778 -0.93099,-2.3701 -1.818691,-6.38737 -1.815136,-8.2143 0.003,-0.92329 -0.104712,-2.58978 -0.169901,-2.65871 -0.199994,-0.21142 -0.663637,-0.0466 -2.082458,0.7402 -2.353546,1.30516 -3.021491,1.43911 -3.715493,0.74511 -0.443127,-0.44311 -0.653455,-1.15063 -0.661498,-2.22519 -0.0054,-0.73938 0.01868,-1.03742 0.175052,-2.16895 0.09245,-0.66837 0.514492,-2.34459 0.73949,-2.93711 1.257536,-3.31165 5.014359,-10.75488 10.023809,-19.85978 0.964096,-1.75231 1.752929,-3.22854 1.752929,-3.2805 0,-0.25534 0.287927,-0.62774 0.485362,-0.62774 0.327751,0 0.517444,-0.29204 0.597333,-0.9196 0.09113,-0.716 0.304767,-1.25837 1.079592,-2.74049 0.955782,-1.82829 1.628125,-2.88272 3.078034,-4.82724 1.819444,-2.44019 2.343937,-3.23847 2.983625,-4.54127 0.781182,-1.59094 1.314682,-2.09379 2.4757,-2.33342 0.930719,-0.1921 1.532691,-0.0665 2.829419,0.59014 1.44274,0.73065 1.776276,0.79902 3.596563,0.7373 1.77754,-0.0603 2.681749,-0.24253 4.877264,-0.98303 1.406681,-0.47444 1.686354,-0.54125 2.091013,-0.49949 1.195932,0.12343 1.780162,0.82715 2.978655,3.58791 0.183396,0.42249 0.757684,1.60965 1.276183,2.63813 0.871162,1.7281 1.662616,3.01819 3.315895,5.40504 0.348658,0.50336 0.676078,1.10155 0.791393,1.44596 0.108207,0.32308 0.28853,0.73356 0.400743,0.91218 l 0.204032,0.32475 0.888936,0.0589 c 1.856135,0.12291 2.663976,0.055 2.851319,-0.23956 0.0375,-0.059 0.06883,-0.25484 0.06962,-0.43515 0,-0.18031 0.05221,-0.36653 0.114351,-0.41383 0.123209,-0.0938 0.577813,-0.21898 3.501943,-0.96421 2.697203,-0.68739 6.455021,-1.52222 7.726836,-1.71656 0.149115,-0.0228 0.645502,-0.10365 1.103059,-0.17969 1.775944,-0.29515 2.845144,-0.27899 4.906726,0.0741 1.097727,0.18804 2.399576,0.83074 2.722056,1.34383 0.272323,0.43332 0.190505,1.01435 -0.234306,1.66368 -0.431048,0.65886 -2.892258,3.09444 -3.972031,3.9307 -2.690336,2.08358 -5.751862,3.75449 -7.736928,4.22266 -0.707378,0.16683 -1.100318,0.21539 -2.662772,0.32909 -0.29823,0.0217 -1.030249,0.0799 -1.626708,0.12934 -0.59646,0.0494 -1.267478,0.0886 -1.49115,0.0871 -0.564287,-0.004 -3.092855,0.17059 -3.230824,0.22293 -0.18903,0.0717 -0.131673,0.51515 0.331125,2.55982 0.41704,1.84242 0.575132,2.59086 0.680386,3.22087 0.0244,0.14554 0.08462,0.47088 0.133963,0.72298 0.04937,0.2521 0.112182,0.6007 0.139535,0.77466 0.02741,0.17397 0.151013,0.94666 0.274733,1.71709 0.285578,1.77816 0.550189,4.13276 0.685507,6.10015 0.120467,1.75123 0.05883,6.03177 -0.102151,7.09426 -0.05645,0.37279 -0.102874,0.7388 -0.103115,0.81336 -2.71e-4,0.0746 -0.06073,0.5219 -0.134415,0.9941 -0.07368,0.47219 -0.1505,0.97907 -0.170683,1.12639 -0.154899,1.13024 -0.72253,3.62006 -1.216327,5.33525 -0.157399,0.54676 -0.34191,1.19744 -0.409991,1.44597 -0.183667,0.67036 -1.179002,3.23129 -1.510338,3.88602 -0.343326,0.67846 -2.099358,2.58515 -3.342796,3.62965 -0.590556,0.496 -0.700389,0.6313 -0.700389,0.8626 0,0.1508 -0.208188,1.1742 -0.462588,2.2741 -0.254429,1.0999 -0.467949,2.2235 -0.474456,2.4969 l -0.01175,0.497 0.587423,0.063 c 0.323082,0.035 1.095769,0.1072 1.717081,0.1608 1.316309,0.1135 2.809567,0.4341 3.544147,0.7611 0.944214,0.4202 1.516725,1.0993 1.516725,1.799 0,0.4924 -0.481898,1.3315 -1.112368,1.9369 -0.474637,0.4558 -0.675867,0.5804 -1.197528,0.7415 -0.87776,0.2712 -1.451748,0.3223 -3.519144,0.3135 -2.278386,-0.01 -2.367795,-0.014 -3.84087,-0.1761 -0.670987,-0.074 -1.443674,-0.1556 -1.717051,-0.1816 -0.273377,-0.026 -1.168067,-0.1497 -1.9882,-0.2749 -0.820132,-0.1253 -1.633486,-0.2464 -1.807454,-0.2692 -0.173967,-0.023 -0.519643,-0.082 -0.768168,-0.132 -0.595134,-0.1194 -0.734489,-0.1438 -1.236268,-0.2166 -0.773771,-0.1123 -1.007415,-0.4577 -1.105047,-1.6338 -0.0247,-0.2982 -0.103387,-0.9895 -0.174691,-1.5363 -0.0713,-0.5468 -0.130649,-1.0551 -0.131854,-1.1297 0,-0.074 -0.06221,-0.5829 -0.135559,-1.1296 -0.07335,-0.5468 -0.133872,-1.0551 -0.134504,-1.1297 -0.003,-0.2424 -0.200899,-1.4647 -0.251628,-1.5468 -0.06172,-0.1 -3.44564,-0.1067 -3.507184,-0.01 -0.04437,0.072 -0.340645,2.1036 -0.345164,2.3673 0,0.074 -0.06236,0.5829 -0.135709,1.1296 -0.07335,0.5468 -0.134354,1.0551 -0.135559,1.1297 0,0.075 -0.06046,0.5829 -0.131673,1.1296 -0.07121,0.5468 -0.14538,1.1711 -0.16484,1.3873 -0.03413,0.38 -0.211141,0.673 -0.499761,0.8274 -0.128239,0.069 -1.800465,0.3925 -2.529351,0.4898 -0.173968,0.023 -0.987322,0.1448 -1.807455,0.27 -0.820132,0.1253 -1.714822,0.249 -1.988199,0.275 -0.273378,0.026 -1.046064,0.1087 -1.717081,0.1839 -0.671018,0.075 -1.362369,0.1397 -1.536336,0.1435 -1.872583,0.041 -4.084455,0.054 -4.33789,0.025 z m 17.946332,-16.2101 c 4.703598,-0.80412 9.103363,-4.0192 11.777009,-8.6059 4.619491,-7.9249 2.524291,-17.57062 -4.59009,-21.13149 -2.124029,-1.06311 -4.909678,-1.50133 -7.391071,-1.16272 -4.686337,0.63948 -9.232114,3.73125 -11.97583,8.14528 -1.917437,3.08467 -2.890962,6.65364 -2.756126,10.10391 0.179058,4.5817 2.246394,8.51375 5.683118,10.8093 1.326068,0.88576 3.119153,1.59918 4.727004,1.88078 1.120049,0.19616 3.257665,0.17767 4.525986,-0.0392 z m 3.124817,-43.21966 c 2.237236,-1.3803 2.382224,-1.48588 2.408222,-1.75344 0.0244,-0.25253 -0.105616,-0.43409 -1.152252,-1.60709 -0.648937,-0.72732 -1.179906,-1.33114 -1.179906,-1.34184 0,-0.0107 0.416859,-0.0194 0.92632,-0.0194 0.815885,0 0.987924,-0.0289 1.443071,-0.2422 0.607305,-0.28464 1.348511,-0.94853 1.668371,-1.49433 0.274582,-0.46854 0.372606,-1.29455 0.211532,-1.78258 -0.06121,-0.18548 -0.238855,-0.48252 -0.394778,-0.6601 -0.876555,-0.99835 -2.802187,-1.00882 -4.104879,-0.0223 -0.26196,0.19837 -0.505967,0.36009 -0.542236,0.35938 -0.03627,-6e-4 -0.174239,-0.19776 -0.306635,-0.43788 -0.420323,-0.76242 -1.722865,-1.4761 -2.985161,-1.63563 -0.728283,-0.092 -1.708707,-0.002 -2.508083,0.23015 -1.56637,0.45502 -3.218986,1.7763 -3.88687,3.10755 -0.369504,0.73651 -0.477771,1.25896 -0.437856,2.11285 0.04802,1.02726 0.327029,1.65305 1.035972,2.32354 0.916139,0.86643 2.04634,1.22464 3.600329,1.14109 1.596012,-0.0858 3.010917,-0.71581 4.27011,-1.90128 0.260966,-0.24567 0.474457,-0.42976 0.474457,-0.40909 0,0.0207 -0.36601,1.13392 -0.813355,2.47389 -0.447345,1.33996 -0.813354,2.52051 -0.813354,2.62344 0,0.25587 0.169298,0.40404 0.461654,0.40404 0.158423,0 1.084653,-0.51819 2.625327,-1.46873 z m -2.877889,-5.66621 c -0.356249,-0.21723 -0.48021,-0.43965 -0.48021,-0.86159 0,-0.62931 0.500574,-1.22067 1.19057,-1.40646 0.29353,-0.079 0.455508,-0.0711 0.792267,0.0391 0.408605,0.13364 0.438579,0.13073 0.862276,-0.0838 0.956987,-0.48449 1.854267,-0.0859 1.854267,0.82381 0,0.97396 -1.200179,1.70803 -2.112763,1.29222 -0.187192,-0.0853 -0.30079,-0.0633 -0.699816,0.13556 -0.565582,0.28185 -1.012716,0.30128 -1.406591,0.0611 z"
+ id="path4149"
+ inkscape:connector-curvature="0" />
+ </g>
+ </g>
+ </g>
+ </g>
+</svg>
diff --git a/admin/static/leaflet-init.js b/admin/static/leaflet-init.js
new file mode 100644
index 0000000..dab7a51
--- /dev/null
+++ b/admin/static/leaflet-init.js
@@ -0,0 +1,46 @@
+// Linux Day 2016 - Leaflet.js init
+// Copyright (C) 2016 Valerio Bozzolan
+//
+// This program is free software: you can redistribute it and/or modify
+// it under the terms of the GNU Affero General Public License as published by
+// the Free Software Foundation, either version 3 of the License, or
+// (at your option) any later version.
+//
+// This program is distributed in the hope that it will be useful,
+// but WITHOUT ANY WARRANTY; without even the implied warranty of
+// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+// GNU Affero General Public License for more details.
+//
+// You should have received a copy of the GNU Affero General Public License
+// along with this program. If not, see <http://www.gnu.org/licenses/>.
+$(document).ready(function () {
+ $map = $("#map");
+ lat = $map.data("lat");
+ lng = $map.data("lng");
+ z = $map.data("zoom");
+ lat || $.error("Missing lat");
+ lng || $.error("Missing lng");
+ z || $.error("Missing z");
+ var center = L.latLng(lat, lng);
+ var url = 'https://{s}.tile.openstreetmap.org/{z}/{x}/{y}.png';
+ var thanks = 'Map data © <a href="http://openstreetmap.org">OpenStreetMap</a> contributors';
+ var map = L.map('map', {
+ scrollWheelZoom: false
+ } );
+ map.setView(center, z);
+ map.addLayer( new L.TileLayer(url, {
+ minZoom: 10,
+ maxZoom: 19,
+ attribution: thanks
+ }));
+ var ldIcon = L.icon({
+ iconUrl: '/2016/static/linuxday-64.png',
+ shadowUrl: '/2016/static/linuxday-64-shadow.png',
+ iconSize: [27, 32], // size of the icon
+ shadowSize: [50, 32], // size of the shadow
+ iconAnchor: [13, 26], // point of the icon which will correspond to marker's location
+ shadowAnchor: [11, 29], // the same for the shadow
+ popupAnchor: [-3, -76] // point from which the popup should open relative to the iconAnchor
+ });
+ L.marker(center, {icon: ldIcon}).addTo(map);
+});
diff --git a/admin/static/learning/unito/debian-base.md b/admin/static/learning/unito/debian-base.md
new file mode 100644
index 0000000..b40818c
--- /dev/null
+++ b/admin/static/learning/unito/debian-base.md
@@ -0,0 +1,173 @@
+%title: Corso GNU/Linux base
+%date: 2016-11-30
+
+-> # Manutenzione di un sistema basato su Debian <-
+
+^
+-> ## Ma perchè Debian? <-
+
+-> ¯\\_(ツ)_/¯ <-
+
+^
+-> https://commons.wikimedia.org/wiki/File:GNU_Linux_Distribution_Timeline_12-2.svg <-
+
+---
+
+-> # Prima di Debian... <-
+
+Come installo `nsnake`?
+^
+
+README: *Simple* installation instructions for the game "nsnake":
+* Install glibc
+* Move this into something as /usr/src.
+* Untar the source
+* Run `sh ./configure` and `make` as root
+* Configure properly /etc/nsnake.conf and have fun
+
+^
+(╯°□°)╯︵ ┻━┻
+
+---
+
+-> # Con Debian <-
+
+-> Advanced Packaging Tool <-
+
+Come installo `nsnake`?
+^
+
+ apt-get install nsnake
+^
+
+ᕕ( ᐛ )ᕗ
+
+---
+
+-> Parliamo della stessa cosa <-
+
+ apt-get install nsnake
+
+ apt install nsnake
+
+ aptitude install nsnake
+
+ dpkg -i nsnake.deb
+
+...e c'è anche `Synaptic`.
+
+---
+
+-> Pacchetti e dipendenze <-
+
+-> .exe \!= .deb <-
+
+^
+Ad esempio...
+
+* libopencv-dev.exe per Microsoft Windows: 279 MegaByte
+^
+* libopencv-dev.deb per Debian: 180 KyloByte
+
+Perchè?
+
+---
+
+-> Il potere della dipendenza ʕ•ᴥ•ʔ <-
+
+-> 100 programmi: 1 libreria <-
+^
+-> Non 100 programmi con 100 librerie! <-
+^
+
+---
+
+-> # Domanda <-
+
+-> Se tale libreria avesse... un problemino di sicurezza? <-
+
+Es: "Open Type Font Remote Code Execution Vulnerability"
+CVE-2016-7256 (*28 novembre*)
+
+---
+
+-> # Domanda <-
+
+-> Se tentassi di eliminare una libreria? (es: `libc6`) <-
+
+---
+
+-> # Domanda <-
+
+-> Se eliminassi un programma che fine fanno le sue librerie? <-
+^
+
+ apt-get autoremove
+
+^
+E passa la paura \\( ゚ヮ゚)/
+
+---
+
+-> # Da dove vengono i pacchetti? <-
+
+ .-.
+ .-""`""-. |(@ @)
+ _/`oOoOoOoOo`\_ \ \-/
+ '.-=-=-=-=-=-=-.' \/ \
+ `-=.=-.-=.=-' \ /\
+ ^ ^ ^ _H_ \
+
+---
+
+-> # Da dove vengono i pacchetti? <-
+
+Debian non è una:
+* unstable (sid)
+^
+ * Tutto il più recente (il più instabile!)
+ * *NON* fatene un server!
+^
+* testing (stretch)
+^
+ * Se *non* introduce bug per 2-10 giorni
+^
+* stable (jessie)
+^
+ * Production approved! *<3*
+^
+* oldstable (wheezy)
+^
+ * Security ~1 anno
+^
+* jessie-backports, etc.
+
+---
+
+-> Quale Debian scegliere? <-
+^
+
+-> *STABLE* <-
+-> *STABLE* *STABLE* <-
+-> *STABLE* *STABLE* *STABLE* <-
+-> *STABLE* *STABLE* <-
+-> *STABLE* <-
+^
+
+Sì, stable.
+
+---
+
+
+-> # Provenienza <-
+
+Sia che sia oldstable, stable, testing, o unstable...
+
+* Main
+ * Only Free as in Freedom
+* Contrib
+ * Only Free as in Freedom... with non-free dependence
+* Non-Free
+ * Restricting use or redistribution
+
+ /etc/apt/sources.list
diff --git a/admin/static/learning/unito/materiale_terminale/backup.sh b/admin/static/learning/unito/materiale_terminale/backup.sh
new file mode 100755
index 0000000..ee92ec5
--- /dev/null
+++ b/admin/static/learning/unito/materiale_terminale/backup.sh
@@ -0,0 +1,5 @@
+#! /bin/bash
+
+OF=$2/my-backup-$(date +%Y%m%d).tgz
+
+tar -czfv $OF $1
diff --git a/admin/static/learning/unito/materiale_terminale/esercizio.hs b/admin/static/learning/unito/materiale_terminale/esercizio.hs
new file mode 100755
index 0000000..e12d39d
--- /dev/null
+++ b/admin/static/learning/unito/materiale_terminale/esercizio.hs
@@ -0,0 +1,110 @@
+{- Generare la lista potenzialmente infinita dei numeri di Fibonacci usando
+ le funzioni zip e tail (e l’assioma di comprensione). Scrivere poi una
+ funzione che restituisce i primi n nmeri di Fibnacci che soddisfano un
+ certo predicato p. Fare gli esempio con i predicati di primalita’
+ (trovare i primi n numeri di Fibonacci primi) e p divisibilità per 100
+ (trovare i primi n numeri di fbonacci divisibili per 100). -}
+{-
+fibonacci :: (Integer -> Bool) -> [Integer]
+fibonacci p = 0 : 1 : [a + b | (a, b) <- zip (fibonacci p) (tail (fibonacci p)), p $ (+) a b]
+-}
+-- valuta la funzione specificata in una lista di numeri di fibonacci e restituisce solo quelli che soddisfano il predicato
+fibonacci :: (Integer -> Bool) -> [Integer]
+fibonacci p = filter p fib
+ where
+ fib = 0 : [a + b | (a, b) <- zip fib (tail fib)]
+--restituisce se un numero è primo
+isprim :: Integer -> Bool
+isprim n | n < 2 = False
+ | n == 2 = True
+ | otherwise = isprimaus n 2
+-- funzione ausiliaria di isprim
+isprimaus :: Integer -> Integer -> Bool
+isprimaus n m | divide n m = False | truncate (sqrt (fromInteger n)) > m = isprimaus n (m + 1) | otherwise = True
+-- restituisce se il numero è divisibile per un altro
+divide :: Integer -> Integer -> Bool
+divide n m | mod n m == 0 = True | otherwise = False
+-- restituisce se il numero specificato è divisibile per 100
+div100 :: Integer -> Bool
+div100 n = (mod) n 100 == 0
+
+{- Si rappresenti un grafo orientato aciclico come un’insieme di coppie
+ (String, String), dove ogni vertice è quindi rappresentato da una stringa.
+ Una coppia (“v”, “w”) rappresenta un arco dal vertice v al vertice w.
+ Costruire una funzione che, dati due vertici u e w restituisce un cammino
+ che li collega, rappresentato come la lista dei nodi contigui che
+ collegano u a w. Se il cammino non c’è restituire la stringa vuota.
+ Usare il tipo algebrico Set nel package Data.Set. Si usi l’assioma di
+ comprensione in modo da simulare una ricerca in profondità del cammino.
+ Notare come la lazy evaluation permette di evitare il backtracking.
+-}
+
+type Nodo = String
+type Arco = (Nodo, Nodo)
+type Grafo = [Arco]
+
+graph = [("a","b"), ("b","d"), ("d","e"), ("e","g"),("b","c"),("c","f"),("f", "h"),("f","e")]
+graph1 = [("a", "b"), ("c", "a"), ("h","a"), ("b", "h"), ("a", "c"), ("b", "c"), ("f","c"), ("b", "d"), ("c", "d"), ("c", "f"), ("e", "d"), ("e", "f"), ("f", "i"), ("g","c")]
+
+perccirc = ["a","b","h"]
+perc = ["a","b"]
+
+-- cerca tutti i figli del nodo specificato nel grafo specificato
+searchArcoStartsWith :: Grafo -> Nodo -> Grafo
+searchArcoStartsWith grafo nodo = [(x,y) | (x, y) <- grafo, x == nodo]
+--rimuove l'arco specificato
+rimuoviArco :: Grafo -> Arco -> Grafo
+rimuoviArco grafo arco = [(x,y) | (x,y) <- grafo, x /= (fst arco), y /= (snd arco)]
+--restituisce il nodo
+thereIsGoal :: Nodo -> Nodo -> Grafo -> Bool
+thereIsGoal actual goal grafo = length [y | (x,y) <- (searchArcoStartsWith grafo actual), y == goal] == 1
+
+--restituisce una lista di tutte le destinazioni di un nodo
+getDestinations :: Grafo -> Nodo -> [Nodo]
+getDestinations grafo nodo = [y | (x, y) <- searchArcoStartsWith grafo nodo]
+--controlla se la destinazione è raggiungibile dal nodo specificato
+searchCammino :: Nodo -> Nodo -> Grafo -> Bool
+searchCammino actual dest grafo | actual == dest = True
+ | (getDestinations grafo actual) == [] = False
+ | otherwise = foldr (\x y -> y || searchCammino x dest grafo) False (getDestinations grafo actual)
+
+cammino :: Nodo -> Nodo -> Grafo -> [Nodo]
+cammino actual dest grafo | actual == dest = [dest]
+ | searchCammino actual dest grafo == False = []
+ | otherwise = actual : (cammino next dest grafo)
+ where
+ next = (head [x | x <- getDestinations grafo actual, searchCammino x dest grafo])
+
+
+{-
+2- bis . Generalizzare la funzione dell’esercizio 2 al caso di grafi che possono
+contenere cicli.
+-}
+
+--controlla che il nodo corrente non sia già stato raggiunto
+passed :: Nodo -> [Nodo] -> Bool
+passed nodo list | list == [] = False
+ | nodo == (head list) = True
+ | (tail list) == [] = False
+ | otherwise = passed nodo (tail list)
+
+--controlla se la destinazione è raggiungibile dal nodo specificato
+searchCamminoCirc :: Nodo -> Nodo -> [Nodo] -> Grafo -> Bool
+searchCamminoCirc actual dest camm grafo | actual == dest = True
+ | (getDestinations grafo actual) == [] = False
+ | passed actual camm = False
+ | otherwise = foldr (\x y -> y || searchCamminoCirc x dest cammino grafo) False (getDestinations grafo actual)
+ where cammino = camm ++ [actual]
+
+--compone la il percorso verificando in quale nodo andare al prossimo passo
+cammCirc :: Nodo -> Nodo -> [Nodo] -> Grafo -> [Nodo]
+cammCirc actual dest camm grafo | actual == dest = [dest]
+ | searchCamminoCirc actual dest camm grafo == False = []
+ | otherwise = actual : (cammCirc next dest cammino grafo)
+ where
+ next = (head [x | x <- getDestinations grafo actual, searchCamminoCirc x dest camm grafo])
+ cammino = camm ++ [actual]
+
+-- funzione di partenza che elimina il parametro cammino mettendo una lista vuota
+camminoCirc :: Nodo -> Nodo -> Grafo -> [Nodo]
+camminoCirc actual dest grafo = cammCirc actual dest [] grafo
\ No newline at end of file
diff --git a/admin/static/learning/unito/materiale_terminale/img/welcome.png b/admin/static/learning/unito/materiale_terminale/img/welcome.png
new file mode 100644
index 0000000..623248a
Binary files /dev/null and b/admin/static/learning/unito/materiale_terminale/img/welcome.png differ
diff --git a/admin/static/learning/unito/materiale_terminale/morecomplex.sh b/admin/static/learning/unito/materiale_terminale/morecomplex.sh
new file mode 100755
index 0000000..c17001a
--- /dev/null
+++ b/admin/static/learning/unito/materiale_terminale/morecomplex.sh
@@ -0,0 +1,15 @@
+#! /bin/bash
+
+FILES=`ls $1`
+
+size=${#FILES}
+
+if [ "$size" = "0" ]; then
+ echo "Nessun file in questa directory"
+else
+ echo "I file in questa directory sono:"
+ for f in $FILES;
+ do
+ echo $f
+ done
+fi
diff --git a/admin/static/learning/unito/materiale_terminale/numeri b/admin/static/learning/unito/materiale_terminale/numeri
new file mode 100644
index 0000000..78fbc60
--- /dev/null
+++ b/admin/static/learning/unito/materiale_terminale/numeri
@@ -0,0 +1,44 @@
+4
+67
+99
+99
+99
+3
+22
+7
+99
+99
+9
+45
+99
+99
+99
+76
+2
+11
+1
+8
+99
+99
+99
+99
+99
+99
+99
+99
+99
+99
+99
+99
+99
+99
+99
+99
+99
+99
+99
+45366
+8
+8
+0
+123
diff --git a/admin/static/learning/unito/materiale_terminale/shell.sh b/admin/static/learning/unito/materiale_terminale/shell.sh
new file mode 100755
index 0000000..7b78613
--- /dev/null
+++ b/admin/static/learning/unito/materiale_terminale/shell.sh
@@ -0,0 +1,5 @@
+#! /bin/bash
+
+H="Ciao $1, come va?"
+
+echo $H
diff --git a/admin/static/learning/unito/materiale_terminale/slides.html b/admin/static/learning/unito/materiale_terminale/slides.html
new file mode 100755
index 0000000..df13f67
--- /dev/null
+++ b/admin/static/learning/unito/materiale_terminale/slides.html
@@ -0,0 +1,393 @@
+<!DOCTYPE html>
+ <html class="sl-root decks export loaded ua-phantomjs reveal-viewport theme-font-montserrat theme-color-black-orange">
+ <head>
+ <meta name="viewport" content="width=device-width, initial-scale=1.0">
+ <meta charset="utf-8">
+ <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
+ <title>Shell Linux: Slides</title>
+ <meta name="description" content="Slides">
+ <style>@import url("https://s3.amazonaws.com/static.slid.es/fonts/montserrat/montserrat.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/opensans/opensans.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/lato/lato.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/asul/asul.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/josefinsans/josefinsans.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/league/league_gothic.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/merriweathersans/merriweathersans.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/overpass/overpass.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/overpass2/overpass2.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/quicksand/quicksand.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/cabinsketch/cabinsketch.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/newscycle/newscycle.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/oxygen/oxygen.css");.theme-font-asul .themed,.theme-font-asul .reveal{font-family:"Asul", sans-serif;font-size:30px}.theme-font-asul .themed section,.theme-font-asul .reveal section{line-height:1.3}.theme-font-asul .themed h1,.theme-font-asul .themed h2,.theme-font-asul .themed h3,.theme-font-asul .themed h4,.theme-font-asul .themed h5,.theme-font-asul .themed h6,.theme-font-asul .reveal h1,.theme-font-asul .reveal h2,.theme-font-asul .reveal h3,.theme-font-asul .reveal h4,.theme-font-asul .reveal h5,.theme-font-asul .reveal h6{font-family:"Asul", sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-helvetica .themed,.theme-font-helvetica .reveal{font-family:Helvetica, Arial, sans-serif;font-size:30px}.theme-font-helvetica .themed section,.theme-font-helvetica .reveal section{line-height:1.3}.theme-font-helvetica .themed h1,.theme-font-helvetica .themed h2,.theme-font-helvetica .themed h3,.theme-font-helvetica .themed h4,.theme-font-helvetica .themed h5,.theme-font-helvetica .themed h6,.theme-font-helvetica .reveal h1,.theme-font-helvetica .reveal h2,.theme-font-helvetica .reveal h3,.theme-font-helvetica .reveal h4,.theme-font-helvetica .reveal h5,.theme-font-helvetica .reveal h6{font-family:Helvetica, Arial, sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-josefine .themed,.theme-font-josefine .reveal{font-family:"Lato", sans-serif;font-size:30px}.theme-font-josefine .themed section,.theme-font-josefine .reveal section{line-height:1.3}.theme-font-josefine .themed h1,.theme-font-josefine .themed h2,.theme-font-josefine .themed h3,.theme-font-josefine .themed h4,.theme-font-josefine .themed h5,.theme-font-josefine .themed h6,.theme-font-josefine .reveal h1,.theme-font-josefine .reveal h2,.theme-font-josefine .reveal h3,.theme-font-josefine .reveal h4,.theme-font-josefine .reveal h5,.theme-font-josefine .reveal h6{font-family:"Josefin Sans", sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-league .themed,.theme-font-league .reveal{font-family:"Lato", Helvetica, sans-serif;font-size:30px}.theme-font-league .themed section,.theme-font-league .reveal section{line-height:1.3}.theme-font-league .themed h1,.theme-font-league .themed h2,.theme-font-league .themed h3,.theme-font-league .themed h4,.theme-font-league .themed h5,.theme-font-league .themed h6,.theme-font-league .reveal h1,.theme-font-league .reveal h2,.theme-font-league .reveal h3,.theme-font-league .reveal h4,.theme-font-league .reveal h5,.theme-font-league .reveal h6{font-family:"League Gothic", Impact, sans-serif;text-transform:uppercase;line-height:1.3;font-weight:normal}.theme-font-merriweather .themed,.theme-font-merriweather .reveal{font-family:"Oxygen", sans-serif;font-size:30px}.theme-font-merriweather .themed section,.theme-font-merriweather .reveal section{line-height:1.3}.theme-font-merriweather .themed h1,.theme-font-merriweather .themed h2,.theme-font-merriweather .themed h3,.theme-font-merriweather .themed h4,.theme-font-merriweather .themed h5,.theme-font-merriweather .themed h6,.theme-font-merriweather .reveal h1,.theme-font-merriweather .reveal h2,.theme-font-merriweather .reveal h3,.theme-font-merriweather .reveal h4,.theme-font-merriweather .reveal h5,.theme-font-merriweather .reveal h6{font-family:"Merriweather Sans", sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-montserrat .themed,.theme-font-montserrat .reveal{font-family:"Open Sans", sans-serif;font-size:30px}.theme-font-montserrat .themed section,.theme-font-montserrat .reveal section{line-height:1.3}.theme-font-montserrat .themed h1,.theme-font-montserrat .themed h2,.theme-font-montserrat .themed h3,.theme-font-montserrat .themed h4,.theme-font-montserrat .themed h5,.theme-font-montserrat .themed h6,.theme-font-montserrat .reveal h1,.theme-font-montserrat .reveal h2,.theme-font-montserrat .reveal h3,.theme-font-montserrat .reveal h4,.theme-font-montserrat .reveal h5,.theme-font-montserrat .reveal h6{font-family:"Montserrat", Helvetica, sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-news .themed,.theme-font-news .reveal{font-family:"Lato", sans-serif;font-size:30px}.theme-font-news .themed section,.theme-font-news .reveal section{line-height:1.3}.theme-font-news .themed h1,.theme-font-news .themed h2,.theme-font-news .themed h3,.theme-font-news .themed h4,.theme-font-news .themed h5,.theme-font-news .themed h6,.theme-font-news .reveal h1,.theme-font-news .reveal h2,.theme-font-news .reveal h3,.theme-font-news .reveal h4,.theme-font-news .reveal h5,.theme-font-news .reveal h6{font-family:"News Cycle", Impact, sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-opensans .themed,.theme-font-opensans .reveal{font-family:"Open Sans", Helvetica, sans-serif;font-size:30px}.theme-font-opensans .themed section,.theme-font-opensans .reveal section{line-height:1.3}.theme-font-opensans .themed h1,.theme-font-opensans .themed h2,.theme-font-opensans .themed h3,.theme-font-opensans .themed h4,.theme-font-opensans .themed h5,.theme-font-opensans .themed h6,.theme-font-opensans .reveal h1,.theme-font-opensans .reveal h2,.theme-font-opensans .reveal h3,.theme-font-opensans .reveal h4,.theme-font-opensans .reveal h5,.theme-font-opensans .reveal h6{font-family:"Open Sans", Helvetica, sans-serif;text-transform:none;line-height:1.3;font-weight:bold}.theme-font-palatino .themed,.theme-font-palatino .reveal{font-family:"Palatino Linotype", "Book Antiqua", Palatino, FreeSerif, serif;font-size:30px}.theme-font-palatino .themed section,.theme-font-palatino .reveal section{line-height:1.3}.theme-font-palatino .themed h1,.theme-font-palatino .themed h2,.theme-font-palatino .themed h3,.theme-font-palatino .themed h4,.theme-font-palatino .themed h5,.theme-font-palatino .themed h6,.theme-font-palatino .reveal h1,.theme-font-palatino .reveal h2,.theme-font-palatino .reveal h3,.theme-font-palatino .reveal h4,.theme-font-palatino .reveal h5,.theme-font-palatino .reveal h6{font-family:"Palatino Linotype", "Book Antiqua", Palatino, FreeSerif, serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-quicksand .themed,.theme-font-quicksand .reveal{font-family:"Open Sans", Helvetica, sans-serif;font-size:30px}.theme-font-quicksand .themed section,.theme-font-quicksand .reveal section{line-height:1.3}.theme-font-quicksand .themed h1,.theme-font-quicksand .themed h2,.theme-font-quicksand .themed h3,.theme-font-quicksand .themed h4,.theme-font-quicksand .themed h5,.theme-font-quicksand .themed h6,.theme-font-quicksand .reveal h1,.theme-font-quicksand .reveal h2,.theme-font-quicksand .reveal h3,.theme-font-quicksand .reveal h4,.theme-font-quicksand .reveal h5,.theme-font-quicksand .reveal h6{font-family:"Quicksand", Helvetica, sans-serif;text-transform:uppercase;line-height:1.3;font-weight:normal}.theme-font-sketch .themed,.theme-font-sketch .reveal{font-family:"Oxygen", sans-serif;font-size:30px}.theme-font-sketch .themed section,.theme-font-sketch .reveal section{line-height:1.3}.theme-font-sketch .themed h1,.theme-font-sketch .themed h2,.theme-font-sketch .themed h3,.theme-font-sketch .themed h4,.theme-font-sketch .themed h5,.theme-font-sketch .themed h6,.theme-font-sketch .reveal h1,.theme-font-sketch .reveal h2,.theme-font-sketch .reveal h3,.theme-font-sketch .reveal h4,.theme-font-sketch .reveal h5,.theme-font-sketch .reveal h6{font-family:"Cabin Sketch", sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-overpass .themed,.theme-font-overpass .reveal{font-family:"Overpass", sans-serif;font-size:28px}.theme-font-overpass .themed section,.theme-font-overpass .reveal section{line-height:1.3}.theme-font-overpass .themed h1,.theme-font-overpass .themed h2,.theme-font-overpass .themed h3,.theme-font-overpass .themed h4,.theme-font-overpass .themed h5,.theme-font-overpass .themed h6,.theme-font-overpass .reveal h1,.theme-font-overpass .reveal h2,.theme-font-overpass .reveal h3,.theme-font-overpass .reveal h4,.theme-font-overpass .reveal h5,.theme-font-overpass .reveal h6{font-family:"Overpass", sans-serif;text-transform:uppercase;line-height:1.3;font-weight:bold}.theme-font-overpass .themed h1,.theme-font-overpass.themed h1,.theme-font-overpass .reveal h1,.theme-font-overpass.reveal h1{font-size:1.75em;margin-bottom:.25em;letter-spacing:.015em}.theme-font-overpass .themed h2,.theme-font-overpass.themed h2,.theme-font-overpass .reveal h2,.theme-font-overpass.reveal h2{font-size:1.15em;margin-bottom:.5em;letter-spacing:.036661em}.theme-font-overpass .themed h3,.theme-font-overpass.themed h3,.theme-font-overpass .reveal h3,.theme-font-overpass.reveal h3{font-size:1.00em;margin-bottom:.5em;letter-spacing:.041em}.theme-font-overpass .themed h4,.theme-font-overpass.themed h4,.theme-font-overpass .reveal h4,.theme-font-overpass.reveal h4{font-size:1.00em}.theme-font-overpass .themed h5,.theme-font-overpass.themed h5,.theme-font-overpass .reveal h5,.theme-font-overpass.reveal h5{font-size:1.00em}.theme-font-overpass .themed h6,.theme-font-overpass.themed h6,.theme-font-overpass .reveal h6,.theme-font-overpass.reveal h6{font-size:1.00em}.theme-font-overpass2 .themed,.theme-font-overpass2 .reveal{font-family:"Overpass 2", sans-serif;font-size:28px}.theme-font-overpass2 .themed section,.theme-font-overpass2 .reveal section{line-height:1.3}.theme-font-overpass2 .themed h1,.theme-font-overpass2 .themed h2,.theme-font-overpass2 .themed h3,.theme-font-overpass2 .themed h4,.theme-font-overpass2 .themed h5,.theme-font-overpass2 .themed h6,.theme-font-overpass2 .reveal h1,.theme-font-overpass2 .reveal h2,.theme-font-overpass2 .reveal h3,.theme-font-overpass2 .reveal h4,.theme-font-overpass2 .reveal h5,.theme-font-overpass2 .reveal h6{font-family:"Overpass 2", sans-serif;text-transform:uppercase;line-height:1.3;font-weight:bold}.theme-font-overpass2 .themed h1,.theme-font-overpass2.themed h1,.theme-font-overpass2 .reveal h1,.theme-font-overpass2.reveal h1{font-size:1.75em;margin-bottom:.25em;letter-spacing:.015em}.theme-font-overpass2 .themed h2,.theme-font-overpass2.themed h2,.theme-font-overpass2 .reveal h2,.theme-font-overpass2.reveal h2{font-size:1.15em;margin-bottom:.5em;letter-spacing:.036661em}.theme-font-overpass2 .themed h3,.theme-font-overpass2.themed h3,.theme-font-overpass2 .reveal h3,.theme-font-overpass2.reveal h3{font-size:1.00em;margin-bottom:.5em;letter-spacing:.041em}.theme-font-overpass2 .themed h4,.theme-font-overpass2.themed h4,.theme-font-overpass2 .reveal h4,.theme-font-overpass2.reveal h4{font-size:1.00em}.theme-font-overpass2 .themed h5,.theme-font-overpass2.themed h5,.theme-font-overpass2 .reveal h5,.theme-font-overpass2.reveal h5{font-size:1.00em}.theme-font-overpass2 .themed h6,.theme-font-overpass2.themed h6,.theme-font-overpass2 .reveal h6,.theme-font-overpass2.reveal h6{font-size:1.00em}.theme-font-no-font .themed,.theme-font-no-font.themed,.theme-font-no-font .reveal,.theme-font-no-font.reveal{font-family:sans-serif;font-size:30px}.theme-font-no-font .themed section font,.theme-font-no-font.themed section font,.theme-font-no-font .reveal section font,.theme-font-no-font.reveal section font{line-height:1}@font-face{font-family:KaTeX_AMS;src:url(//assets.slid.es/assets/katex/KaTeX_AMS-Regular-5c386d86cd29ef8054a5c28b63ba00fa.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_AMS-Regular-d5cf183e0d8a341e3d324a2a78c2233c.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Caligraphic;src:url(//assets.slid.es/assets/katex/KaTeX_Caligraphic-Bold-48ae19da3e032bfe68028a3ed222f898.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Caligraphic-Bold-072cfa9156fb145c522a6976f91c3a2b.ttf) format("truetype");font-weight:700;font-style:normal}@font-face{font-family:KaTeX_Caligraphic;src:url(//assets.slid.es/assets/katex/KaTeX_Caligraphic-Regular-d7b4cfbdd9157c75441ecf9f1423397b.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Caligraphic-Regular-3cd3e9b2d25aeead23bc6bfffe1c51dd.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Fraktur;src:url(//assets.slid.es/assets/katex/KaTeX_Fraktur-Bold-f92a2374a6cdf8b8640e040c05cc8b38.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Fraktur-Bold-812abece8fefeacc87164210024ba048.ttf) format("truetype");font-weight:700;font-style:normal}@font-face{font-family:KaTeX_Fraktur;src:url(//assets.slid.es/assets/katex/KaTeX_Fraktur-Regular-f50457aa781c854f177fae5160b1d5bc.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Fraktur-Regular-dc96a8f26a92d1a08a92438ee0f5e640.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Main;src:url(//assets.slid.es/assets/katex/KaTeX_Main-Bold-27ee6d4ab0887e4ede4e2cda1f7cb5c8.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Main-Bold-f72043005ca5a6ea8fb4ac2792d0db8b.ttf) format("truetype");font-weight:700;font-style:normal}@font-face{font-family:KaTeX_Main;src:url(//assets.slid.es/assets/katex/KaTeX_Main-Italic-e36cb8a30f84faa2c5f18a65f7721845.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Main-Italic-cd8b3e6364ebf019e301ef9e70f3eb5c.ttf) format("truetype");font-weight:400;font-style:italic}@font-face{font-family:KaTeX_Main;src:url(//assets.slid.es/assets/katex/KaTeX_Main-Regular-286600c32626e214a89e6af36826e091.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Main-Regular-e2d15889515d40d6b990286b06575e68.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Math;src:url(//assets.slid.es/assets/katex/KaTeX_Math-BoldItalic-fc5261359ddddf5fa8a7662c4186bb90.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Math-BoldItalic-91500bef789006dede0db78911815eb9.ttf) format("truetype");font-weight:700;font-style:italic}@font-face{font-family:KaTeX_Math;src:url(//assets.slid.es/assets/katex/KaTeX_Math-Italic-dc647478b8e73f9ac018f8e1fd9db253.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Math-Italic-c3918a49aabb4f957fe89c88e20d75ef.ttf) format("truetype");font-weight:400;font-style:italic}@font-face{font-family:KaTeX_Math;src:url(//assets.slid.es/assets/katex/KaTeX_Math-Regular-4468f8b46238a0592004ef9c8541fd5d.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Math-Regular-445010640b7ce2ef4f2a983527cb1ff1.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Script;src:url(//assets.slid.es/assets/katex/KaTeX_Script-Regular-74dd5124b228e3a583e67712c2b6ab7f.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Script-Regular-e177fac57accdd3dc01c41aa4952c93e.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Size1;src:url(//assets.slid.es/assets/katex/KaTeX_Size1-Regular-78823f66cdb607e5996c7bb494551ee6.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Size1-Regular-b0b730693285d026503930c38c160339.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Size2;src:url(//assets.slid.es/assets/katex/KaTeX_Size2-Regular-db1000f8be0574d37f9eecbdfe823a79.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Size2-Regular-d9bcfefab2c9e6f8798d864d0dd9c3e1.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Size3;src:url(//assets.slid.es/assets/katex/KaTeX_Size3-Regular-69ae0c769de6197d12a4cc70359cbc23.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Size3-Regular-14684bb66e50b7652e7a4a257cb924ab.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Size4;src:url(//assets.slid.es/assets/katex/KaTeX_Size4-Regular-47fa1e4a913c4bc13ba28d37b078cffa.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Size4-Regular-f9e0bbe04f2be30552f330c99f00dfb2.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Typewriter;src:url(//assets.slid.es/assets/katex/KaTeX_Typewriter-Regular-406284f22010eec74d0499d212ebdb7e.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Typewriter-Regular-8a4c1e68be15670fa0d9ae77e029618a.ttf) format("truetype");font-weight:400;font-style:normal}.katex-display{display:block;margin:1em 0;text-align:center}.katex-display>.katex{display:inline-block}.katex{font:400 1.21em KaTeX_Main;line-height:1.2;text-indent:0;white-space:nowrap}.katex .katex-html{display:inline-block}.katex .katex-mathml{border:0;clip:rect(1px, 1px, 1px, 1px);height:1px;overflow:hidden;padding:0;position:absolute;width:1px}.katex .base,.katex .strut{display:inline-block}.katex .mathit{font-family:KaTeX_Math;font-style:italic}.katex .mathbf{font-family:KaTeX_Main;font-weight:700}.katex .amsrm,.katex .mathbb{font-family:KaTeX_AMS}.katex .mathcal{font-family:KaTeX_Caligraphic}.katex .mathfrak{font-family:KaTeX_Fraktur}.katex .mathtt{font-family:KaTeX_Typewriter}.katex .mathscr{font-family:KaTeX_Script}.katex .mathsf{font-family:KaTeX_SansSerif}.katex .mainit{font-family:KaTeX_Main;font-style:italic}.katex .textstyle>.mord+.mop{margin-left:.16667em}.katex .textstyle>.mord+.mbin{margin-left:.22222em}.katex .textstyle>.mord+.mrel{margin-left:.27778em}.katex .textstyle>.mop+.mop,.katex .textstyle>.mop+.mord,.katex .textstyle>.mord+.minner{margin-left:.16667em}.katex .textstyle>.mop+.mrel{margin-left:.27778em}.katex .textstyle>.mop+.minner{margin-left:.16667em}.katex .textstyle>.mbin+.minner,.katex .textstyle>.mbin+.mop,.katex .textstyle>.mbin+.mopen,.katex .textstyle>.mbin+.mord{margin-left:.22222em}.katex .textstyle>.mrel+.minner,.katex .textstyle>.mrel+.mop,.katex .textstyle>.mrel+.mopen,.katex .textstyle>.mrel+.mord{margin-left:.27778em}.katex .textstyle>.mclose+.mop{margin-left:.16667em}.katex .textstyle>.mclose+.mbin{margin-left:.22222em}.katex .textstyle>.mclose+.mrel{margin-left:.27778em}.katex .textstyle>.mclose+.minner,.katex .textstyle>.minner+.mop,.katex .textstyle>.minner+.mord,.katex .textstyle>.mpunct+.mclose,.katex .textstyle>.mpunct+.minner,.katex .textstyle>.mpunct+.mop,.katex .textstyle>.mpunct+.mopen,.katex .textstyle>.mpunct+.mord,.katex .textstyle>.mpunct+.mpunct,.katex .textstyle>.mpunct+.mrel{margin-left:.16667em}.katex .textstyle>.minner+.mbin{margin-left:.22222em}.katex .textstyle>.minner+.mrel{margin-left:.27778em}.katex .mclose+.mop,.katex .minner+.mop,.katex .mop+.mop,.katex .mop+.mord,.katex .mord+.mop,.katex .textstyle>.minner+.minner,.katex .textstyle>.minner+.mopen,.katex .textstyle>.minner+.mpunct{margin-left:.16667em}.katex .reset-textstyle.textstyle{font-size:1em}.katex .reset-textstyle.scriptstyle{font-size:.7em}.katex .reset-textstyle.scriptscriptstyle{font-size:.5em}.katex .reset-scriptstyle.textstyle{font-size:1.42857em}.katex .reset-scriptstyle.scriptstyle{font-size:1em}.katex .reset-scriptstyle.scriptscriptstyle{font-size:.71429em}.katex .reset-scriptscriptstyle.textstyle{font-size:2em}.katex .reset-scriptscriptstyle.scriptstyle{font-size:1.4em}.katex .reset-scriptscriptstyle.scriptscriptstyle{font-size:1em}.katex .style-wrap{position:relative}.katex .vlist{display:inline-block}.katex .vlist>span{display:block;height:0;position:relative}.katex .vlist>span>span{display:inline-block}.katex .vlist .baseline-fix{display:inline-table;table-layout:fixed}.katex .msupsub{text-align:left}.katex .mfrac>span>span{text-align:center}.katex .mfrac .frac-line{width:100%}.katex .mfrac .frac-line:before{border-bottom-style:solid;border-bottom-width:1px;content:"";display:block}.katex .mfrac .frac-line:after{border-bottom-style:solid;border-bottom-width:.04em;content:"";display:block;margin-top:-1px}.katex .mspace{display:inline-block}.katex .mspace.negativethinspace{margin-left:-.16667em}.katex .mspace.thinspace{width:.16667em}.katex .mspace.mediumspace{width:.22222em}.katex .mspace.thickspace{width:.27778em}.katex .mspace.enspace{width:.5em}.katex .mspace.quad{width:1em}.katex .mspace.qquad{width:2em}.katex .llap,.katex .rlap{position:relative;width:0}.katex .llap>.inner,.katex .rlap>.inner{position:absolute}.katex .llap>.fix,.katex .rlap>.fix{display:inline-block}.katex .llap>.inner{right:0}.katex .rlap>.inner{left:0}.katex .katex-logo .a{font-size:.75em;margin-left:-.32em;position:relative;top:-.2em}.katex .katex-logo .t{margin-left:-.23em}.katex .katex-logo .e{margin-left:-.1667em;position:relative;top:.2155em}.katex .katex-logo .x{margin-left:-.125em}.katex .rule{border-style:solid;display:inline-block;position:relative}.katex .overline .overline-line{width:100%}.katex .overline .overline-line:before{border-bottom-style:solid;border-bottom-width:1px;content:"";display:block}.katex .overline .overline-line:after{border-bottom-style:solid;border-bottom-width:.04em;content:"";display:block;margin-top:-1px}.katex .sqrt>.sqrt-sign{position:relative}.katex .sqrt .sqrt-line{width:100%}.katex .sqrt .sqrt-line:before{border-bottom-style:solid;border-bottom-width:1px;content:"";display:block}.katex .sqrt .sqrt-line:after{border-bottom-style:solid;border-bottom-width:.04em;content:"";display:block;margin-top:-1px}.katex .sqrt>.root{margin-left:.27777778em;margin-right:-.55555556em}.katex .fontsize-ensurer,.katex .sizing{display:inline-block}.katex .fontsize-ensurer.reset-size1.size1,.katex .sizing.reset-size1.size1{font-size:1em}.katex .fontsize-ensurer.reset-size1.size2,.katex .sizing.reset-size1.size2{font-size:1.4em}.katex .fontsize-ensurer.reset-size1.size3,.katex .sizing.reset-size1.size3{font-size:1.6em}.katex .fontsize-ensurer.reset-size1.size4,.katex .sizing.reset-size1.size4{font-size:1.8em}.katex .fontsize-ensurer.reset-size1.size5,.katex .sizing.reset-size1.size5{font-size:2em}.katex .fontsize-ensurer.reset-size1.size6,.katex .sizing.reset-size1.size6{font-size:2.4em}.katex .fontsize-ensurer.reset-size1.size7,.katex .sizing.reset-size1.size7{font-size:2.88em}.katex .fontsize-ensurer.reset-size1.size8,.katex .sizing.reset-size1.size8{font-size:3.46em}.katex .fontsize-ensurer.reset-size1.size9,.katex .sizing.reset-size1.size9{font-size:4.14em}.katex .fontsize-ensurer.reset-size1.size10,.katex .sizing.reset-size1.size10{font-size:4.98em}.katex .fontsize-ensurer.reset-size2.size1,.katex .sizing.reset-size2.size1{font-size:.71428571em}.katex .fontsize-ensurer.reset-size2.size2,.katex .sizing.reset-size2.size2{font-size:1em}.katex .fontsize-ensurer.reset-size2.size3,.katex .sizing.reset-size2.size3{font-size:1.14285714em}.katex .fontsize-ensurer.reset-size2.size4,.katex .sizing.reset-size2.size4{font-size:1.28571429em}.katex .fontsize-ensurer.reset-size2.size5,.katex .sizing.reset-size2.size5{font-size:1.42857143em}.katex .fontsize-ensurer.reset-size2.size6,.katex .sizing.reset-size2.size6{font-size:1.71428571em}.katex .fontsize-ensurer.reset-size2.size7,.katex .sizing.reset-size2.size7{font-size:2.05714286em}.katex .fontsize-ensurer.reset-size2.size8,.katex .sizing.reset-size2.size8{font-size:2.47142857em}.katex .fontsize-ensurer.reset-size2.size9,.katex .sizing.reset-size2.size9{font-size:2.95714286em}.katex .fontsize-ensurer.reset-size2.size10,.katex .sizing.reset-size2.size10{font-size:3.55714286em}.katex .fontsize-ensurer.reset-size3.size1,.katex .sizing.reset-size3.size1{font-size:.625em}.katex .fontsize-ensurer.reset-size3.size2,.katex .sizing.reset-size3.size2{font-size:.875em}.katex .fontsize-ensurer.reset-size3.size3,.katex .sizing.reset-size3.size3{font-size:1em}.katex .fontsize-ensurer.reset-size3.size4,.katex .sizing.reset-size3.size4{font-size:1.125em}.katex .fontsize-ensurer.reset-size3.size5,.katex .sizing.reset-size3.size5{font-size:1.25em}.katex .fontsize-ensurer.reset-size3.size6,.katex .sizing.reset-size3.size6{font-size:1.5em}.katex .fontsize-ensurer.reset-size3.size7,.katex .sizing.reset-size3.size7{font-size:1.8em}.katex .fontsize-ensurer.reset-size3.size8,.katex .sizing.reset-size3.size8{font-size:2.1625em}.katex .fontsize-ensurer.reset-size3.size9,.katex .sizing.reset-size3.size9{font-size:2.5875em}.katex .fontsize-ensurer.reset-size3.size10,.katex .sizing.reset-size3.size10{font-size:3.1125em}.katex .fontsize-ensurer.reset-size4.size1,.katex .sizing.reset-size4.size1{font-size:.55555556em}.katex .fontsize-ensurer.reset-size4.size2,.katex .sizing.reset-size4.size2{font-size:.77777778em}.katex .fontsize-ensurer.reset-size4.size3,.katex .sizing.reset-size4.size3{font-size:.88888889em}.katex .fontsize-ensurer.reset-size4.size4,.katex .sizing.reset-size4.size4{font-size:1em}.katex .fontsize-ensurer.reset-size4.size5,.katex .sizing.reset-size4.size5{font-size:1.11111111em}.katex .fontsize-ensurer.reset-size4.size6,.katex .sizing.reset-size4.size6{font-size:1.33333333em}.katex .fontsize-ensurer.reset-size4.size7,.katex .sizing.reset-size4.size7{font-size:1.6em}.katex .fontsize-ensurer.reset-size4.size8,.katex .sizing.reset-size4.size8{font-size:1.92222222em}.katex .fontsize-ensurer.reset-size4.size9,.katex .sizing.reset-size4.size9{font-size:2.3em}.katex .fontsize-ensurer.reset-size4.size10,.katex .sizing.reset-size4.size10{font-size:2.76666667em}.katex .fontsize-ensurer.reset-size5.size1,.katex .sizing.reset-size5.size1{font-size:.5em}.katex .fontsize-ensurer.reset-size5.size2,.katex .sizing.reset-size5.size2{font-size:.7em}.katex .fontsize-ensurer.reset-size5.size3,.katex .sizing.reset-size5.size3{font-size:.8em}.katex .fontsize-ensurer.reset-size5.size4,.katex .sizing.reset-size5.size4{font-size:.9em}.katex .fontsize-ensurer.reset-size5.size5,.katex .sizing.reset-size5.size5{font-size:1em}.katex .fontsize-ensurer.reset-size5.size6,.katex .sizing.reset-size5.size6{font-size:1.2em}.katex .fontsize-ensurer.reset-size5.size7,.katex .sizing.reset-size5.size7{font-size:1.44em}.katex .fontsize-ensurer.reset-size5.size8,.katex .sizing.reset-size5.size8{font-size:1.73em}.katex .fontsize-ensurer.reset-size5.size9,.katex .sizing.reset-size5.size9{font-size:2.07em}.katex .fontsize-ensurer.reset-size5.size10,.katex .sizing.reset-size5.size10{font-size:2.49em}.katex .fontsize-ensurer.reset-size6.size1,.katex .sizing.reset-size6.size1{font-size:.41666667em}.katex .fontsize-ensurer.reset-size6.size2,.katex .sizing.reset-size6.size2{font-size:.58333333em}.katex .fontsize-ensurer.reset-size6.size3,.katex .sizing.reset-size6.size3{font-size:.66666667em}.katex .fontsize-ensurer.reset-size6.size4,.katex .sizing.reset-size6.size4{font-size:.75em}.katex .fontsize-ensurer.reset-size6.size5,.katex .sizing.reset-size6.size5{font-size:.83333333em}.katex .fontsize-ensurer.reset-size6.size6,.katex .sizing.reset-size6.size6{font-size:1em}.katex .fontsize-ensurer.reset-size6.size7,.katex .sizing.reset-size6.size7{font-size:1.2em}.katex .fontsize-ensurer.reset-size6.size8,.katex .sizing.reset-size6.size8{font-size:1.44166667em}.katex .fontsize-ensurer.reset-size6.size9,.katex .sizing.reset-size6.size9{font-size:1.725em}.katex .fontsize-ensurer.reset-size6.size10,.katex .sizing.reset-size6.size10{font-size:2.075em}.katex .fontsize-ensurer.reset-size7.size1,.katex .sizing.reset-size7.size1{font-size:.34722222em}.katex .fontsize-ensurer.reset-size7.size2,.katex .sizing.reset-size7.size2{font-size:.48611111em}.katex .fontsize-ensurer.reset-size7.size3,.katex .sizing.reset-size7.size3{font-size:.55555556em}.katex .fontsize-ensurer.reset-size7.size4,.katex .sizing.reset-size7.size4{font-size:.625em}.katex .fontsize-ensurer.reset-size7.size5,.katex .sizing.reset-size7.size5{font-size:.69444444em}.katex .fontsize-ensurer.reset-size7.size6,.katex .sizing.reset-size7.size6{font-size:.83333333em}.katex .fontsize-ensurer.reset-size7.size7,.katex .sizing.reset-size7.size7{font-size:1em}.katex .fontsize-ensurer.reset-size7.size8,.katex .sizing.reset-size7.size8{font-size:1.20138889em}.katex .fontsize-ensurer.reset-size7.size9,.katex .sizing.reset-size7.size9{font-size:1.4375em}.katex .fontsize-ensurer.reset-size7.size10,.katex .sizing.reset-size7.size10{font-size:1.72916667em}.katex .fontsize-ensurer.reset-size8.size1,.katex .sizing.reset-size8.size1{font-size:.28901734em}.katex .fontsize-ensurer.reset-size8.size2,.katex .sizing.reset-size8.size2{font-size:.40462428em}.katex .fontsize-ensurer.reset-size8.size3,.katex .sizing.reset-size8.size3{font-size:.46242775em}.katex .fontsize-ensurer.reset-size8.size4,.katex .sizing.reset-size8.size4{font-size:.52023121em}.katex .fontsize-ensurer.reset-size8.size5,.katex .sizing.reset-size8.size5{font-size:.57803468em}.katex .fontsize-ensurer.reset-size8.size6,.katex .sizing.reset-size8.size6{font-size:.69364162em}.katex .fontsize-ensurer.reset-size8.size7,.katex .sizing.reset-size8.size7{font-size:.83236994em}.katex .fontsize-ensurer.reset-size8.size8,.katex .sizing.reset-size8.size8{font-size:1em}.katex .fontsize-ensurer.reset-size8.size9,.katex .sizing.reset-size8.size9{font-size:1.19653179em}.katex .fontsize-ensurer.reset-size8.size10,.katex .sizing.reset-size8.size10{font-size:1.43930636em}.katex .fontsize-ensurer.reset-size9.size1,.katex .sizing.reset-size9.size1{font-size:.24154589em}.katex .fontsize-ensurer.reset-size9.size2,.katex .sizing.reset-size9.size2{font-size:.33816425em}.katex .fontsize-ensurer.reset-size9.size3,.katex .sizing.reset-size9.size3{font-size:.38647343em}.katex .fontsize-ensurer.reset-size9.size4,.katex .sizing.reset-size9.size4{font-size:.43478261em}.katex .fontsize-ensurer.reset-size9.size5,.katex .sizing.reset-size9.size5{font-size:.48309179em}.katex .fontsize-ensurer.reset-size9.size6,.katex .sizing.reset-size9.size6{font-size:.57971014em}.katex .fontsize-ensurer.reset-size9.size7,.katex .sizing.reset-size9.size7{font-size:.69565217em}.katex .fontsize-ensurer.reset-size9.size8,.katex .sizing.reset-size9.size8{font-size:.83574879em}.katex .fontsize-ensurer.reset-size9.size9,.katex .sizing.reset-size9.size9{font-size:1em}.katex .fontsize-ensurer.reset-size9.size10,.katex .sizing.reset-size9.size10{font-size:1.20289855em}.katex .fontsize-ensurer.reset-size10.size1,.katex .sizing.reset-size10.size1{font-size:.20080321em}.katex .fontsize-ensurer.reset-size10.size2,.katex .sizing.reset-size10.size2{font-size:.2811245em}.katex .fontsize-ensurer.reset-size10.size3,.katex .sizing.reset-size10.size3{font-size:.32128514em}.katex .fontsize-ensurer.reset-size10.size4,.katex .sizing.reset-size10.size4{font-size:.36144578em}.katex .fontsize-ensurer.reset-size10.size5,.katex .sizing.reset-size10.size5{font-size:.40160643em}.katex .fontsize-ensurer.reset-size10.size6,.katex .sizing.reset-size10.size6{font-size:.48192771em}.katex .fontsize-ensurer.reset-size10.size7,.katex .sizing.reset-size10.size7{font-size:.57831325em}.katex .fontsize-ensurer.reset-size10.size8,.katex .sizing.reset-size10.size8{font-size:.69477912em}.katex .fontsize-ensurer.reset-size10.size9,.katex .sizing.reset-size10.size9{font-size:.8313253em}.katex .fontsize-ensurer.reset-size10.size10,.katex .sizing.reset-size10.size10{font-size:1em}.katex .delimsizing.size1{font-family:KaTeX_Size1}.katex .delimsizing.size2{font-family:KaTeX_Size2}.katex .delimsizing.size3{font-family:KaTeX_Size3}.katex .delimsizing.size4{font-family:KaTeX_Size4}.katex .delimsizing.mult .delim-size1>span{font-family:KaTeX_Size1}.katex .delimsizing.mult .delim-size4>span{font-family:KaTeX_Size4}.katex .nulldelimiter{display:inline-block;width:.12em}.katex .op-symbol{position:relative}.katex .op-symbol.small-op{font-family:KaTeX_Size1}.katex .op-symbol.large-op{font-family:KaTeX_Size2}.katex .accent>.vlist>span,.katex .op-limits>.vlist>span{text-align:center}.katex .accent .accent-body>span{width:0}.katex .accent .accent-body.accent-vec>span{left:.326em;position:relative}.katex .mtable .vertical-separator{border-right:.05em solid #000;display:inline-block;margin:0 -.025em}.katex .mtable .arraycolsep{display:inline-block}.katex .mtable .col-align-c>.vlist{text-align:center}.katex .mtable .col-align-l>.vlist{text-align:left}.katex .mtable .col-align-r>.vlist{text-align:right}[data-highlight-theme="zenburn"] .hljs,.sl-block-content:not([data-highlight-theme]) .hljs{display:block;overflow-x:auto;background:#3f3f3f;color:#dcdcdc}[data-highlight-theme="zenburn"] .hljs-keyword,[data-highlight-theme="zenburn"] .hljs-selector-tag,[data-highlight-theme="zenburn"] .hljs-tag,.sl-block-content:not([data-highlight-theme]) .hljs-keyword,.sl-block-content:not([data-highlight-theme]) .hljs-selector-tag,.sl-block-content:not([data-highlight-theme]) .hljs-tag{color:#e3ceab}[data-highlight-theme="zenburn"] .hljs-template-tag,.sl-block-content:not([data-highlight-theme]) .hljs-template-tag{color:#dcdcdc}[data-highlight-theme="zenburn"] .hljs-number,.sl-block-content:not([data-highlight-theme]) .hljs-number{color:#8cd0d3}[data-highlight-theme="zenburn"] .hljs-variable,[data-highlight-theme="zenburn"] .hljs-template-variable,[data-highlight-theme="zenburn"] .hljs-attribute,.sl-block-content:not([data-highlight-theme]) .hljs-variable,.sl-block-content:not([data-highlight-theme]) .hljs-template-variable,.sl-block-content:not([data-highlight-theme]) .hljs-attribute{color:#efdcbc}[data-highlight-theme="zenburn"] .hljs-literal,.sl-block-content:not([data-highlight-theme]) .hljs-literal{color:#efefaf}[data-highlight-theme="zenburn"] .hljs-subst,.sl-block-content:not([data-highlight-theme]) .hljs-subst{color:#8f8f8f}[data-highlight-theme="zenburn"] .hljs-title,[data-highlight-theme="zenburn"] .hljs-name,[data-highlight-theme="zenburn"] .hljs-selector-id,[data-highlight-theme="zenburn"] .hljs-selector-class,[data-highlight-theme="zenburn"] .hljs-section,[data-highlight-theme="zenburn"] .hljs-type,.sl-block-content:not([data-highlight-theme]) .hljs-title,.sl-block-content:not([data-highlight-theme]) .hljs-name,.sl-block-content:not([data-highlight-theme]) .hljs-selector-id,.sl-block-content:not([data-highlight-theme]) .hljs-selector-class,.sl-block-content:not([data-highlight-theme]) .hljs-section,.sl-block-content:not([data-highlight-theme]) .hljs-type{color:#efef8f}[data-highlight-theme="zenburn"] .hljs-symbol,[data-highlight-theme="zenburn"] .hljs-bullet,[data-highlight-theme="zenburn"] .hljs-link,.sl-block-content:not([data-highlight-theme]) .hljs-symbol,.sl-block-content:not([data-highlight-theme]) .hljs-bullet,.sl-block-content:not([data-highlight-theme]) .hljs-link{color:#dca3a3}[data-highlight-theme="zenburn"] .hljs-deletion,[data-highlight-theme="zenburn"] .hljs-string,[data-highlight-theme="zenburn"] .hljs-built_in,[data-highlight-theme="zenburn"] .hljs-builtin-name,.sl-block-content:not([data-highlight-theme]) .hljs-deletion,.sl-block-content:not([data-highlight-theme]) .hljs-string,.sl-block-content:not([data-highlight-theme]) .hljs-built_in,.sl-block-content:not([data-highlight-theme]) .hljs-builtin-name{color:#cc9393}[data-highlight-theme="zenburn"] .hljs-addition,[data-highlight-theme="zenburn"] .hljs-comment,[data-highlight-theme="zenburn"] .hljs-quote,[data-highlight-theme="zenburn"] .hljs-meta,.sl-block-content:not([data-highlight-theme]) .hljs-addition,.sl-block-content:not([data-highlight-theme]) .hljs-comment,.sl-block-content:not([data-highlight-theme]) .hljs-quote,.sl-block-content:not([data-highlight-theme]) .hljs-meta{color:#7f9f7f}[data-highlight-theme="zenburn"] .hljs-emphasis,.sl-block-content:not([data-highlight-theme]) .hljs-emphasis{font-style:italic}[data-highlight-theme="zenburn"] .hljs-strong,.sl-block-content:not([data-highlight-theme]) .hljs-strong{font-weight:bold}[data-highlight-theme="ascetic"] .hljs{display:block;overflow-x:auto;background:white;color:black}[data-highlight-theme="ascetic"] .hljs-string,[data-highlight-theme="ascetic"] .hljs-variable,[data-highlight-theme="ascetic"] .hljs-template-variable,[data-highlight-theme="ascetic"] .hljs-symbol,[data-highlight-theme="ascetic"] .hljs-bullet,[data-highlight-theme="ascetic"] .hljs-section,[data-highlight-theme="ascetic"] .hljs-addition,[data-highlight-theme="ascetic"] .hljs-attribute,[data-highlight-theme="ascetic"] .hljs-link{color:#888}[data-highlight-theme="ascetic"] .hljs-comment,[data-highlight-theme="ascetic"] .hljs-quote,[data-highlight-theme="ascetic"] .hljs-meta,[data-highlight-theme="ascetic"] .hljs-deletion{color:#ccc}[data-highlight-theme="ascetic"] .hljs-keyword,[data-highlight-theme="ascetic"] .hljs-selector-tag,[data-highlight-theme="ascetic"] .hljs-section,[data-highlight-theme="ascetic"] .hljs-name,[data-highlight-theme="ascetic"] .hljs-type,[data-highlight-theme="ascetic"] .hljs-strong{font-weight:bold}[data-highlight-theme="ascetic"] .hljs-emphasis{font-style:italic}[data-highlight-theme="far"] .hljs{display:block;overflow-x:auto;background:#000080}[data-highlight-theme="far"] .hljs,[data-highlight-theme="far"] .hljs-subst{color:#0ff}[data-highlight-theme="far"] .hljs-string,[data-highlight-theme="far"] .hljs-attribute,[data-highlight-theme="far"] .hljs-symbol,[data-highlight-theme="far"] .hljs-bullet,[data-highlight-theme="far"] .hljs-built_in,[data-highlight-theme="far"] .hljs-builtin-name,[data-highlight-theme="far"] .hljs-template-tag,[data-highlight-theme="far"] .hljs-template-variable,[data-highlight-theme="far"] .hljs-addition{color:#ff0}[data-highlight-theme="far"] .hljs-keyword,[data-highlight-theme="far"] .hljs-selector-tag,[data-highlight-theme="far"] .hljs-section,[data-highlight-theme="far"] .hljs-type,[data-highlight-theme="far"] .hljs-name,[data-highlight-theme="far"] .hljs-selector-id,[data-highlight-theme="far"] .hljs-selector-class,[data-highlight-theme="far"] .hljs-variable{color:#fff}[data-highlight-theme="far"] .hljs-comment,[data-highlight-theme="far"] .hljs-quote,[data-highlight-theme="far"] .hljs-doctag,[data-highlight-theme="far"] .hljs-deletion{color:#888}[data-highlight-theme="far"] .hljs-number,[data-highlight-theme="far"] .hljs-regexp,[data-highlight-theme="far"] .hljs-literal,[data-highlight-theme="far"] .hljs-link{color:#0f0}[data-highlight-theme="far"] .hljs-meta{color:#008080}[data-highlight-theme="far"] .hljs-keyword,[data-highlight-theme="far"] .hljs-selector-tag,[data-highlight-theme="far"] .hljs-title,[data-highlight-theme="far"] .hljs-section,[data-highlight-theme="far"] .hljs-name,[data-highlight-theme="far"] .hljs-strong{font-weight:bold}[data-highlight-theme="far"] .hljs-emphasis{font-style:italic}[data-highlight-theme="github-gist"] .hljs{display:block;background:white;color:#333333;overflow-x:auto}[data-highlight-theme="github-gist"] .hljs-comment,[data-highlight-theme="github-gist"] .hljs-meta{color:#969896}[data-highlight-theme="github-gist"] .hljs-string,[data-highlight-theme="github-gist"] .hljs-variable,[data-highlight-theme="github-gist"] .hljs-template-variable,[data-highlight-theme="github-gist"] .hljs-strong,[data-highlight-theme="github-gist"] .hljs-emphasis,[data-highlight-theme="github-gist"] .hljs-quote{color:#df5000}[data-highlight-theme="github-gist"] .hljs-keyword,[data-highlight-theme="github-gist"] .hljs-selector-tag,[data-highlight-theme="github-gist"] .hljs-type{color:#a71d5d}[data-highlight-theme="github-gist"] .hljs-literal,[data-highlight-theme="github-gist"] .hljs-symbol,[data-highlight-theme="github-gist"] .hljs-bullet,[data-highlight-theme="github-gist"] .hljs-attribute{color:#0086b3}[data-highlight-theme="github-gist"] .hljs-section,[data-highlight-theme="github-gist"] .hljs-name{color:#63a35c}[data-highlight-theme="github-gist"] .hljs-tag{color:#333333}[data-highlight-theme="github-gist"] .hljs-title,[data-highlight-theme="github-gist"] .hljs-attr,[data-highlight-theme="github-gist"] .hljs-selector-id,[data-highlight-theme="github-gist"] .hljs-selector-class,[data-highlight-theme="github-gist"] .hljs-selector-attr,[data-highlight-theme="github-gist"] .hljs-selector-pseudo{color:#795da3}[data-highlight-theme="github-gist"] .hljs-addition{color:#55a532;background-color:#eaffea}[data-highlight-theme="github-gist"] .hljs-deletion{color:#bd2c00;background-color:#ffecec}[data-highlight-theme="github-gist"] .hljs-link{text-decoration:underline}[data-highlight-theme="ir-black"] .hljs{display:block;overflow-x:auto;background:#000;color:#f8f8f8}[data-highlight-theme="ir-black"] .hljs-comment,[data-highlight-theme="ir-black"] .hljs-quote,[data-highlight-theme="ir-black"] .hljs-meta{color:#7c7c7c}[data-highlight-theme="ir-black"] .hljs-keyword,[data-highlight-theme="ir-black"] .hljs-selector-tag,[data-highlight-theme="ir-black"] .hljs-tag,[data-highlight-theme="ir-black"] .hljs-name{color:#96cbfe}[data-highlight-theme="ir-black"] .hljs-attribute,[data-highlight-theme="ir-black"] .hljs-selector-id{color:#ffffb6}[data-highlight-theme="ir-black"] .hljs-string,[data-highlight-theme="ir-black"] .hljs-selector-attr,[data-highlight-theme="ir-black"] .hljs-selector-pseudo,[data-highlight-theme="ir-black"] .hljs-addition{color:#a8ff60}[data-highlight-theme="ir-black"] .hljs-subst{color:#daefa3}[data-highlight-theme="ir-black"] .hljs-regexp,[data-highlight-theme="ir-black"] .hljs-link{color:#e9c062}[data-highlight-theme="ir-black"] .hljs-title,[data-highlight-theme="ir-black"] .hljs-section,[data-highlight-theme="ir-black"] .hljs-type,[data-highlight-theme="ir-black"] .hljs-doctag{color:#ffffb6}[data-highlight-theme="ir-black"] .hljs-symbol,[data-highlight-theme="ir-black"] .hljs-bullet,[data-highlight-theme="ir-black"] .hljs-variable,[data-highlight-theme="ir-black"] .hljs-template-variable,[data-highlight-theme="ir-black"] .hljs-literal{color:#c6c5fe}[data-highlight-theme="ir-black"] .hljs-number,[data-highlight-theme="ir-black"] .hljs-deletion{color:#ff73fd}[data-highlight-theme="ir-black"] .hljs-emphasis{font-style:italic}[data-highlight-theme="ir-black"] .hljs-strong{font-weight:bold}[data-highlight-theme="monokai"] .hljs{display:block;overflow-x:auto;background:#272822;color:#ddd}[data-highlight-theme="monokai"] .hljs-tag,[data-highlight-theme="monokai"] .hljs-keyword,[data-highlight-theme="monokai"] .hljs-selector-tag,[data-highlight-theme="monokai"] .hljs-literal,[data-highlight-theme="monokai"] .hljs-strong,[data-highlight-theme="monokai"] .hljs-name{color:#f92672}[data-highlight-theme="monokai"] .hljs-code{color:#66d9ef}[data-highlight-theme="monokai"] .hljs-class .hljs-title{color:white}[data-highlight-theme="monokai"] .hljs-attribute,[data-highlight-theme="monokai"] .hljs-symbol,[data-highlight-theme="monokai"] .hljs-regexp,[data-highlight-theme="monokai"] .hljs-link{color:#bf79db}[data-highlight-theme="monokai"] .hljs-string,[data-highlight-theme="monokai"] .hljs-bullet,[data-highlight-theme="monokai"] .hljs-subst,[data-highlight-theme="monokai"] .hljs-title,[data-highlight-theme="monokai"] .hljs-section,[data-highlight-theme="monokai"] .hljs-emphasis,[data-highlight-theme="monokai"] .hljs-type,[data-highlight-theme="monokai"] .hljs-built_in,[data-highlight-theme="monokai"] .hljs-builtin-name,[data-highlight-theme="monokai"] .hljs-selector-attr,[data-highlight-theme="monokai"] .hljs-selector-pseudo,[data-highlight-theme="monokai"] .hljs-addition,[data-highlight-theme="monokai"] .hljs-variable,[data-highlight-theme="monokai"] .hljs-template-tag,[data-highlight-theme="monokai"] .hljs-template-variable{color:#a6e22e}[data-highlight-theme="monokai"] .hljs-comment,[data-highlight-theme="monokai"] .hljs-quote,[data-highlight-theme="monokai"] .hljs-deletion,[data-highlight-theme="monokai"] .hljs-meta{color:#75715e}[data-highlight-theme="monokai"] .hljs-keyword,[data-highlight-theme="monokai"] .hljs-selector-tag,[data-highlight-theme="monokai"] .hljs-literal,[data-highlight-theme="monokai"] .hljs-doctag,[data-highlight-theme="monokai"] .hljs-title,[data-highlight-theme="monokai"] .hljs-section,[data-highlight-theme="monokai"] .hljs-type,[data-highlight-theme="monokai"] .hljs-selector-id{font-weight:bold}[data-highlight-theme="obsidian"] .hljs{display:block;overflow-x:auto;background:#282b2e}[data-highlight-theme="obsidian"] .hljs-keyword,[data-highlight-theme="obsidian"] .hljs-selector-tag,[data-highlight-theme="obsidian"] .hljs-literal,[data-highlight-theme="obsidian"] .hljs-selector-id{color:#93c763}[data-highlight-theme="obsidian"] .hljs-number{color:#ffcd22}[data-highlight-theme="obsidian"] .hljs{color:#e0e2e4}[data-highlight-theme="obsidian"] .hljs-attribute{color:#668bb0}[data-highlight-theme="obsidian"] .hljs-code,[data-highlight-theme="obsidian"] .hljs-class .hljs-title,[data-highlight-theme="obsidian"] .hljs-section{color:white}[data-highlight-theme="obsidian"] .hljs-regexp,[data-highlight-theme="obsidian"] .hljs-link{color:#d39745}[data-highlight-theme="obsidian"] .hljs-meta{color:#557182}[data-highlight-theme="obsidian"] .hljs-tag,[data-highlight-theme="obsidian"] .hljs-name,[data-highlight-theme="obsidian"] .hljs-bullet,[data-highlight-theme="obsidian"] .hljs-subst,[data-highlight-theme="obsidian"] .hljs-emphasis,[data-highlight-theme="obsidian"] .hljs-type,[data-highlight-theme="obsidian"] .hljs-built_in,[data-highlight-theme="obsidian"] .hljs-selector-attr,[data-highlight-theme="obsidian"] .hljs-selector-pseudo,[data-highlight-theme="obsidian"] .hljs-addition,[data-highlight-theme="obsidian"] .hljs-variable,[data-highlight-theme="obsidian"] .hljs-template-tag,[data-highlight-theme="obsidian"] .hljs-template-variable{color:#8cbbad}[data-highlight-theme="obsidian"] .hljs-string,[data-highlight-theme="obsidian"] .hljs-symbol{color:#ec7600}[data-highlight-theme="obsidian"] .hljs-comment,[data-highlight-theme="obsidian"] .hljs-quote,[data-highlight-theme="obsidian"] .hljs-deletion{color:#818e96}[data-highlight-theme="obsidian"] .hljs-selector-class{color:#a082bd}[data-highlight-theme="obsidian"] .hljs-keyword,[data-highlight-theme="obsidian"] .hljs-selector-tag,[data-highlight-theme="obsidian"] .hljs-literal,[data-highlight-theme="obsidian"] .hljs-doctag,[data-highlight-theme="obsidian"] .hljs-title,[data-highlight-theme="obsidian"] .hljs-section,[data-highlight-theme="obsidian"] .hljs-type,[data-highlight-theme="obsidian"] .hljs-name,[data-highlight-theme="obsidian"] .hljs-strong{font-weight:bold}[data-highlight-theme="solarized-dark"] .hljs{display:block;overflow-x:auto;background:#002b36;color:#839496}[data-highlight-theme="solarized-dark"] .hljs-comment,[data-highlight-theme="solarized-dark"] .hljs-quote{color:#586e75}[data-highlight-theme="solarized-dark"] .hljs-keyword,[data-highlight-theme="solarized-dark"] .hljs-selector-tag,[data-highlight-theme="solarized-dark"] .hljs-addition{color:#859900}[data-highlight-theme="solarized-dark"] .hljs-number,[data-highlight-theme="solarized-dark"] .hljs-string,[data-highlight-theme="solarized-dark"] .hljs-meta .hljs-meta-string,[data-highlight-theme="solarized-dark"] .hljs-literal,[data-highlight-theme="solarized-dark"] .hljs-doctag,[data-highlight-theme="solarized-dark"] .hljs-regexp{color:#2aa198}[data-highlight-theme="solarized-dark"] .hljs-title,[data-highlight-theme="solarized-dark"] .hljs-section,[data-highlight-theme="solarized-dark"] .hljs-name,[data-highlight-theme="solarized-dark"] .hljs-selector-id,[data-highlight-theme="solarized-dark"] .hljs-selector-class{color:#268bd2}[data-highlight-theme="solarized-dark"] .hljs-attribute,[data-highlight-theme="solarized-dark"] .hljs-attr,[data-highlight-theme="solarized-dark"] .hljs-variable,[data-highlight-theme="solarized-dark"] .hljs-template-variable,[data-highlight-theme="solarized-dark"] .hljs-class .hljs-title,[data-highlight-theme="solarized-dark"] .hljs-type{color:#b58900}[data-highlight-theme="solarized-dark"] .hljs-symbol,[data-highlight-theme="solarized-dark"] .hljs-bullet,[data-highlight-theme="solarized-dark"] .hljs-subst,[data-highlight-theme="solarized-dark"] .hljs-meta,[data-highlight-theme="solarized-dark"] .hljs-meta .hljs-keyword,[data-highlight-theme="solarized-dark"] .hljs-selector-attr,[data-highlight-theme="solarized-dark"] .hljs-selector-pseudo,[data-highlight-theme="solarized-dark"] .hljs-link{color:#cb4b16}[data-highlight-theme="solarized-dark"] .hljs-built_in,[data-highlight-theme="solarized-dark"] .hljs-deletion{color:#dc322f}[data-highlight-theme="solarized-dark"] .hljs-formula{background:#073642}[data-highlight-theme="solarized-dark"] .hljs-emphasis{font-style:italic}[data-highlight-theme="solarized-dark"] .hljs-strong{font-weight:bold}[data-highlight-theme="solarized-light"] .hljs{display:block;overflow-x:auto;background:#fdf6e3;color:#657b83}[data-highlight-theme="solarized-light"] .hljs-comment,[data-highlight-theme="solarized-light"] .hljs-quote{color:#93a1a1}[data-highlight-theme="solarized-light"] .hljs-keyword,[data-highlight-theme="solarized-light"] .hljs-selector-tag,[data-highlight-theme="solarized-light"] .hljs-addition{color:#859900}[data-highlight-theme="solarized-light"] .hljs-number,[data-highlight-theme="solarized-light"] .hljs-string,[data-highlight-theme="solarized-light"] .hljs-meta .hljs-meta-string,[data-highlight-theme="solarized-light"] .hljs-literal,[data-highlight-theme="solarized-light"] .hljs-doctag,[data-highlight-theme="solarized-light"] .hljs-regexp{color:#2aa198}[data-highlight-theme="solarized-light"] .hljs-title,[data-highlight-theme="solarized-light"] .hljs-section,[data-highlight-theme="solarized-light"] .hljs-name,[data-highlight-theme="solarized-light"] .hljs-selector-id,[data-highlight-theme="solarized-light"] .hljs-selector-class{color:#268bd2}[data-highlight-theme="solarized-light"] .hljs-attribute,[data-highlight-theme="solarized-light"] .hljs-attr,[data-highlight-theme="solarized-light"] .hljs-variable,[data-highlight-theme="solarized-light"] .hljs-template-variable,[data-highlight-theme="solarized-light"] .hljs-class .hljs-title,[data-highlight-theme="solarized-light"] .hljs-type{color:#b58900}[data-highlight-theme="solarized-light"] .hljs-symbol,[data-highlight-theme="solarized-light"] .hljs-bullet,[data-highlight-theme="solarized-light"] .hljs-subst,[data-highlight-theme="solarized-light"] .hljs-meta,[data-highlight-theme="solarized-light"] .hljs-meta .hljs-keyword,[data-highlight-theme="solarized-light"] .hljs-selector-attr,[data-highlight-theme="solarized-light"] .hljs-selector-pseudo,[data-highlight-theme="solarized-light"] .hljs-link{color:#cb4b16}[data-highlight-theme="solarized-light"] .hljs-built_in,[data-highlight-theme="solarized-light"] .hljs-deletion{color:#dc322f}[data-highlight-theme="solarized-light"] .hljs-formula{background:#eee8d5}[data-highlight-theme="solarized-light"] .hljs-emphasis{font-style:italic}[data-highlight-theme="solarized-light"] .hljs-strong{font-weight:bold}[data-highlight-theme="tomorrow"] .hljs-comment,[data-highlight-theme="tomorrow"] .hljs-quote{color:#8e908c}[data-highlight-theme="tomorrow"] .hljs-variable,[data-highlight-theme="tomorrow"] .hljs-template-variable,[data-highlight-theme="tomorrow"] .hljs-tag,[data-highlight-theme="tomorrow"] .hljs-name,[data-highlight-theme="tomorrow"] .hljs-selector-id,[data-highlight-theme="tomorrow"] .hljs-selector-class,[data-highlight-theme="tomorrow"] .hljs-regexp,[data-highlight-theme="tomorrow"] .hljs-deletion{color:#c82829}[data-highlight-theme="tomorrow"] .hljs-number,[data-highlight-theme="tomorrow"] .hljs-built_in,[data-highlight-theme="tomorrow"] .hljs-builtin-name,[data-highlight-theme="tomorrow"] .hljs-literal,[data-highlight-theme="tomorrow"] .hljs-type,[data-highlight-theme="tomorrow"] .hljs-params,[data-highlight-theme="tomorrow"] .hljs-meta,[data-highlight-theme="tomorrow"] .hljs-link{color:#f5871f}[data-highlight-theme="tomorrow"] .hljs-attribute{color:#eab700}[data-highlight-theme="tomorrow"] .hljs-string,[data-highlight-theme="tomorrow"] .hljs-symbol,[data-highlight-theme="tomorrow"] .hljs-bullet,[data-highlight-theme="tomorrow"] .hljs-addition{color:#718c00}[data-highlight-theme="tomorrow"] .hljs-title,[data-highlight-theme="tomorrow"] .hljs-section{color:#4271ae}[data-highlight-theme="tomorrow"] .hljs-keyword,[data-highlight-theme="tomorrow"] .hljs-selector-tag{color:#8959a8}[data-highlight-theme="tomorrow"] .hljs{display:block;overflow-x:auto;background:white;color:#4d4d4c}[data-highlight-theme="tomorrow"] .hljs-emphasis{font-style:italic}[data-highlight-theme="tomorrow"] .hljs-strong{font-weight:bold}[data-highlight-theme="xcode"] .hljs{display:block;overflow-x:auto;background:#fff;color:black}[data-highlight-theme="xcode"] .hljs-comment,[data-highlight-theme="xcode"] .hljs-quote{color:#006a00}[data-highlight-theme="xcode"] .hljs-keyword,[data-highlight-theme="xcode"] .hljs-selector-tag,[data-highlight-theme="xcode"] .hljs-literal{color:#aa0d91}[data-highlight-theme="xcode"] .hljs-name{color:#008}[data-highlight-theme="xcode"] .hljs-variable,[data-highlight-theme="xcode"] .hljs-template-variable{color:#660}[data-highlight-theme="xcode"] .hljs-string{color:#c41a16}[data-highlight-theme="xcode"] .hljs-regexp,[data-highlight-theme="xcode"] .hljs-link{color:#080}[data-highlight-theme="xcode"] .hljs-title,[data-highlight-theme="xcode"] .hljs-tag,[data-highlight-theme="xcode"] .hljs-symbol,[data-highlight-theme="xcode"] .hljs-bullet,[data-highlight-theme="xcode"] .hljs-number,[data-highlight-theme="xcode"] .hljs-meta{color:#1c00cf}[data-highlight-theme="xcode"] .hljs-section,[data-highlight-theme="xcode"] .hljs-class .hljs-title,[data-highlight-theme="xcode"] .hljs-type,[data-highlight-theme="xcode"] .hljs-attr,[data-highlight-theme="xcode"] .hljs-built_in,[data-highlight-theme="xcode"] .hljs-builtin-name,[data-highlight-theme="xcode"] .hljs-params{color:#5c2699}[data-highlight-theme="xcode"] .hljs-attribute,[data-highlight-theme="xcode"] .hljs-subst{color:#000}[data-highlight-theme="xcode"] .hljs-formula{background-color:#eee;font-style:italic}[data-highlight-theme="xcode"] .hljs-addition{background-color:#baeeba}[data-highlight-theme="xcode"] .hljs-deletion{background-color:#ffc8bd}[data-highlight-theme="xcode"] .hljs-selector-id,[data-highlight-theme="xcode"] .hljs-selector-class{color:#9b703f}[data-highlight-theme="xcode"] .hljs-doctag,[data-highlight-theme="xcode"] .hljs-strong{font-weight:bold}[data-highlight-theme="xcode"] .hljs-emphasis{font-style:italic}/*!
+ * Main styles for Slides
+ *
+ * @author Hakim El Hattab
+ */*{-moz-box-sizing:border-box;box-sizing:border-box}html,body{padding:0;margin:0;color:#252525;font-family:"Open Sans", Helvetica, sans-serif;font-size:16px}html:before,body:before{content:'' !important}html{-webkit-font-smoothing:subpixel-antialiased !important}html.sl-root:not(.loaded) *{-webkit-transition:none !important;transition:none !important}body{overflow-y:scroll}body>*:not(.reveal){font-family:"Open Sans", Helvetica, sans-serif}html,#container{background-color:#eee}#container{position:relative;z-index:1}.icon{display:inline-block;line-height:1}.spinner{display:block;width:32px;height:32px;margin-top:16px;margin-left:16px}.spinner.centered{position:absolute;top:50%;left:50%;margin-top:-16px;margin-left:-16px}.spinner.centered-horizontally{margin-left:auto;margin-right:auto}.spinner-bitmap{display:block;width:32px;height:32px;background-image:url(data:image/png;base64,R0lGODlhIAAgAPMAAP///wAAAMbGxoSEhLa2tpqamjY2NlZWVtjY2OTk5Ly8vB4eHgQEBAAAAAAAAAAAACH/C05FVFNDQVBFMi4wAwEAAAAh/hpDcmVhdGVkIHdpdGggYWpheGxvYWQuaW5mbwAh+QQJCgAAACwAAAAAIAAgAAAE5xDISWlhperN52JLhSSdRgwVo1ICQZRUsiwHpTJT4iowNS8vyW2icCF6k8HMMBkCEDskxTBDAZwuAkkqIfxIQyhBQBFvAQSDITM5VDW6XNE4KagNh6Bgwe60smQUB3d4Rz1ZBApnFASDd0hihh12BkE9kjAJVlycXIg7CQIFA6SlnJ87paqbSKiKoqusnbMdmDC2tXQlkUhziYtyWTxIfy6BE8WJt5YJvpJivxNaGmLHT0VnOgSYf0dZXS7APdpB309RnHOG5gDqXGLDaC457D1zZ/V/nmOM82XiHRLYKhKP1oZmADdEAAAh+QQJCgAAACwAAAAAIAAgAAAE6hDISWlZpOrNp1lGNRSdRpDUolIGw5RUYhhHukqFu8DsrEyqnWThGvAmhVlteBvojpTDDBUEIFwMFBRAmBkSgOrBFZogCASwBDEY/CZSg7GSE0gSCjQBMVG023xWBhklAnoEdhQEfyNqMIcKjhRsjEdnezB+A4k8gTwJhFuiW4dokXiloUepBAp5qaKpp6+Ho7aWW54wl7obvEe0kRuoplCGepwSx2jJvqHEmGt6whJpGpfJCHmOoNHKaHx61WiSR92E4lbFoq+B6QDtuetcaBPnW6+O7wDHpIiK9SaVK5GgV543tzjgGcghAgAh+QQJCgAAACwAAAAAIAAgAAAE7hDISSkxpOrN5zFHNWRdhSiVoVLHspRUMoyUakyEe8PTPCATW9A14E0UvuAKMNAZKYUZCiBMuBakSQKG8G2FzUWox2AUtAQFcBKlVQoLgQReZhQlCIJesQXI5B0CBnUMOxMCenoCfTCEWBsJColTMANldx15BGs8B5wlCZ9Po6OJkwmRpnqkqnuSrayqfKmqpLajoiW5HJq7FL1Gr2mMMcKUMIiJgIemy7xZtJsTmsM4xHiKv5KMCXqfyUCJEonXPN2rAOIAmsfB3uPoAK++G+w48edZPK+M6hLJpQg484enXIdQFSS1u6UhksENEQAAIfkECQoAAAAsAAAAACAAIAAABOcQyEmpGKLqzWcZRVUQnZYg1aBSh2GUVEIQ2aQOE+G+cD4ntpWkZQj1JIiZIogDFFyHI0UxQwFugMSOFIPJftfVAEoZLBbcLEFhlQiqGp1Vd140AUklUN3eCA51C1EWMzMCezCBBmkxVIVHBWd3HHl9JQOIJSdSnJ0TDKChCwUJjoWMPaGqDKannasMo6WnM562R5YluZRwur0wpgqZE7NKUm+FNRPIhjBJxKZteWuIBMN4zRMIVIhffcgojwCF117i4nlLnY5ztRLsnOk+aV+oJY7V7m76PdkS4trKcdg0Zc0tTcKkRAAAIfkECQoAAAAsAAAAACAAIAAABO4QyEkpKqjqzScpRaVkXZWQEximw1BSCUEIlDohrft6cpKCk5xid5MNJTaAIkekKGQkWyKHkvhKsR7ARmitkAYDYRIbUQRQjWBwJRzChi9CRlBcY1UN4g0/VNB0AlcvcAYHRyZPdEQFYV8ccwR5HWxEJ02YmRMLnJ1xCYp0Y5idpQuhopmmC2KgojKasUQDk5BNAwwMOh2RtRq5uQuPZKGIJQIGwAwGf6I0JXMpC8C7kXWDBINFMxS4DKMAWVWAGYsAdNqW5uaRxkSKJOZKaU3tPOBZ4DuK2LATgJhkPJMgTwKCdFjyPHEnKxFCDhEAACH5BAkKAAAALAAAAAAgACAAAATzEMhJaVKp6s2nIkolIJ2WkBShpkVRWqqQrhLSEu9MZJKK9y1ZrqYK9WiClmvoUaF8gIQSNeF1Er4MNFn4SRSDARWroAIETg1iVwuHjYB1kYc1mwruwXKC9gmsJXliGxc+XiUCby9ydh1sOSdMkpMTBpaXBzsfhoc5l58Gm5yToAaZhaOUqjkDgCWNHAULCwOLaTmzswadEqggQwgHuQsHIoZCHQMMQgQGubVEcxOPFAcMDAYUA85eWARmfSRQCdcMe0zeP1AAygwLlJtPNAAL19DARdPzBOWSm1brJBi45soRAWQAAkrQIykShQ9wVhHCwCQCACH5BAkKAAAALAAAAAAgACAAAATrEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq+E71SRQeyqUToLA7VxF0JDyIQh/MVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiRMDjI0Fd30/iI2UA5GSS5UDj2l6NoqgOgN4gksEBgYFf0FDqKgHnyZ9OX8HrgYHdHpcHQULXAS2qKpENRg7eAMLC7kTBaixUYFkKAzWAAnLC7FLVxLWDBLKCwaKTULgEwbLA4hJtOkSBNqITT3xEgfLpBtzE/jiuL04RGEBgwWhShRgQExHBAAh+QQJCgAAACwAAAAAIAAgAAAE7xDISWlSqerNpyJKhWRdlSAVoVLCWk6JKlAqAavhO9UkUHsqlE6CwO1cRdCQ8iEIfzFVTzLdRAmZX3I2SfZiCqGk5dTESJeaOAlClzsJsqwiJwiqnFrb2nS9kmIcgEsjQydLiIlHehhpejaIjzh9eomSjZR+ipslWIRLAgMDOR2DOqKogTB9pCUJBagDBXR6XB0EBkIIsaRsGGMMAxoDBgYHTKJiUYEGDAzHC9EACcUGkIgFzgwZ0QsSBcXHiQvOwgDdEwfFs0sDzt4S6BK4xYjkDOzn0unFeBzOBijIm1Dgmg5YFQwsCMjp1oJ8LyIAACH5BAkKAAAALAAAAAAgACAAAATwEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq+E71SRQeyqUToLA7VxF0JDyIQh/MVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiUd6GGl6NoiPOH16iZKNlH6KmyWFOggHhEEvAwwMA0N9GBsEC6amhnVcEwavDAazGwIDaH1ipaYLBUTCGgQDA8NdHz0FpqgTBwsLqAbWAAnIA4FWKdMLGdYGEgraigbT0OITBcg5QwPT4xLrROZL6AuQAPUS7bxLpoWidY0JtxLHKhwwMJBTHgPKdEQAACH5BAkKAAAALAAAAAAgACAAAATrEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq+E71SRQeyqUToLA7VxF0JDyIQh/MVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiUd6GAULDJCRiXo1CpGXDJOUjY+Yip9DhToJA4RBLwMLCwVDfRgbBAaqqoZ1XBMHswsHtxtFaH1iqaoGNgAIxRpbFAgfPQSqpbgGBqUD1wBXeCYp1AYZ19JJOYgH1KwA4UBvQwXUBxPqVD9L3sbp2BNk2xvvFPJd+MFCN6HAAIKgNggY0KtEBAAh+QQJCgAAACwAAAAAIAAgAAAE6BDISWlSqerNpyJKhWRdlSAVoVLCWk6JKlAqAavhO9UkUHsqlE6CwO1cRdCQ8iEIfzFVTzLdRAmZX3I2SfYIDMaAFdTESJeaEDAIMxYFqrOUaNW4E4ObYcCXaiBVEgULe0NJaxxtYksjh2NLkZISgDgJhHthkpU4mW6blRiYmZOlh4JWkDqILwUGBnE6TYEbCgevr0N1gH4At7gHiRpFaLNrrq8HNgAJA70AWxQIH1+vsYMDAzZQPC9VCNkDWUhGkuE5PxJNwiUK4UfLzOlD4WvzAHaoG9nxPi5d+jYUqfAhhykOFwJWiAAAIfkECQoAAAAsAAAAACAAIAAABPAQyElpUqnqzaciSoVkXVUMFaFSwlpOCcMYlErAavhOMnNLNo8KsZsMZItJEIDIFSkLGQoQTNhIsFehRww2CQLKF0tYGKYSg+ygsZIuNqJksKgbfgIGepNo2cIUB3V1B3IvNiBYNQaDSTtfhhx0CwVPI0UJe0+bm4g5VgcGoqOcnjmjqDSdnhgEoamcsZuXO1aWQy8KAwOAuTYYGwi7w5h+Kr0SJ8MFihpNbx+4Erq7BYBuzsdiH1jCAzoSfl0rVirNbRXlBBlLX+BP0XJLAPGzTkAuAOqb0WT5AH7OcdCm5B8TgRwSRKIHQtaLCwg1RAAAOwAAAAAAAAAAAA==);background-repeat:no-repeat}.clear{clear:both}.vcenter:before{content:'';display:inline-block;height:100%;vertical-align:middle}.vcenter-target{display:inline-block;vertical-align:middle}.no-transition,.no-transition *{-webkit-transition:none !important;transition:none !important}.grow-in-on-load{opacity:0;-webkit-transform:scale(0.96);-ms-transform:scale(0.96);transform:scale(0.96);-webkit-transition:all 0.3s ease;transition:all 0.3s ease}html.loaded .grow-in-on-load{opacity:1;-webkit-transform:none;-ms-transform:none;transform:none}h1,h2,h3,h4,h5,h6{font-family:"Open Sans", Helvetica, sans-serif;line-height:1.3em;font-weight:normal}h1,h2,h3,h4,h5,h6,ul,li{margin:0;padding:0}h1{font-size:35.2px}h2{font-size:27.2px}h3{font-size:20.8px}h4{font-size:16px;font-weight:600}h5{font-size:16px;font-weight:600}h6{font-size:16px;font-weight:600}p{margin:1em 0}a{color:#255c7c;text-decoration:none;outline:0;-webkit-transition:color 0.1s ease;transition:color 0.1s ease}a:hover{color:#4195c6}a:focus{outline:1px solid #1baee1}p a{border-bottom:1px solid #8fc1de}b{font-weight:600}small{font-size:0.8em}button{border:0;background:transparent;cursor:pointer}.text-semi-bold{font-weight:600}.main{line-height:1.5}.reveal-viewport{width:100%;height:100%}.container .column{width:100%;max-width:1140px;margin:0 auto;padding:0 20px}@media screen and (max-width: 380px){.container .column{padding:0 10px}}.container .column>section,.container .column>div>section{position:relative;width:100%;margin:40px auto;padding:40px;background:white;border-radius:2px}.container .column>section h2,.container .column>div>section h2{margin-bottom:20px}.container .column>section .header-with-description h2,.container .column>div>section .header-with-description h2{margin-bottom:10px}.container .column>section .header-with-description p,.container .column>div>section .header-with-description p{margin-top:0;margin-bottom:20px;color:#999;font-size:0.9em}.container .column>section.critical-error,.container .column>div>section.critical-error{border-color:#f00;background:#eb5555;color:#fff}@media screen and (max-width: 380px){.container .column>section,.container .column>div>section{padding:20px}.container .column>section:first-child,.container .column>div>section:first-child{margin-top:10px}}.container .column .page-navigation+section{margin-top:20px}.container .column .page-navigation{display:block;max-width:900px;margin:40px auto 20px auto;text-align:right}.container .column .page-navigation .title{float:left;margin-top:5px;font-weight:bold;color:#bbb}.container .column .page-navigation ul{list-style:none}.container .column .page-navigation ul li{display:inline-block;position:relative;margin-left:5px;margin-bottom:7px}.container .column .page-navigation ul li .button{padding-top:8px;padding-bottom:8px;font-size:0.9em;color:#777;border-color:#aaa}.container .column .page-navigation ul li .button:hover{color:#222;border-color:#444}.container .column .page-navigation ul li .button.selected{color:#222;border-color:#444;opacity:1}.container .column .page-navigation ul li .button.selected:before{content:'';position:absolute;height:0px;width:0px;left:50%;right:initial;top:100%;bottom:initial;border-style:solid;border-width:4px;border-color:transparent;-webkit-transform:rotate(360deg);margin-left:-4px;border-bottom-width:0;border-top-color:#444444}.flash-notification{position:absolute;width:100%;top:0;left:0;text-align:center;z-index:100;display:none}.flash-notification p{display:inline-block;margin:13px;padding:10px 20px;background:#111;color:white;border:1px solid #333;border-radius:4px}.page-loader{position:fixed;width:100%;height:100%;left:0;top:0;z-index:2000;background:#111;color:#fff;opacity:1;visibility:hidden;opacity:0;-webkit-transition:all 0.5s ease;transition:all 0.5s ease}.page-loader .page-loader-inner{position:absolute;display:block;top:40%;width:100%;text-align:center}.page-loader .page-loader-inner .page-loader-spinner{display:block;position:relative;width:50px;height:50px;margin:0 auto 20px auto;-webkit-animation:spin-rectangle-to-circle 2.5s cubic-bezier(0.75, 0, 0.5, 1) infinite normal;animation:spin-rectangle-to-circle 2.5s cubic-bezier(0.75, 0, 0.5, 1) infinite normal;background-color:#E4637C;border-radius:1px}.page-loader .page-loader-inner .page-loader-message{display:block;margin:0;vertical-align:top;line-height:32px;font-size:14px;color:#bbb;font-family:Helvetica, sans-serif}.page-loader.visible{visibility:visible;opacity:1}.page-loader.frozen .page-loader-spinner{-webkit-animation:none;animation:none}.pro-badge{display:inline-block;position:relative;padding:3px 6px 2px 6px;font-size:12px;font-weight:normal;line-height:14px;letter-spacing:1px;border-radius:2px;border:1px solid #2d739c;background:#3990c3;color:#fff;vertical-align:middle}.pro-badge:after{display:inline-block;position:relative;top:-1px;margin-left:2px;color:#fff;content:"\e094";font-family:'slides';font-weight:normal;-webkit-font-smoothing:antialiased}.pro-badge:hover{color:#fff;border-color:#3381af;background:#5fa6d0}.touch .user-view li .controls{opacity:1 !important}.touch .deck-view .options{opacity:1}.sl-info{display:inline-block;font-size:0.8em;width:1.3em;height:1.3em;line-height:1.3em;border-radius:1.3em;color:#fff;background-color:rgba(0,0,0,0.3);text-align:center;vertical-align:middle}.sl-info:hover{background-color:rgba(0,0,0,0.5)}.sl-info-inline{margin-top:-0.2em}.sl-info:after{font-family:serif;content:'i'}.sl-info-help:after{font-family:Helvetica, sans-serif;content:'?'}.funnel-intro{margin-bottom:1.5em}.funnel-intro h2,.funnel-intro h3{margin-top:0 !important;margin-bottom:0.1em;text-align:center}.funnel-intro h2{font-size:2em;font-weight:600;color:#888}.funnel-intro h3{font-size:1.5em;color:#aaa}@media screen and (max-width: 600px){.funnel-intro{margin-top:20px}}.sl-coupon{margin:auto;text-align:center}.sl-coupon .sl-coupon-inner{display:inline-block;padding:12px 20px;margin:0;border-radius:4px;text-align:left;background-color:#fff;border-left:4px solid #1baee1}.sl-coupon .sl-coupon-redeem-by{color:#aaa;margin-top:4px}.sl-coupon p{margin:0}html.decks.offline .reveal{-webkit-transition:opacity 0.3s ease;transition:opacity 0.3s ease;opacity:0}html.decks.offline.fonts-are-ready .reveal{opacity:1}.reveal .sl-block{display:block;position:absolute;z-index:auto}.reveal .sl-block .sl-block-style{display:block;position:relative;width:100%;height:100%;max-width:none;max-height:none;margin:0;outline:0;will-change:opacity}.reveal .sl-block .sl-block-content{display:block;position:relative;width:100%;height:100%;max-width:none;max-height:none;margin:0;outline:0;word-wrap:break-word}.reveal .sl-block .sl-block-content .sl-block-content-preview{position:absolute;width:100%;height:100%;left:0;top:0}.reveal .sl-block .sl-block-content>:first-child{margin-top:0}.reveal .sl-block .sl-block-content>:last-child{margin-bottom:0}.reveal .sl-block .sl-block-content[data-has-letter-spacing] *{letter-spacing:inherit}.reveal .sl-block .sl-block-content[data-has-line-height] *{line-height:inherit}.reveal .sl-block-content[data-animation-type="fade-in"]{opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="fade-in"]{opacity:1}.reveal .sl-block-content[data-animation-type="fade-out"]{opacity:1}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="fade-out"]{opacity:0}.reveal .sl-block-content[data-animation-type="slide-up"]{-webkit-transform:translateY(30px);-ms-transform:translateY(30px);transform:translateY(30px);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="slide-up"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal .sl-block-content[data-animation-type="slide-down"]{-webkit-transform:translateY(-30px);-ms-transform:translateY(-30px);transform:translateY(-30px);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="slide-down"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal .sl-block-content[data-animation-type="slide-left"]{-webkit-transform:translateX(30px);-ms-transform:translateX(30px);transform:translateX(30px);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="slide-left"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal .sl-block-content[data-animation-type="slide-right"]{-webkit-transform:translateX(-30px);-ms-transform:translateX(-30px);transform:translateX(-30px);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="slide-right"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal .sl-block-content[data-animation-type="scale-up"]{-webkit-transform:scale(0.6);-ms-transform:scale(0.6);transform:scale(0.6);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="scale-up"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal .sl-block-content[data-animation-type="scale-down"]{-webkit-transform:scale(1.4);-ms-transform:scale(1.4);transform:scale(1.4);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="scale-down"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal section .sl-block-content[data-animation-type]{-webkit-transition-property:-webkit-transform, opacity;transition-property:transform, opacity}.reveal section.past>.sl-block .sl-block-content[data-animation-type],.reveal section.future>.sl-block .sl-block-content[data-animation-type]{-webkit-transition-delay:0s !important;transition-delay:0s !important}html.decks.edit.is-editing .reveal .sl-block{cursor:pointer;-webkit-tap-highlight-color:rgba(0,0,0,0);-webkit-transition:none;transition:none}html.decks.edit.is-editing .reveal .sl-block .sl-block-content{cursor:pointer}html.decks.edit.is-editing .reveal .sl-block .sl-block-content:before{position:absolute;width:100%;height:100%;left:0;top:0;content:'';z-index:1;opacity:0;background-color:rgba(0,0,0,0)}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay{position:absolute;width:100%;height:100%;left:0;top:0}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-message,html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-warning{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;padding:10px;font-size:14px;font-family:"Open Sans", Helvetica, sans-serif;text-align:center;background-color:#222;color:#fff;opacity:0.9;overflow:hidden}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-message .overlay-content,html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-warning .overlay-content{margin:auto}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-message.below-content,html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-warning.below-content{z-index:0 !important}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-warning{color:#ffa660}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-warning .icon{display:block;margin:0 auto 10px auto;width:2em;height:2em;line-height:2em;border-radius:1em;text-align:center;font-size:12px;color:#fff;background-color:#e06200}html.decks.edit.is-editing .reveal .sl-block .sl-block-placeholder{background-image:url(//assets.slid.es/assets/editor/block-placeholder-white-transparent-500x500-7823f1840b07555f52c57c14e21dd605.png);background-size:contain;background-color:#222;background-repeat:no-repeat;background-position:50% 50%;opacity:0.9}html.decks.edit.is-editing .reveal .sl-block.is-editing,html.decks.edit.is-editing .reveal .sl-block.is-editing .sl-block-content{cursor:auto}html.decks.edit.is-editing .reveal .sl-block.is-editing .sl-block-content{outline:1px solid rgba(27,174,225,0.4)}html.decks.edit.is-editing .reveal .sl-block.is-editing .sl-block-content:before{display:none}html.decks.edit.is-editing .reveal .sl-block.intro-start{opacity:0;z-index:255;-webkit-transform:scale(1.1);-ms-transform:scale(1.1);transform:scale(1.1)}html.decks.edit.is-editing .reveal .sl-block.intro-end{z-index:255;-webkit-transition:all 0.3s cubic-bezier(0.175, 0.885, 0.32, 1.275),opacity 0.2s ease;transition:all 0.3s cubic-bezier(0.175, 0.885, 0.32, 1.275),opacity 0.2s ease}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform{position:absolute;width:100%;height:100%;left:0;top:0;visibility:hidden;z-index:255;pointer-events:none;border:1px solid #1baee1;font-size:12px}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor{position:absolute;width:1em;height:1em;border-radius:50%;background:#fff;border:1px solid #1baee1;cursor:pointer;pointer-events:all;visibility:hidden}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=n]{left:50%;bottom:100%;margin-left:-0.5em;margin-bottom:-0.4em;cursor:row-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=e]{left:100%;top:50%;margin-top:-0.5em;margin-left:-0.4em;cursor:col-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=s]{left:50%;top:100%;margin-left:-0.5em;margin-top:-0.4em;cursor:row-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=w]{right:100%;top:50%;margin-top:-0.5em;margin-right:-0.4em;cursor:col-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=nw]{right:100%;bottom:100%;margin-right:-0.4em;margin-bottom:-0.4em;cursor:nw-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=ne]{left:100%;bottom:100%;margin-left:-0.4em;margin-bottom:-0.4em;cursor:ne-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=se]{left:100%;top:100%;margin-left:-0.4em;margin-top:-0.4em;cursor:se-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=sw]{right:100%;top:100%;margin-right:-0.4em;margin-top:-0.4em;cursor:sw-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=p1],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=p2]{width:1.6em;height:1.6em;left:0;top:0;margin-left:-0.8em;margin-top:-0.8em;background-color:rgba(255,255,255,0.7);border-width:2px;cursor:move}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=e],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=w],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=nw],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=ne],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=se],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=sw]{display:none}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=n],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=s],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=nw],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=ne],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=se],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=sw]{display:none}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform.visible{visibility:visible}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform.visible .anchor{visibility:visible}html.decks.edit.is-editing .reveal .sl-block.is-editing .sl-block-transform{visibility:hidden}html.decks.edit.is-editing.touch-editor .reveal .sl-block .sl-block-transform{font-size:20px}html.decks.edit.is-editing.touch-editor .reveal .sl-block .sl-block-transform .anchor:before{content:'';position:absolute;left:-0.5em;top:-0.5em;width:2em;height:2em}html.decks.edit.is-editing.touch-editor-small .reveal .sl-block .sl-block-transform{font-size:30px}html.decks.edit.is-editing .reveal .sl-block[data-block-type="text"].is-focused.is-text-overflowing .sl-block-content{max-height:700px;overflow:auto}.reveal .sl-block[data-block-type="image"] .sl-block-placeholder{background-image:url(//assets.slid.es/assets/editor/image-placeholder-white-transparent-500x500-fbb1e941d141a5bfabfcb4d560f04198.png) !important}.reveal .sl-block[data-block-type="image"] .image-progress{background-color:rgba(0,0,0,0.7);font-size:14px;color:#fff;text-align:center}.reveal .sl-block[data-block-type="image"] .sl-block-content{overflow:hidden}.reveal .sl-block[data-block-type="image"] .sl-block-content img{width:100%;height:100%;margin:0;padding:0;border:0;vertical-align:top}.reveal .sl-block[data-block-type="image"] .sl-block-content svg{position:absolute;width:100%;height:100%;top:0;left:0}.reveal .sl-block[data-block-type="image"] a.sl-block-content{color:inherit}.reveal .sl-block[data-block-type="iframe"] .sl-block-content{overflow:hidden;-webkit-overflow-scrolling:touch}.reveal .sl-block[data-block-type="iframe"] .sl-block-content iframe{width:100%;height:100%}.reveal .sl-block[data-block-type="shape"] .sl-block-content{line-height:0}.reveal .sl-block[data-block-type="shape"] .sl-block-content svg{vertical-align:top}.reveal .sl-block[data-block-type="code"] .sl-block-placeholder{background-image:url(//assets.slid.es/assets/editor/code-placeholder-white-transparent-500x500-5650daa954cfd516de8fee1bfecff32b.png) !important}.reveal .sl-block[data-block-type="code"] .sl-block-content pre,.reveal .sl-block[data-block-type="code"] .sl-block-content code{width:100%;height:100%;margin:0}.reveal .sl-block[data-block-type="code"] .sl-block-content pre{font-size:0.55em;padding:0}.reveal .sl-block[data-block-type="code"] .sl-block-content code{white-space:pre;word-wrap:normal}.reveal .sl-block[data-block-type="math"]{font-size:50px}.reveal .sl-block[data-block-type="math"] .sl-block-content{font-style:normal;font-family:KaTeX_Main;line-height:1.4}.reveal .sl-block[data-block-type="math"] .sl-block-placeholder{background-image:url(//assets.slid.es/assets/editor/math-placeholder-white-transparent-500x500-153b8878a96cd2ca45b9a620b3b721be.png) !important}.reveal .sl-block[data-block-type="math"] .math-input{display:none}.reveal .sl-block[data-block-type="math"] .math-output+.math-output{display:none}.reveal .sl-block[data-block-type="math"].is-empty .sl-block-content{width:300px;height:200px}.reveal .sl-block[data-block-type="table"] .sl-block-content{text-align:left}.reveal .sl-block[data-block-type="table"] .sl-table-column-resizer{display:block;position:absolute;height:100%;width:9px;top:0;margin-left:-4px;z-index:256;cursor:col-resize;opacity:0;background-color:rgba(27,174,225,0.5);-webkit-transition:opacity 0.15s ease;transition:opacity 0.15s ease}.reveal .sl-block[data-block-type="table"] .sl-table-column-resizer:hover,.reveal .sl-block[data-block-type="table"] .sl-table-column-resizer.is-dragging{opacity:1}.reveal .sl-block[data-block-type="table"] table{width:100%;empty-cells:show;table-layout:fixed}.reveal .sl-block[data-block-type="table"] table td,.reveal .sl-block[data-block-type="table"] table th{padding:5px;min-width:40px;border:1px solid currentColor;vertical-align:top;text-align:inherit;outline:0;word-break:break-word}.reveal .sl-block[data-block-type="table"] table td:empty:after,.reveal .sl-block[data-block-type="table"] table th:empty:after,.reveal .sl-block[data-block-type="table"] table td>[contenteditable]:empty:after,.reveal .sl-block[data-block-type="table"] table th>[contenteditable]:empty:after{content:'-';visibility:hidden}.reveal .sl-block[data-block-type="table"] table td.context-menu-is-open,.reveal .sl-block[data-block-type="table"] table th.context-menu-is-open{background-color:rgba(27,174,225,0.2)}.reveal .sl-block[data-block-type="table"] table td>[contenteditable],.reveal .sl-block[data-block-type="table"] table th>[contenteditable]{width:100%;height:100%;outline:0}.reveal .sl-block[data-block-type="line"] svg{display:block;vertical-align:top;overflow:visible}html.decks.edit.is-editing .reveal .sl-block[data-block-type="line"]{pointer-events:none}html.decks.edit.is-editing .reveal .sl-block[data-block-type="line"] svg *{pointer-events:auto;pointer-events:all}html.decks.edit.is-editing .reveal .sl-block[data-block-type="line"] .sl-block-transform{border-color:transparent}/*!
+ * reveal.js
+ * http://lab.hakim.se/reveal-js
+ * MIT licensed
+ *
+ * Copyright (C) 2016 Hakim El Hattab, http://hakim.se
+ */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,.reveal 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}html,body{width:100%;height:100%;overflow:hidden}body{position:relative;line-height:1;background-color:#fff;color:#000}.reveal .slides section .fragment{opacity:0;visibility:hidden;-webkit-transition:all .2s ease;transition:all .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.fade-up{-webkit-transform:translate(0, 20%);-ms-transform:translate(0, 20%);transform:translate(0, 20%)}.reveal .slides section .fragment.fade-up.visible{-webkit-transform:translate(0, 0);-ms-transform:translate(0, 0);transform:translate(0, 0)}.reveal .slides section .fragment.fade-down{-webkit-transform:translate(0, -20%);-ms-transform:translate(0, -20%);transform:translate(0, -20%)}.reveal .slides section .fragment.fade-down.visible{-webkit-transform:translate(0, 0);-ms-transform:translate(0, 0);transform:translate(0, 0)}.reveal .slides section .fragment.fade-right{-webkit-transform:translate(-20%, 0);-ms-transform:translate(-20%, 0);transform:translate(-20%, 0)}.reveal .slides section .fragment.fade-right.visible{-webkit-transform:translate(0, 0);-ms-transform:translate(0, 0);transform:translate(0, 0)}.reveal .slides section .fragment.fade-left{-webkit-transform:translate(20%, 0);-ms-transform:translate(20%, 0);transform:translate(20%, 0)}.reveal .slides section .fragment.fade-left.visible{-webkit-transform:translate(0, 0);-ms-transform:translate(0, 0);transform:translate(0, 0)}.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}.reveal:after{content:'';font-style:italic}.reveal iframe{z-index:1}.reveal a{position:relative}.reveal .stretch{max-width:none;max-height:none}.reveal pre.stretch code{height:100%;max-height:100%;-moz-box-sizing:border-box;box-sizing:border-box}.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: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}.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)}.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}.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:flat;transform-style:flat;-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)}.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}.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}.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}.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%)}.reveal .slides section[data-transition=default].stack,.reveal.default .slides section.stack{-webkit-transform-style:preserve-3d;transform-style:preserve-3d}.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].stack,.reveal.convex .slides section.stack{-webkit-transform-style:preserve-3d;transform-style:preserve-3d}.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)}.reveal .slides section[data-transition=concave].stack,.reveal.concave .slides section.stack{-webkit-transform-style:preserve-3d;transform-style:preserve-3d}.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)}.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%)}.reveal.cube .slides{-webkit-perspective:1300px;perspective:1300px}.reveal.cube .slides section{padding:30px;min-height:700px;-webkit-backface-visibility:hidden;backface-visibility:hidden;-moz-box-sizing:border-box;box-sizing:border-box;-webkit-transform-style:preserve-3d;transform-style:preserve-3d}.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)}.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;-moz-box-sizing:border-box;box-sizing:border-box;-webkit-transform-style:preserve-3d;transform-style:preserve-3d}.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)}.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}.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}.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}.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}.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:rgba(0,0,0,0);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}.reveal .slide-background video{position:absolute;width:100%;height:100%;max-width:none;max-height:none;top:0;left:0}.reveal[data-background-transition=none]>.backgrounds .slide-background,.reveal>.backgrounds .slide-background[data-background-transition=none]{-webkit-transition:none;transition:none}.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%)}.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)}.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)}.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)}.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}.reveal.overview{-webkit-perspective-origin:50% 50%;perspective-origin:50% 50%;-webkit-perspective:700px;perspective:700px}.reveal.overview .slides{-moz-transform-style:preserve-3d}.reveal.overview .slides section{height:100%;top:0 !important;opacity:1 !important;overflow:hidden;visibility:visible !important;cursor:pointer;-moz-box-sizing:border-box;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;-moz-transform-style:preserve-3d}.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}.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}.reveal.has-parallax-background .backgrounds{-webkit-transition:all 0.8s ease;transition:all 0.8s ease}.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}.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;-moz-box-sizing:border-box;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;display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;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:auto;padding:20px 20px 80px 20px;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:16px}.reveal .overlay.overlay-help .viewport .viewport-inner table th,.reveal .overlay.overlay-help .viewport .viewport-inner table td{width:200px;padding:14px;border:1px solid #fff;vertical-align:middle}.reveal .overlay.overlay-help .viewport .viewport-inner table th{padding-top:20px;padding-bottom:20px}.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}.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)}.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;-moz-box-sizing:border-box;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%}}.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}.reveal .slides>section,.reveal .slides>section>section{height:700px;font-weight:inherit;padding:0}.reveal h1{font-size:2.50em;margin-bottom:0.15em}.reveal h2{font-size:1.90em;margin-bottom:0.20em}.reveal h3{font-size:1.30em;margin-bottom:0.25em}.reveal h4{font-size:1.00em;margin-bottom:0.25em}.reveal h5{font-size:1.00em;margin-bottom:0.25em}.reveal h6{font-size:1.00em;margin-bottom:0.25em}.reveal p{margin-bottom:0.25em}.reveal a{text-decoration:none}.reveal b,.reveal strong{font-weight:bold}.reveal em{font-style:italic}.reveal sup{vertical-align:super}.reveal sub{vertical-align:sub}.reveal small{font-size:0.6em}.reveal ol,.reveal dl,.reveal ul{display:inline-block;margin:0.25em 0 0.25em 1.5em;text-align:left}.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:1.5em}.reveal dt{font-weight:bold}.reveal dd{margin-left:1.5em}.reveal q{quotes:none;font-style:italic}.reveal blockquote{display:block;margin:0.25em auto;font-style:italic}.reveal blockquote:before{content:"\201C";display:inline-block;padding:0 0.15em;font-size:2em;line-height:1em;height:1px;vertical-align:top}.reveal blockquote>:first-child{margin-top:0;display:inline}.reveal blockquote>:last-child{margin-bottom:0}.reveal pre{display:block;position:relative;margin:0.25em auto;text-align:left;font-family:monospace;line-height:1.2;word-wrap:break-word}.reveal code{font-family:monospace}.reveal pre code{display:block;padding:5px;overflow:auto;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 tr:last-child td{border-bottom:none}.reveal .speaker-notes{white-space:pre-wrap}.reveal.overview .slides .fragment,.reveal.overview .slides [data-animation-type]{-webkit-transition:none !important;transition:none !important;-webkit-transform:none !important;-ms-transform:none !important;transform:none !important;opacity:1 !important;visibility:visible !important}.theme-color-asphalt-orange{background-color:#2c3e50;background-image:-webkit-radial-gradient(center, circle farthest-corner, #415b77 0%, #2c3e50 100%);background-image:radial-gradient(circle farthest-corner at center, #415b77 0%, #2c3e50 100%)}.theme-color-asphalt-orange body{background:transparent}.theme-color-asphalt-orange .theme-body-color-block{background:white}.theme-color-asphalt-orange .theme-link-color-block{background:#ffc200}.theme-color-asphalt-orange .themed,.theme-color-asphalt-orange .reveal{color:white}.theme-color-asphalt-orange .themed a,.theme-color-asphalt-orange .reveal a{color:#ffc200}.theme-color-asphalt-orange .themed a:hover,.theme-color-asphalt-orange .reveal a:hover{color:#ffda66}.theme-color-asphalt-orange .reveal .controls .navigate-left,.theme-color-asphalt-orange .reveal .controls .navigate-left.enabled{border-right-color:#ffc200}.theme-color-asphalt-orange .reveal .controls .navigate-right,.theme-color-asphalt-orange .reveal .controls .navigate-right.enabled{border-left-color:#ffc200}.theme-color-asphalt-orange .reveal .controls .navigate-up,.theme-color-asphalt-orange .reveal .controls .navigate-up.enabled{border-bottom-color:#ffc200}.theme-color-asphalt-orange .reveal .controls .navigate-down,.theme-color-asphalt-orange .reveal .controls .navigate-down.enabled{border-top-color:#ffc200}.theme-color-asphalt-orange .reveal .controls .navigate-left.enabled:hover{border-right-color:#ffda66}.theme-color-asphalt-orange .reveal .controls .navigate-right.enabled:hover{border-left-color:#ffda66}.theme-color-asphalt-orange .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#ffda66}.theme-color-asphalt-orange .reveal .controls .navigate-down.enabled:hover{border-top-color:#ffda66}.theme-color-asphalt-orange .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-asphalt-orange .reveal .progress span{background:#ffc200;-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)}.theme-color-asphalt-orange .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-beige-brown{background-color:#f7f3de;background-image:-webkit-radial-gradient(center, circle farthest-corner, #fff 0%, #f7f2d3 100%);background-image:radial-gradient(circle farthest-corner at center, #fff 0%, #f7f2d3 100%)}.theme-color-beige-brown body{background:transparent}.theme-color-beige-brown .theme-body-color-block{background:#333333}.theme-color-beige-brown .theme-link-color-block{background:#8b743d}.theme-color-beige-brown .themed,.theme-color-beige-brown .reveal{color:#333333}.theme-color-beige-brown .themed a,.theme-color-beige-brown .reveal a{color:#8b743d}.theme-color-beige-brown .themed a:hover,.theme-color-beige-brown .reveal a:hover{color:#c0a86e}.theme-color-beige-brown .reveal .controls .navigate-left,.theme-color-beige-brown .reveal .controls .navigate-left.enabled{border-right-color:#8b743d}.theme-color-beige-brown .reveal .controls .navigate-right,.theme-color-beige-brown .reveal .controls .navigate-right.enabled{border-left-color:#8b743d}.theme-color-beige-brown .reveal .controls .navigate-up,.theme-color-beige-brown .reveal .controls .navigate-up.enabled{border-bottom-color:#8b743d}.theme-color-beige-brown .reveal .controls .navigate-down,.theme-color-beige-brown .reveal .controls .navigate-down.enabled{border-top-color:#8b743d}.theme-color-beige-brown .reveal .controls .navigate-left.enabled:hover{border-right-color:#c0a86e}.theme-color-beige-brown .reveal .controls .navigate-right.enabled:hover{border-left-color:#c0a86e}.theme-color-beige-brown .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#c0a86e}.theme-color-beige-brown .reveal .controls .navigate-down.enabled:hover{border-top-color:#c0a86e}.theme-color-beige-brown .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-beige-brown .reveal .progress span{background:#8b743d;-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)}.theme-color-beige-brown .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-black-blue{background:#111111}.theme-color-black-blue body{background:transparent}.theme-color-black-blue .theme-body-color-block{background:white}.theme-color-black-blue .theme-link-color-block{background:#2f90f8}.theme-color-black-blue .themed,.theme-color-black-blue .reveal{color:white}.theme-color-black-blue .themed a,.theme-color-black-blue .reveal a{color:#2f90f8}.theme-color-black-blue .themed a:hover,.theme-color-black-blue .reveal a:hover{color:#79b7fa}.theme-color-black-blue .reveal .controls .navigate-left,.theme-color-black-blue .reveal .controls .navigate-left.enabled{border-right-color:#2f90f8}.theme-color-black-blue .reveal .controls .navigate-right,.theme-color-black-blue .reveal .controls .navigate-right.enabled{border-left-color:#2f90f8}.theme-color-black-blue .reveal .controls .navigate-up,.theme-color-black-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#2f90f8}.theme-color-black-blue .reveal .controls .navigate-down,.theme-color-black-blue .reveal .controls .navigate-down.enabled{border-top-color:#2f90f8}.theme-color-black-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#79b7fa}.theme-color-black-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#79b7fa}.theme-color-black-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#79b7fa}.theme-color-black-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#79b7fa}.theme-color-black-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-black-blue .reveal .progress span{background:#2f90f8;-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)}.theme-color-black-blue .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-black-mint{background:#111111}.theme-color-black-mint body{background:transparent}.theme-color-black-mint .theme-body-color-block{background:white}.theme-color-black-mint .theme-link-color-block{background:#8dd792}.theme-color-black-mint .themed,.theme-color-black-mint .reveal{color:white}.theme-color-black-mint .themed a,.theme-color-black-mint .reveal a{color:#8dd792}.theme-color-black-mint .themed a:hover,.theme-color-black-mint .reveal a:hover{color:#c6ebc8}.theme-color-black-mint .reveal .controls .navigate-left,.theme-color-black-mint .reveal .controls .navigate-left.enabled{border-right-color:#8dd792}.theme-color-black-mint .reveal .controls .navigate-right,.theme-color-black-mint .reveal .controls .navigate-right.enabled{border-left-color:#8dd792}.theme-color-black-mint .reveal .controls .navigate-up,.theme-color-black-mint .reveal .controls .navigate-up.enabled{border-bottom-color:#8dd792}.theme-color-black-mint .reveal .controls .navigate-down,.theme-color-black-mint .reveal .controls .navigate-down.enabled{border-top-color:#8dd792}.theme-color-black-mint .reveal .controls .navigate-left.enabled:hover{border-right-color:#c6ebc8}.theme-color-black-mint .reveal .controls .navigate-right.enabled:hover{border-left-color:#c6ebc8}.theme-color-black-mint .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#c6ebc8}.theme-color-black-mint .reveal .controls .navigate-down.enabled:hover{border-top-color:#c6ebc8}.theme-color-black-mint .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-black-mint .reveal .progress span{background:#8dd792;-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)}.theme-color-black-mint .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-black-orange{background:#222222}.theme-color-black-orange body{background:transparent}.theme-color-black-orange .theme-body-color-block{background:white}.theme-color-black-orange .theme-link-color-block{background:#e7ad52}.theme-color-black-orange .themed,.theme-color-black-orange .reveal{color:white}.theme-color-black-orange .themed a,.theme-color-black-orange .reveal a{color:#e7ad52}.theme-color-black-orange .themed a:hover,.theme-color-black-orange .reveal a:hover{color:#f3d7ac}.theme-color-black-orange .reveal .controls .navigate-left,.theme-color-black-orange .reveal .controls .navigate-left.enabled{border-right-color:#e7ad52}.theme-color-black-orange .reveal .controls .navigate-right,.theme-color-black-orange .reveal .controls .navigate-right.enabled{border-left-color:#e7ad52}.theme-color-black-orange .reveal .controls .navigate-up,.theme-color-black-orange .reveal .controls .navigate-up.enabled{border-bottom-color:#e7ad52}.theme-color-black-orange .reveal .controls .navigate-down,.theme-color-black-orange .reveal .controls .navigate-down.enabled{border-top-color:#e7ad52}.theme-color-black-orange .reveal .controls .navigate-left.enabled:hover{border-right-color:#f3d7ac}.theme-color-black-orange .reveal .controls .navigate-right.enabled:hover{border-left-color:#f3d7ac}.theme-color-black-orange .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#f3d7ac}.theme-color-black-orange .reveal .controls .navigate-down.enabled:hover{border-top-color:#f3d7ac}.theme-color-black-orange .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-black-orange .reveal .progress span{background:#e7ad52;-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)}.theme-color-black-orange .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-blue-yellow{background:#44a0dd}.theme-color-blue-yellow body{background:transparent}.theme-color-blue-yellow .theme-body-color-block{background:white}.theme-color-blue-yellow .theme-link-color-block{background:#ecec6a}.theme-color-blue-yellow .themed,.theme-color-blue-yellow .reveal{color:white}.theme-color-blue-yellow .themed a,.theme-color-blue-yellow .reveal a{color:#ecec6a}.theme-color-blue-yellow .themed a:hover,.theme-color-blue-yellow .reveal a:hover{color:#f8f8c4}.theme-color-blue-yellow .reveal .controls .navigate-left,.theme-color-blue-yellow .reveal .controls .navigate-left.enabled{border-right-color:#ecec6a}.theme-color-blue-yellow .reveal .controls .navigate-right,.theme-color-blue-yellow .reveal .controls .navigate-right.enabled{border-left-color:#ecec6a}.theme-color-blue-yellow .reveal .controls .navigate-up,.theme-color-blue-yellow .reveal .controls .navigate-up.enabled{border-bottom-color:#ecec6a}.theme-color-blue-yellow .reveal .controls .navigate-down,.theme-color-blue-yellow .reveal .controls .navigate-down.enabled{border-top-color:#ecec6a}.theme-color-blue-yellow .reveal .controls .navigate-left.enabled:hover{border-right-color:#f8f8c4}.theme-color-blue-yellow .reveal .controls .navigate-right.enabled:hover{border-left-color:#f8f8c4}.theme-color-blue-yellow .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#f8f8c4}.theme-color-blue-yellow .reveal .controls .navigate-down.enabled:hover{border-top-color:#f8f8c4}.theme-color-blue-yellow .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-blue-yellow .reveal .progress span{background:#ecec6a;-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)}.theme-color-blue-yellow .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-cobalt-orange{background-color:#13335a;background-image:-webkit-radial-gradient(center, circle farthest-corner, #1a4984 0%, #13335a 100%);background-image:radial-gradient(circle farthest-corner at center, #1a4984 0%, #13335a 100%)}.theme-color-cobalt-orange body{background:transparent}.theme-color-cobalt-orange .theme-body-color-block{background:white}.theme-color-cobalt-orange .theme-link-color-block{background:#e08c14}.theme-color-cobalt-orange .themed,.theme-color-cobalt-orange .reveal{color:white}.theme-color-cobalt-orange .themed a,.theme-color-cobalt-orange .reveal a{color:#e08c14}.theme-color-cobalt-orange .themed a:hover,.theme-color-cobalt-orange .reveal a:hover{color:#f2b968}.theme-color-cobalt-orange .reveal .controls .navigate-left,.theme-color-cobalt-orange .reveal .controls .navigate-left.enabled{border-right-color:#e08c14}.theme-color-cobalt-orange .reveal .controls .navigate-right,.theme-color-cobalt-orange .reveal .controls .navigate-right.enabled{border-left-color:#e08c14}.theme-color-cobalt-orange .reveal .controls .navigate-up,.theme-color-cobalt-orange .reveal .controls .navigate-up.enabled{border-bottom-color:#e08c14}.theme-color-cobalt-orange .reveal .controls .navigate-down,.theme-color-cobalt-orange .reveal .controls .navigate-down.enabled{border-top-color:#e08c14}.theme-color-cobalt-orange .reveal .controls .navigate-left.enabled:hover{border-right-color:#f2b968}.theme-color-cobalt-orange .reveal .controls .navigate-right.enabled:hover{border-left-color:#f2b968}.theme-color-cobalt-orange .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#f2b968}.theme-color-cobalt-orange .reveal .controls .navigate-down.enabled:hover{border-top-color:#f2b968}.theme-color-cobalt-orange .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-cobalt-orange .reveal .progress span{background:#e08c14;-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)}.theme-color-cobalt-orange .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-coral-blue{background-color:#c97150;background-image:-webkit-radial-gradient(center, circle farthest-corner, #d59177 0%, #c97150 100%);background-image:radial-gradient(circle farthest-corner at center, #d59177 0%, #c97150 100%)}.theme-color-coral-blue body{background:transparent}.theme-color-coral-blue .theme-body-color-block{background:white}.theme-color-coral-blue .theme-link-color-block{background:#3a65c0}.theme-color-coral-blue .themed,.theme-color-coral-blue .reveal{color:white}.theme-color-coral-blue .themed a,.theme-color-coral-blue .reveal a{color:#3a65c0}.theme-color-coral-blue .themed a:hover,.theme-color-coral-blue .reveal a:hover{color:#86a1da}.theme-color-coral-blue .reveal .controls .navigate-left,.theme-color-coral-blue .reveal .controls .navigate-left.enabled{border-right-color:#3a65c0}.theme-color-coral-blue .reveal .controls .navigate-right,.theme-color-coral-blue .reveal .controls .navigate-right.enabled{border-left-color:#3a65c0}.theme-color-coral-blue .reveal .controls .navigate-up,.theme-color-coral-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#3a65c0}.theme-color-coral-blue .reveal .controls .navigate-down,.theme-color-coral-blue .reveal .controls .navigate-down.enabled{border-top-color:#3a65c0}.theme-color-coral-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#86a1da}.theme-color-coral-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#86a1da}.theme-color-coral-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#86a1da}.theme-color-coral-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#86a1da}.theme-color-coral-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-coral-blue .reveal .progress span{background:#3a65c0;-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)}.theme-color-coral-blue .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-forest-yellow{background:#2ba056}.theme-color-forest-yellow body{background:transparent}.theme-color-forest-yellow .theme-body-color-block{background:white}.theme-color-forest-yellow .theme-link-color-block{background:#ecec6a}.theme-color-forest-yellow .themed,.theme-color-forest-yellow .reveal{color:white}.theme-color-forest-yellow .themed a,.theme-color-forest-yellow .reveal a{color:#ecec6a}.theme-color-forest-yellow .themed a:hover,.theme-color-forest-yellow .reveal a:hover{color:#f8f8c4}.theme-color-forest-yellow .reveal .controls .navigate-left,.theme-color-forest-yellow .reveal .controls .navigate-left.enabled{border-right-color:#ecec6a}.theme-color-forest-yellow .reveal .controls .navigate-right,.theme-color-forest-yellow .reveal .controls .navigate-right.enabled{border-left-color:#ecec6a}.theme-color-forest-yellow .reveal .controls .navigate-up,.theme-color-forest-yellow .reveal .controls .navigate-up.enabled{border-bottom-color:#ecec6a}.theme-color-forest-yellow .reveal .controls .navigate-down,.theme-color-forest-yellow .reveal .controls .navigate-down.enabled{border-top-color:#ecec6a}.theme-color-forest-yellow .reveal .controls .navigate-left.enabled:hover{border-right-color:#f8f8c4}.theme-color-forest-yellow .reveal .controls .navigate-right.enabled:hover{border-left-color:#f8f8c4}.theme-color-forest-yellow .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#f8f8c4}.theme-color-forest-yellow .reveal .controls .navigate-down.enabled:hover{border-top-color:#f8f8c4}.theme-color-forest-yellow .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-forest-yellow .reveal .progress span{background:#ecec6a;-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)}.theme-color-forest-yellow .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-grey-blue{background-color:#313538;background-image:-webkit-radial-gradient(center, circle farthest-corner, #555a5f 0%, #1c1e20 100%);background-image:radial-gradient(circle farthest-corner at center, #555a5f 0%, #1c1e20 100%)}.theme-color-grey-blue body{background:transparent}.theme-color-grey-blue .theme-body-color-block{background:white}.theme-color-grey-blue .theme-link-color-block{background:#13daec}.theme-color-grey-blue .themed,.theme-color-grey-blue .reveal{color:white}.theme-color-grey-blue .themed a,.theme-color-grey-blue .reveal a{color:#13daec}.theme-color-grey-blue .themed a:hover,.theme-color-grey-blue .reveal a:hover{color:#71e9f4}.theme-color-grey-blue .reveal .controls .navigate-left,.theme-color-grey-blue .reveal .controls .navigate-left.enabled{border-right-color:#13daec}.theme-color-grey-blue .reveal .controls .navigate-right,.theme-color-grey-blue .reveal .controls .navigate-right.enabled{border-left-color:#13daec}.theme-color-grey-blue .reveal .controls .navigate-up,.theme-color-grey-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#13daec}.theme-color-grey-blue .reveal .controls .navigate-down,.theme-color-grey-blue .reveal .controls .navigate-down.enabled{border-top-color:#13daec}.theme-color-grey-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#71e9f4}.theme-color-grey-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#71e9f4}.theme-color-grey-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#71e9f4}.theme-color-grey-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#71e9f4}.theme-color-grey-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-grey-blue .reveal .progress span{background:#13daec;-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)}.theme-color-grey-blue .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-mint-beige{background-color:#207c5f;background-image:-webkit-radial-gradient(center, circle farthest-corner, #2aa57e 0%, #207c5f 100%);background-image:radial-gradient(circle farthest-corner at center, #2aa57e 0%, #207c5f 100%)}.theme-color-mint-beige body{background:transparent}.theme-color-mint-beige .theme-body-color-block{background:white}.theme-color-mint-beige .theme-link-color-block{background:#ecec6a}.theme-color-mint-beige .themed,.theme-color-mint-beige .reveal{color:white}.theme-color-mint-beige .themed a,.theme-color-mint-beige .reveal a{color:#ecec6a}.theme-color-mint-beige .themed a:hover,.theme-color-mint-beige .reveal a:hover{color:#f8f8c4}.theme-color-mint-beige .reveal .controls .navigate-left,.theme-color-mint-beige .reveal .controls .navigate-left.enabled{border-right-color:#ecec6a}.theme-color-mint-beige .reveal .controls .navigate-right,.theme-color-mint-beige .reveal .controls .navigate-right.enabled{border-left-color:#ecec6a}.theme-color-mint-beige .reveal .controls .navigate-up,.theme-color-mint-beige .reveal .controls .navigate-up.enabled{border-bottom-color:#ecec6a}.theme-color-mint-beige .reveal .controls .navigate-down,.theme-color-mint-beige .reveal .controls .navigate-down.enabled{border-top-color:#ecec6a}.theme-color-mint-beige .reveal .controls .navigate-left.enabled:hover{border-right-color:#f8f8c4}.theme-color-mint-beige .reveal .controls .navigate-right.enabled:hover{border-left-color:#f8f8c4}.theme-color-mint-beige .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#f8f8c4}.theme-color-mint-beige .reveal .controls .navigate-down.enabled:hover{border-top-color:#f8f8c4}.theme-color-mint-beige .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-mint-beige .reveal .progress span{background:#ecec6a;-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)}.theme-color-mint-beige .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-no-color{background-color:white}.theme-color-no-color .theme-body-color-block,.theme-color-no-color .theme-link-color-block{background:black}.theme-color-no-color .themed,.theme-color-no-color.themed,.theme-color-no-color .reveal,.theme-color-no-color.reveal{color:black}.theme-color-sand-blue{background:#f0f1eb}.theme-color-sand-blue body{background:transparent}.theme-color-sand-blue .theme-body-color-block{background:#111111}.theme-color-sand-blue .theme-link-color-block{background:#2f90f8}.theme-color-sand-blue .themed,.theme-color-sand-blue .reveal{color:#111111}.theme-color-sand-blue .themed a,.theme-color-sand-blue .reveal a{color:#2f90f8}.theme-color-sand-blue .themed a:hover,.theme-color-sand-blue .reveal a:hover{color:#92c5fb}.theme-color-sand-blue .reveal .controls .navigate-left,.theme-color-sand-blue .reveal .controls .navigate-left.enabled{border-right-color:#2f90f8}.theme-color-sand-blue .reveal .controls .navigate-right,.theme-color-sand-blue .reveal .controls .navigate-right.enabled{border-left-color:#2f90f8}.theme-color-sand-blue .reveal .controls .navigate-up,.theme-color-sand-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#2f90f8}.theme-color-sand-blue .reveal .controls .navigate-down,.theme-color-sand-blue .reveal .controls .navigate-down.enabled{border-top-color:#2f90f8}.theme-color-sand-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#92c5fb}.theme-color-sand-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#92c5fb}.theme-color-sand-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#92c5fb}.theme-color-sand-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#92c5fb}.theme-color-sand-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-sand-blue .reveal .progress span{background:#2f90f8;-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)}.theme-color-sand-blue .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-sea-yellow{background-color:#297477;background-image:-webkit-linear-gradient(top, #6cc9cd 0%, #297477 100%);background-image:linear-gradient(to bottom, #6cc9cd 0%, #297477 100%)}.theme-color-sea-yellow body{background:transparent}.theme-color-sea-yellow .theme-body-color-block{background:white}.theme-color-sea-yellow .theme-link-color-block{background:#ffc200}.theme-color-sea-yellow .themed,.theme-color-sea-yellow .reveal{color:white}.theme-color-sea-yellow .themed a,.theme-color-sea-yellow .reveal a{color:#ffc200}.theme-color-sea-yellow .themed a:hover,.theme-color-sea-yellow .reveal a:hover{color:#ffda66}.theme-color-sea-yellow .reveal .controls .navigate-left,.theme-color-sea-yellow .reveal .controls .navigate-left.enabled{border-right-color:#ffc200}.theme-color-sea-yellow .reveal .controls .navigate-right,.theme-color-sea-yellow .reveal .controls .navigate-right.enabled{border-left-color:#ffc200}.theme-color-sea-yellow .reveal .controls .navigate-up,.theme-color-sea-yellow .reveal .controls .navigate-up.enabled{border-bottom-color:#ffc200}.theme-color-sea-yellow .reveal .controls .navigate-down,.theme-color-sea-yellow .reveal .controls .navigate-down.enabled{border-top-color:#ffc200}.theme-color-sea-yellow .reveal .controls .navigate-left.enabled:hover{border-right-color:#ffda66}.theme-color-sea-yellow .reveal .controls .navigate-right.enabled:hover{border-left-color:#ffda66}.theme-color-sea-yellow .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#ffda66}.theme-color-sea-yellow .reveal .controls .navigate-down.enabled:hover{border-top-color:#ffda66}.theme-color-sea-yellow .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-sea-yellow .reveal .progress span{background:#ffc200;-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)}.theme-color-sea-yellow .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-silver-blue{background-color:#dddddd;background-image:-webkit-radial-gradient(center, circle farthest-corner, #fff 0%, #ddd 100%);background-image:radial-gradient(circle farthest-corner at center, #fff 0%, #ddd 100%)}.theme-color-silver-blue body{background:transparent}.theme-color-silver-blue .theme-body-color-block{background:#111111}.theme-color-silver-blue .theme-link-color-block{background:#106bcc}.theme-color-silver-blue .themed,.theme-color-silver-blue .reveal{color:#111111}.theme-color-silver-blue .themed a,.theme-color-silver-blue .reveal a{color:#106bcc}.theme-color-silver-blue .themed a:hover,.theme-color-silver-blue .reveal a:hover{color:#2184ee}.theme-color-silver-blue .reveal .controls .navigate-left,.theme-color-silver-blue .reveal .controls .navigate-left.enabled{border-right-color:#106bcc}.theme-color-silver-blue .reveal .controls .navigate-right,.theme-color-silver-blue .reveal .controls .navigate-right.enabled{border-left-color:#106bcc}.theme-color-silver-blue .reveal .controls .navigate-up,.theme-color-silver-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#106bcc}.theme-color-silver-blue .reveal .controls .navigate-down,.theme-color-silver-blue .reveal .controls .navigate-down.enabled{border-top-color:#106bcc}.theme-color-silver-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#2184ee}.theme-color-silver-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#2184ee}.theme-color-silver-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#2184ee}.theme-color-silver-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#2184ee}.theme-color-silver-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-silver-blue .reveal .progress span{background:#106bcc;-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)}.theme-color-silver-blue .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-silver-green{background-color:#dddddd;background-image:-webkit-radial-gradient(center, circle farthest-corner, #fff 0%, #ddd 100%);background-image:radial-gradient(circle farthest-corner at center, #fff 0%, #ddd 100%)}.theme-color-silver-green body{background:transparent}.theme-color-silver-green .theme-body-color-block{background:#111111}.theme-color-silver-green .theme-link-color-block{background:#039426}.theme-color-silver-green .themed,.theme-color-silver-green .reveal{color:#111111}.theme-color-silver-green .themed a,.theme-color-silver-green .reveal a{color:#039426}.theme-color-silver-green .themed a:hover,.theme-color-silver-green .reveal a:hover{color:#04c633}.theme-color-silver-green .reveal .controls .navigate-left,.theme-color-silver-green .reveal .controls .navigate-left.enabled{border-right-color:#039426}.theme-color-silver-green .reveal .controls .navigate-right,.theme-color-silver-green .reveal .controls .navigate-right.enabled{border-left-color:#039426}.theme-color-silver-green .reveal .controls .navigate-up,.theme-color-silver-green .reveal .controls .navigate-up.enabled{border-bottom-color:#039426}.theme-color-silver-green .reveal .controls .navigate-down,.theme-color-silver-green .reveal .controls .navigate-down.enabled{border-top-color:#039426}.theme-color-silver-green .reveal .controls .navigate-left.enabled:hover{border-right-color:#04c633}.theme-color-silver-green .reveal .controls .navigate-right.enabled:hover{border-left-color:#04c633}.theme-color-silver-green .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#04c633}.theme-color-silver-green .reveal .controls .navigate-down.enabled:hover{border-top-color:#04c633}.theme-color-silver-green .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-silver-green .reveal .progress span{background:#039426;-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)}.theme-color-silver-green .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-sky-blue{background-color:#dcedf1;background-image:-webkit-radial-gradient(center, circle farthest-corner, #f7fbfc 0%, #add9e4 100%);background-image:radial-gradient(circle farthest-corner at center, #f7fbfc 0%, #add9e4 100%)}.theme-color-sky-blue body{background:transparent}.theme-color-sky-blue .theme-body-color-block{background:#333333}.theme-color-sky-blue .theme-link-color-block{background:#3b759e}.theme-color-sky-blue .themed,.theme-color-sky-blue .reveal{color:#333333}.theme-color-sky-blue .themed a,.theme-color-sky-blue .reveal a{color:#3b759e}.theme-color-sky-blue .themed a:hover,.theme-color-sky-blue .reveal a:hover{color:#74a7cb}.theme-color-sky-blue .reveal .controls .navigate-left,.theme-color-sky-blue .reveal .controls .navigate-left.enabled{border-right-color:#3b759e}.theme-color-sky-blue .reveal .controls .navigate-right,.theme-color-sky-blue .reveal .controls .navigate-right.enabled{border-left-color:#3b759e}.theme-color-sky-blue .reveal .controls .navigate-up,.theme-color-sky-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#3b759e}.theme-color-sky-blue .reveal .controls .navigate-down,.theme-color-sky-blue .reveal .controls .navigate-down.enabled{border-top-color:#3b759e}.theme-color-sky-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#74a7cb}.theme-color-sky-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#74a7cb}.theme-color-sky-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#74a7cb}.theme-color-sky-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#74a7cb}.theme-color-sky-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-sky-blue .reveal .progress span{background:#3b759e;-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)}.theme-color-sky-blue .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-white-blue{background:white}.theme-color-white-blue body{background:transparent}.theme-color-white-blue .theme-body-color-block{background:black}.theme-color-white-blue .theme-link-color-block{background:#106bcc}.theme-color-white-blue .themed,.theme-color-white-blue .reveal{color:black}.theme-color-white-blue .themed a,.theme-color-white-blue .reveal a{color:#106bcc}.theme-color-white-blue .themed a:hover,.theme-color-white-blue .reveal a:hover{color:#3991ef}.theme-color-white-blue .reveal .controls .navigate-left,.theme-color-white-blue .reveal .controls .navigate-left.enabled{border-right-color:#106bcc}.theme-color-white-blue .reveal .controls .navigate-right,.theme-color-white-blue .reveal .controls .navigate-right.enabled{border-left-color:#106bcc}.theme-color-white-blue .reveal .controls .navigate-up,.theme-color-white-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#106bcc}.theme-color-white-blue .reveal .controls .navigate-down,.theme-color-white-blue .reveal .controls .navigate-down.enabled{border-top-color:#106bcc}.theme-color-white-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#3991ef}.theme-color-white-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#3991ef}.theme-color-white-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#3991ef}.theme-color-white-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#3991ef}.theme-color-white-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-white-blue .reveal .progress span{background:#106bcc;-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)}.theme-color-white-blue .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-yellow-black{background:#fff000}.theme-color-yellow-black body{background:transparent}.theme-color-yellow-black .theme-body-color-block{background:black}.theme-color-yellow-black .theme-link-color-block{background:#4654ec}.theme-color-yellow-black .themed,.theme-color-yellow-black .reveal{color:black}.theme-color-yellow-black .themed a,.theme-color-yellow-black .reveal a{color:#4654ec}.theme-color-yellow-black .themed a:hover,.theme-color-yellow-black .reveal a:hover{color:#a3aaf6}.theme-color-yellow-black .reveal .controls .navigate-left,.theme-color-yellow-black .reveal .controls .navigate-left.enabled{border-right-color:#4654ec}.theme-color-yellow-black .reveal .controls .navigate-right,.theme-color-yellow-black .reveal .controls .navigate-right.enabled{border-left-color:#4654ec}.theme-color-yellow-black .reveal .controls .navigate-up,.theme-color-yellow-black .reveal .controls .navigate-up.enabled{border-bottom-color:#4654ec}.theme-color-yellow-black .reveal .controls .navigate-down,.theme-color-yellow-black .reveal .controls .navigate-down.enabled{border-top-color:#4654ec}.theme-color-yellow-black .reveal .controls .navigate-left.enabled:hover{border-right-color:#a3aaf6}.theme-color-yellow-black .reveal .controls .navigate-right.enabled:hover{border-left-color:#a3aaf6}.theme-color-yellow-black .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#a3aaf6}.theme-color-yellow-black .reveal .controls .navigate-down.enabled:hover{border-top-color:#a3aaf6}.theme-color-yellow-black .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-yellow-black .reveal .progress span{background:#4654ec;-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)}.theme-color-yellow-black .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}
+</style>
+
+
+ <meta content="authenticity_token" name="csrf-param" />
+<meta content="5ZREGer95FZHqYiCfvd9MYCvSsD08RArXDJDFKVK0Fg=" name="csrf-token" />
+ <style id="user-css-output" type="text/css"></style>
+ </head>
+ <body>
+ <div class="reveal">
+ <div class="slides">
+ <section data-id="73bde4df637766b53e21af771b113f43">
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 70px;" data-block-id="0d20172a024816efc0928d0483207c56"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 11;">
+<h2><span style="color:#FFA500"><span style="font-size:1.0em">Superquack in a (nut)shell</span></span></h2>
+</div></div>
+<div class="sl-block" data-block-type="image" style="min-width: 30px; min-height: 30px; width: 732px; height: 415.104px; left: 115px; top: 199px;" data-block-id="3d5fd746c85387189628ce5e6d6361c0"><div class="sl-block-content" style="z-index: 12; border-style: solid; border-radius: 19px;"><img data-natural-width="723" data-natural-height="410" data-src="https://s3.amazonaws.com/media-p.slid.es/uploads/610172/images/3212753/Schermata_da_2016-11-09_00-03-09.png"></div></div></section><section data-id="c75b4db83de271a2f2680e22924320a6"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="5a86b72c48cfe48977babd68c8ecf0c9"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">About me</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="image" style="min-width: 30px; min-height: 30px; width: 360px; height: 360px; left: 60px; top: 200px;" data-block-id="22199367aef21a9991c0cdf230789998"><div class="sl-block-content" style="z-index: 12;"><img data-natural-width="694" data-natural-height="694" data-src="https://s3.amazonaws.com/media-p.slid.es/uploads/610172/images/3230472/10610838_10204723408872968_7495737464968678377_n__1_.jpg"></div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 400px; left: 480px; top: 279px;" data-block-id="1c88410cfc95bd9ec69783161b0c85be"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13;">
+<p><span style="font-size:2.5em">Luca</span></p>
+
+<p><span style="font-size:2.5em">Aguzzoli</span></p>
+</div></div></section><section data-id="34110edf2644aafba7abb2180d793837"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="f2cc991619d9abbddf1d5fe0b72373f5"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">Cose inutili</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 213px;" data-block-id="9233102e991c2773d6afe6479f182110"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;" dir="ui">
+<ul>
+ <li style="text-align:left"><span style="font-size:1.2em">aka: TinyTanic</span></li>
+ <li style="text-align:left"><span style="font-size:1.2em">github: github.com/TinyTanic</span></li>
+ <li style="text-align:left"><span style="font-size:1.2em">linkedIn: it.linkedin.com/in/lucaaguzzoli</span></li>
+ <li style="text-align:left"><span style="font-size:1.2em">website: aguzzoliluca.it</span></li>
+</ul>
+
+<p style="text-align:left"> </p>
+
+<p style="text-align:left"><span style="font-size:36px">La presentazione e tutto il materiale è disponibile qua:</span></p>
+
+<p style="text-align:left"><span style="color:#FFA500">​https://github.com/TinyTanic/LinuxLessonsUniTo.git</span></p>
+
+<p style="text-align:left"><span style="font-size:0.7em">... magari questo non è tanto inutile</span></p>
+</div></div></section><section data-id="5bc8123d17da2ab464bd1bd638af9cda"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 265px; height: auto;" data-block-id="e59e51076244c407e649dbf2891ae9ce"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">Iniziamo!</span></h1>
+</div></div></section><section data-id="b4e7743a264961e2753648fbdd27d897"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="56419d5f92e335d4f991ec7d18644af3"><div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text" style="z-index: 11;">
+<h2><span style="color:#FFA500"><span style="font-size:1.4em">Shell</span></span></h2>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 232px;" data-block-id="2ffbd58af0157814c1e38a9cf9c948ed"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12; text-align: left;">
+<ul>
+ <li>Interprete</li>
+ <li>Linea di comando / Terminale</li>
+ <li>3 importanti Shell: 
+ <ul>
+ <li>Bourne Shell (sh)</li>
+ <li>C shell (csh)</li>
+ <li>Korn shell (ksh)</li>
+ </ul>
+ </li>
+</ul>
+</div></div></section><section data-id="5b47fd45ff8705a9ac24caea30b1cc92"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="5835d253854f004118102088d436cd75"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">Quali shell abbiamo?</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 210px;" data-block-id="c91592ab347a7f3240d2fa6ef28b1a5e"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;">
+<p>Ci sono più shell in Linux.</p>
+
+<p>Come possiamo sapere quali?</p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 800px; height: 230px; left: 80px; top: 375px;" data-block-id="973f5e897dd9771309f5d40088837b41"><div class="sl-block-content" style="z-index: 13;" data-highlight-theme="obsidian"><pre class="bash"><code>$ cat /etc/shells #quali shell abbiamo a disposizione?
+# /etc/shells: valid login shells
+/bin/sh
+/bin/dash
+/bin/bash
+/bin/rbash
+/usr/bin/fish
+
+$ echo $SHELL #quale shell stiamo usanto al momento?
+/usr/bin/fish
+</code></pre></div></div></section><section data-id="a70b8b623eaec23892db8088824dd4a5"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 61px; height: auto;" data-block-id="99192546fd02b5c5789115cb342ea7c2"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500"><span style="font-size:1.0em">&gt;_ folders</span></span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 210px;" data-block-id="72a378461c8befff81610774129bccb0"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13;">
+<p>Interagiamo con il sistema operativo. Dove mi trovo? cosa c'è? Come mi muovo?</p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 800px; height: 247px; left: 80px; top: 350px;" data-block-id="8325333419e8db43ae53ba65d3a6d07f"><div class="sl-block-content" style="z-index: 14;" data-highlight-theme="obsidian"><pre class="bash"><code>#in che cartella sono?
+$ pwd
+/home/luca
+
+#che cosa c'è nella cartella corrente?
+$ ls
+Documenti/ Modelli/ Progetti/ Scaricati/ Video/
+Immagini/ Musica/ Pubblici/ Scrivania/
+
+#mi sposto nella cartella
+$ cd Scrivania/linuxUnito
+</code></pre></div></div></section><section data-id="f05a911b31b9f256013b43018a4ed3a2"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="1800792f5f3daa07c4a5996223aafd10"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">&gt;_ files</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; width: 800px; left: 80px; top: 220px;" data-block-id="d199f5c04be64406aa6fc4af8e21f65b"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;">
+<p style="text-align:left">Come si crea un file, si elimina, si copia o si sposta?</p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 800px; height: 237px; left: 80px; top: 350px;" data-block-id="b995173040dd117ace83782c1635777c"><div class="sl-block-content" style="z-index: 13;" data-highlight-theme="obsidian"><pre class="bash"><code>#creo un nuovo file vuoto
+$ touch nuovofile
+
+#copio il primo file nel secondo
+$ cp nuovofile filecopiato
+
+#rimuovo il file filecopiato creato precedentemente
+$ rm filecopiato
+
+#sposto il file da una cartella ad un'altra con un altro nome
+$ mv nuovofile /home/luca/filespostato
+</code></pre></div></div></section><section data-id="ba11b52da239462622171bc4c369f2c0"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="9d8d8865744acf9814b68670c1ff8141"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">&gt;_ view_files</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; width: 800px; left: 80px; top: 220px;" data-block-id="67675b7cc53a3c3e344946067ee33964"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;">
+<p style="text-align:left">Diamo uno sguardo al contenuto dei nostri file</p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="width: 800px; height: 182px; left: 81px; top: 399px;" data-block-id="42bfd5c7f00be9e51b6802593a1250a3"><div class="sl-block-content" style="z-index: 13;" data-highlight-theme="obsidian"><pre class="bash"><code># stampa a terminale il contenuto del file
+$ cat nuovofile
+
+# visualizzazione di file molto grossi
+$ more nuovofile
+
+# visualizzazione di file molto grossi con la possibilità di tornare indietro
+$ less nuovofile</code></pre></div></div></section><section data-id="bfa8cb397c0f5ca2108d2b38017f1d1b"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="c80465af7d14bc508a86f485beec7567"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">&gt;_ man</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="code" style="width: 800px; height: 474px; left: 80px; top: 177px;" data-block-id="71c45d9e0cc7721b4048b665234b55af"><div class="sl-block-content" style="z-index: 13;" data-highlight-theme="obsidian"><pre class="bash"><code>CAT(1) User Commands CAT(1)
+
+NAME
+ cat - concatenate files and print on the standard output
+
+SYNOPSIS
+ cat [OPTION]... [FILE]...
+
+DESCRIPTION
+ Concatenate FILE(s) to standard output.
+
+ With no FILE, or when FILE is -, read standard input.
+
+ -A, --show-all
+ equivalent to -vET
+
+ -b, --number-nonblank
+ number nonempty output lines, overrides -n
+
+ -e equivalent to -vE
+
+ -E, --show-ends
+ display $ at end of each line
+ Manual page cat(1) line 1/71 31% (press h for help or q to quit)</code></pre></div></div></section><section data-id="a5c8b8c0d9fd577b95f8d5495c9b76d5"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="5e5b01070c8d02801d3fd6b192751e34"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">&gt;_ superquackers (1)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 600px; left: 180px; top: 230px;" data-block-id="7369f64114d53341e9024b8fcdffd510"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 11;">
+<h3>I/O redirection</h3>
+</div></div>
+
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 551px; left: 371px; top: 333px;" data-block-id="c27178bb3f44ea571a0f3ab6bd149d3b"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left">viene creato 'outfile' con l'output di 'cmd' (se il file esiste già viene sovrascritto)</p>
+</div></div>
+
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 551px; left: 371px; top: 474px;" data-block-id="8b3ac4d59d237b81917f9fcf331152d7"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left"><span style="color:rgb(255, 255, 255); text-align:left">viene creato 'outfile' con l'output di 'cmd' (se il file esiste già viene appeso)</span></p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 281px; height: 74px; left: 39px; top: 355px;" data-block-id="210ed7fa2dc08ddf57435a996fab1128"><div class="sl-block-content" style="z-index: 14; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># output
+cmd &gt; outfile</code></pre></div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 281px; height: 74px; left: 40px; top: 476px;" data-block-id="8274f3c1680697912ede988dea268eb0"><div class="sl-block-content" style="z-index: 16; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># append output
+cmd &gt;&gt; outfile</code></pre></div></div></section><section data-id="b6c1fff29cc152d3d0049c1d95195bec"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="d739638c358e406b8c00005e831b2a76"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">&gt;_ superquackers (2)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; width: 600px; left: 180px; top: 230px;" data-block-id="868254a4c4ccdc8da19532838c3fdc9f"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 11;">
+<h3>I/O redirection</h3>
+</div></div>
+
+<div class="sl-block" data-block-type="text" style="height: auto; width: 551px; left: 371px; top: 351px;" data-block-id="ad01de4747305ab9125fda14a30fc770"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left">il contenuto del file 'infile' viene usato come input per il comando 'cmd</p>
+</div></div>
+
+<div class="sl-block" data-block-type="text" style="height: auto; width: 551px; left: 371px; top: 474px;" data-block-id="f4cf3854e7320255799eda2911e45fb9"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 15; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left"><span style="color:rgb(255, 255, 255); text-align:left">redirect generico da un comando ad un altro</span></p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 281px; height: 74px; left: 39px; top: 353px;" data-block-id="90d1fa4dc1b119f0e73905267a04283c"><div class="sl-block-content" style="z-index: 16; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># input
+cmd &lt; infile</code></pre></div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 281px; height: 74px; left: 39px; top: 476px;" data-block-id="194f64d61dc4e35c6ca4767a70ede46e"><div class="sl-block-content" style="z-index: 19; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># pipe
+cmd | cmd</code></pre></div></div></section><section data-id="0e26a460a51a56ac63f2df151f215183"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="1a264ef63031b618e1578d5aeed0f5ad"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">&gt;_ superquackers (3)</span></h1>
+</div></div>
+
+
+<div class="sl-block" data-block-type="text" style="height: auto; width: 551px; left: 371px; top: 243px;" data-block-id="468ba445a38bac4332eebda60c1e8c1f"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left">cmd2 viene eseguito se e solo se cm1 è andato a buon fine</p>
+</div></div>
+
+<div class="sl-block" data-block-type="text" style="height: auto; width: 551px; left: 371px; top: 371px;" data-block-id="50ec2b0bbbea313907d7685df7627340"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 15; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left"><span style="color:rgb(255, 255, 255); text-align:left">cmd2 viene eseguito solo se il cmd1 non va a buon fine (usato prevalentemente negli if)</span></p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="width: 281px; height: 74px; left: 39px; top: 243px;" data-block-id="a78817e6c5ef68096fc95e1fde6ea1a6"><div class="sl-block-content" style="z-index: 16; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># AND
+cmd1 &amp;&amp; cmd2</code></pre></div></div>
+<div class="sl-block" data-block-type="code" style="width: 281px; height: 74px; left: 39px; top: 392px;" data-block-id="748cf9749c8090ab9ac854d4d97cf70c"><div class="sl-block-content" style="z-index: 19; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># OR
+cmd1 || cmd2</code></pre></div></div></section><section data-id="a837d0c537242e229354a7319499861e"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="cf0d34d52647a6e6f4255d2fcbc8bef7"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">&gt;_ superquackers (4)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; width: 600px; left: 180px; top: 185px;" data-block-id="ed8ead6945df5cc8d2a316f2377e8a93"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;">
+<h3>Esempi</h3>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 800px; height: 324px; left: 80px; top: 280px;" data-block-id="66397b0ef2eb2221f6c0d8da81de408d"><div class="sl-block-content" style="z-index: 13;" data-highlight-theme="obsidian"><pre class="bash"><code># che cosa restituiscono?
+
+# 1
+$ cat esercizio.hs | grep False
+
+# 2
+$ cat numeri | sort | uniq &gt; orderednum
+
+# 3
+$ sort &lt; numeri | uniq &gt; orderednum
+
+# 4
+$ false &amp;&amp; echo duck || echo quack
+
+#5
+$ true || echo quack &amp;&amp; echo duck</code></pre></div></div></section><section data-id="68df218976e9a2fbe440eebeb26ad43a"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 302px; height: auto;" data-block-id="9b3dec1c4bac90701a5a9d985dd97930"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text">
+<h1><span style="color:#FFA500">L'arte dello scripting</span></h1>
+</div></div></section><section data-id="02e8586c4adf3f7ab434e3ee72c1e85f"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="4df2756f09316edd0f359ac7231ca937"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">Scripting (1)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 619px; left: 80px; top: 331px;" data-block-id="4a3d7704c39a71db7b76bfc3614eba49"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;">
+<ul>
+ <li>bash è un interprete</li>
+ <li>posso scrivere piccoli programmi (script)</li>
+ <li>alta automazione per il SO</li>
+</ul>
+</div></div></section><section data-id="6d55f0a03ac1f8d7a9c2ce8f88fe4090"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="5a295e7e8d5a865a140a86835dde1395"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">Scripting (2)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 800px; height: 329px; left: 80px; top: 256px;" data-block-id="36e4f8e48c0d963f9180792c7dfca678"><div class="sl-block-content" style="z-index: 12;" data-highlight-theme="obsidian"><pre class="bash"><code># dichiarazione di variabile ed utilizzo in un comando
+HW="Ciao utente, come va?"
+echo $HW
+
+# uso di passaggio di parametri
+HW="Ciao $1, come va?"
+echo $HW
+
+# costrutto if-then-else
+T1="foo"
+T2="bar"
+if [ "$T1" = "$T2" ]; then
+ echo expression evaluated as true
+else
+ echo expression evaluated as false
+fi</code></pre></div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 217px;" data-block-id="1706e68a2ef3b535c3a74a413c06923b"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13; text-align: right;">
+<p>Variabili, parametri e if-then-else</p>
+</div></div></section><section data-id="1258bf0a7d39601d1436b2e42b47da16"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="a4db9c525c9ce9333eadf433e3b511f2"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">Scripting (3)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="code" style="width: 800px; height: 329px; left: 63px; top: 256px;" data-block-id="1b298aefb68d51886500c7bb2ac63dd5"><div class="sl-block-content" style="z-index: 12;" data-highlight-theme="obsidian"><pre class="bash"><code># creo una funzione che stampa una frase hello-world
+function hw {
+ echo "Hello, $1"
+}
+
+hw Luca
+
+# catturo l'output da un comando e ne stampo il contenuto
+FILES=$(ls)
+# o in alternativa
+FILES=`ls`
+
+for f in $FILES;
+do
+ echo $f
+done</code></pre></div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 63px; top: 217px;" data-block-id="5b1715ddaf40805b921a1c37a94426f1"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13; text-align: right;">
+<p>Cicli, cattura dell'output e f<span style="color:rgb(255, 255, 255)">unzioni</span></p>
+</div></div></section><section data-id="d866ede0dc7e42319ba9a1b7582f60bd"><div class="sl-block" data-block-type="text" style="width: 960px; left: 0px; top: 70px; height: auto;" data-block-id="2fd513dad03ff8ac38fd99c7574d7aa1"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">Du quack is</span></h1>
+
+<h1><span style="color:#FFA500">megl che uan</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 354px;" data-block-id="01f87212002fdb2ae631003a94f9e6c1"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;" dir="ui">
+<ul>
+ <li style="text-align: left;"><span style="color:rgb(255, 255, 255); text-align:left">https://it.wikipedia.org/wiki/Shell_(informatica)</span></li>
+ <li style="text-align: left;">http://tldp.org/HOWTO/Bash-Prog-Intro-HOWTO.html</li>
+ <li style="text-align: left;">https://it.wikipedia.org/wiki/Bash</li>
+</ul>
+</div></div></section>
+ </div>
+ </div>
+
+
+
+<script>
+ var SLConfig = {"current_user":{"id":610172,"username":"tinytanic","name":null,"description":null,"thumbnail_url":"https://www.gravatar.com/avatar/783282854cf12a5bed9fbc51d56177b5?s=140\u0026d=https%3A%2F%2Fs3.amazonaws.com%2Fstatic.slid.es%2Fimages%2Fdefault-profile-picture.png","paid":false,"pro":false,"lite":false,"team_id":null,"settings":{"id":456574,"present_controls":true,"present_upsizing":true,"present_notes":true,"editor_grid":true,"editor_snap":true,"developer_mode":false,"speaker_layout":null},"email":"luca.aguzzoli@hotmail.it","notify_on_receipt":true,"billing_address":null,"editor_tutorial_completed":true,"manually_upgraded":false,"deck_user_editor_limit":1},"deck":{"id":851066,"slug":"shelllinux","title":"Shell Linux","description":"","visibility":"all","published_at":"2016-11-08T22:53:06.691Z","sanitize_messages":null,"thumbnail_url":"https://s3.amazonaws.com/media-p.slid.es/thumbnails/8e470a47ff5dad1bb7f73bda28d66b54/thumb.jpg","view_count":22,"user":{"id":610172,"username":"tinytanic","name":null,"description":null,"thumbnail_url":"https://www.gravatar.com/avatar/783282854cf12a5bed9fbc51d56177b5?s=140\u0026d=https%3A%2F%2Fs3.amazonaws.com%2Fstatic.slid.es%2Fimages%2Fdefault-profile-picture.png","paid":false,"pro":false,"lite":false,"team_id":null,"settings":{"id":456574,"present_controls":true,"present_upsizing":true,"present_notes":true}},"background_transition":"slide","transition":"slide","theme_id":null,"theme_font":"montserrat","theme_color":"black-orange","auto_slide_interval":0,"comments_enabled":true,"forking_enabled":false,"rolling_links":false,"center":false,"should_loop":false,"share_notes":false,"slide_number":true,"rtl":false,"version":2,"collaborative":true,"deck_user_editor_limit":1,"data_updated_at":1479855107212,"font_typekit":null,"font_google":null,"access_token":"7gf9q1HyMRAjspAk1kgCHkpsjcgr","notes":{}}};
+</script>
+
+ <script>
+ !function(e,t){"function"==typeof define&&define.amd?define(function(){return e.Reveal=t(),e.Reveal}):"object"==typeof exports?module.exports=t():e.Reveal=t()}(this,function(){"use strict";function e(e){if(zr!==!0)if(zr=!0,t(),$r.transforms2d||$r.transforms3d){Ur.wrapper=document.querySelector(".reveal"),Ur.slides=document.querySelector(".reveal .slides"),window.addEventListener("load",z,!1);var n=Ar.getQueryHash();"undefined"!=typeof n.dependencies&&delete n.dependencies,g(Br,e),g(Br,n),N(),r()}else{document.body.setAttribute("class","no-transforms");for(var a=m(document.getElementsByTagName("img")),i=m(document.getElementsByTagName("iframe")),o=a.concat(i),s=0,l=o.length;l>s;s++){var c=o[s];c.getAttribute("data-src")&&(c.setAttribute("src",c.getAttribute("data-src")),c.removeAttribute("data-src"))}}}function t(){Nr=/(iphone|ipod|ipad|android)/gi.test(Rr),Mr=/chrome/i.test(Rr)&&!/edge/i.test(Rr);var e=document.createElement("div");$r.transforms3d="WebkitPerspective"in e.style||"MozPerspective"in e.style||"msPerspective"in e.style||"OPerspective"in e.style||"perspective"in e.style,$r.transforms2d="WebkitTransform"in e.style||"MozTransform"in e.style||"msTransform"in e.style||"OTransform"in e.style||"transform"in e.style,$r.requestAnimationFrameMethod=window.requestAnimationFrame||window.webkitRequestAnimationFrame||window.mozRequestAnimationFrame,$r.requestAnimationFrame="function"==typeof $r.requestAnimationFrameMethod,$r.canvas=!!document.createElement("canvas").getContext,$r.overviewTransitions=!/Version\/[\d\.]+.*Safari/.test(Rr),$r.zoom="zoom"in e.style&&!Nr&&(Mr||/Version\/[\d\.]+.*Safari/.test(Rr))}function r(){function e(){a.length&&head.js.apply(null,a),n()}function t(t){head.ready(t.src.match(/([\w\d_\-]*)\.?js$|[^\\\/]*$/i)[0],function(){"function"==typeof t.callback&&t.callback.apply(this),0===--i&&e()})}for(var r=[],a=[],i=0,o=0,s=Br.dependencies.length;s>o;o++){var l=Br.dependencies[o];(!l.condition||l.condition())&&(l.async?a.push(l.src):r.push(l.src),t(l))}r.length?(i=r.length,head.js.apply(null,r)):e()}function n(){a(),p(),l(),it(),f(),Nt(),ht(!0),setTimeout(function(){Ur.slides.classList.remove("no-transition"),Wr=!0,Ur.wrapper.classList.add("ready"),T("ready",{indexh:Lr,indexv:Er,currentSlide:xr})},1),q()&&(h(),"complete"===document.readyState?s():window.addEventListener("load",s))}function a(){Ur.slides.classList.add("no-transition"),Ur.background=c(Ur.wrapper,"div","backgrounds",null),Ur.progress=c(Ur.wrapper,"div","progress","<span></span>"),Ur.progressbar=Ur.progress.querySelector("span"),c(Ur.wrapper,"aside","controls",'<button class="navigate-left" aria-label="previous slide"></button><button class="navigate-right" aria-label="next slide"></button><button class="navigate-up" aria-label="above slide"></button><button class="navigate-down" aria-label="below slide"></button>'),Ur.slideNumber=c(Ur.wrapper,"div","slide-number",""),Ur.speakerNotes=c(Ur.wrapper,"div","speaker-notes",null),Ur.speakerNotes.setAttribute("data-prevent-swipe",""),Ur.speakerNotes.setAttribute("tabindex","0"),c(Ur.wrapper,"div","pause-overlay",null),Ur.controls=document.querySelector(".reveal .controls"),Ur.wrapper.setAttribute("role","application"),Ur.controlsLeft=m(document.querySelectorAll(".navigate-left")),Ur.controlsRight=m(document.querySelectorAll(".navigate-right")),Ur.controlsUp=m(document.querySelectorAll(".navigate-up")),Ur.controlsDown=m(document.querySelectorAll(".navigate-down")),Ur.controlsPrev=m(document.querySelectorAll(".navigate-prev")),Ur.controlsNext=m(document.querySelectorAll(".navigate-next")),Ur.statusDiv=i()}function i(){var e=document.getElementById("aria-status-div");return e||(e=document.createElement("div"),e.style.position="absolute",e.style.height="1px",e.style.width="1px",e.style.overflow="hidden",e.style.clip="rect( 1px, 1px, 1px, 1px )",e.setAttribute("id","aria-status-div"),e.setAttribute("aria-live","polite"),e.setAttribute("aria-atomic","true"),Ur.wrapper.appendChild(e)),e}function o(e){var t="";if(3===e.nodeType)t+=e.textContent;else if(1===e.nodeType){var r=e.getAttribute("aria-hidden"),n="none"===window.getComputedStyle(e).display;"true"===r||n||m(e.childNodes).forEach(function(e){t+=o(e)})}return t}function s(){var e=O(window.innerWidth,window.innerHeight),t=Math.floor(e.width*(1+Br.margin)),r=Math.floor(e.height*(1+Br.margin)),n=e.width,a=e.height;A("@page{size:"+t+"px "+r+"px; margin: 0;}"),A(".reveal section>img, .reveal section>video, .reveal section>iframe{max-width: "+n+"px; max-height:"+a+"px}"),document.body.classList.add("print-pdf"),document.body.style.width=t+"px",document.body.style.height=r+"px",m(Ur.wrapper.querySelectorAll(Pr)).forEach(function(e,t){e.setAttribute("data-index-h",t),e.classList.contains("stack")&&m(e.querySelectorAll("section")).forEach(function(e,r){e.setAttribute("data-index-h",t),e.setAttribute("data-index-v",r)})}),m(Ur.wrapper.querySelectorAll(Cr)).forEach(function(e){if(e.classList.contains("stack")===!1){var i=(t-n)/2,o=(r-a)/2,s=e.scrollHeight,l=Math.max(Math.ceil(s/r),1);l=Math.min(l,Br.pdfMaxPagesPerSlide),(1===l&&Br.center||e.classList.contains("center"))&&(o=Math.max((r-s)/2,0));var c=document.createElement("div");if(c.className="pdf-page",c.style.height=r*l+"px",e.parentNode.insertBefore(c,e),c.appendChild(e),e.style.left=i+"px",e.style.top=o+"px",e.style.width=n+"px",e.slideBackgroundElement&&c.insertBefore(e.slideBackgroundElement,e),Br.showNotes){var d=Ht(e);if(d){var u=8,p="string"==typeof Br.showNotes?Br.showNotes:"inline",f=document.createElement("div");f.classList.add("speaker-notes"),f.classList.add("speaker-notes-pdf"),f.setAttribute("data-layout",p),f.innerHTML=d,"separate-page"===p?c.parentNode.insertBefore(f,c.nextSibling):(f.style.left=u+"px",f.style.bottom=u+"px",f.style.width=t-2*u+"px",c.appendChild(f))}}if(Br.slideNumber){var v=parseInt(e.getAttribute("data-index-h"),10)+1,h=parseInt(e.getAttribute("data-index-v"),10)+1,g=document.createElement("div");g.classList.add("slide-number"),g.classList.add("slide-number-pdf"),g.innerHTML=ft(v,".",h),c.appendChild(g)}}}),m(Ur.wrapper.querySelectorAll(Cr+" .fragment")).forEach(function(e){e.classList.add("visible")}),T("pdf-ready")}function l(){setInterval(function(){(0!==Ur.wrapper.scrollTop||0!==Ur.wrapper.scrollLeft)&&(Ur.wrapper.scrollTop=0,Ur.wrapper.scrollLeft=0)},1e3)}function c(e,t,r,n){for(var a=e.querySelectorAll("."+r),i=0;i<a.length;i++){var o=a[i];if(o.parentNode===e)return o}var s=document.createElement(t);return s.classList.add(r),"string"==typeof n&&(s.innerHTML=n),e.appendChild(s),s}function d(){q();Ur.background.innerHTML="",Ur.background.classList.add("no-transition"),m(Ur.wrapper.querySelectorAll(Pr)).forEach(function(e){var t=u(e,Ur.background);m(e.querySelectorAll("section")).forEach(function(e){u(e,t),t.classList.add("stack")})}),Br.parallaxBackgroundImage?(Ur.background.style.backgroundImage='url("'+Br.parallaxBackgroundImage+'")',Ur.background.style.backgroundSize=Br.parallaxBackgroundSize,setTimeout(function(){Ur.wrapper.classList.add("has-parallax-background")},1)):(Ur.background.style.backgroundImage="",Ur.wrapper.classList.remove("has-parallax-background"))}function u(e,t){var r={background:e.getAttribute("data-background"),backgroundSize:e.getAttribute("data-background-size"),backgroundImage:e.getAttribute("data-background-image"),backgroundVideo:e.getAttribute("data-background-video"),backgroundIframe:e.getAttribute("data-background-iframe"),backgroundColor:e.getAttribute("data-background-color"),backgroundRepeat:e.getAttribute("data-background-repeat"),backgroundPosition:e.getAttribute("data-background-position"),backgroundTransition:e.getAttribute("data-background-transition")},n=document.createElement("div");n.className="slide-background "+e.className.replace(/present|past|future/,""),r.background&&(/^(http|file|\/\/)/gi.test(r.background)||/\.(svg|png|jpg|jpeg|gif|bmp)$/gi.test(r.background)?e.setAttribute("data-background-image",r.background):n.style.background=r.background),(r.background||r.backgroundColor||r.backgroundImage||r.backgroundVideo||r.backgroundIframe)&&n.setAttribute("data-background-hash",r.background+r.backgroundSize+r.backgroundImage+r.backgroundVideo+r.backgroundIframe+r.backgroundColor+r.backgroundRepeat+r.backgroundPosition+r.backgroundTransition),r.backgroundSize&&(n.style.backgroundSize=r.backgroundSize),r.backgroundColor&&(n.style.backgroundColor=r.backgroundColor),r.backgroundRepeat&&(n.style.backgroundRepeat=r.backgroundRepeat),r.backgroundPosition&&(n.style.backgroundPosition=r.backgroundPosition),r.backgroundTransition&&n.setAttribute("data-background-transition",r.backgroundTransition),t.appendChild(n),e.classList.remove("has-dark-background"),e.classList.remove("has-light-background"),e.slideBackgroundElement=n;var a=window.getComputedStyle(n);if(a&&a.backgroundColor){var i=E(a.backgroundColor);i&&0!==i.a&&e.classList.add(S(a.backgroundColor)<128?"has-dark-background":"has-light-background")}return n}function p(){Br.postMessage&&window.addEventListener("message",function(e){var t=e.data;"string"==typeof t&&"{"===t.charAt(0)&&"}"===t.charAt(t.length-1)&&(t=JSON.parse(t),t.method&&"function"==typeof Ar[t.method]&&Ar[t.method].apply(Ar,t.args))},!1)}function f(e){var t=Ur.wrapper.querySelectorAll(Cr).length;Ur.wrapper.classList.remove(Br.transition),"object"==typeof e&&g(Br,e),$r.transforms3d===!1&&(Br.transition="linear"),Ur.wrapper.classList.add(Br.transition),Ur.wrapper.setAttribute("data-transition-speed",Br.transitionSpeed),Ur.wrapper.setAttribute("data-background-transition",Br.backgroundTransition),Ur.controls.style.display=Br.controls?"block":"none",Ur.progress.style.display=Br.progress?"block":"none",Ur.slideNumber.style.display=Br.slideNumber&&!q()?"block":"none",Br.shuffle&&st(),Br.rtl?Ur.wrapper.classList.add("rtl"):Ur.wrapper.classList.remove("rtl"),Br.center?Ur.wrapper.classList.add("center"):Ur.wrapper.classList.remove("center"),Br.pause===!1&&Q(),Br.showNotes?(Ur.speakerNotes.classList.add("visible"),Ur.speakerNotes.setAttribute("data-layout","string"==typeof Br.showNotes?Br.showNotes:"inline")):Ur.speakerNotes.classList.remove("visible"),Br.mouseWheel?(document.addEventListener("DOMMouseScroll",sr,!1),document.addEventListener("mousewheel",sr,!1)):(document.removeEventListener("DOMMouseScroll",sr,!1),document.removeEventListener("mousewheel",sr,!1)),Br.rollingLinks?I():C(),Br.previewLinks?P():(H(),P("[data-preview-link]")),Tr&&(Tr.destroy(),Tr=null),t>1&&Br.autoSlide&&Br.autoSlideStoppable&&$r.canvas&&$r.requestAnimationFrame&&(Tr=new kr(Ur.wrapper,function(){return Math.min(Math.max((Date.now()-Gr)/Jr,0),1)}),Tr.on("click",wr),en=!1),Br.fragments===!1&&m(Ur.slides.querySelectorAll(".fragment")).forEach(function(e){e.classList.add("visible"),e.classList.remove("current-fragment")}),at()}function v(){if(Zr=!0,window.addEventListener("hashchange",hr,!1),window.addEventListener("resize",gr,!1),Br.touch&&(Ur.wrapper.addEventListener("touchstart",tr,!1),Ur.wrapper.addEventListener("touchmove",rr,!1),Ur.wrapper.addEventListener("touchend",nr,!1),window.navigator.pointerEnabled?(Ur.wrapper.addEventListener("pointerdown",ar,!1),Ur.wrapper.addEventListener("pointermove",ir,!1),Ur.wrapper.addEventListener("pointerup",or,!1)):window.navigator.msPointerEnabled&&(Ur.wrapper.addEventListener("MSPointerDown",ar,!1),Ur.wrapper.addEventListener("MSPointerMove",ir,!1),Ur.wrapper.addEventListener("MSPointerUp",or,!1))),Br.keyboard&&(document.addEventListener("keydown",er,!1),document.addEventListener("keypress",Gt,!1)),Br.progress&&Ur.progress&&Ur.progress.addEventListener("click",lr,!1),Br.focusBodyOnPageVisibilityChange){var e;"hidden"in document?e="visibilitychange":"msHidden"in document?e="msvisibilitychange":"webkitHidden"in document&&(e="webkitvisibilitychange"),e&&document.addEventListener(e,mr,!1)}var t=["touchstart","click"];Rr.match(/android/gi)&&(t=["touchstart"]),t.forEach(function(e){Ur.controlsLeft.forEach(function(t){t.addEventListener(e,cr,!1)}),Ur.controlsRight.forEach(function(t){t.addEventListener(e,dr,!1)}),Ur.controlsUp.forEach(function(t){t.addEventListener(e,ur,!1)}),Ur.controlsDown.forEach(function(t){t.addEventListener(e,pr,!1)}),Ur.controlsPrev.forEach(function(t){t.addEventListener(e,fr,!1)}),Ur.controlsNext.forEach(function(t){t.addEventListener(e,vr,!1)})})}function h(){Zr=!1,document.removeEventListener("keydown",er,!1),document.removeEventListener("keypress",Gt,!1),window.removeEventListener("hashchange",hr,!1),window.removeEventListener("resize",gr,!1),Ur.wrapper.removeEventListener("touchstart",tr,!1),Ur.wrapper.removeEventListener("touchmove",rr,!1),Ur.wrapper.removeEventListener("touchend",nr,!1),window.navigator.pointerEnabled?(Ur.wrapper.removeEventListener("pointerdown",ar,!1),Ur.wrapper.removeEventListener("pointermove",ir,!1),Ur.wrapper.removeEventListener("pointerup",or,!1)):window.navigator.msPointerEnabled&&(Ur.wrapper.removeEventListener("MSPointerDown",ar,!1),Ur.wrapper.removeEventListener("MSPointerMove",ir,!1),Ur.wrapper.removeEventListener("MSPointerUp",or,!1)),Br.progress&&Ur.progress&&Ur.progress.removeEventListener("click",lr,!1),["touchstart","click"].forEach(function(e){Ur.controlsLeft.forEach(function(t){t.removeEventListener(e,cr,!1)}),Ur.controlsRight.forEach(function(t){t.removeEventListener(e,dr,!1)}),Ur.controlsUp.forEach(function(t){t.removeEventListener(e,ur,!1)}),Ur.controlsDown.forEach(function(t){t.removeEventListener(e,pr,!1)}),Ur.controlsPrev.forEach(function(t){t.removeEventListener(e,fr,!1)}),Ur.controlsNext.forEach(function(t){t.removeEventListener(e,vr,!1)})})}function g(e,t){for(var r in t)e[r]=t[r]}function m(e){return Array.prototype.slice.call(e)}function b(e){if("string"==typeof e){if("null"===e)return null;if("true"===e)return!0;if("false"===e)return!1;if(e.match(/^\d+$/))return parseFloat(e)}return e}function y(e,t){var r=e.x-t.x,n=e.y-t.y;return Math.sqrt(r*r+n*n)}function w(e,t){e.style.WebkitTransform=t,e.style.MozTransform=t,e.style.msTransform=t,e.style.transform=t}function k(e){"string"==typeof e.layout&&(Vr.layout=e.layout),"string"==typeof e.overview&&(Vr.overview=e.overview),Vr.layout?w(Ur.slides,Vr.layout+" "+Vr.overview):w(Ur.slides,Vr.overview)}function A(e){var t=document.createElement("style");t.type="text/css",t.styleSheet?t.styleSheet.cssText=e:t.appendChild(document.createTextNode(e)),document.getElementsByTagName("head")[0].appendChild(t)}function L(e,t){for(var r=e.parentNode;r;){var n=r.matches||r.matchesSelector||r.msMatchesSelector;if(n&&n.call(r,t))return r;r=r.parentNode}return null}function E(e){var t=e.match(/^#([0-9a-f]{3})$/i);if(t&&t[1])return t=t[1],{r:17*parseInt(t.charAt(0),16),g:17*parseInt(t.charAt(1),16),b:17*parseInt(t.charAt(2),16)};var r=e.match(/^#([0-9a-f]{6})$/i);if(r&&r[1])return r=r[1],{r:parseInt(r.substr(0,2),16),g:parseInt(r.substr(2,2),16),b:parseInt(r.substr(4,2),16)};var n=e.match(/^rgb\s*\(\s*(\d+)\s*,\s*(\d+)\s*,\s*(\d+)\s*\)$/i);if(n)return{r:parseInt(n[1],10),g:parseInt(n[2],10),b:parseInt(n[3],10)};var a=e.match(/^rgba\s*\(\s*(\d+)\s*,\s*(\d+)\s*,\s*(\d+)\s*\,\s*([\d]+|[\d]*.[\d]+)\s*\)$/i);return a?{r:parseInt(a[1],10),g:parseInt(a[2],10),b:parseInt(a[3],10),a:parseFloat(a[4])}:null}function S(e){return"string"==typeof e&&(e=E(e)),e?(299*e.r+587*e.g+114*e.b)/1e3:null}function x(e,t){if(t=t||0,e){var r,n=e.style.height;return e.style.height="0px",r=t-e.parentNode.offsetHeight,e.style.height=n+"px",r}return t}function q(){return/print-pdf/gi.test(window.location.search)}function N(){Br.hideAddressBar&&Nr&&(window.addEventListener("load",M,!1),window.addEventListener("orientationchange",M,!1))}function M(){setTimeout(function(){window.scrollTo(0,1)},10)}function T(e,t){var r=document.createEvent("HTMLEvents",1,2);r.initEvent(e,!0,!0),g(r,t),Ur.wrapper.dispatchEvent(r),Br.postMessageEvents&&window.parent!==window.self&&window.parent.postMessage(JSON.stringify({namespace:"reveal",eventName:e,state:Dt()}),"*")}function I(){if($r.transforms3d&&!("msPerspective"in document.body.style))for(var e=Ur.wrapper.querySelectorAll(Cr+" a"),t=0,r=e.length;r>t;t++){var n=e[t];if(!(!n.textContent||n.querySelector("*")||n.className&&n.classList.contains(n,"roll"))){var a=document.createElement("span");a.setAttribute("data-title",n.text),a.innerHTML=n.innerHTML,n.classList.add("roll"),n.innerHTML="",n.appendChild(a)}}}function C(){for(var e=Ur.wrapper.querySelectorAll(Cr+" a.roll"),t=0,r=e.length;r>t;t++){var n=e[t],a=n.querySelector("span");a&&(n.classList.remove("roll"),n.innerHTML=a.innerHTML)}}function P(e){var t=m(document.querySelectorAll(e?e:"a"));t.forEach(function(e){/^(http|www)/gi.test(e.getAttribute("href"))&&e.addEventListener("click",yr,!1)})}function H(){var e=m(document.querySelectorAll("a"));e.forEach(function(e){/^(http|www)/gi.test(e.getAttribute("href"))&&e.removeEventListener("click",yr,!1)})}function D(e){B(),Ur.overlay=document.createElement("div"),Ur.overlay.classList.add("overlay"),Ur.overlay.classList.add("overlay-preview"),Ur.wrapper.appendChild(Ur.overlay),Ur.overlay.innerHTML=["<header>",'<a class="close" href="#"><span class="icon"></span></a>','<a class="external" href="'+e+'" target="_blank"><span class="icon"></span></a>',"</header>",'<div class="spinner"></div>','<div class="viewport">','<iframe src="'+e+'"></iframe>',"</div>"].join(""),Ur.overlay.querySelector("iframe").addEventListener("load",function(){Ur.overlay.classList.add("loaded")},!1),Ur.overlay.querySelector(".close").addEventListener("click",function(e){B(),e.preventDefault()},!1),Ur.overlay.querySelector(".external").addEventListener("click",function(){B()},!1),setTimeout(function(){Ur.overlay.classList.add("visible")},1)}function R(){if(Br.help){B(),Ur.overlay=document.createElement("div"),Ur.overlay.classList.add("overlay"),Ur.overlay.classList.add("overlay-help"),Ur.wrapper.appendChild(Ur.overlay);var e='<p class="title">Keyboard Shortcuts</p><br/>';e+="<table><th>KEY</th><th>ACTION</th>";for(var t in rn)e+="<tr><td>"+t+"</td><td>"+rn[t]+"</td></tr>";e+="</table>",Ur.overlay.innerHTML=["<header>",'<a class="close" href="#"><span class="icon"></span></a>',"</header>",'<div class="viewport">','<div class="viewport-inner">'+e+"</div>","</div>"].join(""),Ur.overlay.querySelector(".close").addEventListener("click",function(e){B(),e.preventDefault()},!1),setTimeout(function(){Ur.overlay.classList.add("visible")},1)}}function B(){Ur.overlay&&(Ur.overlay.parentNode.removeChild(Ur.overlay),Ur.overlay=null)}function z(){if(Ur.wrapper&&!q()){var e=O();W(Br.width,Br.height),Ur.slides.style.width=e.width+"px",Ur.slides.style.height=e.height+"px",jr=Math.min(e.presentationWidth/e.width,e.presentationHeight/e.height),jr=Math.max(jr,Br.minScale),jr=Math.min(jr,Br.maxScale),1===jr?(Ur.slides.style.zoom="",Ur.slides.style.left="",Ur.slides.style.top="",Ur.slides.style.bottom="",Ur.slides.style.right="",k({layout:""})):jr>1&&$r.zoom?(Ur.slides.style.zoom=jr,Ur.slides.style.left="",Ur.slides.style.top="",Ur.slides.style.bottom="",Ur.slides.style.right="",k({layout:""})):(Ur.slides.style.zoom="",Ur.slides.style.left="50%",Ur.slides.style.top="50%",Ur.slides.style.bottom="auto",Ur.slides.style.right="auto",k({layout:"translate(-50%, -50%) scale("+jr+")"}));for(var t=m(Ur.wrapper.querySelectorAll(Cr)),r=0,n=t.length;n>r;r++){var a=t[r];"none"!==a.style.display&&(a.style.top=Br.center||a.classList.contains("center")?a.classList.contains("stack")?0:Math.max((e.height-a.scrollHeight)/2,0)+"px":"")}ut(),gt()}}function W(e,t){m(Ur.slides.querySelectorAll("section > .stretch")).forEach(function(r){var n=x(r,t);if(/(img|video)/gi.test(r.nodeName)){var a=r.naturalWidth||r.videoWidth,i=r.naturalHeight||r.videoHeight,o=Math.min(e/a,n/i);r.style.width=a*o+"px",r.style.height=i*o+"px"}else r.style.width=e+"px",r.style.height=n+"px"})}function O(e,t){var r={width:Br.width,height:Br.height,presentationWidth:e||Ur.wrapper.offsetWidth,presentationHeight:t||Ur.wrapper.offsetHeight};return r.presentationWidth-=r.presentationWidth*Br.margin,r.presentationHeight-=r.presentationHeight*Br.margin,"string"==typeof r.width&&/%$/.test(r.width)&&(r.width=parseInt(r.width,10)/100*r.presentationWidth),"string"==typeof r.height&&/%$/.test(r.height)&&(r.height=parseInt(r.height,10)/100*r.presentationHeight),r}function F(e,t){"object"==typeof e&&"function"==typeof e.setAttribute&&e.setAttribute("data-previous-indexv",t||0)}function Y(e){if("object"==typeof e&&"function"==typeof e.setAttribute&&e.classList.contains("stack")){var t=e.hasAttribute("data-start-indexv")?"data-start-indexv":"data-previous-indexv";return parseInt(e.getAttribute(t)||0,10)}return 0}function X(){if(Br.overview&&!_()){Or=!0,Ur.wrapper.classList.add("overview"),Ur.wrapper.classList.remove("overview-deactivating"),$r.overviewTransitions&&setTimeout(function(){Ur.wrapper.classList.add("overview-animated")},1),Yt(),Ur.slides.appendChild(Ur.background),m(Ur.wrapper.querySelectorAll(Cr)).forEach(function(e){e.classList.contains("stack")||e.addEventListener("click",br,!0)});var e=70,t=O();Fr=t.width+e,Yr=t.height+e,Br.rtl&&(Fr=-Fr),ct(),j(),V(),z(),T("overviewshown",{indexh:Lr,indexv:Er,currentSlide:xr})}}function j(){m(Ur.wrapper.querySelectorAll(Pr)).forEach(function(e,t){e.setAttribute("data-index-h",t),w(e,"translate3d("+t*Fr+"px, 0, 0)"),e.classList.contains("stack")&&m(e.querySelectorAll("section")).forEach(function(e,r){e.setAttribute("data-index-h",t),e.setAttribute("data-index-v",r),w(e,"translate3d(0, "+r*Yr+"px, 0)")})}),m(Ur.background.childNodes).forEach(function(e,t){w(e,"translate3d("+t*Fr+"px, 0, 0)"),m(e.querySelectorAll(".slide-background")).forEach(function(e,t){w(e,"translate3d(0, "+t*Yr+"px, 0)")})})}function V(){k({overview:["translateX("+-Lr*Fr+"px)","translateY("+-Er*Yr+"px)","translateZ("+(window.innerWidth<400?-1e3:-2500)+"px)"].join(" ")})}function U(){Br.overview&&(Or=!1,Ur.wrapper.classList.remove("overview"),Ur.wrapper.classList.remove("overview-animated"),Ur.wrapper.classList.add("overview-deactivating"),setTimeout(function(){Ur.wrapper.classList.remove("overview-deactivating")},1),Ur.wrapper.appendChild(Ur.background),m(Ur.wrapper.querySelectorAll(Cr)).forEach(function(e){w(e,""),e.removeEventListener("click",br,!0)}),m(Ur.background.querySelectorAll(".slide-background")).forEach(function(e){w(e,"")}),k({overview:""}),nt(Lr,Er),z(),Ft(),T("overviewhidden",{indexh:Lr,indexv:Er,currentSlide:xr}))}function $(e){"boolean"==typeof e?e?X():U():_()?U():X()}function _(){return Or}function K(e){return e=e?e:xr,e&&e.parentNode&&!!e.parentNode.nodeName.match(/section/i)}function Z(){var e=document.documentElement,t=e.requestFullscreen||e.webkitRequestFullscreen||e.webkitRequestFullScreen||e.mozRequestFullScreen||e.msRequestFullscreen;t&&t.apply(e)}function J(){if(Br.pause){var e=Ur.wrapper.classList.contains("paused");Yt(),Ur.wrapper.classList.add("paused"),e===!1&&T("paused")}}function Q(){var e=Ur.wrapper.classList.contains("paused");Ur.wrapper.classList.remove("paused"),Ft(),e&&T("resumed")}function G(e){"boolean"==typeof e?e?J():Q():et()?Q():J()}function et(){return Ur.wrapper.classList.contains("paused")}function tt(e){"boolean"==typeof e?e?jt():Xt():en?jt():Xt()}function rt(){return!(!Jr||en)}function nt(e,t,r,n){Sr=xr;var a=Ur.wrapper.querySelectorAll(Pr);if(0!==a.length){void 0!==t||_()||(t=Y(a[e])),Sr&&Sr.parentNode&&Sr.parentNode.classList.contains("stack")&&F(Sr.parentNode,Er);var i=Xr.concat();Xr.length=0;var s=Lr||0,l=Er||0;Lr=lt(Pr,void 0===e?Lr:e),Er=lt(Hr,void 0===t?Er:t),ct(),z();e:for(var c=0,d=Xr.length;d>c;c++){for(var u=0;u<i.length;u++)if(i[u]===Xr[c]){i.splice(u,1);continue e}document.documentElement.classList.add(Xr[c]),T(Xr[c])}for(;i.length;)document.documentElement.classList.remove(i.pop());_()&&V();var p=a[Lr],f=p.querySelectorAll("section");xr=f[Er]||p,"undefined"!=typeof r&&zt(r);var v=Lr!==s||Er!==l;v?T("slidechanged",{indexh:Lr,indexv:Er,previousSlide:Sr,currentSlide:xr,origin:n}):Sr=null,Sr&&(Sr.classList.remove("present"),Sr.setAttribute("aria-hidden","true"),Ur.wrapper.querySelector(Dr).classList.contains("present")&&setTimeout(function(){var e,t=m(Ur.wrapper.querySelectorAll(Pr+".stack"));for(e in t)t[e]&&F(t[e],0)},0)),(v||!Sr)&&(Et(Sr),At(xr)),Ur.statusDiv.textContent=o(xr),vt(),ut(),ht(),gt(),pt(),dt(),Mt(),Ft()}}function at(){h(),v(),z(),Jr=Br.autoSlide,Ft(),d(),Mt(),ot(),vt(),ut(),ht(!0),pt(),ct(),dt(),kt(),At(xr),_()&&j()}function it(){var e=m(Ur.wrapper.querySelectorAll(Pr));e.forEach(function(e){var t=m(e.querySelectorAll("section"));t.forEach(function(e,t){t>0&&(e.classList.remove("present"),e.classList.remove("past"),e.classList.add("future"),e.setAttribute("aria-hidden","true"))})})}function ot(){var e=m(Ur.wrapper.querySelectorAll(Pr));e.forEach(function(e){var t=m(e.querySelectorAll("section"));t.forEach(function(e){Bt(e.querySelectorAll(".fragment"))}),0===t.length&&Bt(e.querySelectorAll(".fragment"))})}function st(){var e=m(Ur.wrapper.querySelectorAll(Pr));e.forEach(function(t){Ur.slides.insertBefore(t,e[Math.floor(Math.random()*e.length)])})}function lt(e,t){var r=m(Ur.wrapper.querySelectorAll(e)),n=r.length,a=q();if(n){Br.loop&&(t%=n,0>t&&(t=n+t)),t=Math.max(Math.min(t,n-1),0);for(var i=0;n>i;i++){var o=r[i],s=Br.rtl&&!K(o);if(o.classList.remove("past"),o.classList.remove("present"),o.classList.remove("future"),o.setAttribute("hidden",""),o.setAttribute("aria-hidden","true"),o.querySelector("section")&&o.classList.add("stack"),a)o.classList.add("present");else if(t>i){if(o.classList.add(s?"future":"past"),Br.fragments)for(var l=m(o.querySelectorAll(".fragment"));l.length;){var c=l.pop();c.classList.add("visible"),c.classList.remove("current-fragment")}}else if(i>t&&(o.classList.add(s?"past":"future"),Br.fragments))for(var d=m(o.querySelectorAll(".fragment.visible"));d.length;){var u=d.pop();u.classList.remove("visible"),u.classList.remove("current-fragment")}}r[t].classList.add("present"),r[t].removeAttribute("hidden"),r[t].removeAttribute("aria-hidden");var p=r[t].getAttribute("data-state");p&&(Xr=Xr.concat(p.split(" ")))}else t=0;return t}function ct(){var e,t,r=m(Ur.wrapper.querySelectorAll(Pr)),n=r.length;if(n&&"undefined"!=typeof Lr){var a=_()?10:Br.viewDistance;Nr&&(a=_()?6:2),q()&&(a=Number.MAX_VALUE);for(var i=0;n>i;i++){var o=r[i],s=m(o.querySelectorAll("section")),l=s.length;if(e=Math.abs((Lr||0)-i)||0,Br.loop&&(e=Math.abs(((Lr||0)-i)%(n-a))||0),a>e?mt(o):bt(o),l)for(var c=Y(o),d=0;l>d;d++){var u=s[d];t=Math.abs(i===(Lr||0)?(Er||0)-d:d-c),a>e+t?mt(u):bt(u)}}}}function dt(){Br.showNotes&&Ur.speakerNotes&&xr&&!q()&&(Ur.speakerNotes.innerHTML=Ht()||"")}function ut(){Br.progress&&Ur.progressbar&&(Ur.progressbar.style.width=xt()*Ur.wrapper.offsetWidth+"px")}function pt(){if(Br.slideNumber&&Ur.slideNumber){var e=[],t="h.v";switch("string"==typeof Br.slideNumber&&(t=Br.slideNumber),t){case"c":e.push(St()+1);break;case"c/t":e.push(St()+1,"/",It());break;case"h/v":e.push(Lr+1),K()&&e.push("/",Er+1);break;default:e.push(Lr+1),K()&&e.push(".",Er+1)}Ur.slideNumber.innerHTML=ft(e[0],e[1],e[2])}}function ft(e,t,r){return"number"!=typeof r||isNaN(r)?'<span class="slide-number-a">'+e+"</span>":'<span class="slide-number-a">'+e+'</span><span class="slide-number-delimiter">'+t+'</span><span class="slide-number-b">'+r+"</span>"}function vt(){var e=yt(),t=wt();Ur.controlsLeft.concat(Ur.controlsRight).concat(Ur.controlsUp).concat(Ur.controlsDown).concat(Ur.controlsPrev).concat(Ur.controlsNext).forEach(function(e){e.classList.remove("enabled"),e.classList.remove("fragmented"),e.setAttribute("disabled","disabled")}),e.left&&Ur.controlsLeft.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),e.right&&Ur.controlsRight.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),e.up&&Ur.controlsUp.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),e.down&&Ur.controlsDown.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),(e.left||e.up)&&Ur.controlsPrev.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),(e.right||e.down)&&Ur.controlsNext.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),xr&&(t.prev&&Ur.controlsPrev.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")}),t.next&&Ur.controlsNext.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")}),K(xr)?(t.prev&&Ur.controlsUp.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")}),t.next&&Ur.controlsDown.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")})):(t.prev&&Ur.controlsLeft.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")}),t.next&&Ur.controlsRight.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")})))}function ht(e){var t=null,r=Br.rtl?"future":"past",n=Br.rtl?"past":"future";if(m(Ur.background.childNodes).forEach(function(a,i){a.classList.remove("past"),a.classList.remove("present"),a.classList.remove("future"),Lr>i?a.classList.add(r):i>Lr?a.classList.add(n):(a.classList.add("present"),t=a),(e||i===Lr)&&m(a.querySelectorAll(".slide-background")).forEach(function(e,r){e.classList.remove("past"),e.classList.remove("present"),e.classList.remove("future"),Er>r?e.classList.add("past"):r>Er?e.classList.add("future"):(e.classList.add("present"),i===Lr&&(t=e))})}),qr){var a=qr.querySelector("video");a&&a.pause()}if(t){var i=t.querySelector("video");if(i){var o=function(){i.currentTime=0,i.play(),i.removeEventListener("loadeddata",o)};i.readyState>1?o():i.addEventListener("loadeddata",o)}var s=t.style.backgroundImage||"";/\.gif/i.test(s)&&(t.style.backgroundImage="",window.getComputedStyle(t).opacity,t.style.backgroundImage=s);var l=qr?qr.getAttribute("data-background-hash"):null,c=t.getAttribute("data-background-hash");c&&c===l&&t!==qr&&Ur.background.classList.add("no-transition"),qr=t}xr&&["has-light-background","has-dark-background"].forEach(function(e){xr.classList.contains(e)?Ur.wrapper.classList.add(e):Ur.wrapper.classList.remove(e)}),setTimeout(function(){Ur.background.classList.remove("no-transition")},1)}function gt(){if(Br.parallaxBackgroundImage){var e,t,r=Ur.wrapper.querySelectorAll(Pr),n=Ur.wrapper.querySelectorAll(Hr),a=Ur.background.style.backgroundSize.split(" ");1===a.length?e=t=parseInt(a[0],10):(e=parseInt(a[0],10),t=parseInt(a[1],10));var i,o,s=Ur.background.offsetWidth,l=r.length;i="number"==typeof Br.parallaxBackgroundHorizontal?Br.parallaxBackgroundHorizontal:l>1?(e-s)/(l-1):0,o=i*Lr*-1;var c,d,u=Ur.background.offsetHeight,p=n.length;c="number"==typeof Br.parallaxBackgroundVertical?Br.parallaxBackgroundVertical:(t-u)/(p-1),d=p>0?c*Er:0,Ur.background.style.backgroundPosition=o+"px "+-d+"px"}}function mt(e){e.style.display="block",m(e.querySelectorAll("img[data-src], video[data-src], audio[data-src]")).forEach(function(e){e.setAttribute("src",e.getAttribute("data-src")),e.removeAttribute("data-src")}),m(e.querySelectorAll("video, audio")).forEach(function(e){var t=0;m(e.querySelectorAll("source[data-src]")).forEach(function(e){e.setAttribute("src",e.getAttribute("data-src")),e.removeAttribute("data-src"),t+=1}),t>0&&e.load()});var t=Tt(e),r=Pt(t.h,t.v);if(r&&(r.style.display="block",r.hasAttribute("data-loaded")===!1)){r.setAttribute("data-loaded","true");var n=e.getAttribute("data-background-image"),a=e.getAttribute("data-background-video"),i=e.hasAttribute("data-background-video-loop"),o=e.hasAttribute("data-background-video-muted"),s=e.getAttribute("data-background-iframe");if(n)r.style.backgroundImage="url("+n+")";else if(a&&!qt()){var l=document.createElement("video");i&&l.setAttribute("loop",""),o&&(l.muted=!0),a.split(",").forEach(function(e){l.innerHTML+='<source src="'+e+'">'}),r.appendChild(l)}else if(s){var c=document.createElement("iframe");c.setAttribute("src",s),c.style.width="100%",c.style.height="100%",c.style.maxHeight="100%",c.style.maxWidth="100%",r.appendChild(c)}}}function bt(e){e.style.display="none";var t=Tt(e),r=Pt(t.h,t.v);r&&(r.style.display="none")}function yt(){var e=Ur.wrapper.querySelectorAll(Pr),t=Ur.wrapper.querySelectorAll(Hr),r={left:Lr>0||Br.loop,right:Lr<e.length-1||Br.loop,up:Er>0,down:Er<t.length-1};if(Br.rtl){var n=r.left;r.left=r.right,r.right=n}return r}function wt(){if(xr&&Br.fragments){var e=xr.querySelectorAll(".fragment"),t=xr.querySelectorAll(".fragment:not(.visible)");return{prev:e.length-t.length>0,next:!!t.length}}return{prev:!1,next:!1}}function kt(){var e=function(e,t,r){m(Ur.slides.querySelectorAll("iframe["+e+'*="'+t+'"]')).forEach(function(t){var n=t.getAttribute(e);n&&-1===n.indexOf(r)&&t.setAttribute(e,n+(/\?/.test(n)?"&":"?")+r)})};e("src","youtube.com/embed/","enablejsapi=1"),e("data-src","youtube.com/embed/","enablejsapi=1"),e("src","player.vimeo.com/","api=1"),e("data-src","player.vimeo.com/","api=1")
+}function At(e){e&&!qt()&&(m(e.querySelectorAll('img[src$=".gif"]')).forEach(function(e){e.setAttribute("src",e.getAttribute("src"))}),m(e.querySelectorAll("video, audio")).forEach(function(e){(!L(e,".fragment")||L(e,".fragment.visible"))&&e.hasAttribute("data-autoplay")&&"function"==typeof e.play&&e.play()}),m(e.querySelectorAll("iframe[src]")).forEach(function(e){(!L(e,".fragment")||L(e,".fragment.visible"))&&Lt({target:e})}),m(e.querySelectorAll("iframe[data-src]")).forEach(function(e){(!L(e,".fragment")||L(e,".fragment.visible"))&&e.getAttribute("src")!==e.getAttribute("data-src")&&(e.removeEventListener("load",Lt),e.addEventListener("load",Lt),e.setAttribute("src",e.getAttribute("data-src")))}))}function Lt(e){var t=e.target;t&&t.contentWindow&&(/youtube\.com\/embed\//.test(t.getAttribute("src"))&&t.hasAttribute("data-autoplay")?t.contentWindow.postMessage('{"event":"command","func":"playVideo","args":""}',"*"):/player\.vimeo\.com\//.test(t.getAttribute("src"))&&t.hasAttribute("data-autoplay")?t.contentWindow.postMessage('{"method":"play"}',"*"):t.contentWindow.postMessage("slide:start","*"))}function Et(e){e&&e.parentNode&&(m(e.querySelectorAll("video, audio")).forEach(function(e){e.hasAttribute("data-ignore")||"function"!=typeof e.pause||e.pause()}),m(e.querySelectorAll("iframe")).forEach(function(e){e.contentWindow.postMessage("slide:stop","*"),e.removeEventListener("load",Lt)}),m(e.querySelectorAll('iframe[src*="youtube.com/embed/"]')).forEach(function(e){e.hasAttribute("data-ignore")||"function"!=typeof e.contentWindow.postMessage||e.contentWindow.postMessage('{"event":"command","func":"pauseVideo","args":""}',"*")}),m(e.querySelectorAll('iframe[src*="player.vimeo.com/"]')).forEach(function(e){e.hasAttribute("data-ignore")||"function"!=typeof e.contentWindow.postMessage||e.contentWindow.postMessage('{"method":"pause"}',"*")}),m(e.querySelectorAll("iframe[data-src]")).forEach(function(e){e.setAttribute("src","about:blank"),e.removeAttribute("src")}))}function St(){var e=m(Ur.wrapper.querySelectorAll(Pr)),t=0;e:for(var r=0;r<e.length;r++){for(var n=e[r],a=m(n.querySelectorAll("section")),i=0;i<a.length;i++){if(a[i].classList.contains("present"))break e;t++}if(n.classList.contains("present"))break;n.classList.contains("stack")===!1&&t++}return t}function xt(){var e=It(),t=St();if(xr){var r=xr.querySelectorAll(".fragment");if(r.length>0){var n=xr.querySelectorAll(".fragment.visible"),a=.9;t+=n.length/r.length*a}}return t/(e-1)}function qt(){return!!window.location.search.match(/receiver/gi)}function Nt(){var e=window.location.hash,t=e.slice(2).split("/"),r=e.replace(/#|\//gi,"");if(isNaN(parseInt(t[0],10))&&r.length){var n;if(/^[a-zA-Z][\w:.-]*$/.test(r)&&(n=document.getElementById(r)),n){var a=Ar.getIndices(n);nt(a.h,a.v)}else nt(Lr||0,Er||0)}else{var i=parseInt(t[0],10)||0,o=parseInt(t[1],10)||0;(i!==Lr||o!==Er)&&nt(i,o)}}function Mt(e){if(Br.history)if(clearTimeout(Kr),"number"==typeof e)Kr=setTimeout(Mt,e);else if(xr){var t="/",r=xr.getAttribute("id");r&&(r=r.replace(/[^a-zA-Z0-9\-\_\:\.]/g,"")),"string"==typeof r&&r.length?t="/"+r:((Lr>0||Er>0)&&(t+=Lr),Er>0&&(t+="/"+Er)),window.location.hash=t}}function Tt(e){var t,r=Lr,n=Er;if(e){var a=K(e),i=a?e.parentNode:e,o=m(Ur.wrapper.querySelectorAll(Pr));r=Math.max(o.indexOf(i),0),n=void 0,a&&(n=Math.max(m(e.parentNode.querySelectorAll("section")).indexOf(e),0))}if(!e&&xr){var s=xr.querySelectorAll(".fragment").length>0;if(s){var l=xr.querySelector(".current-fragment");t=l&&l.hasAttribute("data-fragment-index")?parseInt(l.getAttribute("data-fragment-index"),10):xr.querySelectorAll(".fragment.visible").length-1}}return{h:r,v:n,f:t}}function It(){return Ur.wrapper.querySelectorAll(Cr+":not(.stack)").length}function Ct(e,t){var r=Ur.wrapper.querySelectorAll(Pr)[e],n=r&&r.querySelectorAll("section");return n&&n.length&&"number"==typeof t?n?n[t]:void 0:r}function Pt(e,t){if(q()){var r=Ct(e,t);return r?r.slideBackgroundElement:void 0}var n=Ur.wrapper.querySelectorAll(".backgrounds>.slide-background")[e],a=n&&n.querySelectorAll(".slide-background");return a&&a.length&&"number"==typeof t?a?a[t]:void 0:n}function Ht(e){if(e=e||xr,e.hasAttribute("data-notes"))return e.getAttribute("data-notes");var t=e.querySelector("aside.notes");return t?t.innerHTML:null}function Dt(){var e=Tt();return{indexh:e.h,indexv:e.v,indexf:e.f,paused:et(),overview:_()}}function Rt(e){if("object"==typeof e){nt(b(e.indexh),b(e.indexv),b(e.indexf));var t=b(e.paused),r=b(e.overview);"boolean"==typeof t&&t!==et()&&G(t),"boolean"==typeof r&&r!==_()&&$(r)}}function Bt(e){e=m(e);var t=[],r=[],n=[];e.forEach(function(e){if(e.hasAttribute("data-fragment-index")){var n=parseInt(e.getAttribute("data-fragment-index"),10);t[n]||(t[n]=[]),t[n].push(e)}else r.push([e])}),t=t.concat(r);var a=0;return t.forEach(function(e){e.forEach(function(e){n.push(e),e.setAttribute("data-fragment-index",a)}),a++}),n}function zt(e,t){if(xr&&Br.fragments){var r=Bt(xr.querySelectorAll(".fragment"));if(r.length){if("number"!=typeof e){var n=Bt(xr.querySelectorAll(".fragment.visible")).pop();e=n?parseInt(n.getAttribute("data-fragment-index")||0,10):-1}"number"==typeof t&&(e+=t);var a=[],i=[];return m(r).forEach(function(t,r){t.hasAttribute("data-fragment-index")&&(r=parseInt(t.getAttribute("data-fragment-index"),10)),e>=r?(t.classList.contains("visible")||a.push(t),t.classList.add("visible"),t.classList.remove("current-fragment"),Ur.statusDiv.textContent=o(t),r===e&&(t.classList.add("current-fragment"),At(t))):(t.classList.contains("visible")&&i.push(t),t.classList.remove("visible"),t.classList.remove("current-fragment"))}),i.length&&T("fragmenthidden",{fragment:i[0],fragments:i}),a.length&&T("fragmentshown",{fragment:a[0],fragments:a}),vt(),ut(),!(!a.length&&!i.length)}}return!1}function Wt(){return zt(null,1)}function Ot(){return zt(null,-1)}function Ft(){if(Yt(),xr){var e=xr.querySelector(".current-fragment");e||(e=xr.querySelector(".fragment"));var t=e?e.getAttribute("data-autoslide"):null,r=xr.parentNode?xr.parentNode.getAttribute("data-autoslide"):null,n=xr.getAttribute("data-autoslide");Jr=t?parseInt(t,10):n?parseInt(n,10):r?parseInt(r,10):Br.autoSlide,0===xr.querySelectorAll(".fragment").length&&m(xr.querySelectorAll("video, audio")).forEach(function(e){e.hasAttribute("data-autoplay")&&Jr&&1e3*e.duration/e.playbackRate>Jr&&(Jr=1e3*e.duration/e.playbackRate+1e3)}),!Jr||en||et()||_()||Ar.isLastSlide()&&!wt().next&&Br.loop!==!0||(Qr=setTimeout(function(){"function"==typeof Br.autoSlideMethod?Br.autoSlideMethod():Zt(),Ft()},Jr),Gr=Date.now()),Tr&&Tr.setPlaying(-1!==Qr)}}function Yt(){clearTimeout(Qr),Qr=-1}function Xt(){Jr&&!en&&(en=!0,T("autoslidepaused"),clearTimeout(Qr),Tr&&Tr.setPlaying(!1))}function jt(){Jr&&en&&(en=!1,T("autoslideresumed"),Ft())}function Vt(){Br.rtl?(_()||Wt()===!1)&&yt().left&&nt(Lr+1):(_()||Ot()===!1)&&yt().left&&nt(Lr-1)}function Ut(){Br.rtl?(_()||Ot()===!1)&&yt().right&&nt(Lr-1):(_()||Wt()===!1)&&yt().right&&nt(Lr+1)}function $t(){(_()||Ot()===!1)&&yt().up&&nt(Lr,Er-1)}function _t(){(_()||Wt()===!1)&&yt().down&&nt(Lr,Er+1)}function Kt(){if(Ot()===!1)if(yt().up)$t();else{var e;if(e=Br.rtl?m(Ur.wrapper.querySelectorAll(Pr+".future")).pop():m(Ur.wrapper.querySelectorAll(Pr+".past")).pop()){var t=e.querySelectorAll("section").length-1||void 0,r=Lr-1;nt(r,t)}}}function Zt(){Wt()===!1&&(yt().down?_t():Br.rtl?Vt():Ut())}function Jt(e){for(;e&&"function"==typeof e.hasAttribute;){if(e.hasAttribute("data-prevent-swipe"))return!0;e=e.parentNode}return!1}function Qt(){Br.autoSlideStoppable&&Xt()}function Gt(e){e.shiftKey&&63===e.charCode&&(Ur.overlay?B():R(!0))}function er(e){if("function"==typeof Br.keyboardCondition&&Br.keyboardCondition()===!1)return!0;var t=en;Qt(e);var r=document.activeElement&&"inherit"!==document.activeElement.contentEditable,n=document.activeElement&&document.activeElement.tagName&&/input|textarea/i.test(document.activeElement.tagName),a=document.activeElement&&document.activeElement.className&&/speaker-notes/i.test(document.activeElement.className);if(!(r||n||a||e.shiftKey&&32!==e.keyCode||e.altKey||e.ctrlKey||e.metaKey)){var i,o=[66,86,190,191];if("object"==typeof Br.keyboard)for(i in Br.keyboard)"togglePause"===Br.keyboard[i]&&o.push(parseInt(i,10));if(et()&&-1===o.indexOf(e.keyCode))return!1;var s=!1;if("object"==typeof Br.keyboard)for(i in Br.keyboard)if(parseInt(i,10)===e.keyCode){var l=Br.keyboard[i];"function"==typeof l?l.apply(null,[e]):"string"==typeof l&&"function"==typeof Ar[l]&&Ar[l].call(),s=!0}if(s===!1)switch(s=!0,e.keyCode){case 80:case 33:Kt();break;case 78:case 34:Zt();break;case 72:case 37:Vt();break;case 76:case 39:Ut();break;case 75:case 38:$t();break;case 74:case 40:_t();break;case 36:nt(0);break;case 35:nt(Number.MAX_VALUE);break;case 32:_()?U():e.shiftKey?Kt():Zt();break;case 13:_()?U():s=!1;break;case 58:case 59:case 66:case 86:case 190:case 191:G();break;case 70:Z();break;case 65:Br.autoSlideStoppable&&tt(t);break;default:s=!1}s?e.preventDefault&&e.preventDefault():27!==e.keyCode&&79!==e.keyCode||!$r.transforms3d||(Ur.overlay?B():$(),e.preventDefault&&e.preventDefault()),Ft()}}function tr(e){return Jt(e.target)?!0:(tn.startX=e.touches[0].clientX,tn.startY=e.touches[0].clientY,tn.startCount=e.touches.length,void(2===e.touches.length&&Br.overview&&(tn.startSpan=y({x:e.touches[1].clientX,y:e.touches[1].clientY},{x:tn.startX,y:tn.startY}))))}function rr(e){if(Jt(e.target))return!0;if(tn.captured)Rr.match(/android/gi)&&e.preventDefault();else{Qt(e);var t=e.touches[0].clientX,r=e.touches[0].clientY;if(2===e.touches.length&&2===tn.startCount&&Br.overview){var n=y({x:e.touches[1].clientX,y:e.touches[1].clientY},{x:tn.startX,y:tn.startY});Math.abs(tn.startSpan-n)>tn.threshold&&(tn.captured=!0,n<tn.startSpan?X():U()),e.preventDefault()}else if(1===e.touches.length&&2!==tn.startCount){var a=t-tn.startX,i=r-tn.startY;a>tn.threshold&&Math.abs(a)>Math.abs(i)?(tn.captured=!0,Vt()):a<-tn.threshold&&Math.abs(a)>Math.abs(i)?(tn.captured=!0,Ut()):i>tn.threshold?(tn.captured=!0,$t()):i<-tn.threshold&&(tn.captured=!0,_t()),Br.embedded?(tn.captured||K(xr))&&e.preventDefault():e.preventDefault()}}}function nr(){tn.captured=!1}function ar(e){(e.pointerType===e.MSPOINTER_TYPE_TOUCH||"touch"===e.pointerType)&&(e.touches=[{clientX:e.clientX,clientY:e.clientY}],tr(e))}function ir(e){(e.pointerType===e.MSPOINTER_TYPE_TOUCH||"touch"===e.pointerType)&&(e.touches=[{clientX:e.clientX,clientY:e.clientY}],rr(e))}function or(e){(e.pointerType===e.MSPOINTER_TYPE_TOUCH||"touch"===e.pointerType)&&(e.touches=[{clientX:e.clientX,clientY:e.clientY}],nr(e))}function sr(e){if(Date.now()-_r>600){_r=Date.now();var t=e.detail||-e.wheelDelta;t>0?Zt():0>t&&Kt()}}function lr(e){Qt(e),e.preventDefault();var t=m(Ur.wrapper.querySelectorAll(Pr)).length,r=Math.floor(e.clientX/Ur.wrapper.offsetWidth*t);Br.rtl&&(r=t-r),nt(r)}function cr(e){e.preventDefault(),Qt(),Vt()}function dr(e){e.preventDefault(),Qt(),Ut()}function ur(e){e.preventDefault(),Qt(),$t()}function pr(e){e.preventDefault(),Qt(),_t()}function fr(e){e.preventDefault(),Qt(),Kt()}function vr(e){e.preventDefault(),Qt(),Zt()}function hr(){Nt()}function gr(){z()}function mr(){var e=document.webkitHidden||document.msHidden||document.hidden;e===!1&&document.activeElement!==document.body&&("function"==typeof document.activeElement.blur&&document.activeElement.blur(),document.body.focus())}function br(e){if(Zr&&_()){e.preventDefault();for(var t=e.target;t&&!t.nodeName.match(/section/gi);)t=t.parentNode;if(t&&!t.classList.contains("disabled")&&(U(),t.nodeName.match(/section/gi))){var r=parseInt(t.getAttribute("data-index-h"),10),n=parseInt(t.getAttribute("data-index-v"),10);nt(r,n)}}}function yr(e){if(e.currentTarget&&e.currentTarget.hasAttribute("href")){var t=e.currentTarget.getAttribute("href");t&&(D(t),e.preventDefault())}}function wr(){Ar.isLastSlide()&&Br.loop===!1?(nt(0,0),jt()):en?jt():Xt()}function kr(e,t){this.diameter=100,this.diameter2=this.diameter/2,this.thickness=6,this.playing=!1,this.progress=0,this.progressOffset=1,this.container=e,this.progressCheck=t,this.canvas=document.createElement("canvas"),this.canvas.className="playback",this.canvas.width=this.diameter,this.canvas.height=this.diameter,this.canvas.style.width=this.diameter2+"px",this.canvas.style.height=this.diameter2+"px",this.context=this.canvas.getContext("2d"),this.container.appendChild(this.canvas),this.render()}var Ar,Lr,Er,Sr,xr,qr,Nr,Mr,Tr,Ir="3.3.0",Cr=".slides section",Pr=".slides>section",Hr=".slides>section.present>section",Dr=".slides>section:first-of-type",Rr=navigator.userAgent,Br={width:960,height:700,margin:.1,minScale:.2,maxScale:2,controls:!0,progress:!0,slideNumber:!1,history:!1,keyboard:!0,keyboardCondition:null,overview:!0,center:!0,touch:!0,loop:!1,rtl:!1,shuffle:!1,fragments:!0,embedded:!1,help:!0,pause:!0,showNotes:!1,autoSlide:0,autoSlideStoppable:!0,autoSlideMethod:null,mouseWheel:!1,rollingLinks:!1,hideAddressBar:!0,previewLinks:!1,postMessage:!0,postMessageEvents:!1,focusBodyOnPageVisibilityChange:!0,transition:"default",transitionSpeed:"default",backgroundTransition:"default",parallaxBackgroundImage:"",parallaxBackgroundSize:"",parallaxBackgroundHorizontal:null,parallaxBackgroundVertical:null,pdfMaxPagesPerSlide:Number.POSITIVE_INFINITY,viewDistance:3,dependencies:[]},zr=!1,Wr=!1,Or=!1,Fr=null,Yr=null,Xr=[],jr=1,Vr={layout:"",overview:""},Ur={},$r={},_r=0,Kr=0,Zr=!1,Jr=0,Qr=0,Gr=-1,en=!1,tn={startX:0,startY:0,startSpan:0,startCount:0,captured:!1,threshold:40},rn={"N , SPACE":"Next slide",P:"Previous slide","&#8592; , H":"Navigate left","&#8594; , L":"Navigate right","&#8593; , K":"Navigate up","&#8595; , J":"Navigate down",Home:"First slide",End:"Last slide","B , .":"Pause",F:"Fullscreen","ESC, O":"Slide overview"};return kr.prototype.setPlaying=function(e){var t=this.playing;this.playing=e,!t&&this.playing?this.animate():this.render()},kr.prototype.animate=function(){var e=this.progress;this.progress=this.progressCheck(),e>.8&&this.progress<.2&&(this.progressOffset=this.progress),this.render(),this.playing&&$r.requestAnimationFrameMethod.call(window,this.animate.bind(this))},kr.prototype.render=function(){var e=this.playing?this.progress:0,t=this.diameter2-this.thickness,r=this.diameter2,n=this.diameter2,a=28;this.progressOffset+=.1*(1-this.progressOffset);var i=-Math.PI/2+2*e*Math.PI,o=-Math.PI/2+2*this.progressOffset*Math.PI;this.context.save(),this.context.clearRect(0,0,this.diameter,this.diameter),this.context.beginPath(),this.context.arc(r,n,t+4,0,2*Math.PI,!1),this.context.fillStyle="rgba( 0, 0, 0, 0.4 )",this.context.fill(),this.context.beginPath(),this.context.arc(r,n,t,0,2*Math.PI,!1),this.context.lineWidth=this.thickness,this.context.strokeStyle="#666",this.context.stroke(),this.playing&&(this.context.beginPath(),this.context.arc(r,n,t,o,i,!1),this.context.lineWidth=this.thickness,this.context.strokeStyle="#fff",this.context.stroke()),this.context.translate(r-a/2,n-a/2),this.playing?(this.context.fillStyle="#fff",this.context.fillRect(0,0,a/2-4,a),this.context.fillRect(a/2+4,0,a/2-4,a)):(this.context.beginPath(),this.context.translate(4,0),this.context.moveTo(0,0),this.context.lineTo(a-4,a/2),this.context.lineTo(0,a),this.context.fillStyle="#fff",this.context.fill()),this.context.restore()},kr.prototype.on=function(e,t){this.canvas.addEventListener(e,t,!1)},kr.prototype.off=function(e,t){this.canvas.removeEventListener(e,t,!1)},kr.prototype.destroy=function(){this.playing=!1,this.canvas.parentNode&&this.container.removeChild(this.canvas)},Ar={VERSION:Ir,initialize:e,configure:f,sync:at,slide:nt,left:Vt,right:Ut,up:$t,down:_t,prev:Kt,next:Zt,navigateFragment:zt,prevFragment:Ot,nextFragment:Wt,navigateTo:nt,navigateLeft:Vt,navigateRight:Ut,navigateUp:$t,navigateDown:_t,navigatePrev:Kt,navigateNext:Zt,showHelp:R,layout:z,shuffle:st,availableRoutes:yt,availableFragments:wt,toggleOverview:$,togglePause:G,toggleAutoSlide:tt,isOverview:_,isPaused:et,isAutoSliding:rt,addEventListeners:v,removeEventListeners:h,getState:Dt,setState:Rt,getProgress:xt,getIndices:Tt,getTotalSlides:It,getSlide:Ct,getSlideBackground:Pt,getSlideNotes:Ht,getPreviousSlide:function(){return Sr},getCurrentSlide:function(){return xr},getScale:function(){return jr},getConfig:function(){return Br},getQueryHash:function(){var e={};location.search.replace(/[A-Z0-9]+?=([\w\.%-]*)/gi,function(t){e[t.split("=").shift()]=t.split("=").pop()});for(var t in e){var r=e[t];e[t]=b(unescape(r))}return e},isFirstSlide:function(){return 0===Lr&&0===Er},isLastSlide:function(){return xr?xr.nextElementSibling?!1:K(xr)&&xr.parentNode.nextElementSibling?!1:!0:!1},isReady:function(){return Wr},addEventListener:function(e,t,r){"addEventListener"in window&&(Ur.wrapper||document.querySelector(".reveal")).addEventListener(e,t,r)},removeEventListener:function(e,t,r){"addEventListener"in window&&(Ur.wrapper||document.querySelector(".reveal")).removeEventListener(e,t,r)},triggerKey:function(e){er({keyCode:e})},registerKeyboardShortcut:function(e,t){rn[e]=t}}});
+ </script>
+ <script>
+ !function(){if("function"==typeof window.addEventListener)for(var e=document.querySelectorAll("pre code"),t=0,r=e.length;r>t;t++){var i=e[t];i.hasAttribute("data-trim")&&"function"==typeof i.innerHTML.trim&&(i.innerHTML=i.innerHTML.trim()),i.addEventListener("focusout",function(e){hljs.highlightBlock(e.currentTarget)},!1)}}(),!function(e){"undefined"!=typeof exports?e(exports):(self.hljs=e({}),"function"==typeof define&&define.amd&&define("hljs",[],function(){return self.hljs}))}(function(e){function t(e){return e.replace(/&/gm,"&amp;").replace(/</gm,"&lt;").replace(/>/gm,"&gt;")}function r(e){return e.nodeName.toLowerCase()}function i(e,t){var r=e&&e.exec(t);return r&&0==r.index}function a(e){return/^(no-?highlight|plain|text)$/i.test(e)}function n(e){var t,r,i,n=e.className+" ";if(n+=e.parentNode?e.parentNode.className:"",r=/\blang(?:uage)?-([\w-]+)\b/i.exec(n))return f(r[1])?r[1]:"no-highlight";for(n=n.split(/\s+/),t=0,i=n.length;i>t;t++)if(f(n[t])||a(n[t]))return n[t]}function o(e,t){var r,i={};for(r in e)i[r]=e[r];if(t)for(r in t)i[r]=t[r];return i}function s(e){var t=[];return function i(e,a){for(var n=e.firstChild;n;n=n.nextSibling)3==n.nodeType?a+=n.nodeValue.length:1==n.nodeType&&(t.push({event:"start",offset:a,node:n}),a=i(n,a),r(n).match(/br|hr|img|input/)||t.push({event:"stop",offset:a,node:n}));return a}(e,0),t}function l(e,i,a){function n(){return e.length&&i.length?e[0].offset!=i[0].offset?e[0].offset<i[0].offset?e:i:"start"==i[0].event?e:i:e.length?e:i}function o(e){function i(e){return" "+e.nodeName+'="'+t(e.value)+'"'}d+="<"+r(e)+Array.prototype.map.call(e.attributes,i).join("")+">"}function s(e){d+="</"+r(e)+">"}function l(e){("start"==e.event?o:s)(e.node)}for(var c=0,d="",u=[];e.length||i.length;){var m=n();if(d+=t(a.substr(c,m[0].offset-c)),c=m[0].offset,m==e){u.reverse().forEach(s);do l(m.splice(0,1)[0]),m=n();while(m==e&&m.length&&m[0].offset==c);u.reverse().forEach(o)}else"start"==m[0].event?u.push(m[0].node):u.pop(),l(m.splice(0,1)[0])}return d+t(a.substr(c))}function c(e){function t(e){return e&&e.source||e}function r(r,i){return new RegExp(t(r),"m"+(e.cI?"i":"")+(i?"g":""))}function i(a,n){if(!a.compiled){if(a.compiled=!0,a.k=a.k||a.bK,a.k){var s={},l=function(t,r){e.cI&&(r=r.toLowerCase()),r.split(" ").forEach(function(e){var r=e.split("|");s[r[0]]=[t,r[1]?Number(r[1]):1]})};"string"==typeof a.k?l("keyword",a.k):Object.keys(a.k).forEach(function(e){l(e,a.k[e])}),a.k=s}a.lR=r(a.l||/\b\w+\b/,!0),n&&(a.bK&&(a.b="\\b("+a.bK.split(" ").join("|")+")\\b"),a.b||(a.b=/\B|\b/),a.bR=r(a.b),a.e||a.eW||(a.e=/\B|\b/),a.e&&(a.eR=r(a.e)),a.tE=t(a.e)||"",a.eW&&n.tE&&(a.tE+=(a.e?"|":"")+n.tE)),a.i&&(a.iR=r(a.i)),void 0===a.r&&(a.r=1),a.c||(a.c=[]);var c=[];a.c.forEach(function(e){e.v?e.v.forEach(function(t){c.push(o(e,t))}):c.push("self"==e?a:e)}),a.c=c,a.c.forEach(function(e){i(e,a)}),a.starts&&i(a.starts,n);var d=a.c.map(function(e){return e.bK?"\\.?("+e.b+")\\.?":e.b}).concat([a.tE,a.i]).map(t).filter(Boolean);a.t=d.length?r(d.join("|"),!0):{exec:function(){return null}}}}i(e)}function d(e,r,a,n){function o(e,t){for(var r=0;r<t.c.length;r++)if(i(t.c[r].bR,e))return t.c[r]}function s(e,t){if(i(e.eR,t)){for(;e.endsParent&&e.parent;)e=e.parent;return e}return e.eW?s(e.parent,t):void 0}function l(e,t){return!a&&i(t.iR,e)}function m(e,t){var r=h.cI?t[0].toLowerCase():t[0];return e.k.hasOwnProperty(r)&&e.k[r]}function p(e,t,r,i){var a=i?"":S.classPrefix,n='<span class="'+a,o=r?"":"</span>";return n+=e+'">',n+t+o}function _(){if(!P.k)return t(A);var e="",r=0;P.lR.lastIndex=0;for(var i=P.lR.exec(A);i;){e+=t(A.substr(r,i.index-r));var a=m(P,i);a?(T+=a[1],e+=p(a[0],t(i[0]))):e+=t(i[0]),r=P.lR.lastIndex,i=P.lR.exec(A)}return e+t(A.substr(r))}function b(){var e="string"==typeof P.sL;if(e&&!v[P.sL])return t(A);var r=e?d(P.sL,A,!0,G[P.sL]):u(A,P.sL.length?P.sL:void 0);return P.r>0&&(T+=r.r),e&&(G[P.sL]=r.top),p(r.language,r.value,!1,!0)}function g(){return void 0!==P.sL?b():_()}function I(e,r){var i=e.cN?p(e.cN,"",!0):"";e.rB?(x+=i,A=""):e.eB?(x+=t(r)+i,A=""):(x+=i,A=r),P=Object.create(e,{parent:{value:P}})}function C(e,r){if(A+=e,void 0===r)return x+=g(),0;var i=o(r,P);if(i)return x+=g(),I(i,r),i.rB?0:r.length;var a=s(P,r);if(a){var n=P;n.rE||n.eE||(A+=r),x+=g();do P.cN&&(x+="</span>"),T+=P.r,P=P.parent;while(P!=a.parent);return n.eE&&(x+=t(r)),A="",a.starts&&I(a.starts,""),n.rE?0:r.length}if(l(r,P))throw new Error('Illegal lexeme "'+r+'" for mode "'+(P.cN||"<unnamed>")+'"');return A+=r,r.length||1}var h=f(e);if(!h)throw new Error('Unknown language: "'+e+'"');c(h);var y,P=n||h,G={},x="";for(y=P;y!=h;y=y.parent)y.cN&&(x=p(y.cN,"",!0)+x);var A="",T=0;try{for(var w,D,E=0;P.t.lastIndex=E,w=P.t.exec(r),w;)D=C(r.substr(E,w.index-E),w[0]),E=w.index+D;for(C(r.substr(E)),y=P;y.parent;y=y.parent)y.cN&&(x+="</span>");return{r:T,value:x,language:e,top:P}}catch(M){if(-1!=M.message.indexOf("Illegal"))return{r:0,value:t(r)};throw M}}function u(e,r){r=r||S.languages||Object.keys(v);var i={r:0,value:t(e)},a=i;return r.forEach(function(t){if(f(t)){var r=d(t,e,!1);r.language=t,r.r>a.r&&(a=r),r.r>i.r&&(a=i,i=r)}}),a.language&&(i.second_best=a),i}function m(e){return S.tabReplace&&(e=e.replace(/^((<[^>]+>|\t)+)/gm,function(e,t){return t.replace(/\t/g,S.tabReplace)})),S.useBR&&(e=e.replace(/\n/g,"<br>")),e}function p(e,t,r){var i=t?y[t]:r,a=[e.trim()];return e.match(/\bhljs\b/)||a.push("hljs"),-1===e.indexOf(i)&&a.push(i),a.join(" ").trim()}function _(e){var t=n(e);if(!a(t)){var r;S.useBR?(r=document.createElementNS("http://www.w3.org/1999/xhtml","div"),r.innerHTML=e.innerHTML.replace(/\n/g,"").replace(/<br[ \/]*>/g,"\n")):r=e;var i=r.textContent,o=t?d(t,i,!0):u(i),c=s(r);if(c.length){var _=document.createElementNS("http://www.w3.org/1999/xhtml","div");_.innerHTML=o.value,o.value=l(c,s(_),i)}o.value=m(o.value),e.innerHTML=o.value,e.className=p(e.className,t,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 b(e){S=o(S,e)}function g(){if(!g.called){g.called=!0;var e=document.querySelectorAll("pre code");Array.prototype.forEach.call(e,_)}}function I(){addEventListener("DOMContentLoaded",g,!1),addEventListener("load",g,!1)}function C(t,r){var i=v[t]=r(e);i.aliases&&i.aliases.forEach(function(e){y[e]=t})}function h(){return Object.keys(v)}function f(e){return e=(e||"").toLowerCase(),v[e]||v[y[e]]}var S={classPrefix:"hljs-",tabReplace:null,useBR:!1,languages:void 0},v={},y={};return e.highlight=d,e.highlightAuto=u,e.fixMarkup=m,e.highlightBlock=_,e.configure=b,e.initHighlighting=g,e.initHighlightingOnLoad=I,e.registerLanguage=C,e.listLanguages=h,e.getLanguage=f,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(t,r,i){var a=e.inherit({cN:"comment",b:t,e:r,c:[]},i||{});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("php",function(e){var t={b:"\\$+[a-zA-Z_-\xff][a-zA-Z0-9_-\xff]*"},r={cN:"meta",b:/<\?(php)?|\?>/},i={cN:"string",c:[e.BE,r],v:[{b:'b"',e:'"'},{b:"b'",e:"'"},e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},a={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]+"},r]}),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:/\}/}]}]},r,t,{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",t,e.CBCM,i,a]}]},{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,a]}}),hljs.registerLanguage("avrasm",function(e){return{cI:!0,l:"\\.?"+e.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",meta:".byte .cseg .db .def .device .dseg .dw .endmacro .equ .eseg .exit .include .list .listmac .macro .nolist .org .set"},c:[e.CBCM,e.C(";","$",{r:0}),e.CNM,e.BNM,{cN:"number",b:"\\b(\\$[a-zA-Z0-9]+|0o[0-7]+)"},e.QSM,{cN:"string",b:"'",e:"[^\\\\]'",i:"[^\\\\][^']"},{cN:"symbol",b:"^[A-Za-z0-9_.$]+:"},{cN:"meta",b:"#",e:"$"},{cN:"subst",b:"@[0-9]+"}]}}),hljs.registerLanguage("matlab",function(e){var t=[e.CNM,{cN:"string",b:"'",e:"'",c:[e.BE,{b:"''"}]}],r={r:0,c:[{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",v:[{b:"\\(",e:"\\)"},{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},r.c[0]]},{b:"\\[",e:"\\]",c:t,r:0,starts:r},{b:"\\{",e:/}/,c:t,r:0,starts:r},{b:/\)/,r:0,starts:r},e.C("^\\s*\\%\\{\\s*$","^\\s*\\%\\}\\s*$"),e.C("\\%","$")].concat(t)}}),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"],r=["case","catch","default","do","else","exit","exitWith|5","for","forEach","from","if","switch","then","throw","to","try","while","with"],i=["!","-","+","!=","%","&&","*","/","=","==",">",">=","<","<=","^",":",">>"],a=["_forEachIndex|10","_this|10","_x|10"],n=["true","false","nil"],o=t.filter(function(e){return-1==r.indexOf(e)&&-1==n.indexOf(e)&&-1==i.indexOf(e)
+});o=o.concat(a);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:"meta",b:"#",e:"$",k:{"meta-keyword":"if else elif endif define undef warning error line pragma ifdef ifndef"},c:[{b:/\\\n/,r:0},{bK:"include",e:"$",k:{"meta-keyword":"include"},c:[c,{cN:"meta-string",b:"<",e:">",i:"\\n"}]},c,l,e.CLCM,e.CBCM]};return{aliases:["sqf"],cI:!0,k:{keyword:r.join(" "),built_in:o.join(" "),literal:n.join(" ")},c:[e.CLCM,e.CBCM,l,s,d]}}),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",r={keyword:"if then else do while until for loop import with is as where when by data constant integer real text name boolean symbol infix prefix postfix block tree",literal:"true false nil",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 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 "+t},i={cN:"string",b:'"',e:'"',i:"\\n"},a={cN:"string",b:"'",e:"'",i:"\\n"},n={cN:"string",b:"<<",e:">>"},o={cN:"number",b:"[0-9]+#[0-9A-Z_]+(\\.[0-9-A-Z_]+)?#?([Ee][+-]?[0-9]+)?"},s={bK:"import",e:"$",k:r,c:[i]},l={cN:"function",b:/[a-z][^\n]*->/,rB:!0,e:/->/,c:[e.inherit(e.TM,{starts:{eW:!0,k:r}})]};return{aliases:["tao"],l:/[a-zA-Z][a-zA-Z0-9_?]*/,k:r,c:[e.CLCM,e.CBCM,i,a,n,l,s,o,e.NM]}}),hljs.registerLanguage("less",function(e){var t="[\\w-]+",r="("+t+"|@{"+t+"})",i=[],a=[],n=function(e){return{cN:"string",b:"~?"+e+".*?"+e}},o=function(e,t,r){return{cN:e,b:t,r:r}},s={b:"\\(",e:"\\)",c:a,r:0};a.push(e.CLCM,e.CBCM,n("'"),n('"'),e.CSSNM,{b:"(url|data-uri)\\(",starts:{cN:"string",e:"[\\)\\n]",eE:!0}},o("number","#[0-9A-Fa-f]+\\b"),s,o("variable","@@?"+t,10),o("variable","@{"+t+"}"),o("built_in","~?`[^`]*?`"),{cN:"attribute",b:t+"\\s*:",e:":",rB:!0,eE:!0},{cN:"meta",b:"!important"});var l=a.concat({b:"{",e:"}",c:i}),c={bK:"when",eW:!0,c:[{bK:"and not"}].concat(a)},d={cN:"attribute",b:r,e:":",eE:!0,c:[e.CLCM,e.CBCM],i:/\S/,starts:{e:"[;}]",rE:!0,c:a,i:"[<=$]"}},u={cN:"keyword",b:"@(import|media|charset|font-face|(-[a-z]+-)?keyframes|supports|document|namespace|page|viewport|host)\\b",starts:{e:"[;{}]",rE:!0,c:a,r:0}},m={cN:"variable",v:[{b:"@"+t+"\\s*:",r:15},{b:"@"+t}],starts:{e:"[;}]",rE:!0,c:l}},p={v:[{b:"[\\.#:&\\[]",e:"[;{}]"},{b:r+"[^;]*{",e:"{"}],rB:!0,rE:!0,i:"[<='$\"]",c:[e.CLCM,e.CBCM,c,o("keyword","all\\b"),o("variable","@{"+t+"}"),o("selector-tag",r+"%?",0),o("selector-id","#"+r),o("selector-class","\\."+r,0),o("selector-tag","&",0),{cN:"selector-attr",b:"\\[",e:"\\]"},{b:"\\(",e:"\\)",c:l},{b:"!important"}]};return i.push(e.CLCM,e.CBCM,u,m,p,d),{cI:!0,i:"[=>'/<($\"]",c:i}}),hljs.registerLanguage("gcode",function(e){var t="[A-Z_][A-Z0-9_.]*",r="\\%",i="IF DO WHILE ENDWHILE CALL ENDIF SUB ENDSUB GOTO REPEAT ENDREPEAT EQ LT GT NE GE LE OR XOR",a={cN:"meta",b:"([O])([0-9]+)"},n=[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:"name",b:"([G])([0-9]+\\.?[0-9]?)"},{cN:"name",b:"([M])([0-9]+\\.?[0-9]?)"},{cN:"attr",b:"(VC|VS|#)",e:"(\\d+)"},{cN:"attr",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:"symbol",v:[{b:"N",e:"\\d+",i:"\\W"}]}];return{aliases:["nc"],cI:!0,l:t,k:i,c:[{cN:"meta",b:r},a].concat(n)}}),hljs.registerLanguage("crystal",function(e){function t(e,t){var r=[{b:e,e:t}];return r[0].c=r,r}var r="(_[uif](8|16|32|64))?",i="[a-zA-Z_]\\w*[!?=]?",a="!=|!==|%|%=|&|&&|&=|\\*|\\*=|\\+|\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\[|\\{|\\(|\\^|\\^=|\\||\\|=|\\|\\||~",n="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\][=?]?",o={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"},s={cN:"subst",b:"#{",e:"}",k:o},l={cN:"template-variable",v:[{b:"\\{\\{",e:"\\}\\}"},{b:"\\{%",e:"%\\}"}],k:o,r:10},c={cN:"string",c:[e.BE,s],v:[{b:/'/,e:/'/},{b:/"/,e:/"/},{b:/`/,e:/`/},{b:"%w?\\(",e:"\\)",c:t("\\(","\\)")},{b:"%w?\\[",e:"\\]",c:t("\\[","\\]")},{b:"%w?{",e:"}",c:t("{","}")},{b:"%w?<",e:">",c:t("<",">")},{b:"%w?/",e:"/"},{b:"%w?%",e:"%"},{b:"%w?-",e:"-"},{b:"%w?\\|",e:"\\|"}],r:0},d={b:"("+a+")\\s*",c:[{cN:"regexp",c:[e.BE,s],v:[{b:"/",e:"/[a-z]*"},{b:"%r\\(",e:"\\)",c:t("\\(","\\)")},{b:"%r\\[",e:"\\]",c:t("\\[","\\]")},{b:"%r{",e:"}",c:t("{","}")},{b:"%r<",e:">",c:t("<",">")},{b:"%r/",e:"/"},{b:"%r%",e:"%"},{b:"%r-",e:"-"},{b:"%r\\|",e:"\\|"}]}],r:0},u={cN:"regexp",c:[e.BE,s],v:[{b:"%r\\(",e:"\\)",c:t("\\(","\\)")},{b:"%r\\[",e:"\\]",c:t("\\[","\\]")},{b:"%r{",e:"}",c:t("{","}")},{b:"%r<",e:">",c:t("<",">")},{b:"%r/",e:"/"},{b:"%r%",e:"%"},{b:"%r-",e:"-"},{b:"%r\\|",e:"\\|"}],r:0},m={cN:"meta",b:"@\\[",e:"\\]",r:5},p=[l,c,d,u,m,e.HCM,{cN:"class",bK:"class module struct",e:"$|;",i:/=/,c:[e.HCM,e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"}),{b:"<"}]},{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:n,endsParent:!0})]},{cN:"function",bK:"fun macro",e:/\B\b/,c:[e.inherit(e.TM,{b:n,endsParent:!0})],r:5},{cN:"symbol",b:e.UIR+"(\\!|\\?)?:",r:0},{cN:"symbol",b:":",c:[c,{b:n}],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}];return s.c=p,m.c=p,l.c=p.slice(1),{aliases:["cr"],l:i,k:o,c:p}}),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:"title",b:"[ \\t\\n\\r]+(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",e:"[ \\t\\n\\r]",eW:!0,eE:!0}]},{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("actionscript",function(e){var t="[a-zA-Z_$][a-zA-Z0-9_$]*",r="([*]|[a-zA-Z_$][a-zA-Z0-9_$]*)",i={cN:"rest_arg",b:"[.]{3}",e:t,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:"class",bK:"package",e:"{",c:[e.TM]},{cN:"class",bK:"class interface",e:"{",eE:!0,c:[{bK:"extends implements"},e.TM]},{cN:"meta",bK:"import include",e:";",k:{"meta-keyword":"import include"}},{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,i]},{b:":\\s*"+r}]}],i:/#/}}),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:"type",b:"`[A-Z][\\w']*"},{cN:"type",b:"\\b[A-Z][\\w']*",r:0},{b:"[a-z_]\\w*'[\\w']*",r:0},e.inherit(e.ASM,{cN:"string",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("stylus",function(e){var t={cN:"variable",b:"\\$"+e.IR},r={cN:"number",b:"#([a-fA-F0-9]{6}|[a-fA-F0-9]{3})"},i=["charset","css","debug","extend","font-face","for","import","include","media","mixin","page","warn","while"],a=["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"],o="[\\.\\s\\n\\[\\:,]",s=["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"],l=["\\{","\\}","\\?","(\\bReturn\\b)","(\\bEnd\\b)","(\\bend\\b)",";","#\\s","\\*\\s","===\\s","\\|","%"];return{aliases:["styl"],cI:!1,i:"("+l.join("|")+")",k:"if else for in",c:[e.QSM,e.ASM,e.CLCM,e.CBCM,r,{b:"\\.[a-zA-Z][a-zA-Z0-9_-]*"+o,rB:!0,c:[{cN:"selector-class",b:"\\.[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"\\#[a-zA-Z][a-zA-Z0-9_-]*"+o,rB:!0,c:[{cN:"selector-id",b:"\\#[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"\\b("+n.join("|")+")"+o,rB:!0,c:[{cN:"selector-tag",b:"\\b[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"&?:?:\\b("+a.join("|")+")"+o},{b:"@("+i.join("|")+")\\b"},t,e.CSSNM,e.NM,{cN:"function",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:[r,t,e.ASM,e.CSSNM,e.NM,e.QSM]}]},{cN:"attribute",b:"\\b("+s.reverse().join("|")+")\\b"}]}}),hljs.registerLanguage("glsl",function(e){return{k:{keyword:"break continue discard do else for if return whileattribute binding buffer ccw centroid centroid varying coherent column_major const cw depth_any depth_greater depth_less depth_unchanged early_fragment_tests equal_spacing flat fractional_even_spacing fractional_odd_spacing highp in index inout invariant invocations isolines layout line_strip lines lines_adjacency local_size_x local_size_y local_size_z location lowp max_vertices mediump noperspective offset origin_upper_left out packed patch pixel_center_integer point_mode points precise precision quads r11f_g11f_b10f r16 r16_snorm r16f r16i r16ui r32f r32i r32ui r8 r8_snorm r8i r8ui readonly restrict rg16 rg16_snorm rg16f rg16i rg16ui rg32f rg32i rg32ui rg8 rg8_snorm rg8i rg8ui rgb10_a2 rgb10_a2ui rgba16 rgba16_snorm rgba16f rgba16i rgba16ui rgba32f rgba32i rgba32ui rgba8 rgba8_snorm rgba8i rgba8ui row_major sample shared smooth std140 std430 stream triangle_strip triangles triangles_adjacency uniform varying vertices volatile writeonly",type:"atomic_uint bool bvec2 bvec3 bvec4 dmat2 dmat2x2 dmat2x3 dmat2x4 dmat3 dmat3x2 dmat3x3 dmat3x4 dmat4 dmat4x2 dmat4x3 dmat4x4 double dvec2 dvec3 dvec4 float iimage1D iimage1DArray iimage2D iimage2DArray iimage2DMS iimage2DMSArray iimage2DRect iimage3D iimageBufferiimageCube iimageCubeArray image1D image1DArray image2D image2DArray image2DMS image2DMSArray image2DRect image3D imageBuffer imageCube imageCubeArray int isampler1D isampler1DArray isampler2D isampler2DArray isampler2DMS isampler2DMSArray isampler2DRect isampler3D isamplerBuffer isamplerCube isamplerCubeArray ivec2 ivec3 ivec4 mat2 mat2x2 mat2x3 mat2x4 mat3 mat3x2 mat3x3 mat3x4 mat4 mat4x2 mat4x3 mat4x4 sampler1D sampler1DArray sampler1DArrayShadow sampler1DShadow sampler2D sampler2DArray sampler2DArrayShadow sampler2DMS sampler2DMSArray sampler2DRect sampler2DRectShadow sampler2DShadow sampler3D samplerBuffer samplerCube samplerCubeArray samplerCubeArrayShadow samplerCubeShadow image1D uimage1DArray uimage2D uimage2DArray uimage2DMS uimage2DMSArray uimage2DRect uimage3D uimageBuffer uimageCube uimageCubeArray uint usampler1D usampler1DArray usampler2D usampler2DArray usampler2DMS usampler2DMSArray usampler2DRect usampler3D samplerBuffer usamplerCube usamplerCubeArray uvec2 uvec3 uvec4 vec2 vec3 vec4 void",built_in:"gl_MaxAtomicCounterBindings gl_MaxAtomicCounterBufferSize gl_MaxClipDistances gl_MaxClipPlanes gl_MaxCombinedAtomicCounterBuffers gl_MaxCombinedAtomicCounters gl_MaxCombinedImageUniforms gl_MaxCombinedImageUnitsAndFragmentOutputs gl_MaxCombinedTextureImageUnits gl_MaxComputeAtomicCounterBuffers gl_MaxComputeAtomicCounters gl_MaxComputeImageUniforms gl_MaxComputeTextureImageUnits gl_MaxComputeUniformComponents gl_MaxComputeWorkGroupCount gl_MaxComputeWorkGroupSize gl_MaxDrawBuffers gl_MaxFragmentAtomicCounterBuffers gl_MaxFragmentAtomicCounters gl_MaxFragmentImageUniforms gl_MaxFragmentInputComponents gl_MaxFragmentInputVectors 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_MaxVertexOutputVectors gl_MaxVertexTextureImageUnits gl_MaxVertexUniformComponents gl_MaxVertexUniformVectors gl_MaxViewports gl_MinProgramTexelOffset 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_GlobalInvocationID gl_InstanceID gl_InvocationID gl_Layer gl_LightModel gl_LightSource gl_LocalInvocationID gl_LocalInvocationIndex gl_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_NumSamples gl_NumWorkGroups gl_ObjectPlaneQ gl_ObjectPlaneR gl_ObjectPlaneS gl_ObjectPlaneT gl_PatchVerticesIn 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_TextureMatrix gl_TextureMatrixInverse gl_TextureMatrixInverseTranspose gl_TextureMatrixTranspose gl_Vertex gl_VertexID gl_ViewportIndex gl_WorkGroupID gl_WorkGroupSize gl_in gl_out EmitStreamVertex EmitVertex EndPrimitive EndStreamPrimitive abs acos acosh all any asin asinh atan atanh atomicAdd atomicAnd atomicCompSwap atomicCounter atomicCounterDecrement atomicCounterIncrement atomicExchange atomicMax atomicMin atomicOr atomicXor 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 groupMemoryBarrier imageAtomicAdd imageAtomicAnd imageAtomicCompSwap imageAtomicExchange imageAtomicMax imageAtomicMin imageAtomicOr imageAtomicXor imageLoad imageSize imageStore imulExtended intBitsToFloat interpolateAtCentroid interpolateAtOffset interpolateAtSample inverse inversesqrt isinf isnan ldexp length lessThan lessThanEqual log log2 matrixCompMult max memoryBarrier memoryBarrierAtomicCounter memoryBarrierBuffer memoryBarrierImage memoryBarrierShared 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 textureQueryLevels textureQueryLod textureSize transpose trunc uaddCarry uintBitsToFloat umulExtended unpackDouble2x32 unpackHalf2x16 unpackSnorm2x16 unpackSnorm4x8 unpackUnorm2x16 unpackUnorm4x8 usubBorrow",literal:"true false"},i:'"',c:[e.CLCM,e.CBCM,e.CNM,{cN:"meta",b:"#",e:"$"}]}}),hljs.registerLanguage("smalltalk",function(e){var t="[a-z][a-zA-Z0-9_]*",r={cN:"string",b:"\\$.{1}"},i={cN:"symbol",b:"#"+e.UIR};return{aliases:["st"],k:"self super nil true false thisContext",c:[e.C('"','"'),e.ASM,{cN:"type",b:"\\b[A-Z][A-Za-z0-9_]*",r:0},{b:t+":",r:0},e.CNM,i,r,{b:"\\|[ ]*"+t+"([ ]+"+t+")*[ ]*\\|",rB:!0,e:/\|/,i:/\S/,c:[{b:"(\\|[ ]*)?"+t}]},{b:"\\#\\(",e:"\\)",c:[e.ASM,r,e.CNM,i]}]}}),hljs.registerLanguage("dns",function(e){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:[e.C(";","$"),{cN:"meta",b:/^\$(TTL|GENERATE|INCLUDE|ORIGIN)\b/},{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}))|:)))\\b"},{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])\\b"},e.inherit(e.NM,{b:/\b\d+[dhwm]?/})]}}),hljs.registerLanguage("swift",function(e){var t={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"},r={cN:"type",b:"\\b[A-Z][\\w']*",r:0},i=e.C("/\\*","\\*/",{c:["self"]}),a={cN:"subst",b:/\\\(/,e:"\\)",k:t,c:[]},n={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:[a,e.BE]});return a.c=[n],{k:t,c:[o,e.CLCM,i,r,n,{cN:"function",bK:"func",e:"{",eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/,i:/\(/}),{b:/</,e:/>/,i:/>/},{cN:"params",b:/\(/,e:/\)/,endsParent:!0,k:t,c:["self",n,o,e.CBCM,{b:":"}],i:/["']/}],i:/\[|%/},{cN:"class",bK:"struct protocol class extension enum",k:t,e:"\\{",eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/})]},{cN:"meta",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,i]}]}}),hljs.registerLanguage("step21",function(e){var t="[A-Z_][A-Z0-9_.]*",r={keyword:"HEADER ENDSEC DATA"},i={cN:"meta",b:"ISO-10303-21;",r:10},a={cN:"meta",b:"END-ISO-10303-21;",r:10};return{aliases:["p21","step","stp"],cI:!0,l:t,k:r,c:[i,a,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:"symbol",v:[{b:"#",e:"\\d+",i:"\\W"}]}]}}),hljs.registerLanguage("lisp",function(e){var t="[a-zA-Z_\\-\\+\\*\\/\\<\\=\\>\\&\\#][a-zA-Z0-9_\\-\\+\\*\\/\\<\\=\\>\\&\\#!]*",r="\\|[^]*?\\|",i="(\\-|\\+)?\\d+(\\.\\d+|\\/\\d+)?((d|e|f|l|s|D|E|F|L|S)(\\+|\\-)?\\d+)?",a={cN:"meta",b:"^#!",e:"$"},n={cN:"literal",b:"\\b(t{1}|nil)\\b"},o={cN:"number",v:[{b:i,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)\\("+i+" +"+i,e:"\\)"}]},s=e.inherit(e.QSM,{i:null}),l=e.C(";","$",{r:0}),c={b:"\\*",e:"\\*"},d={cN:"symbol",b:"[:&]"+t},u={b:t,r:0},m={b:r},p={b:"\\(",e:"\\)",c:["self",n,s,o,u]},_={c:[o,s,c,d,p,u],v:[{b:"['`]\\(",e:"\\)"},{b:"\\(quote ",e:"\\)",k:{name:"quote"}},{b:"'"+r}]},b={v:[{b:"'"+t},{b:"#'"+t+"(::"+t+")*"}]},g={b:"\\(\\s*",e:"\\)"},I={eW:!0,r:0};return g.c=[{cN:"name",v:[{b:t},{b:r}]},I],I.c=[_,b,g,n,o,s,l,c,d,m,u],{i:/\S/,c:[o,a,n,s,l,_,b,g,u]}}),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",a={v:[e.C(";","$",{r:0}),e.C("#cs","#ce"),e.C("#comments-start","#comments-end")]},n={b:"\\$[A-z0-9_]+"},o={cN:"string",v:[{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]},s={v:[e.BNM,e.CNM]},l={cN:"meta",b:"#",e:"$",k:{"meta-keyword":"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",k:{"meta-keyword":"include"},e:"$",c:[o,{cN:"meta-string",v:[{b:"<",e:">"},{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]}]},o,a]},c={cN:"symbol",b:"@[A-z0-9_]+"},d={cN:"function",bK:"Func",e:"$",i:"\\$|\\[|%",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)",c:[n,o,s]}]};
+return{cI:!0,i:/\/\*/,k:{keyword:t,built_in:i,literal:r},c:[a,n,o,s,l,c,d]}}),hljs.registerLanguage("powershell",function(e){var t={b:"`[\\s\\S]",r:0},r={cN:"variable",v:[{b:/\$[\w\d][\w\d_:]*/}]},i={cN:"literal",b:/\$(null|true|false)\b/},a={cN:"string",b:/"/,e:/"/,c:[t,r,{cN:"variable",b:/\$[A-z]/,e:/[^A-z]/}]},n={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",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",nomarkup:"-ne -eq -lt -gt -ge -le -not -like -notlike -match -notmatch -contains -notcontains -in -notin -replace"},c:[e.HCM,e.NM,a,n,i,r]}}),hljs.registerLanguage("xquery",function(){var e="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",t="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={b:/\$[a-zA-Z0-9\-]+/,r:5},i={cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},a={cN:"string",v:[{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]},n={cN:"meta",b:"%\\w+"},o={cN:"comment",b:"\\(:",e:":\\)",r:10,c:[{cN:"doctag",b:"@\\w+"}]},s={b:"{",e:"}"},l=[r,a,i,o,n,s];return s.c=l,{aliases:["xpath","xq"],cI:!1,l:/[a-zA-Z\$][a-zA-Z0-9_:\-]*/,i:/(proc)|(abstract)|(extends)|(until)|(#)/,k:{keyword:e,literal:t},c:l}}),hljs.registerLanguage("dust",function(e){var t="if eq ne lt lte gt gte select default math sep";return{aliases:["dst"],cI:!0,sL:"xml",c:[{cN:"template-tag",b:/\{[#\/]/,e:/\}/,i:/;/,c:[{cN:"name",b:/[a-zA-Z\.-]+/,starts:{eW:!0,r:0,c:[e.QSM]}}]},{cN:"template-variable",b:/\{/,e:/\}/,i:/;/,k:t}]}}),hljs.registerLanguage("dos",function(e){var t=e.C(/@?rem\b/,/$/,{r:10}),r={cN:"symbol",b:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)",r:0};return{aliases:["bat","cmd"],cI:!0,i:/\/\*/,k:{keyword:"if else goto for in do call exit not exist errorlevel defined equ neq lss leq gtr geq",built_in:"prn nul lpt3 lpt2 lpt1 con com4 com3 com2 com1 aux shift cd dir echo setlocal endlocal set pause copy 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 ping net ipconfig taskkill xcopy ren del"},c:[{cN:"variable",b:/%%[^ ]|%[^ ]+?%|![^ ]+?!/},{cN:"function",b:r.b,e:"goto:eof",c:[e.inherit(e.TM,{b:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),t]},{cN:"number",b:"\\b\\d+",r:0},t]}}),hljs.registerLanguage("ini",function(e){var t={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:"section",b:/^\s*\[+/,e:/\]+/},{b:/^[a-z0-9\[\]_-]+\s*=\s*/,e:"$",rB:!0,c:[{cN:"attr",b:/[a-z0-9\[\]_-]+/},{b:/=/,eW:!0,r:0,c:[{cN:"literal",b:/\bon|off|true|false|yes|no\b/},{cN:"variable",v:[{b:/\$[\w\d"][\w\d_]*/},{b:/\$\{(.*?)}/}]},t,{cN:"number",b:/([\+\-]+)?[\d]+_[\d_]+/},e.NM]}]}]}}),hljs.registerLanguage("tex",function(e){var t={cN:"tag",b:/\\/,r:0,c:[{cN:"name",v:[{b:/[a-zA-Z\u0430-\u044f\u0410-\u044f]+[*]?/},{b:/[^a-zA-Z\u0430-\u044f\u0410-\u044f0-9]/}],starts:{eW:!0,r:0,c:[{cN:"string",v:[{b:/\[/,e:/\]/},{b:/\{/,e:/\}/}]},{b:/\s*=\s*/,eW:!0,r:0,c:[{cN:"number",b:/-?\d*\.?\d+(pt|pc|mm|cm|in|dd|cc|ex|em)?/}]}]}}]};return{c:[t,{cN:"formula",c:[t],r:0,v:[{b:/\$\$/,e:/\$\$/},{b:/\$/,e:/\$/}]},e.C("%","$",{r:0})]}}),hljs.registerLanguage("kotlin",function(e){var t="val var get set class trait object open private protected public 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 Byte Short Char Int Long Boolean Float Double Void Unit Nothing";return{k:{keyword:t,literal:"true false null"},c:[e.C("/\\*\\*","\\*/",{r:0,c:[{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,{cN:"type",b:/</,e:/>/,rB:!0,eE:!1,r:0},{cN:"function",bK:"fun",e:"[(]|$",rB:!0,eE:!0,k:t,i:/fun\s+(<.*>)?[^\s\(]+(\s+[^\s\(]+)\s*=/,r:5,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"type",b:/</,e:/>/,k:"reified",r:0},{cN:"params",b:/\(/,e:/\)/,k:t,r:0,i:/\([^\(,\s:]+,/,c:[{cN:"type",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:/</,e:/>/,eB:!0,eE:!0,r:0},{cN:"type",b:/[,:]\s*/,e:/[<\(,]|$/,eB:!0,rE:!0}]},{cN:"variable",bK:"var val",e:/\s*[=:$]/,eE:!0},e.QSM,{cN:"meta",b:"^#!/usr/bin/env",e:"$",i:"\n"},e.CNM]}}),hljs.registerLanguage("objectivec",function(e){var t={cN:"built_in",b:"(AV|CA|CF|CG|CI|MK|MP|NS|UI|XC)\\w+"},r={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"},i=/[a-zA-Z@][a-zA-Z0-9_]*/,a="@interface @class @protocol @implementation";return{aliases:["mm","objc","obj-c"],k:r,l:i,i:"</",c:[t,e.CLCM,e.CBCM,e.CNM,e.QSM,{cN:"string",v:[{b:'@"',e:'"',i:"\\n",c:[e.BE]},{b:"'",e:"[^\\\\]'",i:"[^\\\\][^']"}]},{cN:"meta",b:"#",e:"$",c:[{cN:"meta-string",v:[{b:'"',e:'"'},{b:"<",e:">"}]}]},{cN:"class",b:"("+a.split(" ").join("|")+")\\b",e:"({|$)",eE:!0,k:a,l:i,c:[e.UTM]},{b:"\\."+e.UIR,r:0}]}}),hljs.registerLanguage("applescript",function(e){var t=e.inherit(e.QSM,{i:""}),r={cN:"params",b:"\\(",e:"\\)",c:["self",e.CNM,t]},i=e.C("--","$"),a=e.C("\\(\\*","\\*\\)",{c:["self",i]}),n=[i,a,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",literal:"AppleScript false linefeed return pi quote result space tab true",built_in:"alias application boolean class constant date file integer list number real record string text activate beep count delay launch log offset read round run say summarize write 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:"built_in",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:"literal",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)|POSIX file|POSIX path|(date|time) string|quoted form)\\b"},{bK:"on",i:"[${=;\\n]",c:[e.UTM,r]}].concat(n),i:"//|->|=>|\\[\\["}}),hljs.registerLanguage("java",function(e){var t=e.UIR+"(<("+e.UIR+"|\\s*,\\s*)+>)?",r="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",i="\\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]?",a={cN:"number",b:i,r:0};return{aliases:["jsp"],k:r,i:/<\/|#/,c:[e.C("/\\*\\*","\\*/",{r:0,c:[{b:/\w+@/,r:0},{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:"("+t+"\\s+)+"+e.UIR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:r,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"params",b:/\(/,e:/\)/,k:r,r:0,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]},a,{cN:"meta",b:"@[A-Za-z]+"}]}}),hljs.registerLanguage("brainfuck",function(e){var t={cN:"literal",b:"[\\+\\-]",r:0};return{aliases:["bf"],c:[e.C("[^\\[\\]\\.,\\+\\-<> \r\n]","[\\[\\]\\.,\\+\\-<> \r\n]",{rE:!0,r:0}),{cN:"title",b:"[\\[\\]]",r:0},{cN:"string",b:"[\\.,]",r:0},{b:/\+\+|\-\-/,rB:!0,c:[t]},t]}}),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:"section",r:10,v:[{b:"^(={1,5}) .+?( \\1)?$"},{b:"^[^\\[\\]\\n]+?\\n[=\\-~\\^\\+]{2,}$"}]},{cN:"meta",b:"^:.+?:",e:"\\s",eE:!0,r:10},{cN:"meta",b:"^\\[.+?\\]$",r:0},{cN:"quote",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:"symbol",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:"string",v:[{b:"``.+?''"},{b:"`.+?'"}]},{cN:"code",b:"(`.+?`|\\+.+?\\+)",r:0},{cN:"code",b:"^[ \\t]",e:"$",r:0},{b:"^'{3,}[ \\t]*$",r:10},{b:"(link:)?(http|https|ftp|file|irc|image:?):\\S+\\[.*?\\]",rB:!0,c:[{b:"(link|image:?):",r:0},{cN:"link",b:"\\w",e:"[^\\[]+",r:0},{cN:"string",b:"\\[",e:"\\]",eB:!0,eE:!0,r:0}],r:10}]}}),hljs.registerLanguage("vbscript-html",function(){return{sL:"xml",c:[{b:"<%",e:"%>",sL:"vbscript"}]}}),hljs.registerLanguage("zephir",function(e){var t={cN:"string",c:[e.BE],v:[{b:'b"',e:'"'},{b:"b'",e:"'"},e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},r={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,t,r]}]},{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:"=>"},t,r]}}),hljs.registerLanguage("markdown",function(){return{aliases:["md","mkdown","mkd"],c:[{cN:"section",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:"quote",b:"^>\\s+",e:"$"},{cN:"code",v:[{b:"`.+?`"},{b:"^( {4}| )",e:"$",r:0}]},{b:"^[-\\*]{3,}",e:"$"},{b:"\\[.+?\\][\\(\\[].*?[\\)\\]]",rB:!0,c:[{cN:"string",b:"\\[",e:"\\]",eB:!0,rE:!0,r:0},{cN:"link",b:"\\]\\(",e:"\\)",eB:!0,eE:!0},{cN:"symbol",b:"\\]\\[",e:"\\]",eB:!0,eE:!0}],r:10},{b:"^\\[.+\\]:",rB:!0,c:[{cN:"symbol",b:"\\[",e:"\\]:",eB:!0,eE:!0,starts:{cN:"link",e:"$"}}]}]}}),hljs.registerLanguage("mercury",function(e){var t={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",meta:"inline no_inline type_spec source_file fact_table obsolete memo loop_check minimal_model terminates does_not_terminate check_termination promise_equivalent_clauses 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=e.C("%","$"),i={cN:"number",b:"0'.\\|0[box][0-9a-fA-F]*"},a=e.inherit(e.ASM,{r:0}),n=e.inherit(e.QSM,{r:0}),o={cN:"subst",b:"\\\\[abfnrtv]\\|\\\\x[0-9a-fA-F]*\\\\\\|%[-+# *.0-9]*[dioxXucsfeEgGp]",r:0};n.c.push(o);var s={cN:"built_in",v:[{b:"<=>"},{b:"<=",r:0},{b:"=>",r:0},{b:"/\\\\"},{b:"\\\\/"}]},l={cN:"built_in",v:[{b:":-\\|-->"},{b:"=",r:0}]};return{aliases:["m","moo"],k:t,c:[s,l,r,e.CBCM,i,e.NM,a,n,{b:/:-/}]}}),hljs.registerLanguage("nginx",function(e){var t={cN:"variable",v:[{b:/\$\d+/},{b:/\$\{/,e:/}/},{b:"[\\$\\@]"+e.UIR}]},r={eW:!0,l:"[a-z/_]+",k:{literal:"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,t],v:[{b:/"/,e:/"/},{b:/'/,e:/'/}]},{b:"([a-z]+):/",e:"\\s",eW:!0,eE:!0,c:[t]},{cN:"regexp",c:[e.BE,t],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},t]};return{aliases:["nginxconf"],c:[e.HCM,{b:e.UIR+"\\s+{",rB:!0,e:"{",c:[{cN:"section",b:e.UIR}],r:0},{b:e.UIR+"\\s",e:";|{",rB:!0,c:[{cN:"attribute",b:e.UIR,starts:r}],r:0}],i:"[^\\s\\}]"}}),hljs.registerLanguage("nix",function(e){var t={keyword:"rec with let in inherit assert if else then",literal:"true false or and null",built_in:"import abort baseNameOf dirOf isNull builtins map removeAttrs throw toString derivation"},r={cN:"subst",b:/\$\{/,e:/}/,k:t},i={b:/[a-zA-Z0-9-_]+(\s*=)/,rB:!0,r:0,c:[{cN:"attr",b:/\S+/}]},a={cN:"string",c:[r],v:[{b:"''",e:"''"},{b:'"',e:'"'}]},n=[e.NM,e.HCM,e.CBCM,a,i];return r.c=n,{aliases:["nixos"],k:t,c:n}}),hljs.registerLanguage("vim",function(e){return{l:/[!#@\w]+/,k:{keyword:"N|0 P|0 X|0 a|0 ab abc abo al am an|0 ar arga argd arge argdo argg argl argu as au aug aun b|0 bN ba bad bd be bel bf bl bm bn bo bp br brea breaka breakd breakl bro bufdo buffers bun bw c|0 cN cNf ca cabc caddb cad caddf cal cat cb cc ccl cd ce cex cf cfir cgetb cgete cg changes chd che checkt cl cla clo cm cmapc cme cn cnew cnf cno cnorea cnoreme co col colo com comc comp con conf cope cp cpf cq cr cs cst cu cuna cunme cw d|0 delm deb debugg delc delf dif diffg diffo diffp diffpu diffs diffthis dig di dl dell dj dli do doautoa dp dr ds dsp e|0 ea ec echoe echoh echom echon el elsei em en endfo endf endt endw ene ex exe exi exu f|0 files filet fin fina fini fir fix fo foldc foldd folddoc foldo for fu g|0 go gr grepa gu gv ha h|0 helpf helpg helpt hi hid his i|0 ia iabc if ij il im imapc ime ino inorea inoreme int is isp iu iuna iunme j|0 ju k|0 keepa kee keepj lN lNf l|0 lad laddb laddf la lan lat lb lc lch lcl lcs le lefta let lex lf lfir lgetb lgete lg lgr lgrepa lh ll lla lli lmak lm lmapc lne lnew lnf ln loadk lo loc lockv lol lope lp lpf lr ls lt lu lua luad luaf lv lvimgrepa lw m|0 ma mak map mapc marks mat me menut mes mk mks mksp mkv mkvie mod mz mzf nbc nb nbs n|0 new nm nmapc nme nn nnoreme noa no noh norea noreme norm nu nun nunme ol o|0 om omapc ome on ono onoreme opt ou ounme ow p|0 profd prof pro promptr pc ped pe perld po popu pp pre prev ps pt ptN ptf ptj ptl ptn ptp ptr pts pu pw py3 python3 py3d py3f py pyd pyf q|0 quita qa r|0 rec red redi redr redraws reg res ret retu rew ri rightb rub rubyd rubyf rund ru rv s|0 sN san sa sal sav sb sbN sba sbf sbl sbm sbn sbp sbr scrip scripte scs se setf setg setl sf sfir sh sim sig sil sl sla sm smap smapc sme sn sni sno snor snoreme sor so spelld spe spelli spellr spellu spellw sp spr sre st sta startg startr star stopi stj sts sun sunm sunme sus sv sw sy synti sync t|0 tN tabN tabc tabdo tabe tabf tabfir tabl tabm tabnew tabn tabo tabp tabr tabs tab ta tags tc tcld tclf te tf th tj tl tm tn to tp tr try ts tu u|0 undoj undol una unh unl unlo unm unme uns up v|0 ve verb vert vim vimgrepa vi viu vie vm vmapc vme vne vn vnoreme vs vu vunme windo w|0 wN wa wh wi winc winp wn wp wq wqa ws wu wv x|0 xa xmapc xm xme xn xnoreme xu xunme y|0 z|0 ~ Next Print append abbreviate abclear aboveleft all amenu anoremenu args argadd argdelete argedit argglobal arglocal argument ascii autocmd augroup aunmenu buffer bNext ball badd bdelete behave belowright bfirst blast bmodified bnext botright bprevious brewind break breakadd breakdel breaklist browse bunload bwipeout change cNext cNfile cabbrev cabclear caddbuffer caddexpr caddfile call catch cbuffer cclose center cexpr cfile cfirst cgetbuffer cgetexpr cgetfile chdir checkpath checktime clist clast close cmap cmapclear cmenu cnext cnewer cnfile cnoremap cnoreabbrev cnoremenu copy colder colorscheme command comclear compiler continue confirm copen cprevious cpfile cquit crewind cscope cstag cunmap cunabbrev cunmenu cwindow delete delmarks debug debuggreedy delcommand delfunction diffupdate diffget diffoff diffpatch diffput diffsplit digraphs display deletel djump dlist doautocmd doautoall deletep drop dsearch dsplit edit earlier echo echoerr echohl echomsg else elseif emenu endif endfor endfunction endtry endwhile enew execute exit exusage file filetype find finally finish first fixdel fold foldclose folddoopen folddoclosed foldopen function global goto grep grepadd gui gvim hardcopy help helpfind helpgrep helptags highlight hide history insert iabbrev iabclear ijump ilist imap imapclear imenu inoremap inoreabbrev inoremenu intro isearch isplit iunmap iunabbrev iunmenu join jumps keepalt keepmarks keepjumps lNext lNfile list laddexpr laddbuffer laddfile last language later lbuffer lcd lchdir lclose lcscope left leftabove lexpr lfile lfirst lgetbuffer lgetexpr lgetfile lgrep lgrepadd lhelpgrep llast llist lmake lmap lmapclear lnext lnewer lnfile lnoremap loadkeymap loadview lockmarks lockvar lolder lopen lprevious lpfile lrewind ltag lunmap luado luafile lvimgrep lvimgrepadd lwindow move mark make mapclear match menu menutranslate messages mkexrc mksession mkspell mkvimrc mkview mode mzscheme mzfile nbclose nbkey nbsart next nmap nmapclear nmenu nnoremap nnoremenu noautocmd noremap nohlsearch noreabbrev noremenu normal number nunmap nunmenu oldfiles open omap omapclear omenu only onoremap onoremenu options ounmap ounmenu ownsyntax print profdel profile promptfind promptrepl pclose pedit perl perldo pop popup ppop preserve previous psearch ptag ptNext ptfirst ptjump ptlast ptnext ptprevious ptrewind ptselect put pwd py3do py3file python pydo pyfile quit quitall qall read recover redo redir redraw redrawstatus registers resize retab return rewind right rightbelow ruby rubydo rubyfile rundo runtime rviminfo substitute sNext sandbox sargument sall saveas sbuffer sbNext sball sbfirst sblast sbmodified sbnext sbprevious sbrewind scriptnames scriptencoding scscope set setfiletype setglobal setlocal sfind sfirst shell simalt sign silent sleep slast smagic smapclear smenu snext sniff snomagic snoremap snoremenu sort source spelldump spellgood spellinfo spellrepall spellundo spellwrong split sprevious srewind stop stag startgreplace startreplace startinsert stopinsert stjump stselect sunhide sunmap sunmenu suspend sview swapname syntax syntime syncbind tNext tabNext tabclose tabedit tabfind tabfirst tablast tabmove tabnext tabonly tabprevious tabrewind tag tcl tcldo tclfile tearoff tfirst throw tjump tlast tmenu tnext topleft tprevious trewind tselect tunmenu undo undojoin undolist unabbreviate unhide unlet unlockvar unmap unmenu unsilent update vglobal version verbose vertical vimgrep vimgrepadd visual viusage view vmap vmapclear vmenu vnew vnoremap vnoremenu vsplit vunmap vunmenu write wNext wall while winsize wincmd winpos wnext wprevious wqall wsverb wundo wviminfo xit xall xmapclear xmap xmenu xnoremap xnoremenu xunmap xunmenu yank",built_in:"abs acos add and append argc argidx argv asin atan atan2 browse browsedir bufexists buflisted bufloaded bufname bufnr bufwinnr byte2line byteidx call ceil changenr char2nr cindent clearmatches col complete complete_add complete_check confirm copy cos cosh count cscope_connection cursor deepcopy delete did_filetype diff_filler diff_hlID empty escape eval eventhandler executable exists exp expand extend feedkeys filereadable filewritable filter finddir findfile float2nr floor fmod fnameescape fnamemodify foldclosed foldclosedend foldlevel foldtext foldtextresult foreground function garbagecollect get getbufline getbufvar getchar getcharmod getcmdline getcmdpos getcmdtype getcwd getfontname getfperm getfsize getftime getftype getline getloclist getmatches getpid getpos getqflist getreg getregtype gettabvar gettabwinvar getwinposx getwinposy getwinvar glob globpath has has_key haslocaldir hasmapto histadd histdel histget histnr hlexists hlID hostname iconv indent index input inputdialog inputlist inputrestore inputsave inputsecret insert invert isdirectory islocked items join keys len libcall libcallnr line line2byte lispindent localtime log log10 luaeval map maparg mapcheck match matchadd matcharg matchdelete matchend matchlist matchstr max min mkdir mode mzeval nextnonblank nr2char or pathshorten pow prevnonblank printf pumvisible py3eval pyeval range readfile reltime reltimestr remote_expr remote_foreground remote_peek remote_read remote_send remove rename repeat resolve reverse round screenattr screenchar screencol screenrow search searchdecl searchpair searchpairpos searchpos server2client serverlist setbufvar setcmdpos setline setloclist setmatches setpos setqflist setreg settabvar settabwinvar setwinvar sha256 shellescape shiftwidth simplify sin sinh sort soundfold spellbadword spellsuggest split sqrt str2float str2nr strchars strdisplaywidth strftime stridx string strlen strpart strridx strtrans strwidth submatch substitute synconcealed synID synIDattr synIDtrans synstack system tabpagebuflist tabpagenr tabpagewinnr tagfiles taglist tan tanh tempname tolower toupper tr trunc type undofile undotree values virtcol visualmode wildmenumode winbufnr wincol winheight winline winnr winrestcmd winrestview winsaveview winwidth writefile xor"},i:/[{:]/,c:[e.NM,e.ASM,{cN:"string",b:/"((\\")|[^"\n])*("|\n)/},{cN:"variable",b:/[bwtglsav]:[\w\d_]*/},{cN:"function",bK:"function function!",e:"$",r:0,c:[e.TM,{cN:"params",b:"\\(",e:"\\)"}]}]}}),hljs.registerLanguage("elixir",function(e){var t="[a-zA-Z_][a-zA-Z0-9_]*(\\!|\\?)?",r="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",i="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",a={cN:"subst",b:"#\\{",e:"}",l:t,k:i},n={cN:"string",c:[e.BE,a],v:[{b:/'/,e:/'/},{b:/"/,e:/"/}]},o={cN:"function",bK:"def defp defmacro",e:/\B\b/,c:[e.inherit(e.TM,{b:t,endsParent:!0})]},s=e.inherit(o,{cN:"class",bK:"defmodule defrecord",e:/\bdo\b|$|;/}),l=[n,e.HCM,s,o,{cN:"symbol",b:":",c:[n,{b:r}],r:0},{cN:"symbol",b:t+":",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,a],v:[{b:"/",e:"/[a-z]*"},{b:"%r\\[",e:"\\][a-z]*"}]}],r:0}];return a.c=l,{l:t,k:i,c:l}}),hljs.registerLanguage("mipsasm",function(e){return{cI:!0,aliases:["mips"],l:"\\.?"+e.IR,k:{meta:".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 .ltorg ",built_in:"$0 $1 $2 $3 $4 $5 $6 $7 $8 $9 $10 $11 $12 $13 $14 $15 $16 $17 $18 $19 $20 $21 $22 $23 $24 $25 $26 $27 $28 $29 $30 $31 zero at v0 v1 a0 a1 a2 a3 a4 a5 a6 a7 t0 t1 t2 t3 t4 t5 t6 t7 t8 t9 s0 s1 s2 s3 s4 s5 s6 s7 s8 k0 k1 gp sp fp ra $f0 $f1 $f2 $f2 $f4 $f5 $f6 $f7 $f8 $f9 $f10 $f11 $f12 $f13 $f14 $f15 $f16 $f17 $f18 $f19 $f20 $f21 $f22 $f23 $f24 $f25 $f26 $f27 $f28 $f29 $f30 $f31 Context Random EntryLo0 EntryLo1 Context PageMask Wired EntryHi HWREna BadVAddr Count Compare SR IntCtl SRSCtl SRSMap Cause EPC PRId EBase Config Config1 Config2 Config3 LLAddr Debug DEPC DESAVE CacheErr ECC ErrorEPC TagLo DataLo TagHi DataHi WatchLo WatchHi PerfCtl PerfCnt "},c:[{cN:"keyword",b:"\\b(addi?u?|andi?|b(al)?|beql?|bgez(al)?l?|bgtzl?|blezl?|bltz(al)?l?|bnel?|cl[oz]|divu?|ext|ins|j(al)?|jalr(.hb)?|jr(.hb)?|lbu?|lhu?|ll|lui|lw[lr]?|maddu?|mfhi|mflo|movn|movz|msubu?|mthi|mtlo|mul|multu?|nop|nor|ori?|rotrv?|sb|sc|se[bh]|sh|sllv?|slti?u?|srav?|srlv?|subu?|sw[lr]?|xori?|wsbh|abs.[sd]|add.[sd]|alnv.ps|bc1[ft]l?|c.(s?f|un|u?eq|[ou]lt|[ou]le|ngle?|seq|l[et]|ng[et]).[sd]|(ceil|floor|round|trunc).[lw].[sd]|cfc1|cvt.d.[lsw]|cvt.l.[dsw]|cvt.ps.s|cvt.s.[dlw]|cvt.s.p[lu]|cvt.w.[dls]|div.[ds]|ldx?c1|luxc1|lwx?c1|madd.[sd]|mfc1|mov[fntz]?.[ds]|msub.[sd]|mth?c1|mul.[ds]|neg.[ds]|nmadd.[ds]|nmsub.[ds]|p[lu][lu].ps|recip.fmt|r?sqrt.[ds]|sdx?c1|sub.[ds]|suxc1|swx?c1|break|cache|d?eret|[de]i|ehb|mfc0|mtc0|pause|prefx?|rdhwr|rdpgpr|sdbbp|ssnop|synci?|syscall|teqi?|tgei?u?|tlb(p|r|w[ir])|tlti?u?|tnei?|wait|wrpgpr)",e:"\\s"},e.C("[;#]","$"),e.CBCM,e.QSM,{cN:"string",b:"'",e:"[^\\\\]'",r:0},{cN:"title",b:"\\|",e:"\\|",i:"\\n",r:0},{cN:"number",v:[{b:"0x[0-9a-f]+"},{b:"\\b-?\\d+"}],r:0},{cN:"symbol",v:[{b:"^\\s*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{b:"^\\s*[0-9]+:"},{b:"[0-9]+[bf]"}],r:0}],i:"/"}}),hljs.registerLanguage("handlebars",function(e){var t={"builtin-name":"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:[e.C("{{!(--)?","(--)?}}"),{cN:"template-tag",b:/\{\{[#\/]/,e:/\}\}/,c:[{cN:"name",b:/[a-zA-Z\.-]+/,k:t,starts:{eW:!0,r:0,c:[e.QSM]}}]},{cN:"template-variable",b:/\{\{/,e:/\}\}/,k:t}]}}),hljs.registerLanguage("python",function(e){var t={cN:"meta",b:/^(>>>|\.\.\.) /},r={cN:"string",c:[e.BE],v:[{b:/(u|b)?r?'''/,e:/'''/,c:[t],r:10},{b:/(u|b)?r?"""/,e:/"""/,c:[t],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]},i={cN:"number",r:0,v:[{b:e.BNR+"[lLjJ]?"},{b:"\\b(0o[0-7]+)[lLjJ]?"},{b:e.CNR+"[lLjJ]?"}]},a={cN:"params",b:/\(/,e:/\)/,c:["self",t,i,r]};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:[t,i,r,e.HCM,{v:[{cN:"function",bK:"def",r:10},{cN:"class",bK:"class"}],e:/:/,i:/[${=;\n,]/,c:[e.UTM,a]},{cN:"meta",b:/^[\t ]*@/,e:/$/},{b:/\b(print|exec)\(/}]}}),hljs.registerLanguage("x86asm",function(e){return{cI:!0,l:"[.%]?"+e.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",built_in:"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 db dw dd dq dt ddq do dy dz resb resw resd resq rest resdq reso resy resz incbin equ times byte word dword qword nosplit rel abs seg wrt strict near far a32 ptr",meta:"%define %xdefine %+ %undef %defstr %deftok %assign %strcat %strlen %substr %rotate %elif %else %endif %if %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 __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 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:[e.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"}]},e.QSM,{cN:"string",v:[{b:"'",e:"[^\\\\]'"},{b:"`",e:"[^\\\\]`"},{b:"\\.[A-Za-z0-9]+"}],r:0},{cN:"symbol",v:[{b:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)"},{b:"^\\s*%%[A-Za-z0-9_$#@~.?]*:"}],r:0},{cN:"subst",b:"%[0-9]+",r:0},{cN:"subst",b:"%!S+",r:0}]}
+}),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,{b:/\{/,e:/\}/,i:/:/}]}
+}),hljs.registerLanguage("mojolicious",function(){return{sL:"xml",c:[{cN:"meta",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("fix",function(){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:"attr"},{b:/=/,e:/([\u2401\u0001])/,eE:!0,eB:!0,cN:"string"}]}],cI:!0}}),hljs.registerLanguage("roboconf",function(e){var t="[a-zA-Z-_][^\\n{]+\\{",r={cN:"attribute",b:/[a-zA-Z-_]+/,e:/\s*:/,eE:!0,starts:{e:";",r:0,c:[{cN:"variable",b:/\.[a-zA-Z-_]+/},{cN:"keyword",b:/\(optional\)/}]}};return{aliases:["graph","instances"],cI:!0,k:"import",c:[{b:"^facet "+t,e:"}",k:"facet",c:[r,e.HCM]},{b:"^\\s*instance of "+t,e:"}",k:"name count channels instance-data instance-state instance of",i:/\S/,c:["self",r,e.HCM]},{b:"^"+t,e:"}",c:[r,e.HCM]},e.HCM]}}),hljs.registerLanguage("delphi",function(e){var t="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",r=[e.CLCM,e.C(/\{/,/\}/,{r:0}),e.C(/\(\*/,/\*\)/,{r:10})],i={cN:"string",b:/'/,e:/'/,c:[{b:/''/}]},a={cN:"string",b:/(#\d+)+/},n={b:e.IR+"\\s*=\\s*class\\s*\\(",rB:!0,c:[e.TM]},o={cN:"function",bK:"function constructor destructor procedure",e:/[:;]/,k:"function constructor|10 destructor|10 procedure|10",c:[e.TM,{cN:"params",b:/\(/,e:/\)/,k:t,c:[i,a]}].concat(r)};return{cI:!0,k:t,i:/"|\$[G-Zg-z]|\/\*|<\/|\|/,c:[i,a,e.NM,n,o].concat(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:"</",c:[e.CNM,e.ASM,e.QSM,{cN:"string",b:"`",e:"`",c:[e.BE]},{b:"[\\$\\%\\@](\\^\\w\\b|#\\w+|[^\\s\\w{]|{\\w+}|\\w+)"},e.CLCM,e.CBCM]}}),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:"meta",b:"^#",e:"$",r:2}]}}),hljs.registerLanguage("makefile",function(e){var t={cN:"variable",b:/\$\(/,e:/\)/,c:[e.BE]};return{aliases:["mk","mak"],c:[e.HCM,{b:/^\w+\s*\W*=/,rB:!0,r:0,starts:{e:/\s*\W*=/,eE:!0,starts:{e:/$/,r:0,c:[t]}}},{cN:"section",b:/^[\w]+:\s*$/},{cN:"meta",b:/^\.PHONY:/,e:/$/,k:{"meta-keyword":".PHONY"},l:/[\.\w]+/},{b:/^\t+/,e:/$/,r:0,c:[e.QSM,t]}]}}),hljs.registerLanguage("1c",function(e){var t="[a-zA-Z\u0430-\u044f\u0410-\u042f][a-zA-Z0-9_\u0430-\u044f\u0410-\u042f]*",r="\u0432\u043e\u0437\u0432\u0440\u0430\u0442 \u0434\u0430\u0442\u0430 \u0434\u043b\u044f \u0435\u0441\u043b\u0438 \u0438 \u0438\u043b\u0438 \u0438\u043d\u0430\u0447\u0435 \u0438\u043d\u0430\u0447\u0435\u0435\u0441\u043b\u0438 \u0438\u0441\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u043a\u043e\u043d\u0435\u0446\u0435\u0441\u043b\u0438 \u043a\u043e\u043d\u0435\u0446\u043f\u043e\u043f\u044b\u0442\u043a\u0438 \u043a\u043e\u043d\u0435\u0446\u043f\u0440\u043e\u0446\u0435\u0434\u0443\u0440\u044b \u043a\u043e\u043d\u0435\u0446\u0444\u0443\u043d\u043a\u0446\u0438\u0438 \u043a\u043e\u043d\u0435\u0446\u0446\u0438\u043a\u043b\u0430 \u043a\u043e\u043d\u0441\u0442\u0430\u043d\u0442\u0430 \u043d\u0435 \u043f\u0435\u0440\u0435\u0439\u0442\u0438 \u043f\u0435\u0440\u0435\u043c \u043f\u0435\u0440\u0435\u0447\u0438\u0441\u043b\u0435\u043d\u0438\u0435 \u043f\u043e \u043f\u043e\u043a\u0430 \u043f\u043e\u043f\u044b\u0442\u043a\u0430 \u043f\u0440\u0435\u0440\u0432\u0430\u0442\u044c \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c \u043f\u0440\u043e\u0446\u0435\u0434\u0443\u0440\u0430 \u0441\u0442\u0440\u043e\u043a\u0430 \u0442\u043e\u0433\u0434\u0430 \u0444\u0441 \u0444\u0443\u043d\u043a\u0446\u0438\u044f \u0446\u0438\u043a\u043b \u0447\u0438\u0441\u043b\u043e \u044d\u043a\u0441\u043f\u043e\u0440\u0442",i="ansitooem oemtoansi \u0432\u0432\u0435\u0441\u0442\u0438\u0432\u0438\u0434\u0441\u0443\u0431\u043a\u043e\u043d\u0442\u043e \u0432\u0432\u0435\u0441\u0442\u0438\u0434\u0430\u0442\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u043f\u0435\u0440\u0435\u0447\u0438\u0441\u043b\u0435\u043d\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u043f\u0435\u0440\u0438\u043e\u0434 \u0432\u0432\u0435\u0441\u0442\u0438\u043f\u043b\u0430\u043d\u0441\u0447\u0435\u0442\u043e\u0432 \u0432\u0432\u0435\u0441\u0442\u0438\u0441\u0442\u0440\u043e\u043a\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0447\u0438\u0441\u043b\u043e \u0432\u043e\u043f\u0440\u043e\u0441 \u0432\u043e\u0441\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0432\u0440\u0435\u0433 \u0432\u044b\u0431\u0440\u0430\u043d\u043d\u044b\u0439\u043f\u043b\u0430\u043d\u0441\u0447\u0435\u0442\u043e\u0432 \u0432\u044b\u0437\u0432\u0430\u0442\u044c\u0438\u0441\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0434\u0430\u0442\u0430\u0433\u043e\u0434 \u0434\u0430\u0442\u0430\u043c\u0435\u0441\u044f\u0446 \u0434\u0430\u0442\u0430\u0447\u0438\u0441\u043b\u043e \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c\u043c\u0435\u0441\u044f\u0446 \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044c\u0440\u0430\u0431\u043e\u0442\u0443\u0441\u0438\u0441\u0442\u0435\u043c\u044b \u0437\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a\u0441\u0438\u0441\u0442\u0435\u043c\u044b \u0437\u0430\u043f\u0438\u0441\u044c\u0436\u0443\u0440\u043d\u0430\u043b\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0437\u0430\u0444\u0438\u043a\u0441\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u044e \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0432\u0441\u0442\u0440\u043e\u043a\u0443 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0432\u0441\u0442\u0440\u043e\u043a\u0443\u0432\u043d\u0443\u0442\u0440 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0432\u0444\u0430\u0439\u043b \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043e\u043a\u0438 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043e\u043a\u0438\u0432\u043d\u0443\u0442\u0440 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0438\u0437\u0444\u0430\u0439\u043b\u0430 \u0438\u043c\u044f\u043a\u043e\u043c\u043f\u044c\u044e\u0442\u0435\u0440\u0430 \u0438\u043c\u044f\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u0445\u0444\u0430\u0439\u043b\u043e\u0432 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0438\u0431 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u044b \u043a\u043e\u0434\u0441\u0438\u043c\u0432 \u043a\u043e\u043c\u0430\u043d\u0434\u0430\u0441\u0438\u0441\u0442\u0435\u043c\u044b \u043a\u043e\u043d\u0433\u043e\u0434\u0430 \u043a\u043e\u043d\u0435\u0446\u043f\u0435\u0440\u0438\u043e\u0434\u0430\u0431\u0438 \u043a\u043e\u043d\u0435\u0446\u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u043d\u043d\u043e\u0433\u043e\u043f\u0435\u0440\u0438\u043e\u0434\u0430\u0431\u0438 \u043a\u043e\u043d\u0435\u0446\u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u043e\u0433\u043e\u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b\u0430 \u043a\u043e\u043d\u043a\u0432\u0430\u0440\u0442\u0430\u043b\u0430 \u043a\u043e\u043d\u043c\u0435\u0441\u044f\u0446\u0430 \u043a\u043e\u043d\u043d\u0435\u0434\u0435\u043b\u0438 \u043b\u0435\u0432 \u043b\u043e\u0433 \u043b\u043e\u043310 \u043c\u0430\u043a\u0441 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0435\u043a\u043e\u043b\u0438\u0447\u0435\u0441\u0442\u0432\u043e\u0441\u0443\u0431\u043a\u043e\u043d\u0442\u043e \u043c\u0438\u043d \u043c\u043e\u043d\u043e\u043f\u043e\u043b\u044c\u043d\u044b\u0439\u0440\u0435\u0436\u0438\u043c \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435\u0438\u043d\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435\u043d\u0430\u0431\u043e\u0440\u0430\u043f\u0440\u0430\u0432 \u043d\u0430\u0437\u043d\u0430\u0447\u0438\u0442\u044c\u0432\u0438\u0434 \u043d\u0430\u0437\u043d\u0430\u0447\u0438\u0442\u044c\u0441\u0447\u0435\u0442 \u043d\u0430\u0439\u0442\u0438 \u043d\u0430\u0439\u0442\u0438\u043f\u043e\u043c\u0435\u0447\u0435\u043d\u043d\u044b\u0435\u043d\u0430\u0443\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u043d\u0430\u0439\u0442\u0438\u0441\u0441\u044b\u043b\u043a\u0438 \u043d\u0430\u0447\u0430\u043b\u043e\u043f\u0435\u0440\u0438\u043e\u0434\u0430\u0431\u0438 \u043d\u0430\u0447\u0430\u043b\u043e\u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u043e\u0433\u043e\u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b\u0430 \u043d\u0430\u0447\u0430\u0442\u044c\u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u044e \u043d\u0430\u0447\u0433\u043e\u0434\u0430 \u043d\u0430\u0447\u043a\u0432\u0430\u0440\u0442\u0430\u043b\u0430 \u043d\u0430\u0447\u043c\u0435\u0441\u044f\u0446\u0430 \u043d\u0430\u0447\u043d\u0435\u0434\u0435\u043b\u0438 \u043d\u043e\u043c\u0435\u0440\u0434\u043d\u044f\u0433\u043e\u0434\u0430 \u043d\u043e\u043c\u0435\u0440\u0434\u043d\u044f\u043d\u0435\u0434\u0435\u043b\u0438 \u043d\u043e\u043c\u0435\u0440\u043d\u0435\u0434\u0435\u043b\u0438\u0433\u043e\u0434\u0430 \u043d\u0440\u0435\u0433 \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u043a\u0430\u043e\u0436\u0438\u0434\u0430\u043d\u0438\u044f \u043e\u043a\u0440 \u043e\u043f\u0438\u0441\u0430\u043d\u0438\u0435\u043e\u0448\u0438\u0431\u043a\u0438 \u043e\u0441\u043d\u043e\u0432\u043d\u043e\u0439\u0436\u0443\u0440\u043d\u0430\u043b\u0440\u0430\u0441\u0447\u0435\u0442\u043e\u0432 \u043e\u0441\u043d\u043e\u0432\u043d\u043e\u0439\u043f\u043b\u0430\u043d\u0441\u0447\u0435\u0442\u043e\u0432 \u043e\u0441\u043d\u043e\u0432\u043d\u043e\u0439\u044f\u0437\u044b\u043a \u043e\u0442\u043a\u0440\u044b\u0442\u044c\u0444\u043e\u0440\u043c\u0443 \u043e\u0442\u043a\u0440\u044b\u0442\u044c\u0444\u043e\u0440\u043c\u0443\u043c\u043e\u0434\u0430\u043b\u044c\u043d\u043e \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c\u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u044e \u043e\u0447\u0438\u0441\u0442\u0438\u0442\u044c\u043e\u043a\u043d\u043e\u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u0439 \u043f\u0435\u0440\u0438\u043e\u0434\u0441\u0442\u0440 \u043f\u043e\u043b\u043d\u043e\u0435\u0438\u043c\u044f\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0432\u0440\u0435\u043c\u044f\u0442\u0430 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0434\u0430\u0442\u0443\u0442\u0430 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0442\u0430 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f\u043e\u0442\u0431\u043e\u0440\u0430 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u043f\u043e\u0437\u0438\u0446\u0438\u044e\u0442\u0430 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u043f\u0443\u0441\u0442\u043e\u0435\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0442\u0430 \u043f\u0440\u0430\u0432 \u043f\u0440\u0430\u0432\u043e\u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u043f\u0440\u0435\u0434\u0443\u043f\u0440\u0435\u0436\u0434\u0435\u043d\u0438\u0435 \u043f\u0440\u0435\u0444\u0438\u043a\u0441\u0430\u0432\u0442\u043e\u043d\u0443\u043c\u0435\u0440\u0430\u0446\u0438\u0438 \u043f\u0443\u0441\u0442\u0430\u044f\u0441\u0442\u0440\u043e\u043a\u0430 \u043f\u0443\u0441\u0442\u043e\u0435\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0440\u0430\u0431\u043e\u0447\u0430\u044f\u0434\u0430\u0442\u0442\u044c\u043f\u0443\u0441\u0442\u043e\u0435\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0440\u0430\u0431\u043e\u0447\u0430\u044f\u0434\u0430\u0442\u0430 \u0440\u0430\u0437\u0434\u0435\u043b\u0438\u0442\u0435\u043b\u044c\u0441\u0442\u0440\u0430\u043d\u0438\u0446 \u0440\u0430\u0437\u0434\u0435\u043b\u0438\u0442\u0435\u043b\u044c\u0441\u0442\u0440\u043e\u043a \u0440\u0430\u0437\u043c \u0440\u0430\u0437\u043e\u0431\u0440\u0430\u0442\u044c\u043f\u043e\u0437\u0438\u0446\u0438\u044e\u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044c\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044b\u043d\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044c\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044b\u043f\u043e \u0441\u0438\u0433\u043d\u0430\u043b \u0441\u0438\u043c\u0432 \u0441\u0438\u043c\u0432\u043e\u043b\u0442\u0430\u0431\u0443\u043b\u044f\u0446\u0438\u0438 \u0441\u043e\u0437\u0434\u0430\u0442\u044c\u043e\u0431\u044a\u0435\u043a\u0442 \u0441\u043e\u043a\u0440\u043b \u0441\u043e\u043a\u0440\u043b\u043f \u0441\u043e\u043a\u0440\u043f \u0441\u043e\u043e\u0431\u0449\u0438\u0442\u044c \u0441\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u0435 \u0441\u043e\u0445\u0440\u0430\u043d\u0438\u0442\u044c\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0441\u0440\u0435\u0434 \u0441\u0442\u0430\u0442\u0443\u0441\u0432\u043e\u0437\u0432\u0440\u0430\u0442\u0430 \u0441\u0442\u0440\u0434\u043b\u0438\u043d\u0430 \u0441\u0442\u0440\u0437\u0430\u043c\u0435\u043d\u0438\u0442\u044c \u0441\u0442\u0440\u043a\u043e\u043b\u0438\u0447\u0435\u0441\u0442\u0432\u043e\u0441\u0442\u0440\u043e\u043a \u0441\u0442\u0440\u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0441\u0442\u0440\u043e\u043a\u0443 \u0441\u0442\u0440\u0447\u0438\u0441\u043b\u043e\u0432\u0445\u043e\u0436\u0434\u0435\u043d\u0438\u0439 \u0441\u0444\u043e\u0440\u043c\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u043f\u043e\u0437\u0438\u0446\u0438\u044e\u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430 \u0441\u0447\u0435\u0442\u043f\u043e\u043a\u043e\u0434\u0443 \u0442\u0435\u043a\u0443\u0449\u0430\u044f\u0434\u0430\u0442\u0430 \u0442\u0435\u043a\u0443\u0449\u0435\u0435\u0432\u0440\u0435\u043c\u044f \u0442\u0438\u043f\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f \u0442\u0438\u043f\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f\u0441\u0442\u0440 \u0443\u0434\u0430\u043b\u0438\u0442\u044c\u043e\u0431\u044a\u0435\u043a\u0442\u044b \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c\u0442\u0430\u043d\u0430 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c\u0442\u0430\u043f\u043e \u0444\u0438\u043a\u0441\u0448\u0430\u0431\u043b\u043e\u043d \u0444\u043e\u0440\u043c\u0430\u0442 \u0446\u0435\u043b \u0448\u0430\u0431\u043b\u043e\u043d",a={b:'""'},n={cN:"string",b:'"',e:'"|$',c:[a]},o={cN:"string",b:"\\|",e:'"|$',c:[a]};return{cI:!0,l:t,k:{keyword:r,built_in:i},c:[e.CLCM,e.NM,n,o,{cN:"function",b:"(\u043f\u0440\u043e\u0446\u0435\u0434\u0443\u0440\u0430|\u0444\u0443\u043d\u043a\u0446\u0438\u044f)",e:"$",l:t,k:"\u043f\u0440\u043e\u0446\u0435\u0434\u0443\u0440\u0430 \u0444\u0443\u043d\u043a\u0446\u0438\u044f",c:[{b:"\u044d\u043a\u0441\u043f\u043e\u0440\u0442",eW:!0,l:t,k:"\u044d\u043a\u0441\u043f\u043e\u0440\u0442",c:[e.CLCM]},{cN:"params",b:"\\(",e:"\\)",l:t,k:"\u0437\u043d\u0430\u0447",c:[n,o]},e.CLCM,e.inherit(e.TM,{b:t})]},{cN:"meta",b:"#",e:"$"},{cN:"number",b:"'\\d{2}\\.\\d{2}\\.(\\d{2}|\\d{4})'"}]}}),hljs.registerLanguage("scilab",function(e){var t=[e.CNM,{cN:"string",b:"'|\"",e:"'|\"",c:[e.BE,{b:"''"}]}];return{aliases:["sci"],l:/%?\w+/,k:{keyword:"abort break case clear catch continue do elseif else endfunction end for function global if pause return resume select try then while",literal:"%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 error exec execstr exists exp eye gettext floor fprintf fread fsolve imag isdef isempty isinfisnan isvector lasterror length load linspace list listfiles log10 log2 log max min msprintf mclose mopen ones or pathconvert poly printf prod pwd rand real round sinh sin size gsort sprintf sqrt strcat strcmps tring sum system tanh tan type typename warning zeros matrix"},i:'("|#|/\\*|\\s+/\\w+)',c:[{cN:"function",bK:"function",e:"$",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)"}]},{b:"[a-zA-Z_][a-zA-Z_0-9]*('+[\\.']*|[\\.']+)",e:"",r:0},{b:"\\[",e:"\\]'*[\\.']*",r:0,c:t},e.C("//","$")].concat(t)}
+}),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:"\\*"},{cN:"meta",b:"@[^@\\s]+"},{b:"\\|",e:"\\|\\w*$",c:[{cN:"string",b:"[^|]+"}]},{cN:"variable",b:"<",e:">"},e.HCM,{cN:"string",b:'"""',e:'"""'},e.QSM]}}),hljs.registerLanguage("clojure-repl",function(){return{c:[{cN:"meta",b:/^([\w.-]+|\s*#_)=>/,starts:{e:/$/,sL:"clojure"}}]}}),hljs.registerLanguage("d",function(e){var t={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"},r="(0|[1-9][\\d_]*)",i="(0|[1-9][\\d_]*|\\d[\\d_]*|[\\d_]+?\\d)",a="0[bB][01_]+",n="([\\da-fA-F][\\da-fA-F_]*|_[\\da-fA-F][\\da-fA-F_]*)",o="0[xX]"+n,s="([eE][+-]?"+i+")",l="("+i+"(\\.\\d*|"+s+")|\\d+\\."+i+i+"|\\."+r+s+"?)",c="(0[xX]("+n+"\\."+n+"|\\.?"+n+")[pP][+-]?"+i+")",d="("+r+"|"+a+"|"+o+")",u="("+c+"|"+l+")",m="\\\\(['\"\\?\\\\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,};",p={cN:"number",b:"\\b"+d+"(L|u|U|Lu|LU|uL|UL)?",r:0},_={cN:"number",b:"\\b("+u+"([fF]|L|i|[fF]i|Li)?|"+d+"(i|[fF]i|Li))",r:0},b={cN:"string",b:"'("+m+"|.)",e:"'",i:"."},g={b:m,r:0},I={cN:"string",b:'"',c:[g],e:'"[cwd]?'},C={cN:"string",b:'[rq]"',e:'"[cwd]?',r:5},h={cN:"string",b:"`",e:"`[cwd]?"},f={cN:"string",b:'x"[\\da-fA-F\\s\\n\\r]*"[cwd]?',r:10},S={cN:"string",b:'q"\\{',e:'\\}"'},v={cN:"meta",b:"^#!",e:"$",r:5},y={cN:"meta",b:"#(line)",e:"$",r:5},P={cN:"keyword",b:"@[a-zA-Z_][a-zA-Z_\\d]*"},G=e.C("\\/\\+","\\+\\/",{c:["self"],r:10});return{l:e.UIR,k:t,c:[e.CLCM,e.CBCM,G,f,I,C,h,S,_,p,b,v,y,P]}}),hljs.registerLanguage("puppet",function(e){var t={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("#","$"),i="([A-Za-z_]|::)(\\w|::)*",a=e.inherit(e.TM,{b:i}),n={cN:"variable",b:"\\$"+i},o={cN:"string",c:[e.BE,n],v:[{b:/'/,e:/'/},{b:/"/,e:/"/}]};return{aliases:["pp"],c:[r,n,o,{bK:"class",e:"\\{|;",i:/=/,c:[a,r]},{bK:"define",e:/\{/,c:[{cN:"section",b:e.IR,endsParent:!0}]},{b:e.IR+"\\s+\\{",rB:!0,e:/\S/,c:[{cN:"keyword",b:e.IR},{b:/\{/,e:/\}/,k:t,r:0,c:[o,r,{b:"[a-zA-Z_]+\\s*=>",rB:!0,e:"=>",c:[{cN:"attr",b:e.IR}]},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},n]}],r:0}]}}),hljs.registerLanguage("armasm",function(e){return{cI:!0,aliases:["arm"],l:"\\.?"+e.IR,k:{meta:".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:"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 {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"},e.C("[;@]","$",{r:0}),e.CBCM,e.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:"symbol",v:[{b:"^[a-z_\\.\\$][a-z0-9_\\.\\$]+"},{b:"^\\s*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{b:"[=#]\\w+"}],r:0}]}}),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("nimrod",function(e){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:"meta",b:/{\./,e:/\.}/,r:10},{cN:"string",b:/[a-zA-Z]\w*"/,e:/"/,c:[{b:/""/}]},{cN:"string",b:/([a-zA-Z]\w*)?"""/,e:/"""/},e.QSM,{cN:"type",b:/\b[A-Z]\w+\b/,r:0},{cN:"built_in",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",r:0,v:[{b:/\b(0[xX][0-9a-fA-F][_0-9a-fA-F]*)('?[iIuU](8|16|32|64))?/},{b:/\b(0o[0-7][_0-7]*)('?[iIuUfF](8|16|32|64))?/},{b:/\b(0(b|B)[01][_01]*)('?[iIuUfF](8|16|32|64))?/},{b:/\b(\d[_\d]*)('?[iIuUfF](8|16|32|64))?/}]},e.HCM]}}),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"},r="[A-Za-z$_](?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*",i=e.inherit(e.TM,{b:r}),a={cN:"subst",b:/#\{/,e:/}/,k:t},n={cN:"subst",b:/#[A-Za-z$_]/,e:/(?:\-[0-9A-Za-z$_]|[0-9A-Za-z$_])*/,k:t},o=[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,a,n]},{b:/"/,e:/"/,c:[e.BE,a,n]},{b:/\\/,e:/(\s|$)/,eE:!0}]},{cN:"regexp",v:[{b:"//",e:"//[gim]*",c:[a,e.HCM]},{b:/\/(?![ *])(\\\/|.)*?\/[gim]*(?=\W|$)/}]},{b:"@"+r},{b:"``",e:"``",eB:!0,eE:!0,sL:"javascript"}];a.c=o;var s={cN:"params",b:"\\(",rB:!0,c:[{b:/\(/,e:/\)/,k:t,c:["self"].concat(o)}]};return{aliases:["ls"],k:t,i:/\/\*/,c:o.concat([e.C("\\/\\*","\\*\\/"),e.HCM,{cN:"function",c:[i,s],rB:!0,v:[{b:"("+r+"\\s*(?:=|:=)\\s*)?(\\(.*\\))?\\s*\\B\\->\\*?",e:"\\->\\*?"},{b:"("+r+"\\s*(?:=|:=)\\s*)?!?(\\(.*\\))?\\s*\\B[-~]{1,2}>\\*?",e:"[-~]{1,2}>\\*?"},{b:"("+r+"\\s*(?:=|:=)\\s*)?(\\(.*\\))?\\s*\\B!?[-~]{1,2}>\\*?",e:"!?[-~]{1,2}>\\*?"}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[i]},i]},{b:r+":",e:":",rB:!0,rE:!0,r:0}])}}),hljs.registerLanguage("haskell",function(e){var t={v:[e.C("--","$"),e.C("{-","-}",{c:["self"]})]},r={cN:"meta",b:"{-#",e:"#-}"},i={cN:"meta",b:"^#",e:"$"},a={cN:"type",b:"\\b[A-Z][\\w']*",r:0},n={b:"\\(",e:"\\)",i:'"',c:[r,i,{cN:"type",b:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},e.inherit(e.TM,{b:"[_a-z][\\w']*"}),t]},o={b:"{",e:"}",c:n.c};return{aliases:["hs"],k:"let in if then else case of where do module import hiding qualified type data newtype deriving class instance as default infix infixl infixr foreign export ccall stdcall cplusplus jvm dotnet safe unsafe family forall mdo proc rec",c:[{bK:"module",e:"where",k:"module where",c:[n,t],i:"\\W\\.|;"},{b:"\\bimport\\b",e:"$",k:"import qualified as hiding",c:[n,t],i:"\\W\\.|;"},{cN:"class",b:"^(\\s*)?(class|instance)\\b",e:"where",k:"class family instance where",c:[a,n,t]},{cN:"class",b:"\\b(data|(new)?type)\\b",e:"$",k:"data family type newtype deriving",c:[r,a,n,o,t]},{bK:"default",e:"$",c:[a,n,t]},{bK:"infix infixl infixr",e:"$",c:[e.CNM,t]},{b:"\\bforeign\\b",e:"$",k:"foreign import export ccall stdcall cplusplus jvm dotnet safe unsafe",c:[a,e.QSM,t]},{cN:"meta",b:"#!\\/usr\\/bin\\/env runhaskell",e:"$"},r,i,e.QSM,e.CNM,a,e.inherit(e.TM,{b:"^[_a-z][\\w']*"}),t,{b:"->|<-"}]}}),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 i={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 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:i,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:"meta",b:"@[A-Za-z]+"},{b:"=>"}]}}),hljs.registerLanguage("lasso",function(e){var t="[a-zA-Z_][a-zA-Z0-9_.]*",r="<\\?(lasso(script)?|=)",i="\\]|\\?>",a={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 and or not"},n=e.C("<!--","-->",{r:0}),o={cN:"meta",b:"\\[noprocess\\]",starts:{e:"\\[/noprocess\\]",rE:!0,c:[n]}},s={cN:"meta",b:"\\[/noprocess|"+r},l={cN:"symbol",b:"'"+t+"'"},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:"`"},{v:[{b:"[#$]"+t},{b:"#",e:"\\d+",i:"\\W"}]},{cN:"type",b:"::\\s*",e:t,i:"\\W"},{cN:"attr",v:[{b:"-(?!infinity)"+e.UIR,r:0},{b:"(\\.\\.\\.)"}]},{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:t+"|&[lg]t;",k:a,c:[{cN:"meta",b:i,r:0,starts:{e:"\\[|"+r,rE:!0,r:0,c:[n]}},o,s,{cN:"meta",b:"\\[no_square_brackets",starts:{e:"\\[/no_square_brackets\\]",l:t+"|&[lg]t;",k:a,c:[{cN:"meta",b:i,r:0,starts:{e:"\\[noprocess\\]|"+r,rE:!0,c:[n]}},o,s].concat(c)}},{cN:"meta",b:"\\[",r:0},{cN:"meta",b:"^#!.+lasso9\\b",r:10}].concat(c)}}),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",literal:"P2D P3D HALF_PI PI QUARTER_PI TAU TWO_PI",title:"setup draw",built_in:"displayHeight displayWidth mouseY mouseX mousePressed pmouseX pmouseY key keyCode pixels focused frameCount frameRate height width 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("fsharp",function(e){var t={b:"<",e:">",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:"meta",b:"\\[<",e:">\\]",r:10},{cN:"symbol",b:"\\B('[A-Za-z])\\b",c:[e.BE]},e.CLCM,e.inherit(e.QSM,{i:null}),e.CNM]}}),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("lua",function(e){var t="\\[=*\\[",r="\\]=*\\]",i={b:t,e:r,c:["self"]},a=[e.C("--(?!"+t+")","$"),e.C("--"+t,r,{c:[i],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:a.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:a}].concat(a)},e.CNM,e.ASM,e.QSM,{cN:"string",b:t,e:r,c:[i],r:5}])}}),hljs.registerLanguage("apache",function(e){var t={cN:"number",b:"[\\$%]\\d+"};return{aliases:["apacheconf"],cI:!0,c:[e.HCM,{cN:"section",b:"</?",e:">"},{cN:"attribute",b:/\w+/,r:0,k:{nomarkup:"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:"meta",b:"\\s\\[",e:"\\]$"},{cN:"variable",b:"[\\$%]\\{",e:"\\}",c:["self",t]},t,e.QSM]}}],i:/\S/}}),hljs.registerLanguage("coffeescript",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 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"},r="[A-Za-z$_][0-9A-Za-z$_]*",i={cN:"subst",b:/#\{/,e:/}/,k:t},a=[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,i]},{b:/"/,e:/"/,c:[e.BE,i]}]},{cN:"regexp",v:[{b:"///",e:"///",c:[i,e.HCM]},{b:"//[gim]*",r:0},{b:/\/(?![ *])(\\\/|.)*?\/[gim]*(?=\W|$)/}]},{b:"@"+r},{b:"`",e:"`",eB:!0,eE:!0,sL:"javascript"}];i.c=a;var n=e.inherit(e.TM,{b:r}),o="(\\(.*\\))?\\s*\\B[-=]>",s={cN:"params",b:"\\([^\\(]",rB:!0,c:[{b:/\(/,e:/\)/,k:t,c:["self"].concat(a)}]};return{aliases:["coffee","cson","iced"],k:t,i:/\/\*/,c:a.concat([e.C("###","###"),e.HCM,{cN:"function",b:"^\\s*"+r+"\\s*=\\s*"+o,e:"[-=]>",rB:!0,c:[n,s]},{b:/[:\(,=]\s*/,r:0,c:[{cN:"function",b:o,e:"[-=]>",rB:!0,c:[s]}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[n]},n]},{b:r+":",e:":",rB:!0,rE:!0,r:0}])}}),hljs.registerLanguage("dockerfile",function(e){return{aliases:["docker"],cI:!0,k:"from maintainer cmd expose add copy entrypoint volume user workdir onbuild run env label",c:[e.HCM,{k:"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:"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("scheme",function(e){var t="[^\\(\\)\\[\\]\\{\\}\",'`;#|\\\\\\s]+",r="(\\-|\\+)?\\d+([./]\\d+)?",i=r+"[+\\-]"+r+"i",a={"builtin-name":"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-ci>=? char-ci>? char-downcase char-lower-case? char-numeric? char-ready? char-upcase char-upper-case? char-whitespace? char<=? char<? 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-ci>=? string-ci>? string-copy string-fill! string-length string-ref string-set! string<=? string<? 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:"meta",b:"^#!",e:"$"},o={cN:"literal",b:"(#t|#f|#\\\\"+t+"|#\\\\.)"},s={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]+)?"}]},l=e.QSM,c=[e.C(";","$",{r:0}),e.C("#\\|","\\|#")],d={b:t,r:0},u={cN:"symbol",b:"'"+t},m={eW:!0,r:0},p={v:[{b:"\\(",e:"\\)"},{b:"\\[",e:"\\]"}],c:[{cN:"name",b:t,l:t,k:a},m]};return m.c=[o,s,l,d,u,p].concat(c),{i:/\S/,c:[n,s,l,u,p].concat(c)}}),hljs.registerLanguage("smali",function(e){var t=["add","and","cmp","cmpg","cmpl","const","div","double","float","goto","if","int","long","move","mul","neg","new","nop","not","or","rem","return","shl","shr","sput","sub","throw","ushr","xor"],r=["aget","aput","array","check","execute","fill","filled","goto/16","goto/32","iget","instance","invoke","iput","monitor","packed","sget","sparse"],i=["transient","constructor","abstract","final","synthetic","public","private","protected","static","bridge","system"];return{aliases:["smali"],c:[{cN:"string",b:'"',e:'"',r:0},e.C("#","$",{r:0}),{cN:"keyword",v:[{b:"\\s*\\.end\\s[a-zA-Z0-9]*"},{b:"^[ ]*\\.[a-zA-Z]*",r:0},{b:"\\s:[a-zA-Z_0-9]*",r:0},{b:"\\s("+i.join("|")+")"}]},{cN:"built_in",v:[{b:"\\s("+t.join("|")+")\\s"},{b:"\\s("+t.join("|")+")((\\-|/)[a-zA-Z0-9]+)+\\s",r:10},{b:"\\s("+r.join("|")+")((\\-|/)[a-zA-Z0-9]+)*\\s",r:10}]},{cN:"class",b:"L[^(;:\n]*;",r:0},{b:"[vp][0-9]+"}]}}),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("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 DynamicObject|10 DynamicVariable struct Observable map set vector list array",literal:"true false null"},c:[e.HCM,e.QSM,e.CNM,{cN:"meta",b:"@[A-Za-z]+"}]}}),hljs.registerLanguage("twig",function(e){var t={cN:"params",b:"\\(",e:"\\)"},r="attribute block constant cycle date dump include max min parent random range source template_from_string",i={bK:r,k:{name:r},r:0,c:[t]},a={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:[i]},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:/%}/,c:[{cN:"name",b:/\w+/,k:n,starts:{eW:!0,c:[a,i],r:0}}]},{cN:"template-variable",b:/\{\{/,e:/}}/,c:["self",a,i]}]}}),hljs.registerLanguage("haml",function(e){return{cI:!0,c:[{cN:"meta",b:"^!!!( (5|1\\.1|Strict|Frameset|Basic|Mobile|RDFa|XML\\b.*))?$",r:10},e.C("^\\s*(!=#|=#|-#|/).*$",!1,{r:0}),{b:"^\\s*(-|=|!=)(?!#)",starts:{e:"\\n",sL:"ruby"}},{cN:"tag",b:"^\\s*%",c:[{cN:"selector-tag",b:"\\w+"},{cN:"selector-id",b:"#[\\w-]+"},{cN:"selector-class",b:"\\.[\\w-]+"},{b:"{\\s*",e:"\\s*}",c:[{b:":\\w+\\s*=>",e:",\\s+",rB:!0,eW:!0,c:[{cN:"attr",b:":\\w+"},e.ASM,e.QSM,{b:"\\w+",r:0}]}]},{b:"\\(\\s*",e:"\\s*\\)",eE:!0,c:[{b:"\\w+\\s*=",e:"\\s+",rB:!0,eW:!0,c:[{cN:"attr",b:"\\w+",r:0},e.ASM,e.QSM,{b:"\\w+",r:0}]}]}]},{b:"^\\s*[=~]\\s*"},{b:"#{",starts:{e:"}",sL:"ruby"}}]}}),hljs.registerLanguage("gams",function(e){var t="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:t,c:[{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("capnproto",function(e){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:[e.QSM,e.NM,e.HCM,{cN:"meta",b:/@0x[\w\d]{16};/,i:/\n/},{cN:"symbol",b:/@\d+\b/},{cN:"class",bK:"struct enum",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]},{cN:"class",bK:"interface",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]}]}}),hljs.registerLanguage("accesslog",function(){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("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:"</",c:[e.HCM,e.CNM,e.ASM,e.QSM]}}),hljs.registerLanguage("inform7",function(){var e="\\[",t="\\]";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:e,e:t}]},{cN:"section",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:"\\(This",e:"\\)"}]},{cN:"comment",b:e,e:t,c:["self"]}]}}),hljs.registerLanguage("clojure",function(e){var t={"builtin-name":"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_\\-!.?+*=<>&#'",i="["+r+"]["+r+"0-9/;:]*",a="[-+]?\\d+(\\.\\d+)?",n={b:i,r:0},o={cN:"number",b:a,r:0},s=e.inherit(e.QSM,{i:null}),l=e.C(";","$",{r:0}),c={cN:"literal",b:/\b(true|false|nil)\b/},d={b:"[\\[\\{]",e:"[\\]\\}]"},u={cN:"comment",b:"\\^"+i},m=e.C("\\^\\{","\\}"),p={cN:"symbol",b:"[:]"+i},_={b:"\\(",e:"\\)"},b={eW:!0,r:0},g={k:t,l:i,cN:"name",b:i,starts:b},I=[_,s,u,m,l,p,d,o,c,n];return _.c=[e.C("comment",""),g,b],b.c=I,d.c=I,{aliases:["clj"],i:/\S/,c:[_,s,u,m,l,p,d,o,c]}}),hljs.registerLanguage("yaml",function(e){var t={literal:"{ } true false yes no Yes No True False null"},r="^[ \\-]*",i="[a-zA-Z_][\\w\\-]*",a={cN:"attr",v:[{b:r+i+":"},{b:r+'"'+i+'":'},{b:r+"'"+i+"':"}]},n={cN:"template-variable",v:[{b:"{{",e:"}}"},{b:"%{",e:"}"}]},o={cN:"string",r:0,v:[{b:/'/,e:/'/},{b:/"/,e:/"/}],c:[e.BE,n]};return{cI:!0,aliases:["yml","YAML","yaml"],c:[a,{cN:"meta",b:"^---s*$",r:10},{cN:"string",b:"[\\|>] *$",rE:!0,c:o.c,e:a.v[0].b},{b:"<%[%=-]?",e:"[%-]?%>",sL:"ruby",eB:!0,eE:!0,r:0},{cN:"type",b:"!!"+e.UIR},{cN:"meta",b:"&"+e.UIR+"$"},{cN:"meta",b:"\\*"+e.UIR+"$"},{cN:"bullet",b:"^ *-",r:0},o,e.HCM,e.CNM],k:t}}),hljs.registerLanguage("typescript",function(e){var t={keyword:"in 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 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:t,c:[{cN:"meta",b:/^\s*['"]use strict['"]/},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],r:0},{cN:"function",b:"function",e:/[\{;]/,eE:!0,k:t,c:["self",e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/}),{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,k:t,c:[e.CLCM,e.CBCM],i:/["'\(]/}],i:/\[|%/,r:0},{bK:"constructor",e:/\{/,eE:!0},{bK:"module",e:/\{/,eE:!0},{bK:"interface",e:/\{/,eE:!0,k:"interface extends"},{b:/\$[(.]/},{b:"\\."+e.IR,r:0}]}}),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 bool byte complex64 complex128 float32 float64 int8 int16 int32 int64 string uint8 uint16 uint32 uint64 int uint uintptr rune",literal:"true false iota nil",built_in:"append cap close complex copy imag len make new panic print println real recover delete"};return{aliases:["golang"],k:t,i:"</",c:[e.CLCM,e.CBCM,e.QSM,{cN:"string",b:"'",e:"[^\\\\]'"},{cN:"string",b:"`",e:"`"},{cN:"number",b:e.CNR+"[dflsi]?",r:0},e.CNM]}}),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:"symbol",b:/`[a-zA-Z0-9_]+'/},{cN:"variable",b:/\$\{?[a-zA-Z0-9_]+\}?/},{cN:"string",v:[{b:'`"[^\r\n]*?"\''},{b:'"[^\r\n"]*"'}]},{cN:"built_in",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:/\$\{(.*?)}/}]},r={cN:"string",b:/"/,e:/"/,c:[e.BE,t,{cN:"variable",b:/\$\(/,e:/\)/,c:[e.BE]}]},i={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",_:"-ne -eq -lt -gt -f -d -e -s -l -a"},c:[{cN:"meta",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,r,i,t]}}),hljs.registerLanguage("erlang-repl",function(e){return{k:{built_in:"spawn spawn_link self",keyword:"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:"meta",b:"^[0-9]+> ",r:10},e.C("%","$"),{cN:"number",b:"\\b(\\d+#[a-fA-F0-9]+|\\d+(\\.\\d+)?([eE][-+]?\\d+)?)",r:0},e.ASM,e.QSM,{b:"\\?(::)?([A-Z]\\w*(::)?)+"},{b:"->"},{b:"ok"},{b:"!"},{b:"(\\b[a-z'][a-zA-Z0-9_']*:[a-z'][a-zA-Z0-9_']*)|(\\b[a-z'][a-zA-Z0-9_']*)",r:0},{b:"[A-Z][a-zA-Z0-9_']*",r:0}]}}),hljs.registerLanguage("erb",function(e){return{sL:"xml",c:[e.C("<%#","%>"),{b:"<%[%=-]?",e:"[%-]?%>",sL:"ruby",eB:!0,eE:!0}]}}),hljs.registerLanguage("json",function(e){var t={literal:"true false null"},r=[e.QSM,e.CNM],i={e:",",eW:!0,eE:!0,c:r,k:t},a={b:"{",e:"}",c:[{cN:"attr",b:'\\s*"',e:'"\\s*:\\s*',eB:!0,eE:!0,c:[e.BE],i:"\\n",starts:i}],i:"\\S"},n={b:"\\[",e:"\\]",c:[e.inherit(i)],i:"\\S"};return r.splice(r.length,0,a,n),{c:r,k:t,i:"\\S"}}),hljs.registerLanguage("autohotkey",function(e){var t={b:/`[\s\S]/};return{cI:!0,k:{keyword:"Break Continue Else Gosub If Loop Return While",literal:"A true false NOT AND OR",built_in:"ComSpec Clipboard ClipboardAll ErrorLevel"},c:[{cN:"built_in",b:"A_[a-zA-Z0-9]+"},t,e.inherit(e.QSM,{c:[t]}),e.C(";","$",{r:0}),{cN:"number",b:e.NR,r:0},{cN:"variable",b:"%",e:"%",i:"\\n",c:[t]},{cN:"symbol",c:[t],v:[{b:'^[^\\n";]+::(?!=)'},{b:'^[^\\n";]+:(?!=)',r:0}]},{b:",\\s*,"}]}}),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"},{b:/^\s*[A-Z_]+/,e:/\s*=/,eE:!0}]}}),hljs.registerLanguage("xml",function(e){var t="[A-Za-z0-9\\._:-]+",r={b:/<\?(php)?(?!\w)/,e:/\?>/,sL:"php"},i={eW:!0,i:/</,r:0,c:[r,{cN:"attr",b:t,r:0},{b:"=",r:0,c:[{cN:"string",c:[r],v:[{b:/"/,e:/"/},{b:/'/,e:/'/},{b:/[^\s\/>]+/}]}]}]};return{aliases:["html","xhtml","rss","atom","xsl","plist"],cI:!0,c:[{cN:"meta",b:"<!DOCTYPE",e:">",r:10,c:[{b:"\\[",e:"\\]"}]},e.C("<!--","-->",{r:10}),{b:"<\\!\\[CDATA\\[",e:"\\]\\]>",r:10},{cN:"tag",b:"<style(?=\\s|>|$)",e:">",k:{name:"style"},c:[i],starts:{e:"</style>",rE:!0,sL:["css","xml"]}},{cN:"tag",b:"<script(?=\\s|>|$)",e:">",k:{name:"script"},c:[i],starts:{e:"['<', '/', 'script', '>'].join('')",rE:!0,sL:["actionscript","javascript","handlebars","xml"]}},r,{cN:"meta",b:/<\?\w+/,e:/\?>/,r:10},{cN:"tag",b:"</?",e:"/?>",c:[{cN:"name",b:/[^\/><\s]+/,r:0},i]}]}}),hljs.registerLanguage("tp",function(e){var t={cN:"number",b:"[1-9][0-9]*",r:0},r={cN:"symbol",b:":[^\\]]+"},i={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",t,r]},a={cN:"built_in",b:"(AI|AO|DI|DO|F|RI|RO|UI|UO|GI|GO|SI|SO)\\[",e:"\\]",c:["self",t,e.QSM,r]};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 PROG ATTR MN POS",literal:"ON OFF max_speed LPOS JPOS ENABLE DISABLE START STOP RESET"},c:[i,a,{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},e.C("//","[;$]"),e.C("!","[;$]"),e.C("--eg:","$"),e.QSM,{cN:"string",b:"'",e:"'"},e.CNM,{cN:"variable",b:"\\$[A-Za-z0-9_]+"}]}}),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("http",function(){var e="HTTP/[0-9\\.]+";return{aliases:["https"],i:"\\S",c:[{b:"^"+e,e:"$",c:[{cN:"number",b:"\\b\\d{3}\\b"}]},{b:"^[A-Z]+ (.*?) "+e+"$",rB:!0,e:"$",c:[{cN:"string",b:" ",e:" ",eB:!0,eE:!0},{b:e},{cN:"keyword",b:"[A-Z]+"}]},{cN:"attribute",b:"^\\w",e:": ",eE:!0,i:"\\n|\\s|=",starts:{e:"$",r:0}},{b:"\\n\\n",starts:{sL:[],eW:!0}}]}}),hljs.registerLanguage("ceylon",function(e){var t="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",r="shared abstract formal default actual variable late native deprecatedfinal sealed annotation suppressWarnings small",i="doc by license see throws tagged",a={cN:"subst",eB:!0,eE:!0,b:/``/,e:/``/,k:t,r:10},n=[{cN:"string",b:'"""',e:'"""',r:10},{cN:"string",b:'"',e:'"',c:[a]},{cN:"string",b:"'",e:"'"},{cN:"number",b:"#[0-9a-fA-F_]+|\\$[01_]+|[0-9_]+(?:\\.[0-9_](?:[eE][+-]?\\d+)?)?[kMGTPmunpf]?",r:0}];return a.c=n,{k:{keyword:t+" "+r,meta:i},i:"\\$[^01]|#[^0-9a-fA-F]",c:[e.CLCM,e.C("/\\*","\\*/",{c:["self"]}),{cN:"meta",b:'@[a-z]\\w*(?:\\:"[^"]*")?'}].concat(n)}}),hljs.registerLanguage("cos",function(e){var t={cN:"string",v:[{b:'"',e:'"',c:[{b:'""',r:0}]}]},r={cN:"number",b:"\\b(\\d+(\\.\\d*)?|\\.\\d+)",r:0},i=(e.IR+"\\s*\\(",{keyword:["break","catch","close","continue","do","d","else","elseif","for","goto","halt","hang","h","if","job","j","kill","k","lock","l","merge","new","open","quit","q","read","r","return","set","s","tcommit","throw","trollback","try","tstart","use","view","while","write","w","xecute","x","zkill","znspace","zn","ztrap","zwrite","zw","zzdump","zzwrite","print","zbreak","zinsert","zload","zprint","zremove","zsave","zzprint","mv","mvcall","mvcrt","mvdim","mvprint","zquit","zsync","ascii"].join(" ")});
+return{cI:!0,aliases:["cos","cls"],k:i,c:[r,t,e.CLCM,e.CBCM,{cN:"built_in",b:/\$\$?[a-zA-Z]+/},{cN:"keyword",b:/\$\$\$[a-zA-Z]+/},{cN:"symbol",b:/\^%?[a-zA-Z][\w]*/},{cN:"keyword",b:/##class/},{b:/&sql\(/,e:/\)/,eB:!0,eE:!0,sL:"sql"},{b:/&(js|jscript|javascript)</,e:/>/,eB:!0,eE:!0,sL:"javascript"},{b:/&html<\s*</,e:/>\s*>/,sL:"xml"}]}}),hljs.registerLanguage("ruby",function(e){var t="[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",i={cN:"doctag",b:"@[A-Za-z]+"},a={b:"#<",e:">"},n=[e.C("#","$",{c:[i]}),e.C("^\\=begin","^\\=end",{c:[i],r:10}),e.C("^__END__","\\n$")],o={cN:"subst",b:"#\\{",e:"}",k:r},s={cN:"string",c:[e.BE,o],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/}]},l={cN:"params",b:"\\(",e:"\\)",endsParent:!0,k:r},c=[s,a,{cN:"class",bK:"class module",e:"$|;",i:/=/,c:[e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"}),{b:"<\\s*",c:[{b:"("+e.IR+"::)?"+e.IR}]}].concat(n)},{cN:"function",bK:"def",e:"$|;",c:[e.inherit(e.TM,{b:t}),l].concat(n)},{cN:"symbol",b:e.UIR+"(\\!|\\?)?:",r:0},{cN:"symbol",b:":",c:[s,{b:t}],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:"(\\$\\W)|((\\$|\\@\\@?)(\\w+))"},{b:"("+e.RSR+")\\s*",c:[a,{cN:"regexp",c:[e.BE,o],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);o.c=c,l.c=c;var d="[>?]>",u="[\\w#]+\\(\\w+\\):\\d+:\\d+>",m="(\\w+-)?\\d+\\.\\d+\\.\\d(p\\d+)?[^>]+>",p=[{b:/^\s*=>/,starts:{e:"$",c:c}},{cN:"meta",b:"^("+d+"|"+u+"|"+m+")",starts:{e:"$",c:c}}];return{aliases:["rb","gemspec","podspec","thor","irb"],k:r,i:/\/\*/,c:n.concat(p).concat(c)}}),hljs.registerLanguage("rust",function(e){var t="([uif](8|16|32|64|size))?",r=e.inherit(e.CBCM);r.c.push("self");var i="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!";return{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",literal:"true false",built_in:i},l:e.IR+"!?",i:"</",c:[e.CLCM,r,e.inherit(e.QSM,{i:null}),{cN:"string",v:[{b:/r(#*)".*?"\1(?!#)/},{b:/'\\?(x\w{2}|u\w{4}|U\w{8}|.)'/}]},{cN:"symbol",b:/'[a-zA-Z_][a-zA-Z0-9_]*/},{cN:"number",v:[{b:"\\b0b([01_]+)"+t},{b:"\\b0o([0-7_]+)"+t},{b:"\\b0x([A-Fa-f0-9_]+)"+t},{b:"\\b(\\d[\\d_]*(\\.[0-9_]+)?([eE][+-]?[0-9_]+)?)"+t}],r:0},{cN:"function",bK:"fn",e:"(\\(|<)",eE:!0,c:[e.UTM]},{cN:"meta",b:"#\\!?\\[",e:"\\]"},{cN:"class",bK:"type",e:"(=|<)",c:[e.UTM],i:"\\S"},{cN:"class",bK:"trait enum",e:"{",c:[e.inherit(e.UTM,{endsParent:!0})],i:"[\\w\\d]"},{b:e.IR+"::",k:{built_in:i}},{b:"->"}]}}),hljs.registerLanguage("oxygene",function(e){var t="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",r=e.C("{","}",{r:0}),i=e.C("\\(\\*","\\*\\)",{r:10}),a={cN:"string",b:"'",e:"'",c:[{b:"''"}]},n={cN:"string",b:"(#\\d+)+"},o={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:t,c:[a,n]},r,i]};return{cI:!0,k:t,i:'("|\\$[G-Zg-z]|\\/\\*|</|=>|->)',c:[r,i,e.CLCM,a,n,e.NM,o,{cN:"class",b:"=\\bclass\\b",e:"end;",k:t,c:[a,n,r,i,e.CLCM,o]}]}}),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:"doctag",b:"'''|<!--|-->",c:[e.PWM]},{cN:"doctag",b:"</?",e:">",c:[e.PWM]}]}),e.CNM,{cN:"meta",b:"#",e:"$",k:{"meta-keyword":"if else elseif end region externalsource"}}]}}),hljs.registerLanguage("groovy",function(e){return{k:{literal:"true false null",keyword:"byte short char int long boolean float double void 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:[{b:/\w+@/,r:0},{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:"meta",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:"meta",b:"@[A-Za-z]+"},{cN:"string",b:/[^\?]{0}[A-Za-z0-9_$]+ *:/},{b:/\?/,e:/\:/},{cN:"symbol",b:"^\\s*[A-Za-z0-9_$]+:",r:0}],i:/#|<\//}}),hljs.registerLanguage("ruleslanguage",function(e){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:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.CNM,{cN:"literal",v:[{b:"#\\s+[a-zA-Z\\ \\.]*",r:0},{b:"#[a-zA-Z\\ \\.]+"}]}]}}),hljs.registerLanguage("parser3",function(e){var t=e.C("{","}",{c:["self"]});return{sL:"xml",r:0,c:[e.C("^#","$"),e.C("\\^rem{","}",{r:10,c:[t]}),{cN:"meta",b:"^@(?:BASE|USE|CLASS|OPTIONS)$",r:10},{cN:"title",b:"@[\\w\\-]+\\[[\\w^;\\-]*\\](?:\\[[\\w^;\\-]*\\])?(?:.*)$"},{cN:"variable",b:"\\$\\{?[\\w\\-\\.\\:]+\\}?"},{cN:"keyword",b:"\\^[\\w\\-\\.\\:]+"},{cN:"number",b:"\\^#[0-9a-fA-F]+"},e.CNM]}}),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 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:"variable",b:"#\\((?!parameter).+\\)"}]}}),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 equal less greater strless strgreater strequal matches"},c:[{cN:"variable",b:"\\${",e:"}"},e.HCM,e.QSM,e.NM]}}),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:"meta",b:"#",e:"$"},{cN:"class",bK:"class interface",e:"{",eE:!0,i:":",c:[{bK:"extends implements"},e.UTM]}]}}),hljs.registerLanguage("nsis",function(e){var t={cN:"variable",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)"},r={cN:"variable",b:"\\$+{[a-zA-Z0-9_]+}"},i={cN:"variable",b:"\\$+[a-zA-Z0-9_]+",i:"\\(\\){}"},a={cN:"variable",b:"\\$+\\([a-zA-Z0-9_]+\\)"},n={cN:"built_in",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)"},o={cN:"keyword",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:[{b:"\\$(\\\\(n|r|t)|\\$)"},t,r,i,a]},e.C(";","$",{r:0}),{cN:"function",bK:"Function PageEx Section SectionGroup SubSection",e:"$"},o,r,i,a,n,e.NM,{b:e.IR+"::"+e.IR}]}}),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 import from as",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:"meta",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:/</,e:/>\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},{cN:"class",bK:"class",e:/[{;=]/,eE:!0,i:/[:"\[\]]/,c:[{bK:"extends"},e.UTM]},{bK:"constructor",e:/\{/,eE:!0}],i:/#/}}),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",i="property rsc_defaults op_defaults",a="params meta operations op rule attributes utilization",n="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",s="Master Started Slave Stopped start promote demote stop monitor true false";return{aliases:["crm","pcmk"],cI:!0,k:{keyword:a+" "+n+" "+o,literal:s},c:[e.HCM,{bK:"node",starts:{e:"\\s*([\\w_-]+:)?",starts:{cN:"title",e:"\\s*[\\$\\w_][\\w_-]*"}}},{bK:t,starts:{cN:"title",e:"\\s*[\\$\\w_][\\w_-]*",starts:{e:"\\s*@?[\\w_][\\w_\\.:-]*"}}},{b:"\\b("+r.split(" ").join("|")+")\\s+",k:r,starts:{cN:"title",e:"[\\$\\w_][\\w_-]*"}},{bK:i,starts:{cN:"title",e:"\\s*([\\w_-]+:)?"}},e.QSM,{cN:"meta",b:"(ocf|systemd|service|lsb):[\\w_:-]+",r:0},{cN:"number",b:"\\b\\d+(\\.\\d+)?(ms|s|h|m)?",r:0},{cN:"literal",b:"[-]?(infinity|inf)",r:0},{cN:"attr",b:/([A-Za-z\$_\#][\w_-]+)=/,r:0},{cN:"tag",b:"</?",e:"/?>",r:0}]}}),hljs.registerLanguage("julia",function(e){var t={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 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 \u03b3 \u03c0 \u03c6 Inf64 NaN64 RoundNearestTiesAway RoundNearestTiesUp ",built_in:"ANY 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 AbstractChannel AbstractFloat AbstractString AssertionError Base64DecodePipe Base64EncodePipe BufferStream CapturedException CartesianIndex CartesianRange Channel Cintmax_t CompositeException Cstring Cuintmax_t Cwstring Date DateTime Dims Enum GenSym GlobalRef HTML InitError InvalidStateException Irrational LinSpace LowerTriangular NullException Nullable OutOfMemoryError Pair PartialQuickSort Pipe RandomDevice ReadOnlyMemoryError ReentrantLock Ref RemoteException SegmentationFault SerializationState SimpleVector TCPSocket Text Tuple UDPSocket UInt UInt128 UInt16 UInt32 UInt64 UInt8 UnicodeError Union UpperTriangular Val Void WorkerConfig AbstractMatrix AbstractSparseMatrix AbstractSparseVector AbstractVecOrMat AbstractVector DenseMatrix DenseVecOrMat DenseVector Matrix SharedMatrix SharedVector StridedArray StridedMatrix StridedVecOrMat StridedVector VecOrMat Vector "},r="[A-Za-z_\\u00A1-\\uFFFF][A-Za-z_0-9\\u00A1-\\uFFFF]*",i={l:r,k:t,i:/<\//},a={cN:"type",b:/::/},n={cN:"type",b:/<:/},o={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},s={cN:"string",b:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},l={cN:"subst",b:/\$\(/,e:/\)/,k:t},c={cN:"variable",b:"\\$"+r},d={cN:"string",c:[e.BE,l,c],v:[{b:/\w*"""/,e:/"""\w*/,r:10},{b:/\w*"/,e:/"\w*/}]},u={cN:"string",c:[e.BE,l,c],b:"`",e:"`"},m={cN:"meta",b:"@"+r},p={cN:"comment",v:[{b:"#=",e:"=#",r:10},{b:"#",e:"$"}]};return i.c=[o,s,a,n,d,u,m,p,e.HCM],l.c=i.c,i}),hljs.registerLanguage("cal",function(e){var t="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",r="false true",i=[e.CLCM,e.C(/\{/,/\}/,{r:0}),e.C(/\(\*/,/\*\)/,{r:10})],a={cN:"string",b:/'/,e:/'/,c:[{b:/''/}]},n={cN:"string",b:/(#\d+)+/},o={cN:"number",b:"\\b\\d+(\\.\\d+)?(DT|D|T)",r:0},s={cN:"string",b:'"',e:'"'},l={cN:"function",bK:"procedure",e:/[:;]/,k:"procedure|10",c:[e.TM,{cN:"params",b:/\(/,e:/\)/,k:t,c:[a,n]}].concat(i)},c={cN:"class",b:"OBJECT (Table|Form|Report|Dataport|Codeunit|XMLport|MenuSuite|Page|Query) (\\d+) ([^\\r\\n]+)",rB:!0,c:[e.TM,l]};return{cI:!0,k:{keyword:t,literal:r},i:/\/\*/,c:[a,n,o,s,e.NM,c,l]}}),hljs.registerLanguage("cs",function(e){var t="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",r=e.IR+"(<"+e.IR+">)?";return{aliases:["csharp"],k:t,i:/::/,c:[e.C("///","$",{rB:!0,c:[{cN:"doctag",v:[{b:"///",r:0},{b:"<!--|-->"},{b:"</?",e:">"}]}]}),e.CLCM,e.CBCM,{cN:"meta",b:"#",e:"$",k:{"meta-keyword":"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:[e.inherit(e.TM,{b:"[a-zA-Z](\\.?\\w)*"}),e.CLCM,e.CBCM]},{bK:"new return throw await",r:0},{cN:"function",b:"("+r+"\\s+)+"+e.IR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:t,c:[{b:e.IR+"\\s*\\(",rB:!0,c:[e.TM],r:0},{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,k:t,r:0,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]}]}}),hljs.registerLanguage("livecodeserver",function(e){var t={b:"\\b[gtps][A-Z]+[A-Za-z0-9_\\-]*\\b|\\$_[A-Z]+",r:0},r=[e.CBCM,e.HCM,e.C("--","$"),e.C("[^:]//","$")],i=e.inherit(e.TM,{v:[{b:"\\b_*rig[A-Z]+[A-Za-z0-9_\\-]*"},{b:"\\b_[a-z0-9\\-]+"}]}),a=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 div mod wrap and or bitAnd bitNot bitOr bitXor among not in a an within contains ends with begins the keys of keys",literal:"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",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:[t,{cN:"keyword",b:"\\bend\\sif\\b"},{cN:"function",bK:"function",e:"$",c:[t,a,e.ASM,e.QSM,e.BNM,e.CNM,i]},{cN:"function",b:"\\bend\\s+",e:"$",k:"end",c:[a,i]},{bK:"command on",e:"$",c:[t,a,e.ASM,e.QSM,e.BNM,e.CNM,i]},{cN:"meta",v:[{b:"<\\?(rev|lc|livecode)",r:10},{b:"<\\?"},{b:"\\?>"}]},e.ASM,e.QSM,e.BNM,e.CNM,i].concat(r),i:";$|^\\[|^="}
+}),hljs.registerLanguage("openscad",function(e){var t={cN:"keyword",b:"\\$(f[asn]|t|vp[rtd]|children)"},r={cN:"literal",b:"false|true|PI|undef"},i={cN:"number",b:"\\b\\d+(\\.\\d+)?(e-?\\d+)?",r:0},a=e.inherit(e.QSM,{i:null}),n={cN:"meta",k:{"meta-keyword":"include use"},b:"include|use <",e:">"},o={cN:"params",b:"\\(",e:"\\)",c:["self",i,a,t,r]},s={b:"[*!#%]",r:0},l={cN:"function",bK:"module function",e:"\\=|\\{",c:[o,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,n,a,t,s,l]}}),hljs.registerLanguage("prolog",function(e){var t={b:/[a-z][A-Za-z0-9_]*/,r:0},r={cN:"symbol",v:[{b:/[A-Z][a-zA-Z0-9_]*/},{b:/_[A-Za-z0-9_]*/}],r:0},i={b:/\(/,e:/\)/,r:0},a={b:/\[/,e:/\]/},n={cN:"comment",b:/%/,e:/$/,c:[e.PWM]},o={cN:"string",b:/`/,e:/`/,c:[e.BE]},s={cN:"string",b:/0\'(\\\'|.)/},l={cN:"string",b:/0\'\\s/},c={b:/:-/},d=[t,r,i,c,a,n,e.CBCM,e.QSM,e.ASM,o,s,l,e.CNM];return i.c=d,a.c=d,{c:d.concat([{b:/\.$/}])}}),hljs.registerLanguage("diff",function(){return{aliases:["patch"],c:[{cN:"meta",r:10,v:[{b:/^@@ +\-\d+,\d+ +\+\d+,\d+ +@@$/},{b:/^\*\*\* +\d+,\d+ +\*\*\*\*$/},{b:/^\-\-\- +\d+,\d+ +\-\-\-\-$/}]},{cN:"comment",v:[{b:/Index: /,e:/$/},{b:/=====/,e:/=====$/},{b:/^\-\-\-/,e:/$/},{b:/^\*{3} /,e:/$/},{b:/^\+\+\+/,e:/$/},{b:/\*{5}/,e:/\*{5}$/}]},{cN:"addition",b:"^\\+",e:"$"},{cN:"deletion",b:"^\\-",e:"$"},{cN:"addition",b:"^\\!",e:"$"}]}}),hljs.registerLanguage("monkey",function(e){var t={cN:"number",r:0,v:[{b:"[$][a-fA-F0-9]+"},e.NM]};return{cI:!0,k:{keyword:"public private property continue exit extern new try catch eachin not abstract final select case default const local global field end if then else elseif endif while wend repeat until forever for to step next return module inline throw import",built_in:"DebugLog DebugStop Error Print ACos ACosr ASin ASinr ATan ATan2 ATan2r ATanr Abs Abs Ceil Clamp Clamp Cos Cosr Exp Floor Log Max Max Min Min Pow Sgn Sgn Sin Sinr Sqrt Tan Tanr Seed PI HALFPI TWOPI",literal:"true false null and or shl shr mod"},i:/\/\*/,c:[e.C("#rem","#end"),e.C("'","$",{r:0}),{cN:"function",bK:"function method",e:"[(=:]|$",i:/\n/,c:[e.UTM]},{cN:"class",bK:"class interface",e:"$",c:[{bK:"extends implements"},e.UTM]},{cN:"built_in",b:"\\b(self|super)\\b"},{cN:"meta",b:"\\s*#",e:"$",k:{"meta-keyword":"if else elseif endif end then"}},{cN:"meta",b:"^\\s*strict\\b"},{bK:"alias",e:"=",c:[e.UTM]},e.QSM,t]}}),hljs.registerLanguage("profile",function(e){return{c:[e.CNM,{b:"[a-zA-Z_][\\da-zA-Z_]+\\.[\\da-zA-Z_]{1,3}",e:":",eE:!0},{b:"(ncalls|tottime|cumtime)",e:"$",k:"ncalls tottime|10 cumtime|10 filename",r:10},{b:"function calls",e:"$",c:[e.CNM],r:10},e.ASM,e.QSM,{cN:"string",b:"\\(",e:"\\)$",eB:!0,eE:!0,r:0}]}}),hljs.registerLanguage("scss",function(e){var t="[a-zA-Z-][a-zA-Z0-9_-]*",r={cN:"variable",b:"(\\$"+t+")\\b"},i={cN:"number",b:"#[0-9A-Fa-f]+"};return{cN:"attribute",b:"[A-Z\\_\\.\\-]+",e:":",eE:!0,i:"[^\\s]",starts:{eW:!0,eE:!0,c:[i,e.CSSNM,e.QSM,e.ASM,e.CBCM,{cN:"meta",b:"!important"}]}},{cI:!0,i:"[=/|']",c:[e.CLCM,e.CBCM,{cN:"selector-id",b:"\\#[A-Za-z0-9_-]+",r:0},{cN:"selector-class",b:"\\.[A-Za-z0-9_-]+",r:0},{cN:"selector-attr",b:"\\[",e:"\\]",i:"$"},{cN:"selector-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},{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)"},{b:"::(after|before|choices|first-letter|first-line|repeat-index|repeat-item|selection|value)"},r,{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]"},{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"},{b:":",e:";",c:[r,i,e.CSSNM,e.QSM,e.ASM,{cN:"meta",b:"!important"}]},{b:"@",e:"[{;]",k:"mixin include extend for if else each while charset import debug media page content font-face namespace warn",c:[r,e.QSM,e.ASM,i,e.CSSNM,{b:"\\s[A-Za-z0-9_.-]+",r:0}]}]}}),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",r="get set args call";return{k:t,i:/<\/|#/,c:[e.C("/\\*\\*","\\*/",{r:0,c:[{b:/\w+@/,r:0},{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,e.ASM,e.QSM,{cN:"class",bK:"aspect",e:/[{;=]/,eE:!0,i:/[:;"\[\]]/,c:[{bK:"extends implements pertypewithin perthis pertarget percflowbelow percflow issingleton"},e.UTM,{b:/\([^\)]*/,e:/[)]+/,k:t+" "+r,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+" "+r},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:"meta",b:"@[A-Za-z]+"}]}}),hljs.registerLanguage("fortran",function(e){var t={cN:"params",b:"\\(",e:"\\)"},r={literal:".False. .True.",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 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",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:r,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("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:"type",b:"`[A-Z][\\w']*"},{cN:"type",b:"\\b[A-Z][\\w']*",r:0},{b:"[a-z_]\\w*'[\\w']*"},e.inherit(e.ASM,{cN:"string",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("q",function(e){var t={keyword:"do while select delete by update from",literal:"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",type:"`float `double int `timestamp `timespan `datetime `time `boolean `symbol `char `byte `short `long `real `month `date `minute `second `guid"};return{aliases:["k","kdb"],k:t,l:/(`?)[A-Za-z0-9_]+\b/,c:[e.CLCM,e.QSM,e.CNM]}}),hljs.registerLanguage("vhdl",function(e){var t="\\d(_|\\d)*",r="[eE][-+]?"+t,i=t+"(\\."+t+")?("+r+")?",a="\\w+",n=t+"#"+a+"(\\."+a+")?#("+r+")?",o="\\b("+n+"|"+i+")";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",built_in:"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:o,r:0},{cN:"literal",b:"'(U|X|0|1|Z|W|L|H|-)'",c:[e.BE]},{cN:"symbol",b:"'[A-Za-z](_?[A-Za-z0-9])*",c:[e.BE]}]}}),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.CLCM,e.CBCM,e.QSM,e.ASM,e.CNM,{cN:"meta",b:"#",e:"$"},{cN:"class",bK:"surface displacement light volume imager",e:"\\("},{bK:"illuminate illuminance gather",e:"\\("}]}}),hljs.registerLanguage("scala",function(e){var t={cN:"meta",b:"@[A-Za-z]+"},r={cN:"subst",v:[{b:"\\$[A-Za-z0-9_]+"},{b:"\\${",e:"}"}]},i={cN:"string",v:[{b:'"',e:'"',i:"\\n",c:[e.BE]},{b:'"""',e:'"""',r:10},{b:'[a-z]+"',e:'"',i:"\\n",c:[e.BE,r]},{cN:"string",b:'[a-z]+"""',e:'"""',c:[r],r:10}]},a={cN:"symbol",b:"'\\w[\\w\\d_]*(?!')"},n={cN:"type",b:"\\b[A-Z][A-Za-z0-9_]*",r:0},o={cN:"title",b:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/,r:0},s={cN:"class",bK:"class object trait type",e:/[:={\[\n;]/,eE:!0,c:[{bK:"extends with",r:10},{b:/\[/,e:/\]/,eB:!0,eE:!0,r:0,c:[n]},{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,r:0,c:[n]},o]},l={cN:"function",bK:"def",e:/[:={\[(\n;]/,eE:!0,c:[o]};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,i,a,n,l,s,e.CNM,t]}}),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},i={b:"->{",e:"}"},a={v:[{b:/\$\d/},{b:/[\$%@](\^\w\b|#\w+(::\w+)*|{\w+}|\w+(::\w*)*)/},{b:/[\$%@][^\s\w{]/,r:0}]},n=[e.BE,r,a],o=[a,e.HCM,e.C("^\\=\\w","\\=cut",{eW:!0}),i,{cN:"string",c:n,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:"function",bK:"sub",e:"(\\s*\\(.*?\\))?[;{]",eE:!0,r:5,c:[e.TM]},{b:"-\\w\\b",r:0},{b:"^__DATA__$",e:"^__END__$",sL:"mojolicious",c:[{b:"^@@.*",e:"$",cN:"comment"}]}];return r.c=o,i.c=o,{aliases:["pl"],k:t,c:o}}),hljs.registerLanguage("pf",function(e){var t={cN:"variable",b:/\$[\w\d#@][\w\d_]*/},r={cN:"variable",b:/</,e:/>/};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:[e.HCM,e.NM,e.QSM,t,r]}}),hljs.registerLanguage("haxe",function(e){var t="([*]|[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:"meta",b:"#",e:"$",k:{"meta-keyword":"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]},{b:":\\s*"+t}]}]}}),hljs.registerLanguage("cpp",function(e){var t={cN:"keyword",b:"\\b[a-z\\d_]*_t\\b"},r={cN:"string",v:[e.inherit(e.QSM,{b:'((u8?|U)|L)?"'}),{b:'(u8?|U)?R"',e:'"',c:[e.BE]},{b:"'\\\\?.",e:"'",i:"."}]},i={cN:"number",v:[{b:"\\b(\\d+(\\.\\d*)?|\\.\\d+)(u|U|l|L|ul|UL|f|F)"},{b:e.CNR}],r:0},a={cN:"meta",b:"#",e:"$",k:{"meta-keyword":"if else elif endif define undef warning error line pragma ifdef ifndef"},c:[{b:/\\\n/,r:0},{bK:"include",e:"$",k:{"meta-keyword":"include"},c:[e.inherit(r,{cN:"meta-string"}),{cN:"meta-string",b:"<",e:">",i:"\\n"}]},r,e.CLCM,e.CBCM]},n=e.IR+"\\s*\\(",o={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 endl initializer_list unique_ptr",literal:"true false nullptr NULL"};return{aliases:["c","cc","h","c++","h++","hpp"],k:o,i:"</",c:[t,e.CLCM,e.CBCM,i,r,a,{b:"\\b(deque|list|queue|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array)\\s*<",e:">",k:o,c:["self",t]},{b:e.IR+"::",k:o},{bK:"new throw return else",r:0},{cN:"function",b:"("+e.IR+"[\\*&\\s]+)+"+n,rB:!0,e:/[{;=]/,eE:!0,k:o,i:/[^\w\s\*&]/,c:[{b:n,rB:!0,c:[e.TM],r:0},{cN:"params",b:/\(/,e:/\)/,k:o,r:0,c:[e.CLCM,e.CBCM,r,i]},e.CLCM,e.CBCM,a]}]}}),hljs.registerLanguage("css",function(e){var t="[a-zA-Z-][a-zA-Z0-9_-]*",r={b:/[A-Z\_\.\-]+\s*:/,rB:!0,e:";",eW:!0,c:[{cN:"attribute",b:/\S/,e:":",eE:!0,starts:{eW:!0,eE:!0,c:[{b:/[\w-]+\s*\(/,rB:!0,c:[{cN:"built_in",b:/[\w-]+/}]},e.CSSNM,e.QSM,e.ASM,e.CBCM,{cN:"number",b:"#[0-9A-Fa-f]+"},{cN:"meta",b:"!important"}]}}]};return{cI:!0,i:/[=\/|'\$]/,c:[e.CBCM,{cN:"selector-id",b:/#[A-Za-z0-9_-]+/},{cN:"selector-class",b:/\.[A-Za-z0-9_-]+/},{cN:"selector-attr",b:/\[/,e:/\]/,i:"$"},{cN:"selector-pseudo",b:/:(:)?[a-zA-Z0-9\_\-\+\(\)"']+/},{b:"@(font-face|page)",l:"[a-z-]+",k:"font-face page"},{b:"@",e:"[{;]",c:[{cN:"keyword",b:/\S+/},{b:/\s/,eW:!0,eE:!0,r:0,c:[e.ASM,e.QSM,e.CSSNM]}]},{cN:"selector-tag",b:t,r:0},{b:"{",e:"}",i:/\S/,c:[e.CBCM,r]}]}}),hljs.registerLanguage("django",function(e){var t={b:/\|[A-Za-z]+:?/,k:{name:"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:[e.QSM,e.ASM]};return{aliases:["jinja"],cI:!0,sL:"xml",c:[e.C(/\{%\s*comment\s*%}/,/\{%\s*endcomment\s*%}/),e.C(/\{#/,/#}/),{cN:"template-tag",b:/\{%/,e:/%}/,c:[{cN:"name",b:/\w+/,k:{name:"comment endcomment load templatetag ifchanged endifchanged if endif firstof for endfor ifnotequal endifnotequal widthratio extends include spaceless endspaceless regroup 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"},starts:{eW:!0,k:"in by as",c:[t],r:0}}]},{cN:"template-variable",b:/\{\{/,e:/}}/,c:[t]}]}}),hljs.registerLanguage("erlang",function(e){var t="[a-z'][a-zA-Z0-9_']*",r="("+t+":"+t+"|"+t+")",i={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"},a=e.C("%","$"),n={cN:"number",b:"\\b(\\d+#[a-fA-F0-9]+|\\d+(\\.\\d+)?([eE][-+]?\\d+)?)",r:0},o={b:"fun\\s+"+t+"/\\d+"},s={b:r+"\\(",e:"\\)",rB:!0,r:0,c:[{b:r,r:0},{b:"\\(",e:"\\)",eW:!0,rE:!0,r:0}]},l={b:"{",e:"}",r:0},c={b:"\\b_([A-Z][A-Za-z0-9_]*)?",r:0},d={b:"[A-Z][a-zA-Z0-9_]*",r:0},u={b:"#"+e.UIR,r:0,rB:!0,c:[{b:"#"+e.UIR,r:0},{b:"{",e:"}",r:0}]},m={bK:"fun receive if try case",e:"end",k:i};m.c=[a,o,e.inherit(e.ASM,{cN:""}),m,s,e.QSM,n,l,c,d,u];var p=[a,o,m,s,e.QSM,n,l,c,d,u];s.c[1].c=p,l.c=p,u.c[1].c=p;var _={cN:"params",b:"\\(",e:"\\)",c:p};return{aliases:["erl"],k:i,i:"(</|\\*=|\\+=|-=|/\\*|\\*/|\\(\\*|\\*\\))",c:[{cN:"function",b:"^"+t+"\\s*\\(",e:"->",rB:!0,i:"\\(|#|//|/\\*|\\\\|:|;",c:[_,e.inherit(e.TM,{b:t})],starts:{e:";|\\.",k:i,c:p}},a,{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:[_]},n,e.QSM,u,c,d,l,{b:/\.$/}]}}),hljs.registerLanguage("hsp",function(e){return{cI:!0,k:"goto gosub return break repeat loop continue wait await dim sdim foreach dimtype dup dupptr end stop newmod delmod mref run exgoto on mcall assert logmes newlab resume yield onexit onerror onkey onclick oncmd exist delete mkdir chdir dirlist bload bsave bcopy memfile if else poke wpoke lpoke getstr chdpm memexpand memcpy memset notesel noteadd notedel noteload notesave randomize noteunsel noteget split strrep setease button chgdisp exec dialog mmload mmplay mmstop mci pset pget syscolor mes print title pos circle cls font sysfont objsize picload color palcolor palette redraw width gsel gcopy gzoom gmode bmpsave hsvcolor getkey listbox chkbox combox input mesbox buffer screen bgscr mouse objsel groll line clrobj boxf objprm objmode stick grect grotate gsquare gradf objimage objskip objenable celload celdiv celput newcom querycom delcom cnvstow comres axobj winobj sendmsg comevent comevarg sarrayconv callfunc cnvwtos comevdisp libptr system hspstat hspver stat cnt err strsize looplev sublev iparam wparam lparam refstr refdval int rnd strlen length length2 length3 length4 vartype gettime peek wpeek lpeek varptr varuse noteinfo instr abs limit getease str strmid strf getpath strtrim sin cos tan atan sqrt double absf expf logf limitf powf geteasef mousex mousey mousew hwnd hinstance hdc ginfo objinfo dirinfo sysinfo thismod __hspver__ __hsp30__ __date__ __time__ __line__ __file__ _debug __hspdef__ and or xor not screen_normal screen_palette screen_hide screen_fixedsize screen_tool screen_frame gmode_gdi gmode_mem gmode_rgb0 gmode_alpha gmode_rgb0alpha gmode_add gmode_sub gmode_pixela ginfo_mx ginfo_my ginfo_act ginfo_sel ginfo_wx1 ginfo_wy1 ginfo_wx2 ginfo_wy2 ginfo_vx ginfo_vy ginfo_sizex ginfo_sizey ginfo_winx ginfo_winy ginfo_mesx ginfo_mesy ginfo_r ginfo_g ginfo_b ginfo_paluse ginfo_dispx ginfo_dispy ginfo_cx ginfo_cy ginfo_intid ginfo_newid ginfo_sx ginfo_sy objinfo_mode objinfo_bmscr objinfo_hwnd notemax notesize dir_cur dir_exe dir_win dir_sys dir_cmdline dir_desktop dir_mydoc dir_tv font_normal font_bold font_italic font_underline font_strikeout font_antialias objmode_normal objmode_guifont objmode_usefont gsquare_grad msgothic msmincho do until while wend for next _break _continue switch case default swbreak swend ddim ldim alloc m_pi rad2deg deg2rad ease_linear ease_quad_in ease_quad_out ease_quad_inout ease_cubic_in ease_cubic_out ease_cubic_inout ease_quartic_in ease_quartic_out ease_quartic_inout ease_bounce_in ease_bounce_out ease_bounce_inout ease_shake_in ease_shake_out ease_shake_inout ease_loop",c:[e.CLCM,e.CBCM,e.QSM,e.ASM,{cN:"string",b:'{"',e:'"}',c:[e.BE]},e.C(";","$"),{cN:"meta",b:"#",e:"$",k:{"meta-keyword":"addion cfunc cmd cmpopt comfunc const defcfunc deffunc define else endif enum epack func global if ifdef ifndef include modcfunc modfunc modinit modterm module pack packopt regcmd runtime undef usecom uselib"},c:[e.inherit(e.QSM,{cN:"meta-string"}),e.NM,e.CNM,e.CLCM,e.CBCM]},{cN:"symbol",b:"^\\*(\\w+|@)"},e.NM,e.CNM]}
+}),hljs.registerLanguage("elm",function(e){var t={v:[e.C("--","$"),e.C("{-","-}",{c:["self"]})]},r={cN:"type",b:"\\b[A-Z][\\w']*",r:0},i={b:"\\(",e:"\\)",i:'"',c:[{cN:"type",b:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},t]},a={b:"{",e:"}",c:i.c};return{k:"let in if then else case of where module import exposing type alias as infix infixl infixr port",c:[{bK:"module",e:"where",k:"module where",c:[i,t],i:"\\W\\.|;"},{b:"import",e:"$",k:"import as exposing",c:[i,t],i:"\\W\\.|;"},{b:"type",e:"$",k:"type alias",c:[r,i,a,t]},{bK:"infix infixl infixr",e:"$",c:[e.CNM,t]},{b:"port",e:"$",k:"port",c:[t]},e.QSM,e.CNM,r,e.inherit(e.TM,{b:"^[_a-z][\\w']*"}),t,{b:"->|<-"}]}}),hljs.registerLanguage("r",function(e){var t="([a-zA-Z]|\\.[a-zA-Z.])[a-zA-Z0-9._]*";return{c:[e.HCM,{b:t,l:t,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:[{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("irpf90",function(e){var t={cN:"params",b:"\\(",e:"\\)"},r={literal:".False. .True.",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 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 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:r,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}]}});
+ </script>
+ <script>
+ !function(t,e,i){function n(t,e){return typeof t===e}function s(){var t,e,i,s,o,a,r;for(var l in b){if(t=[],e=b[l],e.name&&(t.push(e.name.toLowerCase()),e.options&&e.options.aliases&&e.options.aliases.length))for(i=0;i<e.options.aliases.length;i++)t.push(e.options.aliases[i].toLowerCase());for(s=n(e.fn,"function")?e.fn():e.fn,o=0;o<t.length;o++)a=t[o],r=a.split("."),1===r.length?S[r[0]]=s:2===r.length&&(!S[r[0]]||S[r[0]]instanceof Boolean||(S[r[0]]=new Boolean(S[r[0]])),S[r[0]][r[1]]=s),v.push((s?"":"no-")+r.join("-"))}}function o(t){var e=T.className,i=S._config.classPrefix||"",n=new RegExp("(^|\\s)"+i+"no-js(\\s|$)");e=e.replace(n,"$1"+i+"js$2"),S._config.enableClasses&&(e+=" "+i+t.join(" "+i),T.className=e)}function a(){var t=e.body;return t||(t=w("body"),t.fake=!0),t}function r(t,e,i,n){var s,o,r,l,c="modernizr",d=w("div"),h=a();if(parseInt(i,10))for(;i--;)r=w("div"),r.id=n?n[i]:c+(i+1),d.appendChild(r);return s=["\xad",'<style id="s',c,'">',t,"</style>"].join(""),d.id=c,(h.fake?h:d).innerHTML+=s,h.appendChild(d),h.fake&&(h.style.background="",h.style.overflow="hidden",l=T.style.overflow,T.style.overflow="hidden",T.appendChild(h)),o=e(d,t),h.fake?(h.parentNode.removeChild(h),T.style.overflow=l,T.offsetHeight):d.parentNode.removeChild(d),!!o}function l(t,e){return!!~(""+t).indexOf(e)}function c(t){return t.replace(/([a-z])-([a-z])/g,function(t,e,i){return e+i.toUpperCase()}).replace(/^-/,"")}function d(t){return t.replace(/([A-Z])/g,function(t,e){return"-"+e.toLowerCase()}).replace(/^ms-/,"-ms-")}function h(e,n){var s=e.length;if("CSS"in t&&"supports"in t.CSS){for(;s--;)if(t.CSS.supports(d(e[s]),n))return!0;return!1}if("CSSSupportsRule"in t){for(var o=[];s--;)o.push("("+d(e[s])+":"+n+")");return o=o.join(" or "),r("@supports ("+o+") { #modernizr { position: absolute; } }",function(e){return"absolute"==(t.getComputedStyle?getComputedStyle(e,null):e.currentStyle).position})}return i}function u(t,e,s,o){function a(){c&&(delete x.style,delete x.modElem)}if(o=n(o,"undefined")?!1:o,!n(s,"undefined")){var r=h(t,s);if(!n(r,"undefined"))return r}var c,d,u,p;x.style||(c=!0,x.modElem=w("modernizr"),x.style=x.modElem.style);for(d in t)if(u=t[d],p=x.style[u],!l(u,"-")&&x.style[u]!==i){if(o||n(s,"undefined"))return a(),"pfx"==e?u:!0;try{x.style[u]=s}catch(f){}if(x.style[u]!=p)return a(),"pfx"==e?u:!0}return a(),!1}function p(t,e){return function(){return t.apply(e,arguments)}}function f(t,e,i){var s;for(var o in t)if(t[o]in e)return i===!1?t[o]:(s=e[t[o]],n(s,"function")?p(s,i||e):s);return!1}function m(t,e,i,s,o){var a=t.charAt(0).toUpperCase()+t.slice(1),r=(t+" "+C.join(a+" ")+a).split(" ");return n(e,"string")||n(e,"undefined")?u(r,e,s,o):(r=(t+" "+_.join(a+" ")+a).split(" "),f(r,e,i))}function g(t,e,n){return m(t,i,i,e,n)}var v=[],b=[],y={_version:"v3.0.0pre",_config:{classPrefix:"mz-",enableClasses:!0,usePrefixes:!0},_q:[],on:function(t,e){setTimeout(function(){e(this[t])},0)},addTest:function(t,e,i){b.push({name:t,fn:e,options:i})},addAsyncTest:function(t){b.push({name:null,fn:t})}},S=function(){};S.prototype=y,S=new S,S.addTest("applicationcache","applicationCache"in t),S.addTest("history",function(){var e=navigator.userAgent;return-1===e.indexOf("Android 2.")&&-1===e.indexOf("Android 4.0")||-1===e.indexOf("Mobile Safari")||-1!==e.indexOf("Chrome")?t.history&&"pushState"in t.history:!1}),S.addTest("localstorage",function(){var t="modernizr";try{return localStorage.setItem(t,t),localStorage.removeItem(t),!0}catch(e){return!1}}),S.addTest("svg",!!e.createElementNS&&!!e.createElementNS("http://www.w3.org/2000/svg","svg").createSVGRect);var E=y._config.usePrefixes?" -webkit- -moz- -o- -ms- ".split(" "):[];y._prefixes=E;var T=e.documentElement,L="Webkit Moz O ms",_=y._config.usePrefixes?L.toLowerCase().split(" "):[];y._domPrefixes=_;var w=function(){return e.createElement.apply(e,arguments)};S.addTest("opacity",function(){var t=w("div"),e=t.style;return e.cssText=E.join("opacity:.55;"),/^0.55$/.test(e.opacity)}),S.addTest("rgba",function(){var t=w("div"),e=t.style;return e.cssText="background-color:rgba(150,255,150,.5)",(""+e.backgroundColor).indexOf("rgba")>-1});var k=y.testStyles=r,C=y._config.usePrefixes?L.split(" "):[];y._cssomPrefixes=C;var A={elem:w("modernizr")};S._q.push(function(){delete A.elem});var x={style:A.elem.style};S._q.unshift(function(){delete x.style});y.testProp=function(t,e,n){return u([t],i,e,n)};y.testAllProps=m,y.testAllProps=g,S.addTest("backgroundsize",g("backgroundSize","100%",!0)),S.addTest("cssanimations",g("animationName","a",!0)),S.addTest("csstransforms",g("transform","scale(1)",!0)),S.addTest("csstransforms3d",function(){var t=!!g("perspective","1px",!0),e=S._config.usePrefixes;if(t&&(!e||"webkitPerspective"in T.style)){var i="@media (transform-3d)";e&&(i+=",(-webkit-transform-3d)"),i+="{#modernizr{left:9px;position:absolute;height:5px;margin:0;padding:0;border:0}}",k(i,function(e){t=9===e.offsetLeft&&5===e.offsetHeight})}return t}),S.addTest("csstransitions",g("transition","all",!0)),S.addTest("flexbox",g("flexBasis","1px",!0)),S.addTest("flexboxlegacy",g("boxDirection","reverse",!0));var D=y.prefixed=function(t,e,i){return-1!=t.indexOf("-")&&(t=c(t)),e?m(t,e,i):m(t,"pfx")};S.addTest("fullscreen",!(!D("exitFullscreen",e,!1)&&!D("cancelFullScreen",e,!1))),s(),o(v),delete y.addTest,delete y.addAsyncTest;for(var I=0;I<S._q.length;I++)S._q[I]();t.Modernizr=S}(this,document),function(t,e){"object"==typeof module&&"object"==typeof module.exports?module.exports=t.document?e(t,!0):function(t){if(!t.document)throw new Error("jQuery requires a window with a document");return e(t)}:e(t)}("undefined"!=typeof window?window:this,function(t,e){function i(t){var e=t.length,i=se.type(t);return"function"===i||se.isWindow(t)?!1:1===t.nodeType&&e?!0:"array"===i||0===e||"number"==typeof e&&e>0&&e-1 in t}function n(t,e,i){if(se.isFunction(e))return se.grep(t,function(t,n){return!!e.call(t,n,t)!==i});if(e.nodeType)return se.grep(t,function(t){return t===e!==i});if("string"==typeof e){if(ue.test(e))return se.filter(e,t,i);e=se.filter(e,t)}return se.grep(t,function(t){return se.inArray(t,e)>=0!==i})}function s(t,e){do t=t[e];while(t&&1!==t.nodeType);return t}function o(t){var e=Se[t]={};return se.each(t.match(ye)||[],function(t,i){e[i]=!0}),e}function a(){fe.addEventListener?(fe.removeEventListener("DOMContentLoaded",r,!1),t.removeEventListener("load",r,!1)):(fe.detachEvent("onreadystatechange",r),t.detachEvent("onload",r))}function r(){(fe.addEventListener||"load"===event.type||"complete"===fe.readyState)&&(a(),se.ready())}function l(t,e,i){if(void 0===i&&1===t.nodeType){var n="data-"+e.replace(we,"-$1").toLowerCase();if(i=t.getAttribute(n),"string"==typeof i){try{i="true"===i?!0:"false"===i?!1:"null"===i?null:+i+""===i?+i:_e.test(i)?se.parseJSON(i):i}catch(s){}se.data(t,e,i)}else i=void 0}return i}function c(t){var e;for(e in t)if(("data"!==e||!se.isEmptyObject(t[e]))&&"toJSON"!==e)return!1;return!0}function d(t,e,i,n){if(se.acceptData(t)){var s,o,a=se.expando,r=t.nodeType,l=r?se.cache:t,c=r?t[a]:t[a]&&a;if(c&&l[c]&&(n||l[c].data)||void 0!==i||"string"!=typeof e)return c||(c=r?t[a]=J.pop()||se.guid++:a),l[c]||(l[c]=r?{}:{toJSON:se.noop}),("object"==typeof e||"function"==typeof e)&&(n?l[c]=se.extend(l[c],e):l[c].data=se.extend(l[c].data,e)),o=l[c],n||(o.data||(o.data={}),o=o.data),void 0!==i&&(o[se.camelCase(e)]=i),"string"==typeof e?(s=o[e],null==s&&(s=o[se.camelCase(e)])):s=o,s}}function h(t,e,i){if(se.acceptData(t)){var n,s,o=t.nodeType,a=o?se.cache:t,r=o?t[se.expando]:se.expando;if(a[r]){if(e&&(n=i?a[r]:a[r].data)){se.isArray(e)?e=e.concat(se.map(e,se.camelCase)):e in n?e=[e]:(e=se.camelCase(e),e=e in n?[e]:e.split(" ")),s=e.length;for(;s--;)delete n[e[s]];if(i?!c(n):!se.isEmptyObject(n))return}(i||(delete a[r].data,c(a[r])))&&(o?se.cleanData([t],!0):ie.deleteExpando||a!=a.window?delete a[r]:a[r]=null)}}}function u(){return!0}function p(){return!1}function f(){try{return fe.activeElement}catch(t){}}function m(t){var e=Pe.split("|"),i=t.createDocumentFragment();if(i.createElement)for(;e.length;)i.createElement(e.pop());return i}function g(t,e){var i,n,s=0,o=typeof t.getElementsByTagName!==Le?t.getElementsByTagName(e||"*"):typeof t.querySelectorAll!==Le?t.querySelectorAll(e||"*"):void 0;if(!o)for(o=[],i=t.childNodes||t;null!=(n=i[s]);s++)!e||se.nodeName(n,e)?o.push(n):se.merge(o,g(n,e));return void 0===e||e&&se.nodeName(t,e)?se.merge([t],o):o}function v(t){De.test(t.type)&&(t.defaultChecked=t.checked)}function b(t,e){return se.nodeName(t,"table")&&se.nodeName(11!==e.nodeType?e:e.firstChild,"tr")?t.getElementsByTagName("tbody")[0]||t.appendChild(t.ownerDocument.createElement("tbody")):t}function y(t){return t.type=(null!==se.find.attr(t,"type"))+"/"+t.type,t}function S(t){var e=We.exec(t.type);return e?t.type=e[1]:t.removeAttribute("type"),t}function E(t,e){for(var i,n=0;null!=(i=t[n]);n++)se._data(i,"globalEval",!e||se._data(e[n],"globalEval"))}function T(t,e){if(1===e.nodeType&&se.hasData(t)){var i,n,s,o=se._data(t),a=se._data(e,o),r=o.events;if(r){delete a.handle,a.events={};for(i in r)for(n=0,s=r[i].length;s>n;n++)se.event.add(e,i,r[i][n])}a.data&&(a.data=se.extend({},a.data))}}function L(t,e){var i,n,s;if(1===e.nodeType){if(i=e.nodeName.toLowerCase(),!ie.noCloneEvent&&e[se.expando]){s=se._data(e);for(n in s.events)se.removeEvent(e,n,s.handle);e.removeAttribute(se.expando)}"script"===i&&e.text!==t.text?(y(e).text=t.text,S(e)):"object"===i?(e.parentNode&&(e.outerHTML=t.outerHTML),ie.html5Clone&&t.innerHTML&&!se.trim(e.innerHTML)&&(e.innerHTML=t.innerHTML)):"input"===i&&De.test(t.type)?(e.defaultChecked=e.checked=t.checked,e.value!==t.value&&(e.value=t.value)):"option"===i?e.defaultSelected=e.selected=t.defaultSelected:("input"===i||"textarea"===i)&&(e.defaultValue=t.defaultValue)}}function _(e,i){var n,s=se(i.createElement(e)).appendTo(i.body),o=t.getDefaultComputedStyle&&(n=t.getDefaultComputedStyle(s[0]))?n.display:se.css(s[0],"display");return s.detach(),o}function w(t){var e=fe,i=Ze[t];return i||(i=_(t,e),"none"!==i&&i||(Qe=(Qe||se("<iframe frameborder='0' width='0' height='0'/>")).appendTo(e.documentElement),e=(Qe[0].contentWindow||Qe[0].contentDocument).document,e.write(),e.close(),i=_(t,e),Qe.detach()),Ze[t]=i),i}function k(t,e){return{get:function(){var i=t();if(null!=i)return i?void delete this.get:(this.get=e).apply(this,arguments)}}}function C(t,e){if(e in t)return e;for(var i=e.charAt(0).toUpperCase()+e.slice(1),n=e,s=ui.length;s--;)if(e=ui[s]+i,e in t)return e;return n}function A(t,e){for(var i,n,s,o=[],a=0,r=t.length;r>a;a++)n=t[a],n.style&&(o[a]=se._data(n,"olddisplay"),i=n.style.display,e?(o[a]||"none"!==i||(n.style.display=""),""===n.style.display&&Ae(n)&&(o[a]=se._data(n,"olddisplay",w(n.nodeName)))):(s=Ae(n),(i&&"none"!==i||!s)&&se._data(n,"olddisplay",s?i:se.css(n,"display"))));for(a=0;r>a;a++)n=t[a],n.style&&(e&&"none"!==n.style.display&&""!==n.style.display||(n.style.display=e?o[a]||"":"none"));return t}function x(t,e,i){var n=li.exec(e);return n?Math.max(0,n[1]-(i||0))+(n[2]||"px"):e}function D(t,e,i,n,s){for(var o=i===(n?"border":"content")?4:"width"===e?1:0,a=0;4>o;o+=2)"margin"===i&&(a+=se.css(t,i+Ce[o],!0,s)),n?("content"===i&&(a-=se.css(t,"padding"+Ce[o],!0,s)),"margin"!==i&&(a-=se.css(t,"border"+Ce[o]+"Width",!0,s))):(a+=se.css(t,"padding"+Ce[o],!0,s),"padding"!==i&&(a+=se.css(t,"border"+Ce[o]+"Width",!0,s)));return a}function I(t,e,i){var n=!0,s="width"===e?t.offsetWidth:t.offsetHeight,o=ti(t),a=ie.boxSizing&&"border-box"===se.css(t,"boxSizing",!1,o);if(0>=s||null==s){if(s=ei(t,e,o),(0>s||null==s)&&(s=t.style[e]),ni.test(s))return s;n=a&&(ie.boxSizingReliable()||s===t.style[e]),s=parseFloat(s)||0}return s+D(t,e,i||(a?"border":"content"),n,o)+"px"}function M(t,e,i,n,s){return new M.prototype.init(t,e,i,n,s)}function R(){return setTimeout(function(){pi=void 0}),pi=se.now()}function O(t,e){var i,n={height:t},s=0;for(e=e?1:0;4>s;s+=2-e)i=Ce[s],n["margin"+i]=n["padding"+i]=t;return e&&(n.opacity=n.width=t),n}function N(t,e,i){for(var n,s=(yi[e]||[]).concat(yi["*"]),o=0,a=s.length;a>o;o++)if(n=s[o].call(i,e,t))return n}function P(t,e,i){var n,s,o,a,r,l,c,d,h=this,u={},p=t.style,f=t.nodeType&&Ae(t),m=se._data(t,"fxshow");i.queue||(r=se._queueHooks(t,"fx"),null==r.unqueued&&(r.unqueued=0,l=r.empty.fire,r.empty.fire=function(){r.unqueued||l()}),r.unqueued++,h.always(function(){h.always(function(){r.unqueued--,se.queue(t,"fx").length||r.empty.fire()})})),1===t.nodeType&&("height"in e||"width"in e)&&(i.overflow=[p.overflow,p.overflowX,p.overflowY],c=se.css(t,"display"),d="none"===c?se._data(t,"olddisplay")||w(t.nodeName):c,"inline"===d&&"none"===se.css(t,"float")&&(ie.inlineBlockNeedsLayout&&"inline"!==w(t.nodeName)?p.zoom=1:p.display="inline-block")),i.overflow&&(p.overflow="hidden",ie.shrinkWrapBlocks()||h.always(function(){p.overflow=i.overflow[0],p.overflowX=i.overflow[1],p.overflowY=i.overflow[2]}));for(n in e)if(s=e[n],mi.exec(s)){if(delete e[n],o=o||"toggle"===s,s===(f?"hide":"show")){if("show"!==s||!m||void 0===m[n])continue;f=!0}u[n]=m&&m[n]||se.style(t,n)}else c=void 0;if(se.isEmptyObject(u))"inline"===("none"===c?w(t.nodeName):c)&&(p.display=c);else{m?"hidden"in m&&(f=m.hidden):m=se._data(t,"fxshow",{}),o&&(m.hidden=!f),f?se(t).show():h.done(function(){se(t).hide()}),h.done(function(){var e;se._removeData(t,"fxshow");for(e in u)se.style(t,e,u[e])});for(n in u)a=N(f?m[n]:0,n,h),n in m||(m[n]=a.start,f&&(a.end=a.start,a.start="width"===n||"height"===n?1:0))}}function U(t,e){var i,n,s,o,a;for(i in t)if(n=se.camelCase(i),s=e[n],o=t[i],se.isArray(o)&&(s=o[1],o=t[i]=o[0]),i!==n&&(t[n]=o,delete t[i]),a=se.cssHooks[n],a&&"expand"in a){o=a.expand(o),delete t[n];for(i in o)i in t||(t[i]=o[i],e[i]=s)}else e[n]=s}function $(t,e,i){var n,s,o=0,a=bi.length,r=se.Deferred().always(function(){delete l.elem}),l=function(){if(s)return!1;for(var e=pi||R(),i=Math.max(0,c.startTime+c.duration-e),n=i/c.duration||0,o=1-n,a=0,l=c.tweens.length;l>a;a++)c.tweens[a].run(o);return r.notifyWith(t,[c,o,i]),1>o&&l?i:(r.resolveWith(t,[c]),!1)},c=r.promise({elem:t,props:se.extend({},e),opts:se.extend(!0,{specialEasing:{}},i),originalProperties:e,originalOptions:i,startTime:pi||R(),duration:i.duration,tweens:[],createTween:function(e,i){var n=se.Tween(t,c.opts,e,i,c.opts.specialEasing[e]||c.opts.easing);return c.tweens.push(n),n},stop:function(e){var i=0,n=e?c.tweens.length:0;if(s)return this;for(s=!0;n>i;i++)c.tweens[i].run(1);return e?r.resolveWith(t,[c,e]):r.rejectWith(t,[c,e]),this}}),d=c.props;for(U(d,c.opts.specialEasing);a>o;o++)if(n=bi[o].call(c,t,d,c.opts))return n;return se.map(d,N,c),se.isFunction(c.opts.start)&&c.opts.start.call(t,c),se.fx.timer(se.extend(l,{elem:t,anim:c,queue:c.opts.queue})),c.progress(c.opts.progress).done(c.opts.done,c.opts.complete).fail(c.opts.fail).always(c.opts.always)}function F(t){return function(e,i){"string"!=typeof e&&(i=e,e="*");var n,s=0,o=e.toLowerCase().match(ye)||[];if(se.isFunction(i))for(;n=o[s++];)"+"===n.charAt(0)?(n=n.slice(1)||"*",(t[n]=t[n]||[]).unshift(i)):(t[n]=t[n]||[]).push(i)}}function j(t,e,i,n){function s(r){var l;return o[r]=!0,se.each(t[r]||[],function(t,r){var c=r(e,i,n);return"string"!=typeof c||a||o[c]?a?!(l=c):void 0:(e.dataTypes.unshift(c),s(c),!1)}),l}var o={},a=t===zi;return s(e.dataTypes[0])||!o["*"]&&s("*")}function B(t,e){var i,n,s=se.ajaxSettings.flatOptions||{};for(n in e)void 0!==e[n]&&((s[n]?t:i||(i={}))[n]=e[n]);return i&&se.extend(!0,t,i),t}function H(t,e,i){for(var n,s,o,a,r=t.contents,l=t.dataTypes;"*"===l[0];)l.shift(),void 0===s&&(s=t.mimeType||e.getResponseHeader("Content-Type"));if(s)for(a in r)if(r[a]&&r[a].test(s)){l.unshift(a);break}if(l[0]in i)o=l[0];else{for(a in i){if(!l[0]||t.converters[a+" "+l[0]]){o=a;break}n||(n=a)}o=o||n}return o?(o!==l[0]&&l.unshift(o),i[o]):void 0}function z(t,e,i,n){var s,o,a,r,l,c={},d=t.dataTypes.slice();if(d[1])for(a in t.converters)c[a.toLowerCase()]=t.converters[a];for(o=d.shift();o;)if(t.responseFields[o]&&(i[t.responseFields[o]]=e),!l&&n&&t.dataFilter&&(e=t.dataFilter(e,t.dataType)),l=o,o=d.shift())if("*"===o)o=l;else if("*"!==l&&l!==o){if(a=c[l+" "+o]||c["* "+o],!a)for(s in c)if(r=s.split(" "),r[1]===o&&(a=c[l+" "+r[0]]||c["* "+r[0]])){a===!0?a=c[s]:c[s]!==!0&&(o=r[0],d.unshift(r[1]));break}if(a!==!0)if(a&&t["throws"])e=a(e);else try{e=a(e)}catch(h){return{state:"parsererror",error:a?h:"No conversion from "+l+" to "+o}}}return{state:"success",data:e}}function V(t,e,i,n){var s;if(se.isArray(e))se.each(e,function(e,s){i||Wi.test(t)?n(t,s):V(t+"["+("object"==typeof s?e:"")+"]",s,i,n)});else if(i||"object"!==se.type(e))n(t,e);else for(s in e)V(t+"["+s+"]",e[s],i,n)}function G(){try{return new t.XMLHttpRequest}catch(e){}}function X(){try{return new t.ActiveXObject("Microsoft.XMLHTTP")}catch(e){}}function W(t){return se.isWindow(t)?t:9===t.nodeType?t.defaultView||t.parentWindow:!1}var J=[],Y=J.slice,q=J.concat,K=J.push,Q=J.indexOf,Z={},te=Z.toString,ee=Z.hasOwnProperty,ie={},ne="1.11.1",se=function(t,e){return new se.fn.init(t,e)},oe=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,ae=/^-ms-/,re=/-([\da-z])/gi,le=function(t,e){return e.toUpperCase()};se.fn=se.prototype={jquery:ne,constructor:se,selector:"",length:0,toArray:function(){return Y.call(this)},get:function(t){return null!=t?0>t?this[t+this.length]:this[t]:Y.call(this)},pushStack:function(t){var e=se.merge(this.constructor(),t);return e.prevObject=this,e.context=this.context,e},each:function(t,e){return se.each(this,t,e)},map:function(t){return this.pushStack(se.map(this,function(e,i){return t.call(e,i,e)}))},slice:function(){return this.pushStack(Y.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(t){var e=this.length,i=+t+(0>t?e:0);return this.pushStack(i>=0&&e>i?[this[i]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:K,sort:J.sort,splice:J.splice},se.extend=se.fn.extend=function(){var t,e,i,n,s,o,a=arguments[0]||{},r=1,l=arguments.length,c=!1;for("boolean"==typeof a&&(c=a,a=arguments[r]||{},r++),"object"==typeof a||se.isFunction(a)||(a={}),r===l&&(a=this,r--);l>r;r++)if(null!=(s=arguments[r]))for(n in s)t=a[n],i=s[n],a!==i&&(c&&i&&(se.isPlainObject(i)||(e=se.isArray(i)))?(e?(e=!1,o=t&&se.isArray(t)?t:[]):o=t&&se.isPlainObject(t)?t:{},a[n]=se.extend(c,o,i)):void 0!==i&&(a[n]=i));return a},se.extend({expando:"jQuery"+(ne+Math.random()).replace(/\D/g,""),isReady:!0,error:function(t){throw new Error(t)},noop:function(){},isFunction:function(t){return"function"===se.type(t)},isArray:Array.isArray||function(t){return"array"===se.type(t)},isWindow:function(t){return null!=t&&t==t.window},isNumeric:function(t){return!se.isArray(t)&&t-parseFloat(t)>=0},isEmptyObject:function(t){var e;for(e in t)return!1;return!0},isPlainObject:function(t){var e;if(!t||"object"!==se.type(t)||t.nodeType||se.isWindow(t))return!1;try{if(t.constructor&&!ee.call(t,"constructor")&&!ee.call(t.constructor.prototype,"isPrototypeOf"))return!1}catch(i){return!1}if(ie.ownLast)for(e in t)return ee.call(t,e);for(e in t);return void 0===e||ee.call(t,e)},type:function(t){return null==t?t+"":"object"==typeof t||"function"==typeof t?Z[te.call(t)]||"object":typeof t},globalEval:function(e){e&&se.trim(e)&&(t.execScript||function(e){t.eval.call(t,e)})(e)},camelCase:function(t){return t.replace(ae,"ms-").replace(re,le)},nodeName:function(t,e){return t.nodeName&&t.nodeName.toLowerCase()===e.toLowerCase()},each:function(t,e,n){var s,o=0,a=t.length,r=i(t);if(n){if(r)for(;a>o&&(s=e.apply(t[o],n),s!==!1);o++);else for(o in t)if(s=e.apply(t[o],n),s===!1)break}else if(r)for(;a>o&&(s=e.call(t[o],o,t[o]),s!==!1);o++);else for(o in t)if(s=e.call(t[o],o,t[o]),s===!1)break;return t},trim:function(t){return null==t?"":(t+"").replace(oe,"")},makeArray:function(t,e){var n=e||[];return null!=t&&(i(Object(t))?se.merge(n,"string"==typeof t?[t]:t):K.call(n,t)),n},inArray:function(t,e,i){var n;if(e){if(Q)return Q.call(e,t,i);for(n=e.length,i=i?0>i?Math.max(0,n+i):i:0;n>i;i++)if(i in e&&e[i]===t)return i}return-1},merge:function(t,e){for(var i=+e.length,n=0,s=t.length;i>n;)t[s++]=e[n++];if(i!==i)for(;void 0!==e[n];)t[s++]=e[n++];return t.length=s,t},grep:function(t,e,i){for(var n,s=[],o=0,a=t.length,r=!i;a>o;o++)n=!e(t[o],o),n!==r&&s.push(t[o]);return s},map:function(t,e,n){var s,o=0,a=t.length,r=i(t),l=[];if(r)for(;a>o;o++)s=e(t[o],o,n),null!=s&&l.push(s);else for(o in t)s=e(t[o],o,n),null!=s&&l.push(s);return q.apply([],l)},guid:1,proxy:function(t,e){var i,n,s;return"string"==typeof e&&(s=t[e],e=t,t=s),se.isFunction(t)?(i=Y.call(arguments,2),n=function(){return t.apply(e||this,i.concat(Y.call(arguments)))},n.guid=t.guid=t.guid||se.guid++,n):void 0},now:function(){return+new Date},support:ie}),se.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(t,e){Z["[object "+e+"]"]=e.toLowerCase()});var ce=function(t){function e(t,e,i,n){var s,o,a,r,l,c,h,p,f,m;if((e?e.ownerDocument||e:j)!==M&&I(e),e=e||M,i=i||[],!t||"string"!=typeof t)return i;if(1!==(r=e.nodeType)&&9!==r)return[];if(O&&!n){if(s=be.exec(t))if(a=s[1]){if(9===r){if(o=e.getElementById(a),!o||!o.parentNode)return i;if(o.id===a)return i.push(o),i}else if(e.ownerDocument&&(o=e.ownerDocument.getElementById(a))&&$(e,o)&&o.id===a)return i.push(o),i}else{if(s[2])return Z.apply(i,e.getElementsByTagName(t)),i;if((a=s[3])&&E.getElementsByClassName&&e.getElementsByClassName)return Z.apply(i,e.getElementsByClassName(a)),i}if(E.qsa&&(!N||!N.test(t))){if(p=h=F,f=e,m=9===r&&t,1===r&&"object"!==e.nodeName.toLowerCase()){for(c=w(t),(h=e.getAttribute("id"))?p=h.replace(Se,"\\$&"):e.setAttribute("id",p),p="[id='"+p+"'] ",l=c.length;l--;)c[l]=p+u(c[l]);f=ye.test(t)&&d(e.parentNode)||e,m=c.join(",")}if(m)try{return Z.apply(i,f.querySelectorAll(m)),i}catch(g){}finally{h||e.removeAttribute("id")}}}return C(t.replace(le,"$1"),e,i,n)}function i(){function t(i,n){return e.push(i+" ")>T.cacheLength&&delete t[e.shift()],t[i+" "]=n}var e=[];return t}function n(t){return t[F]=!0,t}function s(t){var e=M.createElement("div");try{return!!t(e)}catch(i){return!1}finally{e.parentNode&&e.parentNode.removeChild(e),e=null}}function o(t,e){for(var i=t.split("|"),n=t.length;n--;)T.attrHandle[i[n]]=e}function a(t,e){var i=e&&t,n=i&&1===t.nodeType&&1===e.nodeType&&(~e.sourceIndex||J)-(~t.sourceIndex||J);if(n)return n;if(i)for(;i=i.nextSibling;)if(i===e)return-1;return t?1:-1}function r(t){return function(e){var i=e.nodeName.toLowerCase();return"input"===i&&e.type===t}}function l(t){return function(e){var i=e.nodeName.toLowerCase();return("input"===i||"button"===i)&&e.type===t}}function c(t){return n(function(e){return e=+e,n(function(i,n){for(var s,o=t([],i.length,e),a=o.length;a--;)i[s=o[a]]&&(i[s]=!(n[s]=i[s]))})})}function d(t){return t&&typeof t.getElementsByTagName!==W&&t}function h(){}function u(t){for(var e=0,i=t.length,n="";i>e;e++)n+=t[e].value;return n}function p(t,e,i){var n=e.dir,s=i&&"parentNode"===n,o=H++;return e.first?function(e,i,o){for(;e=e[n];)if(1===e.nodeType||s)return t(e,i,o)}:function(e,i,a){var r,l,c=[B,o];if(a){for(;e=e[n];)if((1===e.nodeType||s)&&t(e,i,a))return!0}else for(;e=e[n];)if(1===e.nodeType||s){if(l=e[F]||(e[F]={}),(r=l[n])&&r[0]===B&&r[1]===o)return c[2]=r[2];if(l[n]=c,c[2]=t(e,i,a))return!0}}}function f(t){return t.length>1?function(e,i,n){for(var s=t.length;s--;)if(!t[s](e,i,n))return!1;return!0}:t[0]}function m(t,i,n){for(var s=0,o=i.length;o>s;s++)e(t,i[s],n);return n}function g(t,e,i,n,s){for(var o,a=[],r=0,l=t.length,c=null!=e;l>r;r++)(o=t[r])&&(!i||i(o,n,s))&&(a.push(o),c&&e.push(r));return a}function v(t,e,i,s,o,a){return s&&!s[F]&&(s=v(s)),o&&!o[F]&&(o=v(o,a)),n(function(n,a,r,l){var c,d,h,u=[],p=[],f=a.length,v=n||m(e||"*",r.nodeType?[r]:r,[]),b=!t||!n&&e?v:g(v,u,t,r,l),y=i?o||(n?t:f||s)?[]:a:b;if(i&&i(b,y,r,l),s)for(c=g(y,p),s(c,[],r,l),d=c.length;d--;)(h=c[d])&&(y[p[d]]=!(b[p[d]]=h));if(n){if(o||t){if(o){for(c=[],d=y.length;d--;)(h=y[d])&&c.push(b[d]=h);o(null,y=[],c,l)}for(d=y.length;d--;)(h=y[d])&&(c=o?ee.call(n,h):u[d])>-1&&(n[c]=!(a[c]=h))}}else y=g(y===a?y.splice(f,y.length):y),o?o(null,a,y,l):Z.apply(a,y)})}function b(t){for(var e,i,n,s=t.length,o=T.relative[t[0].type],a=o||T.relative[" "],r=o?1:0,l=p(function(t){return t===e},a,!0),c=p(function(t){return ee.call(e,t)>-1},a,!0),d=[function(t,i,n){return!o&&(n||i!==A)||((e=i).nodeType?l(t,i,n):c(t,i,n))}];s>r;r++)if(i=T.relative[t[r].type])d=[p(f(d),i)];else{if(i=T.filter[t[r].type].apply(null,t[r].matches),i[F]){for(n=++r;s>n&&!T.relative[t[n].type];n++);return v(r>1&&f(d),r>1&&u(t.slice(0,r-1).concat({value:" "===t[r-2].type?"*":""})).replace(le,"$1"),i,n>r&&b(t.slice(r,n)),s>n&&b(t=t.slice(n)),s>n&&u(t))}d.push(i)}return f(d)}function y(t,i){var s=i.length>0,o=t.length>0,a=function(n,a,r,l,c){var d,h,u,p=0,f="0",m=n&&[],v=[],b=A,y=n||o&&T.find.TAG("*",c),S=B+=null==b?1:Math.random()||.1,E=y.length;for(c&&(A=a!==M&&a);f!==E&&null!=(d=y[f]);f++){if(o&&d){for(h=0;u=t[h++];)if(u(d,a,r)){l.push(d);break}c&&(B=S)}s&&((d=!u&&d)&&p--,n&&m.push(d))}if(p+=f,s&&f!==p){for(h=0;u=i[h++];)u(m,v,a,r);if(n){if(p>0)for(;f--;)m[f]||v[f]||(v[f]=K.call(l));v=g(v)}Z.apply(l,v),c&&!n&&v.length>0&&p+i.length>1&&e.uniqueSort(l)}return c&&(B=S,A=b),m};return s?n(a):a}var S,E,T,L,_,w,k,C,A,x,D,I,M,R,O,N,P,U,$,F="sizzle"+-new Date,j=t.document,B=0,H=0,z=i(),V=i(),G=i(),X=function(t,e){return t===e&&(D=!0),0},W="undefined",J=1<<31,Y={}.hasOwnProperty,q=[],K=q.pop,Q=q.push,Z=q.push,te=q.slice,ee=q.indexOf||function(t){for(var e=0,i=this.length;i>e;e++)if(this[e]===t)return e;return-1},ie="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",ne="[\\x20\\t\\r\\n\\f]",se="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",oe=se.replace("w","w#"),ae="\\["+ne+"*("+se+")(?:"+ne+"*([*^$|!~]?=)"+ne+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+oe+"))|)"+ne+"*\\]",re=":("+se+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+ae+")*)|.*)\\)|)",le=new RegExp("^"+ne+"+|((?:^|[^\\\\])(?:\\\\.)*)"+ne+"+$","g"),ce=new RegExp("^"+ne+"*,"+ne+"*"),de=new RegExp("^"+ne+"*([>+~]|"+ne+")"+ne+"*"),he=new RegExp("="+ne+"*([^\\]'\"]*?)"+ne+"*\\]","g"),ue=new RegExp(re),pe=new RegExp("^"+oe+"$"),fe={ID:new RegExp("^#("+se+")"),CLASS:new RegExp("^\\.("+se+")"),TAG:new RegExp("^("+se.replace("w","w*")+")"),ATTR:new RegExp("^"+ae),PSEUDO:new RegExp("^"+re),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+ne+"*(even|odd|(([+-]|)(\\d*)n|)"+ne+"*(?:([+-]|)"+ne+"*(\\d+)|))"+ne+"*\\)|)","i"),bool:new RegExp("^(?:"+ie+")$","i"),needsContext:new RegExp("^"+ne+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+ne+"*((?:-\\d)?\\d*)"+ne+"*\\)|)(?=[^-]|$)","i")},me=/^(?:input|select|textarea|button)$/i,ge=/^h\d$/i,ve=/^[^{]+\{\s*\[native \w/,be=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,ye=/[+~]/,Se=/'|\\/g,Ee=new RegExp("\\\\([\\da-f]{1,6}"+ne+"?|("+ne+")|.)","ig"),Te=function(t,e,i){var n="0x"+e-65536;return n!==n||i?e:0>n?String.fromCharCode(n+65536):String.fromCharCode(n>>10|55296,1023&n|56320)};try{Z.apply(q=te.call(j.childNodes),j.childNodes),q[j.childNodes.length].nodeType}catch(Le){Z={apply:q.length?function(t,e){Q.apply(t,te.call(e))}:function(t,e){for(var i=t.length,n=0;t[i++]=e[n++];);t.length=i-1}}}E=e.support={},_=e.isXML=function(t){var e=t&&(t.ownerDocument||t).documentElement;return e?"HTML"!==e.nodeName:!1},I=e.setDocument=function(t){var e,i=t?t.ownerDocument||t:j,n=i.defaultView;return i!==M&&9===i.nodeType&&i.documentElement?(M=i,R=i.documentElement,O=!_(i),n&&n!==n.top&&(n.addEventListener?n.addEventListener("unload",function(){I()},!1):n.attachEvent&&n.attachEvent("onunload",function(){I()})),E.attributes=s(function(t){return t.className="i",!t.getAttribute("className")}),E.getElementsByTagName=s(function(t){return t.appendChild(i.createComment("")),!t.getElementsByTagName("*").length}),E.getElementsByClassName=ve.test(i.getElementsByClassName)&&s(function(t){return t.innerHTML="<div class='a'></div><div class='a i'></div>",t.firstChild.className="i",2===t.getElementsByClassName("i").length}),E.getById=s(function(t){return R.appendChild(t).id=F,!i.getElementsByName||!i.getElementsByName(F).length}),E.getById?(T.find.ID=function(t,e){if(typeof e.getElementById!==W&&O){var i=e.getElementById(t);return i&&i.parentNode?[i]:[]}},T.filter.ID=function(t){var e=t.replace(Ee,Te);return function(t){return t.getAttribute("id")===e}}):(delete T.find.ID,T.filter.ID=function(t){var e=t.replace(Ee,Te);return function(t){var i=typeof t.getAttributeNode!==W&&t.getAttributeNode("id");return i&&i.value===e}}),T.find.TAG=E.getElementsByTagName?function(t,e){return typeof e.getElementsByTagName!==W?e.getElementsByTagName(t):void 0}:function(t,e){var i,n=[],s=0,o=e.getElementsByTagName(t);if("*"===t){for(;i=o[s++];)1===i.nodeType&&n.push(i);return n}return o},T.find.CLASS=E.getElementsByClassName&&function(t,e){return typeof e.getElementsByClassName!==W&&O?e.getElementsByClassName(t):void 0},P=[],N=[],(E.qsa=ve.test(i.querySelectorAll))&&(s(function(t){t.innerHTML="<select msallowclip=''><option selected=''></option></select>",t.querySelectorAll("[msallowclip^='']").length&&N.push("[*^$]="+ne+"*(?:''|\"\")"),t.querySelectorAll("[selected]").length||N.push("\\["+ne+"*(?:value|"+ie+")"),t.querySelectorAll(":checked").length||N.push(":checked")}),s(function(t){var e=i.createElement("input");e.setAttribute("type","hidden"),t.appendChild(e).setAttribute("name","D"),t.querySelectorAll("[name=d]").length&&N.push("name"+ne+"*[*^$|!~]?="),t.querySelectorAll(":enabled").length||N.push(":enabled",":disabled"),t.querySelectorAll("*,:x"),N.push(",.*:")})),(E.matchesSelector=ve.test(U=R.matches||R.webkitMatchesSelector||R.mozMatchesSelector||R.oMatchesSelector||R.msMatchesSelector))&&s(function(t){E.disconnectedMatch=U.call(t,"div"),U.call(t,"[s!='']:x"),P.push("!=",re)}),N=N.length&&new RegExp(N.join("|")),P=P.length&&new RegExp(P.join("|")),e=ve.test(R.compareDocumentPosition),$=e||ve.test(R.contains)?function(t,e){var i=9===t.nodeType?t.documentElement:t,n=e&&e.parentNode;return t===n||!(!n||1!==n.nodeType||!(i.contains?i.contains(n):t.compareDocumentPosition&&16&t.compareDocumentPosition(n)))}:function(t,e){if(e)for(;e=e.parentNode;)if(e===t)return!0;return!1},X=e?function(t,e){if(t===e)return D=!0,0;var n=!t.compareDocumentPosition-!e.compareDocumentPosition;return n?n:(n=(t.ownerDocument||t)===(e.ownerDocument||e)?t.compareDocumentPosition(e):1,1&n||!E.sortDetached&&e.compareDocumentPosition(t)===n?t===i||t.ownerDocument===j&&$(j,t)?-1:e===i||e.ownerDocument===j&&$(j,e)?1:x?ee.call(x,t)-ee.call(x,e):0:4&n?-1:1)}:function(t,e){if(t===e)return D=!0,0;var n,s=0,o=t.parentNode,r=e.parentNode,l=[t],c=[e];if(!o||!r)return t===i?-1:e===i?1:o?-1:r?1:x?ee.call(x,t)-ee.call(x,e):0;if(o===r)return a(t,e);for(n=t;n=n.parentNode;)l.unshift(n);for(n=e;n=n.parentNode;)c.unshift(n);for(;l[s]===c[s];)s++;return s?a(l[s],c[s]):l[s]===j?-1:c[s]===j?1:0},i):M},e.matches=function(t,i){return e(t,null,null,i)},e.matchesSelector=function(t,i){if((t.ownerDocument||t)!==M&&I(t),i=i.replace(he,"='$1']"),!(!E.matchesSelector||!O||P&&P.test(i)||N&&N.test(i)))try{var n=U.call(t,i);if(n||E.disconnectedMatch||t.document&&11!==t.document.nodeType)return n}catch(s){}return e(i,M,null,[t]).length>0},e.contains=function(t,e){return(t.ownerDocument||t)!==M&&I(t),$(t,e)},e.attr=function(t,e){(t.ownerDocument||t)!==M&&I(t);var i=T.attrHandle[e.toLowerCase()],n=i&&Y.call(T.attrHandle,e.toLowerCase())?i(t,e,!O):void 0;return void 0!==n?n:E.attributes||!O?t.getAttribute(e):(n=t.getAttributeNode(e))&&n.specified?n.value:null},e.error=function(t){throw new Error("Syntax error, unrecognized expression: "+t)},e.uniqueSort=function(t){var e,i=[],n=0,s=0;if(D=!E.detectDuplicates,x=!E.sortStable&&t.slice(0),t.sort(X),D){for(;e=t[s++];)e===t[s]&&(n=i.push(s));for(;n--;)t.splice(i[n],1)}return x=null,t},L=e.getText=function(t){var e,i="",n=0,s=t.nodeType;if(s){if(1===s||9===s||11===s){if("string"==typeof t.textContent)return t.textContent;for(t=t.firstChild;t;t=t.nextSibling)i+=L(t)}else if(3===s||4===s)return t.nodeValue}else for(;e=t[n++];)i+=L(e);return i},T=e.selectors={cacheLength:50,createPseudo:n,match:fe,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(t){return t[1]=t[1].replace(Ee,Te),t[3]=(t[3]||t[4]||t[5]||"").replace(Ee,Te),"~="===t[2]&&(t[3]=" "+t[3]+" "),t.slice(0,4)},CHILD:function(t){return t[1]=t[1].toLowerCase(),"nth"===t[1].slice(0,3)?(t[3]||e.error(t[0]),t[4]=+(t[4]?t[5]+(t[6]||1):2*("even"===t[3]||"odd"===t[3])),t[5]=+(t[7]+t[8]||"odd"===t[3])):t[3]&&e.error(t[0]),t},PSEUDO:function(t){var e,i=!t[6]&&t[2];return fe.CHILD.test(t[0])?null:(t[3]?t[2]=t[4]||t[5]||"":i&&ue.test(i)&&(e=w(i,!0))&&(e=i.indexOf(")",i.length-e)-i.length)&&(t[0]=t[0].slice(0,e),t[2]=i.slice(0,e)),t.slice(0,3))
+}},filter:{TAG:function(t){var e=t.replace(Ee,Te).toLowerCase();return"*"===t?function(){return!0}:function(t){return t.nodeName&&t.nodeName.toLowerCase()===e}},CLASS:function(t){var e=z[t+" "];return e||(e=new RegExp("(^|"+ne+")"+t+"("+ne+"|$)"))&&z(t,function(t){return e.test("string"==typeof t.className&&t.className||typeof t.getAttribute!==W&&t.getAttribute("class")||"")})},ATTR:function(t,i,n){return function(s){var o=e.attr(s,t);return null==o?"!="===i:i?(o+="","="===i?o===n:"!="===i?o!==n:"^="===i?n&&0===o.indexOf(n):"*="===i?n&&o.indexOf(n)>-1:"$="===i?n&&o.slice(-n.length)===n:"~="===i?(" "+o+" ").indexOf(n)>-1:"|="===i?o===n||o.slice(0,n.length+1)===n+"-":!1):!0}},CHILD:function(t,e,i,n,s){var o="nth"!==t.slice(0,3),a="last"!==t.slice(-4),r="of-type"===e;return 1===n&&0===s?function(t){return!!t.parentNode}:function(e,i,l){var c,d,h,u,p,f,m=o!==a?"nextSibling":"previousSibling",g=e.parentNode,v=r&&e.nodeName.toLowerCase(),b=!l&&!r;if(g){if(o){for(;m;){for(h=e;h=h[m];)if(r?h.nodeName.toLowerCase()===v:1===h.nodeType)return!1;f=m="only"===t&&!f&&"nextSibling"}return!0}if(f=[a?g.firstChild:g.lastChild],a&&b){for(d=g[F]||(g[F]={}),c=d[t]||[],p=c[0]===B&&c[1],u=c[0]===B&&c[2],h=p&&g.childNodes[p];h=++p&&h&&h[m]||(u=p=0)||f.pop();)if(1===h.nodeType&&++u&&h===e){d[t]=[B,p,u];break}}else if(b&&(c=(e[F]||(e[F]={}))[t])&&c[0]===B)u=c[1];else for(;(h=++p&&h&&h[m]||(u=p=0)||f.pop())&&((r?h.nodeName.toLowerCase()!==v:1!==h.nodeType)||!++u||(b&&((h[F]||(h[F]={}))[t]=[B,u]),h!==e)););return u-=s,u===n||u%n===0&&u/n>=0}}},PSEUDO:function(t,i){var s,o=T.pseudos[t]||T.setFilters[t.toLowerCase()]||e.error("unsupported pseudo: "+t);return o[F]?o(i):o.length>1?(s=[t,t,"",i],T.setFilters.hasOwnProperty(t.toLowerCase())?n(function(t,e){for(var n,s=o(t,i),a=s.length;a--;)n=ee.call(t,s[a]),t[n]=!(e[n]=s[a])}):function(t){return o(t,0,s)}):o}},pseudos:{not:n(function(t){var e=[],i=[],s=k(t.replace(le,"$1"));return s[F]?n(function(t,e,i,n){for(var o,a=s(t,null,n,[]),r=t.length;r--;)(o=a[r])&&(t[r]=!(e[r]=o))}):function(t,n,o){return e[0]=t,s(e,null,o,i),!i.pop()}}),has:n(function(t){return function(i){return e(t,i).length>0}}),contains:n(function(t){return function(e){return(e.textContent||e.innerText||L(e)).indexOf(t)>-1}}),lang:n(function(t){return pe.test(t||"")||e.error("unsupported lang: "+t),t=t.replace(Ee,Te).toLowerCase(),function(e){var i;do if(i=O?e.lang:e.getAttribute("xml:lang")||e.getAttribute("lang"))return i=i.toLowerCase(),i===t||0===i.indexOf(t+"-");while((e=e.parentNode)&&1===e.nodeType);return!1}}),target:function(e){var i=t.location&&t.location.hash;return i&&i.slice(1)===e.id},root:function(t){return t===R},focus:function(t){return t===M.activeElement&&(!M.hasFocus||M.hasFocus())&&!!(t.type||t.href||~t.tabIndex)},enabled:function(t){return t.disabled===!1},disabled:function(t){return t.disabled===!0},checked:function(t){var e=t.nodeName.toLowerCase();return"input"===e&&!!t.checked||"option"===e&&!!t.selected},selected:function(t){return t.parentNode&&t.parentNode.selectedIndex,t.selected===!0},empty:function(t){for(t=t.firstChild;t;t=t.nextSibling)if(t.nodeType<6)return!1;return!0},parent:function(t){return!T.pseudos.empty(t)},header:function(t){return ge.test(t.nodeName)},input:function(t){return me.test(t.nodeName)},button:function(t){var e=t.nodeName.toLowerCase();return"input"===e&&"button"===t.type||"button"===e},text:function(t){var e;return"input"===t.nodeName.toLowerCase()&&"text"===t.type&&(null==(e=t.getAttribute("type"))||"text"===e.toLowerCase())},first:c(function(){return[0]}),last:c(function(t,e){return[e-1]}),eq:c(function(t,e,i){return[0>i?i+e:i]}),even:c(function(t,e){for(var i=0;e>i;i+=2)t.push(i);return t}),odd:c(function(t,e){for(var i=1;e>i;i+=2)t.push(i);return t}),lt:c(function(t,e,i){for(var n=0>i?i+e:i;--n>=0;)t.push(n);return t}),gt:c(function(t,e,i){for(var n=0>i?i+e:i;++n<e;)t.push(n);return t})}},T.pseudos.nth=T.pseudos.eq;for(S in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})T.pseudos[S]=r(S);for(S in{submit:!0,reset:!0})T.pseudos[S]=l(S);return h.prototype=T.filters=T.pseudos,T.setFilters=new h,w=e.tokenize=function(t,i){var n,s,o,a,r,l,c,d=V[t+" "];if(d)return i?0:d.slice(0);for(r=t,l=[],c=T.preFilter;r;){(!n||(s=ce.exec(r)))&&(s&&(r=r.slice(s[0].length)||r),l.push(o=[])),n=!1,(s=de.exec(r))&&(n=s.shift(),o.push({value:n,type:s[0].replace(le," ")}),r=r.slice(n.length));for(a in T.filter)!(s=fe[a].exec(r))||c[a]&&!(s=c[a](s))||(n=s.shift(),o.push({value:n,type:a,matches:s}),r=r.slice(n.length));if(!n)break}return i?r.length:r?e.error(t):V(t,l).slice(0)},k=e.compile=function(t,e){var i,n=[],s=[],o=G[t+" "];if(!o){for(e||(e=w(t)),i=e.length;i--;)o=b(e[i]),o[F]?n.push(o):s.push(o);o=G(t,y(s,n)),o.selector=t}return o},C=e.select=function(t,e,i,n){var s,o,a,r,l,c="function"==typeof t&&t,h=!n&&w(t=c.selector||t);if(i=i||[],1===h.length){if(o=h[0]=h[0].slice(0),o.length>2&&"ID"===(a=o[0]).type&&E.getById&&9===e.nodeType&&O&&T.relative[o[1].type]){if(e=(T.find.ID(a.matches[0].replace(Ee,Te),e)||[])[0],!e)return i;c&&(e=e.parentNode),t=t.slice(o.shift().value.length)}for(s=fe.needsContext.test(t)?0:o.length;s--&&(a=o[s],!T.relative[r=a.type]);)if((l=T.find[r])&&(n=l(a.matches[0].replace(Ee,Te),ye.test(o[0].type)&&d(e.parentNode)||e))){if(o.splice(s,1),t=n.length&&u(o),!t)return Z.apply(i,n),i;break}}return(c||k(t,h))(n,e,!O,i,ye.test(t)&&d(e.parentNode)||e),i},E.sortStable=F.split("").sort(X).join("")===F,E.detectDuplicates=!!D,I(),E.sortDetached=s(function(t){return 1&t.compareDocumentPosition(M.createElement("div"))}),s(function(t){return t.innerHTML="<a href='#'></a>","#"===t.firstChild.getAttribute("href")})||o("type|href|height|width",function(t,e,i){return i?void 0:t.getAttribute(e,"type"===e.toLowerCase()?1:2)}),E.attributes&&s(function(t){return t.innerHTML="<input/>",t.firstChild.setAttribute("value",""),""===t.firstChild.getAttribute("value")})||o("value",function(t,e,i){return i||"input"!==t.nodeName.toLowerCase()?void 0:t.defaultValue}),s(function(t){return null==t.getAttribute("disabled")})||o(ie,function(t,e,i){var n;return i?void 0:t[e]===!0?e.toLowerCase():(n=t.getAttributeNode(e))&&n.specified?n.value:null}),e}(t);se.find=ce,se.expr=ce.selectors,se.expr[":"]=se.expr.pseudos,se.unique=ce.uniqueSort,se.text=ce.getText,se.isXMLDoc=ce.isXML,se.contains=ce.contains;var de=se.expr.match.needsContext,he=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,ue=/^.[^:#\[\.,]*$/;se.filter=function(t,e,i){var n=e[0];return i&&(t=":not("+t+")"),1===e.length&&1===n.nodeType?se.find.matchesSelector(n,t)?[n]:[]:se.find.matches(t,se.grep(e,function(t){return 1===t.nodeType}))},se.fn.extend({find:function(t){var e,i=[],n=this,s=n.length;if("string"!=typeof t)return this.pushStack(se(t).filter(function(){for(e=0;s>e;e++)if(se.contains(n[e],this))return!0}));for(e=0;s>e;e++)se.find(t,n[e],i);return i=this.pushStack(s>1?se.unique(i):i),i.selector=this.selector?this.selector+" "+t:t,i},filter:function(t){return this.pushStack(n(this,t||[],!1))},not:function(t){return this.pushStack(n(this,t||[],!0))},is:function(t){return!!n(this,"string"==typeof t&&de.test(t)?se(t):t||[],!1).length}});var pe,fe=t.document,me=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,ge=se.fn.init=function(t,e){var i,n;if(!t)return this;if("string"==typeof t){if(i="<"===t.charAt(0)&&">"===t.charAt(t.length-1)&&t.length>=3?[null,t,null]:me.exec(t),!i||!i[1]&&e)return!e||e.jquery?(e||pe).find(t):this.constructor(e).find(t);if(i[1]){if(e=e instanceof se?e[0]:e,se.merge(this,se.parseHTML(i[1],e&&e.nodeType?e.ownerDocument||e:fe,!0)),he.test(i[1])&&se.isPlainObject(e))for(i in e)se.isFunction(this[i])?this[i](e[i]):this.attr(i,e[i]);return this}if(n=fe.getElementById(i[2]),n&&n.parentNode){if(n.id!==i[2])return pe.find(t);this.length=1,this[0]=n}return this.context=fe,this.selector=t,this}return t.nodeType?(this.context=this[0]=t,this.length=1,this):se.isFunction(t)?"undefined"!=typeof pe.ready?pe.ready(t):t(se):(void 0!==t.selector&&(this.selector=t.selector,this.context=t.context),se.makeArray(t,this))};ge.prototype=se.fn,pe=se(fe);var ve=/^(?:parents|prev(?:Until|All))/,be={children:!0,contents:!0,next:!0,prev:!0};se.extend({dir:function(t,e,i){for(var n=[],s=t[e];s&&9!==s.nodeType&&(void 0===i||1!==s.nodeType||!se(s).is(i));)1===s.nodeType&&n.push(s),s=s[e];return n},sibling:function(t,e){for(var i=[];t;t=t.nextSibling)1===t.nodeType&&t!==e&&i.push(t);return i}}),se.fn.extend({has:function(t){var e,i=se(t,this),n=i.length;return this.filter(function(){for(e=0;n>e;e++)if(se.contains(this,i[e]))return!0})},closest:function(t,e){for(var i,n=0,s=this.length,o=[],a=de.test(t)||"string"!=typeof t?se(t,e||this.context):0;s>n;n++)for(i=this[n];i&&i!==e;i=i.parentNode)if(i.nodeType<11&&(a?a.index(i)>-1:1===i.nodeType&&se.find.matchesSelector(i,t))){o.push(i);break}return this.pushStack(o.length>1?se.unique(o):o)},index:function(t){return t?"string"==typeof t?se.inArray(this[0],se(t)):se.inArray(t.jquery?t[0]:t,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(t,e){return this.pushStack(se.unique(se.merge(this.get(),se(t,e))))},addBack:function(t){return this.add(null==t?this.prevObject:this.prevObject.filter(t))}}),se.each({parent:function(t){var e=t.parentNode;return e&&11!==e.nodeType?e:null},parents:function(t){return se.dir(t,"parentNode")},parentsUntil:function(t,e,i){return se.dir(t,"parentNode",i)},next:function(t){return s(t,"nextSibling")},prev:function(t){return s(t,"previousSibling")},nextAll:function(t){return se.dir(t,"nextSibling")},prevAll:function(t){return se.dir(t,"previousSibling")},nextUntil:function(t,e,i){return se.dir(t,"nextSibling",i)},prevUntil:function(t,e,i){return se.dir(t,"previousSibling",i)},siblings:function(t){return se.sibling((t.parentNode||{}).firstChild,t)},children:function(t){return se.sibling(t.firstChild)},contents:function(t){return se.nodeName(t,"iframe")?t.contentDocument||t.contentWindow.document:se.merge([],t.childNodes)}},function(t,e){se.fn[t]=function(i,n){var s=se.map(this,e,i);return"Until"!==t.slice(-5)&&(n=i),n&&"string"==typeof n&&(s=se.filter(n,s)),this.length>1&&(be[t]||(s=se.unique(s)),ve.test(t)&&(s=s.reverse())),this.pushStack(s)}});var ye=/\S+/g,Se={};se.Callbacks=function(t){t="string"==typeof t?Se[t]||o(t):se.extend({},t);var e,i,n,s,a,r,l=[],c=!t.once&&[],d=function(o){for(i=t.memory&&o,n=!0,a=r||0,r=0,s=l.length,e=!0;l&&s>a;a++)if(l[a].apply(o[0],o[1])===!1&&t.stopOnFalse){i=!1;break}e=!1,l&&(c?c.length&&d(c.shift()):i?l=[]:h.disable())},h={add:function(){if(l){var n=l.length;!function o(e){se.each(e,function(e,i){var n=se.type(i);"function"===n?t.unique&&h.has(i)||l.push(i):i&&i.length&&"string"!==n&&o(i)})}(arguments),e?s=l.length:i&&(r=n,d(i))}return this},remove:function(){return l&&se.each(arguments,function(t,i){for(var n;(n=se.inArray(i,l,n))>-1;)l.splice(n,1),e&&(s>=n&&s--,a>=n&&a--)}),this},has:function(t){return t?se.inArray(t,l)>-1:!(!l||!l.length)},empty:function(){return l=[],s=0,this},disable:function(){return l=c=i=void 0,this},disabled:function(){return!l},lock:function(){return c=void 0,i||h.disable(),this},locked:function(){return!c},fireWith:function(t,i){return!l||n&&!c||(i=i||[],i=[t,i.slice?i.slice():i],e?c.push(i):d(i)),this},fire:function(){return h.fireWith(this,arguments),this},fired:function(){return!!n}};return h},se.extend({Deferred:function(t){var e=[["resolve","done",se.Callbacks("once memory"),"resolved"],["reject","fail",se.Callbacks("once memory"),"rejected"],["notify","progress",se.Callbacks("memory")]],i="pending",n={state:function(){return i},always:function(){return s.done(arguments).fail(arguments),this},then:function(){var t=arguments;return se.Deferred(function(i){se.each(e,function(e,o){var a=se.isFunction(t[e])&&t[e];s[o[1]](function(){var t=a&&a.apply(this,arguments);t&&se.isFunction(t.promise)?t.promise().done(i.resolve).fail(i.reject).progress(i.notify):i[o[0]+"With"](this===n?i.promise():this,a?[t]:arguments)})}),t=null}).promise()},promise:function(t){return null!=t?se.extend(t,n):n}},s={};return n.pipe=n.then,se.each(e,function(t,o){var a=o[2],r=o[3];n[o[1]]=a.add,r&&a.add(function(){i=r},e[1^t][2].disable,e[2][2].lock),s[o[0]]=function(){return s[o[0]+"With"](this===s?n:this,arguments),this},s[o[0]+"With"]=a.fireWith}),n.promise(s),t&&t.call(s,s),s},when:function(t){var e,i,n,s=0,o=Y.call(arguments),a=o.length,r=1!==a||t&&se.isFunction(t.promise)?a:0,l=1===r?t:se.Deferred(),c=function(t,i,n){return function(s){i[t]=this,n[t]=arguments.length>1?Y.call(arguments):s,n===e?l.notifyWith(i,n):--r||l.resolveWith(i,n)}};if(a>1)for(e=new Array(a),i=new Array(a),n=new Array(a);a>s;s++)o[s]&&se.isFunction(o[s].promise)?o[s].promise().done(c(s,n,o)).fail(l.reject).progress(c(s,i,e)):--r;return r||l.resolveWith(n,o),l.promise()}});var Ee;se.fn.ready=function(t){return se.ready.promise().done(t),this},se.extend({isReady:!1,readyWait:1,holdReady:function(t){t?se.readyWait++:se.ready(!0)},ready:function(t){if(t===!0?!--se.readyWait:!se.isReady){if(!fe.body)return setTimeout(se.ready);se.isReady=!0,t!==!0&&--se.readyWait>0||(Ee.resolveWith(fe,[se]),se.fn.triggerHandler&&(se(fe).triggerHandler("ready"),se(fe).off("ready")))}}}),se.ready.promise=function(e){if(!Ee)if(Ee=se.Deferred(),"complete"===fe.readyState)setTimeout(se.ready);else if(fe.addEventListener)fe.addEventListener("DOMContentLoaded",r,!1),t.addEventListener("load",r,!1);else{fe.attachEvent("onreadystatechange",r),t.attachEvent("onload",r);var i=!1;try{i=null==t.frameElement&&fe.documentElement}catch(n){}i&&i.doScroll&&!function s(){if(!se.isReady){try{i.doScroll("left")}catch(t){return setTimeout(s,50)}a(),se.ready()}}()}return Ee.promise(e)};var Te,Le="undefined";for(Te in se(ie))break;ie.ownLast="0"!==Te,ie.inlineBlockNeedsLayout=!1,se(function(){var t,e,i,n;i=fe.getElementsByTagName("body")[0],i&&i.style&&(e=fe.createElement("div"),n=fe.createElement("div"),n.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",i.appendChild(n).appendChild(e),typeof e.style.zoom!==Le&&(e.style.cssText="display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1",ie.inlineBlockNeedsLayout=t=3===e.offsetWidth,t&&(i.style.zoom=1)),i.removeChild(n))}),function(){var t=fe.createElement("div");if(null==ie.deleteExpando){ie.deleteExpando=!0;try{delete t.test}catch(e){ie.deleteExpando=!1}}t=null}(),se.acceptData=function(t){var e=se.noData[(t.nodeName+" ").toLowerCase()],i=+t.nodeType||1;return 1!==i&&9!==i?!1:!e||e!==!0&&t.getAttribute("classid")===e};var _e=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,we=/([A-Z])/g;se.extend({cache:{},noData:{"applet ":!0,"embed ":!0,"object ":"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(t){return t=t.nodeType?se.cache[t[se.expando]]:t[se.expando],!!t&&!c(t)},data:function(t,e,i){return d(t,e,i)},removeData:function(t,e){return h(t,e)},_data:function(t,e,i){return d(t,e,i,!0)},_removeData:function(t,e){return h(t,e,!0)}}),se.fn.extend({data:function(t,e){var i,n,s,o=this[0],a=o&&o.attributes;if(void 0===t){if(this.length&&(s=se.data(o),1===o.nodeType&&!se._data(o,"parsedAttrs"))){for(i=a.length;i--;)a[i]&&(n=a[i].name,0===n.indexOf("data-")&&(n=se.camelCase(n.slice(5)),l(o,n,s[n])));se._data(o,"parsedAttrs",!0)}return s}return"object"==typeof t?this.each(function(){se.data(this,t)}):arguments.length>1?this.each(function(){se.data(this,t,e)}):o?l(o,t,se.data(o,t)):void 0},removeData:function(t){return this.each(function(){se.removeData(this,t)})}}),se.extend({queue:function(t,e,i){var n;return t?(e=(e||"fx")+"queue",n=se._data(t,e),i&&(!n||se.isArray(i)?n=se._data(t,e,se.makeArray(i)):n.push(i)),n||[]):void 0},dequeue:function(t,e){e=e||"fx";var i=se.queue(t,e),n=i.length,s=i.shift(),o=se._queueHooks(t,e),a=function(){se.dequeue(t,e)};"inprogress"===s&&(s=i.shift(),n--),s&&("fx"===e&&i.unshift("inprogress"),delete o.stop,s.call(t,a,o)),!n&&o&&o.empty.fire()},_queueHooks:function(t,e){var i=e+"queueHooks";return se._data(t,i)||se._data(t,i,{empty:se.Callbacks("once memory").add(function(){se._removeData(t,e+"queue"),se._removeData(t,i)})})}}),se.fn.extend({queue:function(t,e){var i=2;return"string"!=typeof t&&(e=t,t="fx",i--),arguments.length<i?se.queue(this[0],t):void 0===e?this:this.each(function(){var i=se.queue(this,t,e);se._queueHooks(this,t),"fx"===t&&"inprogress"!==i[0]&&se.dequeue(this,t)})},dequeue:function(t){return this.each(function(){se.dequeue(this,t)})},clearQueue:function(t){return this.queue(t||"fx",[])},promise:function(t,e){var i,n=1,s=se.Deferred(),o=this,a=this.length,r=function(){--n||s.resolveWith(o,[o])};for("string"!=typeof t&&(e=t,t=void 0),t=t||"fx";a--;)i=se._data(o[a],t+"queueHooks"),i&&i.empty&&(n++,i.empty.add(r));return r(),s.promise(e)}});var ke=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,Ce=["Top","Right","Bottom","Left"],Ae=function(t,e){return t=e||t,"none"===se.css(t,"display")||!se.contains(t.ownerDocument,t)},xe=se.access=function(t,e,i,n,s,o,a){var r=0,l=t.length,c=null==i;if("object"===se.type(i)){s=!0;for(r in i)se.access(t,e,r,i[r],!0,o,a)}else if(void 0!==n&&(s=!0,se.isFunction(n)||(a=!0),c&&(a?(e.call(t,n),e=null):(c=e,e=function(t,e,i){return c.call(se(t),i)})),e))for(;l>r;r++)e(t[r],i,a?n:n.call(t[r],r,e(t[r],i)));return s?t:c?e.call(t):l?e(t[0],i):o},De=/^(?:checkbox|radio)$/i;!function(){var t=fe.createElement("input"),e=fe.createElement("div"),i=fe.createDocumentFragment();if(e.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",ie.leadingWhitespace=3===e.firstChild.nodeType,ie.tbody=!e.getElementsByTagName("tbody").length,ie.htmlSerialize=!!e.getElementsByTagName("link").length,ie.html5Clone="<:nav></:nav>"!==fe.createElement("nav").cloneNode(!0).outerHTML,t.type="checkbox",t.checked=!0,i.appendChild(t),ie.appendChecked=t.checked,e.innerHTML="<textarea>x</textarea>",ie.noCloneChecked=!!e.cloneNode(!0).lastChild.defaultValue,i.appendChild(e),e.innerHTML="<input type='radio' checked='checked' name='t'/>",ie.checkClone=e.cloneNode(!0).cloneNode(!0).lastChild.checked,ie.noCloneEvent=!0,e.attachEvent&&(e.attachEvent("onclick",function(){ie.noCloneEvent=!1}),e.cloneNode(!0).click()),null==ie.deleteExpando){ie.deleteExpando=!0;try{delete e.test}catch(n){ie.deleteExpando=!1}}}(),function(){var e,i,n=fe.createElement("div");for(e in{submit:!0,change:!0,focusin:!0})i="on"+e,(ie[e+"Bubbles"]=i in t)||(n.setAttribute(i,"t"),ie[e+"Bubbles"]=n.attributes[i].expando===!1);n=null}();var Ie=/^(?:input|select|textarea)$/i,Me=/^key/,Re=/^(?:mouse|pointer|contextmenu)|click/,Oe=/^(?:focusinfocus|focusoutblur)$/,Ne=/^([^.]*)(?:\.(.+)|)$/;se.event={global:{},add:function(t,e,i,n,s){var o,a,r,l,c,d,h,u,p,f,m,g=se._data(t);if(g){for(i.handler&&(l=i,i=l.handler,s=l.selector),i.guid||(i.guid=se.guid++),(a=g.events)||(a=g.events={}),(d=g.handle)||(d=g.handle=function(t){return typeof se===Le||t&&se.event.triggered===t.type?void 0:se.event.dispatch.apply(d.elem,arguments)},d.elem=t),e=(e||"").match(ye)||[""],r=e.length;r--;)o=Ne.exec(e[r])||[],p=m=o[1],f=(o[2]||"").split(".").sort(),p&&(c=se.event.special[p]||{},p=(s?c.delegateType:c.bindType)||p,c=se.event.special[p]||{},h=se.extend({type:p,origType:m,data:n,handler:i,guid:i.guid,selector:s,needsContext:s&&se.expr.match.needsContext.test(s),namespace:f.join(".")},l),(u=a[p])||(u=a[p]=[],u.delegateCount=0,c.setup&&c.setup.call(t,n,f,d)!==!1||(t.addEventListener?t.addEventListener(p,d,!1):t.attachEvent&&t.attachEvent("on"+p,d))),c.add&&(c.add.call(t,h),h.handler.guid||(h.handler.guid=i.guid)),s?u.splice(u.delegateCount++,0,h):u.push(h),se.event.global[p]=!0);t=null}},remove:function(t,e,i,n,s){var o,a,r,l,c,d,h,u,p,f,m,g=se.hasData(t)&&se._data(t);if(g&&(d=g.events)){for(e=(e||"").match(ye)||[""],c=e.length;c--;)if(r=Ne.exec(e[c])||[],p=m=r[1],f=(r[2]||"").split(".").sort(),p){for(h=se.event.special[p]||{},p=(n?h.delegateType:h.bindType)||p,u=d[p]||[],r=r[2]&&new RegExp("(^|\\.)"+f.join("\\.(?:.*\\.|)")+"(\\.|$)"),l=o=u.length;o--;)a=u[o],!s&&m!==a.origType||i&&i.guid!==a.guid||r&&!r.test(a.namespace)||n&&n!==a.selector&&("**"!==n||!a.selector)||(u.splice(o,1),a.selector&&u.delegateCount--,h.remove&&h.remove.call(t,a));l&&!u.length&&(h.teardown&&h.teardown.call(t,f,g.handle)!==!1||se.removeEvent(t,p,g.handle),delete d[p])}else for(p in d)se.event.remove(t,p+e[c],i,n,!0);se.isEmptyObject(d)&&(delete g.handle,se._removeData(t,"events"))}},trigger:function(e,i,n,s){var o,a,r,l,c,d,h,u=[n||fe],p=ee.call(e,"type")?e.type:e,f=ee.call(e,"namespace")?e.namespace.split("."):[];if(r=d=n=n||fe,3!==n.nodeType&&8!==n.nodeType&&!Oe.test(p+se.event.triggered)&&(p.indexOf(".")>=0&&(f=p.split("."),p=f.shift(),f.sort()),a=p.indexOf(":")<0&&"on"+p,e=e[se.expando]?e:new se.Event(p,"object"==typeof e&&e),e.isTrigger=s?2:3,e.namespace=f.join("."),e.namespace_re=e.namespace?new RegExp("(^|\\.)"+f.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,e.result=void 0,e.target||(e.target=n),i=null==i?[e]:se.makeArray(i,[e]),c=se.event.special[p]||{},s||!c.trigger||c.trigger.apply(n,i)!==!1)){if(!s&&!c.noBubble&&!se.isWindow(n)){for(l=c.delegateType||p,Oe.test(l+p)||(r=r.parentNode);r;r=r.parentNode)u.push(r),d=r;d===(n.ownerDocument||fe)&&u.push(d.defaultView||d.parentWindow||t)}for(h=0;(r=u[h++])&&!e.isPropagationStopped();)e.type=h>1?l:c.bindType||p,o=(se._data(r,"events")||{})[e.type]&&se._data(r,"handle"),o&&o.apply(r,i),o=a&&r[a],o&&o.apply&&se.acceptData(r)&&(e.result=o.apply(r,i),e.result===!1&&e.preventDefault());if(e.type=p,!s&&!e.isDefaultPrevented()&&(!c._default||c._default.apply(u.pop(),i)===!1)&&se.acceptData(n)&&a&&n[p]&&!se.isWindow(n)){d=n[a],d&&(n[a]=null),se.event.triggered=p;try{n[p]()}catch(m){}se.event.triggered=void 0,d&&(n[a]=d)}return e.result}},dispatch:function(t){t=se.event.fix(t);var e,i,n,s,o,a=[],r=Y.call(arguments),l=(se._data(this,"events")||{})[t.type]||[],c=se.event.special[t.type]||{};if(r[0]=t,t.delegateTarget=this,!c.preDispatch||c.preDispatch.call(this,t)!==!1){for(a=se.event.handlers.call(this,t,l),e=0;(s=a[e++])&&!t.isPropagationStopped();)for(t.currentTarget=s.elem,o=0;(n=s.handlers[o++])&&!t.isImmediatePropagationStopped();)(!t.namespace_re||t.namespace_re.test(n.namespace))&&(t.handleObj=n,t.data=n.data,i=((se.event.special[n.origType]||{}).handle||n.handler).apply(s.elem,r),void 0!==i&&(t.result=i)===!1&&(t.preventDefault(),t.stopPropagation()));return c.postDispatch&&c.postDispatch.call(this,t),t.result}},handlers:function(t,e){var i,n,s,o,a=[],r=e.delegateCount,l=t.target;if(r&&l.nodeType&&(!t.button||"click"!==t.type))for(;l!=this;l=l.parentNode||this)if(1===l.nodeType&&(l.disabled!==!0||"click"!==t.type)){for(s=[],o=0;r>o;o++)n=e[o],i=n.selector+" ",void 0===s[i]&&(s[i]=n.needsContext?se(i,this).index(l)>=0:se.find(i,this,null,[l]).length),s[i]&&s.push(n);s.length&&a.push({elem:l,handlers:s})}return r<e.length&&a.push({elem:this,handlers:e.slice(r)}),a},fix:function(t){if(t[se.expando])return t;var e,i,n,s=t.type,o=t,a=this.fixHooks[s];for(a||(this.fixHooks[s]=a=Re.test(s)?this.mouseHooks:Me.test(s)?this.keyHooks:{}),n=a.props?this.props.concat(a.props):this.props,t=new se.Event(o),e=n.length;e--;)i=n[e],t[i]=o[i];return t.target||(t.target=o.srcElement||fe),3===t.target.nodeType&&(t.target=t.target.parentNode),t.metaKey=!!t.metaKey,a.filter?a.filter(t,o):t},props:"altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(t,e){return null==t.which&&(t.which=null!=e.charCode?e.charCode:e.keyCode),t}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(t,e){var i,n,s,o=e.button,a=e.fromElement;return null==t.pageX&&null!=e.clientX&&(n=t.target.ownerDocument||fe,s=n.documentElement,i=n.body,t.pageX=e.clientX+(s&&s.scrollLeft||i&&i.scrollLeft||0)-(s&&s.clientLeft||i&&i.clientLeft||0),t.pageY=e.clientY+(s&&s.scrollTop||i&&i.scrollTop||0)-(s&&s.clientTop||i&&i.clientTop||0)),!t.relatedTarget&&a&&(t.relatedTarget=a===t.target?e.toElement:a),t.which||void 0===o||(t.which=1&o?1:2&o?3:4&o?2:0),t}},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==f()&&this.focus)try{return this.focus(),!1}catch(t){}},delegateType:"focusin"},blur:{trigger:function(){return this===f()&&this.blur?(this.blur(),!1):void 0},delegateType:"focusout"},click:{trigger:function(){return se.nodeName(this,"input")&&"checkbox"===this.type&&this.click?(this.click(),!1):void 0},_default:function(t){return se.nodeName(t.target,"a")}},beforeunload:{postDispatch:function(t){void 0!==t.result&&t.originalEvent&&(t.originalEvent.returnValue=t.result)}}},simulate:function(t,e,i,n){var s=se.extend(new se.Event,i,{type:t,isSimulated:!0,originalEvent:{}});n?se.event.trigger(s,null,e):se.event.dispatch.call(e,s),s.isDefaultPrevented()&&i.preventDefault()}},se.removeEvent=fe.removeEventListener?function(t,e,i){t.removeEventListener&&t.removeEventListener(e,i,!1)}:function(t,e,i){var n="on"+e;t.detachEvent&&(typeof t[n]===Le&&(t[n]=null),t.detachEvent(n,i))},se.Event=function(t,e){return this instanceof se.Event?(t&&t.type?(this.originalEvent=t,this.type=t.type,this.isDefaultPrevented=t.defaultPrevented||void 0===t.defaultPrevented&&t.returnValue===!1?u:p):this.type=t,e&&se.extend(this,e),this.timeStamp=t&&t.timeStamp||se.now(),void(this[se.expando]=!0)):new se.Event(t,e)},se.Event.prototype={isDefaultPrevented:p,isPropagationStopped:p,isImmediatePropagationStopped:p,preventDefault:function(){var t=this.originalEvent;this.isDefaultPrevented=u,t&&(t.preventDefault?t.preventDefault():t.returnValue=!1)},stopPropagation:function(){var t=this.originalEvent;this.isPropagationStopped=u,t&&(t.stopPropagation&&t.stopPropagation(),t.cancelBubble=!0)},stopImmediatePropagation:function(){var t=this.originalEvent;this.isImmediatePropagationStopped=u,t&&t.stopImmediatePropagation&&t.stopImmediatePropagation(),this.stopPropagation()}},se.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(t,e){se.event.special[t]={delegateType:e,bindType:e,handle:function(t){var i,n=this,s=t.relatedTarget,o=t.handleObj;return(!s||s!==n&&!se.contains(n,s))&&(t.type=o.origType,i=o.handler.apply(this,arguments),t.type=e),i}}}),ie.submitBubbles||(se.event.special.submit={setup:function(){return se.nodeName(this,"form")?!1:void se.event.add(this,"click._submit keypress._submit",function(t){var e=t.target,i=se.nodeName(e,"input")||se.nodeName(e,"button")?e.form:void 0;i&&!se._data(i,"submitBubbles")&&(se.event.add(i,"submit._submit",function(t){t._submit_bubble=!0}),se._data(i,"submitBubbles",!0))})},postDispatch:function(t){t._submit_bubble&&(delete t._submit_bubble,this.parentNode&&!t.isTrigger&&se.event.simulate("submit",this.parentNode,t,!0))},teardown:function(){return se.nodeName(this,"form")?!1:void se.event.remove(this,"._submit")}}),ie.changeBubbles||(se.event.special.change={setup:function(){return Ie.test(this.nodeName)?(("checkbox"===this.type||"radio"===this.type)&&(se.event.add(this,"propertychange._change",function(t){"checked"===t.originalEvent.propertyName&&(this._just_changed=!0)}),se.event.add(this,"click._change",function(t){this._just_changed&&!t.isTrigger&&(this._just_changed=!1),se.event.simulate("change",this,t,!0)})),!1):void se.event.add(this,"beforeactivate._change",function(t){var e=t.target;Ie.test(e.nodeName)&&!se._data(e,"changeBubbles")&&(se.event.add(e,"change._change",function(t){!this.parentNode||t.isSimulated||t.isTrigger||se.event.simulate("change",this.parentNode,t,!0)}),se._data(e,"changeBubbles",!0))})},handle:function(t){var e=t.target;return this!==e||t.isSimulated||t.isTrigger||"radio"!==e.type&&"checkbox"!==e.type?t.handleObj.handler.apply(this,arguments):void 0},teardown:function(){return se.event.remove(this,"._change"),!Ie.test(this.nodeName)}}),ie.focusinBubbles||se.each({focus:"focusin",blur:"focusout"},function(t,e){var i=function(t){se.event.simulate(e,t.target,se.event.fix(t),!0)};se.event.special[e]={setup:function(){var n=this.ownerDocument||this,s=se._data(n,e);s||n.addEventListener(t,i,!0),se._data(n,e,(s||0)+1)},teardown:function(){var n=this.ownerDocument||this,s=se._data(n,e)-1;s?se._data(n,e,s):(n.removeEventListener(t,i,!0),se._removeData(n,e))}}}),se.fn.extend({on:function(t,e,i,n,s){var o,a;if("object"==typeof t){"string"!=typeof e&&(i=i||e,e=void 0);for(o in t)this.on(o,e,i,t[o],s);return this}if(null==i&&null==n?(n=e,i=e=void 0):null==n&&("string"==typeof e?(n=i,i=void 0):(n=i,i=e,e=void 0)),n===!1)n=p;else if(!n)return this;return 1===s&&(a=n,n=function(t){return se().off(t),a.apply(this,arguments)},n.guid=a.guid||(a.guid=se.guid++)),this.each(function(){se.event.add(this,t,n,i,e)})},one:function(t,e,i,n){return this.on(t,e,i,n,1)},off:function(t,e,i){var n,s;if(t&&t.preventDefault&&t.handleObj)return n=t.handleObj,se(t.delegateTarget).off(n.namespace?n.origType+"."+n.namespace:n.origType,n.selector,n.handler),this;if("object"==typeof t){for(s in t)this.off(s,e,t[s]);return this}return(e===!1||"function"==typeof e)&&(i=e,e=void 0),i===!1&&(i=p),this.each(function(){se.event.remove(this,t,i,e)})},trigger:function(t,e){return this.each(function(){se.event.trigger(t,e,this)})},triggerHandler:function(t,e){var i=this[0];return i?se.event.trigger(t,e,i,!0):void 0}});var Pe="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",Ue=/ jQuery\d+="(?:null|\d+)"/g,$e=new RegExp("<(?:"+Pe+")[\\s/>]","i"),Fe=/^\s+/,je=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,Be=/<([\w:]+)/,He=/<tbody/i,ze=/<|&#?\w+;/,Ve=/<(?:script|style|link)/i,Ge=/checked\s*(?:[^=]|=\s*.checked.)/i,Xe=/^$|\/(?:java|ecma)script/i,We=/^true\/(.*)/,Je=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,Ye={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],area:[1,"<map>","</map>"],param:[1,"<object>","</object>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:ie.htmlSerialize?[0,"",""]:[1,"X<div>","</div>"]},qe=m(fe),Ke=qe.appendChild(fe.createElement("div"));Ye.optgroup=Ye.option,Ye.tbody=Ye.tfoot=Ye.colgroup=Ye.caption=Ye.thead,Ye.th=Ye.td,se.extend({clone:function(t,e,i){var n,s,o,a,r,l=se.contains(t.ownerDocument,t);if(ie.html5Clone||se.isXMLDoc(t)||!$e.test("<"+t.nodeName+">")?o=t.cloneNode(!0):(Ke.innerHTML=t.outerHTML,Ke.removeChild(o=Ke.firstChild)),!(ie.noCloneEvent&&ie.noCloneChecked||1!==t.nodeType&&11!==t.nodeType||se.isXMLDoc(t)))for(n=g(o),r=g(t),a=0;null!=(s=r[a]);++a)n[a]&&L(s,n[a]);if(e)if(i)for(r=r||g(t),n=n||g(o),a=0;null!=(s=r[a]);a++)T(s,n[a]);else T(t,o);return n=g(o,"script"),n.length>0&&E(n,!l&&g(t,"script")),n=r=s=null,o},buildFragment:function(t,e,i,n){for(var s,o,a,r,l,c,d,h=t.length,u=m(e),p=[],f=0;h>f;f++)if(o=t[f],o||0===o)if("object"===se.type(o))se.merge(p,o.nodeType?[o]:o);else if(ze.test(o)){for(r=r||u.appendChild(e.createElement("div")),l=(Be.exec(o)||["",""])[1].toLowerCase(),d=Ye[l]||Ye._default,r.innerHTML=d[1]+o.replace(je,"<$1></$2>")+d[2],s=d[0];s--;)r=r.lastChild;if(!ie.leadingWhitespace&&Fe.test(o)&&p.push(e.createTextNode(Fe.exec(o)[0])),!ie.tbody)for(o="table"!==l||He.test(o)?"<table>"!==d[1]||He.test(o)?0:r:r.firstChild,s=o&&o.childNodes.length;s--;)se.nodeName(c=o.childNodes[s],"tbody")&&!c.childNodes.length&&o.removeChild(c);for(se.merge(p,r.childNodes),r.textContent="";r.firstChild;)r.removeChild(r.firstChild);r=u.lastChild}else p.push(e.createTextNode(o));for(r&&u.removeChild(r),ie.appendChecked||se.grep(g(p,"input"),v),f=0;o=p[f++];)if((!n||-1===se.inArray(o,n))&&(a=se.contains(o.ownerDocument,o),r=g(u.appendChild(o),"script"),a&&E(r),i))for(s=0;o=r[s++];)Xe.test(o.type||"")&&i.push(o);return r=null,u},cleanData:function(t,e){for(var i,n,s,o,a=0,r=se.expando,l=se.cache,c=ie.deleteExpando,d=se.event.special;null!=(i=t[a]);a++)if((e||se.acceptData(i))&&(s=i[r],o=s&&l[s])){if(o.events)for(n in o.events)d[n]?se.event.remove(i,n):se.removeEvent(i,n,o.handle);l[s]&&(delete l[s],c?delete i[r]:typeof i.removeAttribute!==Le?i.removeAttribute(r):i[r]=null,J.push(s))}}}),se.fn.extend({text:function(t){return xe(this,function(t){return void 0===t?se.text(this):this.empty().append((this[0]&&this[0].ownerDocument||fe).createTextNode(t))},null,t,arguments.length)},append:function(){return this.domManip(arguments,function(t){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var e=b(this,t);e.appendChild(t)}})},prepend:function(){return this.domManip(arguments,function(t){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var e=b(this,t);
+e.insertBefore(t,e.firstChild)}})},before:function(){return this.domManip(arguments,function(t){this.parentNode&&this.parentNode.insertBefore(t,this)})},after:function(){return this.domManip(arguments,function(t){this.parentNode&&this.parentNode.insertBefore(t,this.nextSibling)})},remove:function(t,e){for(var i,n=t?se.filter(t,this):this,s=0;null!=(i=n[s]);s++)e||1!==i.nodeType||se.cleanData(g(i)),i.parentNode&&(e&&se.contains(i.ownerDocument,i)&&E(g(i,"script")),i.parentNode.removeChild(i));return this},empty:function(){for(var t,e=0;null!=(t=this[e]);e++){for(1===t.nodeType&&se.cleanData(g(t,!1));t.firstChild;)t.removeChild(t.firstChild);t.options&&se.nodeName(t,"select")&&(t.options.length=0)}return this},clone:function(t,e){return t=null==t?!1:t,e=null==e?t:e,this.map(function(){return se.clone(this,t,e)})},html:function(t){return xe(this,function(t){var e=this[0]||{},i=0,n=this.length;if(void 0===t)return 1===e.nodeType?e.innerHTML.replace(Ue,""):void 0;if(!("string"!=typeof t||Ve.test(t)||!ie.htmlSerialize&&$e.test(t)||!ie.leadingWhitespace&&Fe.test(t)||Ye[(Be.exec(t)||["",""])[1].toLowerCase()])){t=t.replace(je,"<$1></$2>");try{for(;n>i;i++)e=this[i]||{},1===e.nodeType&&(se.cleanData(g(e,!1)),e.innerHTML=t);e=0}catch(s){}}e&&this.empty().append(t)},null,t,arguments.length)},replaceWith:function(){var t=arguments[0];return this.domManip(arguments,function(e){t=this.parentNode,se.cleanData(g(this)),t&&t.replaceChild(e,this)}),t&&(t.length||t.nodeType)?this:this.remove()},detach:function(t){return this.remove(t,!0)},domManip:function(t,e){t=q.apply([],t);var i,n,s,o,a,r,l=0,c=this.length,d=this,h=c-1,u=t[0],p=se.isFunction(u);if(p||c>1&&"string"==typeof u&&!ie.checkClone&&Ge.test(u))return this.each(function(i){var n=d.eq(i);p&&(t[0]=u.call(this,i,n.html())),n.domManip(t,e)});if(c&&(r=se.buildFragment(t,this[0].ownerDocument,!1,this),i=r.firstChild,1===r.childNodes.length&&(r=i),i)){for(o=se.map(g(r,"script"),y),s=o.length;c>l;l++)n=r,l!==h&&(n=se.clone(n,!0,!0),s&&se.merge(o,g(n,"script"))),e.call(this[l],n,l);if(s)for(a=o[o.length-1].ownerDocument,se.map(o,S),l=0;s>l;l++)n=o[l],Xe.test(n.type||"")&&!se._data(n,"globalEval")&&se.contains(a,n)&&(n.src?se._evalUrl&&se._evalUrl(n.src):se.globalEval((n.text||n.textContent||n.innerHTML||"").replace(Je,"")));r=i=null}return this}}),se.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(t,e){se.fn[t]=function(t){for(var i,n=0,s=[],o=se(t),a=o.length-1;a>=n;n++)i=n===a?this:this.clone(!0),se(o[n])[e](i),K.apply(s,i.get());return this.pushStack(s)}});var Qe,Ze={};!function(){var t;ie.shrinkWrapBlocks=function(){if(null!=t)return t;t=!1;var e,i,n;return i=fe.getElementsByTagName("body")[0],i&&i.style?(e=fe.createElement("div"),n=fe.createElement("div"),n.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",i.appendChild(n).appendChild(e),typeof e.style.zoom!==Le&&(e.style.cssText="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:1px;width:1px;zoom:1",e.appendChild(fe.createElement("div")).style.width="5px",t=3!==e.offsetWidth),i.removeChild(n),t):void 0}}();var ti,ei,ii=/^margin/,ni=new RegExp("^("+ke+")(?!px)[a-z%]+$","i"),si=/^(top|right|bottom|left)$/;t.getComputedStyle?(ti=function(t){return t.ownerDocument.defaultView.getComputedStyle(t,null)},ei=function(t,e,i){var n,s,o,a,r=t.style;return i=i||ti(t),a=i?i.getPropertyValue(e)||i[e]:void 0,i&&(""!==a||se.contains(t.ownerDocument,t)||(a=se.style(t,e)),ni.test(a)&&ii.test(e)&&(n=r.width,s=r.minWidth,o=r.maxWidth,r.minWidth=r.maxWidth=r.width=a,a=i.width,r.width=n,r.minWidth=s,r.maxWidth=o)),void 0===a?a:a+""}):fe.documentElement.currentStyle&&(ti=function(t){return t.currentStyle},ei=function(t,e,i){var n,s,o,a,r=t.style;return i=i||ti(t),a=i?i[e]:void 0,null==a&&r&&r[e]&&(a=r[e]),ni.test(a)&&!si.test(e)&&(n=r.left,s=t.runtimeStyle,o=s&&s.left,o&&(s.left=t.currentStyle.left),r.left="fontSize"===e?"1em":a,a=r.pixelLeft+"px",r.left=n,o&&(s.left=o)),void 0===a?a:a+""||"auto"}),function(){function e(){var e,i,n,s;i=fe.getElementsByTagName("body")[0],i&&i.style&&(e=fe.createElement("div"),n=fe.createElement("div"),n.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",i.appendChild(n).appendChild(e),e.style.cssText="-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;display:block;margin-top:1%;top:1%;border:1px;padding:1px;width:4px;position:absolute",o=a=!1,l=!0,t.getComputedStyle&&(o="1%"!==(t.getComputedStyle(e,null)||{}).top,a="4px"===(t.getComputedStyle(e,null)||{width:"4px"}).width,s=e.appendChild(fe.createElement("div")),s.style.cssText=e.style.cssText="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:0",s.style.marginRight=s.style.width="0",e.style.width="1px",l=!parseFloat((t.getComputedStyle(s,null)||{}).marginRight)),e.innerHTML="<table><tr><td></td><td>t</td></tr></table>",s=e.getElementsByTagName("td"),s[0].style.cssText="margin:0;border:0;padding:0;display:none",r=0===s[0].offsetHeight,r&&(s[0].style.display="",s[1].style.display="none",r=0===s[0].offsetHeight),i.removeChild(n))}var i,n,s,o,a,r,l;i=fe.createElement("div"),i.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",s=i.getElementsByTagName("a")[0],n=s&&s.style,n&&(n.cssText="float:left;opacity:.5",ie.opacity="0.5"===n.opacity,ie.cssFloat=!!n.cssFloat,i.style.backgroundClip="content-box",i.cloneNode(!0).style.backgroundClip="",ie.clearCloneStyle="content-box"===i.style.backgroundClip,ie.boxSizing=""===n.boxSizing||""===n.MozBoxSizing||""===n.WebkitBoxSizing,se.extend(ie,{reliableHiddenOffsets:function(){return null==r&&e(),r},boxSizingReliable:function(){return null==a&&e(),a},pixelPosition:function(){return null==o&&e(),o},reliableMarginRight:function(){return null==l&&e(),l}}))}(),se.swap=function(t,e,i,n){var s,o,a={};for(o in e)a[o]=t.style[o],t.style[o]=e[o];s=i.apply(t,n||[]);for(o in e)t.style[o]=a[o];return s};var oi=/alpha\([^)]*\)/i,ai=/opacity\s*=\s*([^)]*)/,ri=/^(none|table(?!-c[ea]).+)/,li=new RegExp("^("+ke+")(.*)$","i"),ci=new RegExp("^([+-])=("+ke+")","i"),di={position:"absolute",visibility:"hidden",display:"block"},hi={letterSpacing:"0",fontWeight:"400"},ui=["Webkit","O","Moz","ms"];se.extend({cssHooks:{opacity:{get:function(t,e){if(e){var i=ei(t,"opacity");return""===i?"1":i}}}},cssNumber:{columnCount:!0,fillOpacity:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":ie.cssFloat?"cssFloat":"styleFloat"},style:function(t,e,i,n){if(t&&3!==t.nodeType&&8!==t.nodeType&&t.style){var s,o,a,r=se.camelCase(e),l=t.style;if(e=se.cssProps[r]||(se.cssProps[r]=C(l,r)),a=se.cssHooks[e]||se.cssHooks[r],void 0===i)return a&&"get"in a&&void 0!==(s=a.get(t,!1,n))?s:l[e];if(o=typeof i,"string"===o&&(s=ci.exec(i))&&(i=(s[1]+1)*s[2]+parseFloat(se.css(t,e)),o="number"),null!=i&&i===i&&("number"!==o||se.cssNumber[r]||(i+="px"),ie.clearCloneStyle||""!==i||0!==e.indexOf("background")||(l[e]="inherit"),!(a&&"set"in a&&void 0===(i=a.set(t,i,n)))))try{l[e]=i}catch(c){}}},css:function(t,e,i,n){var s,o,a,r=se.camelCase(e);return e=se.cssProps[r]||(se.cssProps[r]=C(t.style,r)),a=se.cssHooks[e]||se.cssHooks[r],a&&"get"in a&&(o=a.get(t,!0,i)),void 0===o&&(o=ei(t,e,n)),"normal"===o&&e in hi&&(o=hi[e]),""===i||i?(s=parseFloat(o),i===!0||se.isNumeric(s)?s||0:o):o}}),se.each(["height","width"],function(t,e){se.cssHooks[e]={get:function(t,i,n){return i?ri.test(se.css(t,"display"))&&0===t.offsetWidth?se.swap(t,di,function(){return I(t,e,n)}):I(t,e,n):void 0},set:function(t,i,n){var s=n&&ti(t);return x(t,i,n?D(t,e,n,ie.boxSizing&&"border-box"===se.css(t,"boxSizing",!1,s),s):0)}}}),ie.opacity||(se.cssHooks.opacity={get:function(t,e){return ai.test((e&&t.currentStyle?t.currentStyle.filter:t.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":e?"1":""},set:function(t,e){var i=t.style,n=t.currentStyle,s=se.isNumeric(e)?"alpha(opacity="+100*e+")":"",o=n&&n.filter||i.filter||"";i.zoom=1,(e>=1||""===e)&&""===se.trim(o.replace(oi,""))&&i.removeAttribute&&(i.removeAttribute("filter"),""===e||n&&!n.filter)||(i.filter=oi.test(o)?o.replace(oi,s):o+" "+s)}}),se.cssHooks.marginRight=k(ie.reliableMarginRight,function(t,e){return e?se.swap(t,{display:"inline-block"},ei,[t,"marginRight"]):void 0}),se.each({margin:"",padding:"",border:"Width"},function(t,e){se.cssHooks[t+e]={expand:function(i){for(var n=0,s={},o="string"==typeof i?i.split(" "):[i];4>n;n++)s[t+Ce[n]+e]=o[n]||o[n-2]||o[0];return s}},ii.test(t)||(se.cssHooks[t+e].set=x)}),se.fn.extend({css:function(t,e){return xe(this,function(t,e,i){var n,s,o={},a=0;if(se.isArray(e)){for(n=ti(t),s=e.length;s>a;a++)o[e[a]]=se.css(t,e[a],!1,n);return o}return void 0!==i?se.style(t,e,i):se.css(t,e)},t,e,arguments.length>1)},show:function(){return A(this,!0)},hide:function(){return A(this)},toggle:function(t){return"boolean"==typeof t?t?this.show():this.hide():this.each(function(){Ae(this)?se(this).show():se(this).hide()})}}),se.Tween=M,M.prototype={constructor:M,init:function(t,e,i,n,s,o){this.elem=t,this.prop=i,this.easing=s||"swing",this.options=e,this.start=this.now=this.cur(),this.end=n,this.unit=o||(se.cssNumber[i]?"":"px")},cur:function(){var t=M.propHooks[this.prop];return t&&t.get?t.get(this):M.propHooks._default.get(this)},run:function(t){var e,i=M.propHooks[this.prop];return this.pos=e=this.options.duration?se.easing[this.easing](t,this.options.duration*t,0,1,this.options.duration):t,this.now=(this.end-this.start)*e+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),i&&i.set?i.set(this):M.propHooks._default.set(this),this}},M.prototype.init.prototype=M.prototype,M.propHooks={_default:{get:function(t){var e;return null==t.elem[t.prop]||t.elem.style&&null!=t.elem.style[t.prop]?(e=se.css(t.elem,t.prop,""),e&&"auto"!==e?e:0):t.elem[t.prop]},set:function(t){se.fx.step[t.prop]?se.fx.step[t.prop](t):t.elem.style&&(null!=t.elem.style[se.cssProps[t.prop]]||se.cssHooks[t.prop])?se.style(t.elem,t.prop,t.now+t.unit):t.elem[t.prop]=t.now}}},M.propHooks.scrollTop=M.propHooks.scrollLeft={set:function(t){t.elem.nodeType&&t.elem.parentNode&&(t.elem[t.prop]=t.now)}},se.easing={linear:function(t){return t},swing:function(t){return.5-Math.cos(t*Math.PI)/2}},se.fx=M.prototype.init,se.fx.step={};var pi,fi,mi=/^(?:toggle|show|hide)$/,gi=new RegExp("^(?:([+-])=|)("+ke+")([a-z%]*)$","i"),vi=/queueHooks$/,bi=[P],yi={"*":[function(t,e){var i=this.createTween(t,e),n=i.cur(),s=gi.exec(e),o=s&&s[3]||(se.cssNumber[t]?"":"px"),a=(se.cssNumber[t]||"px"!==o&&+n)&&gi.exec(se.css(i.elem,t)),r=1,l=20;if(a&&a[3]!==o){o=o||a[3],s=s||[],a=+n||1;do r=r||".5",a/=r,se.style(i.elem,t,a+o);while(r!==(r=i.cur()/n)&&1!==r&&--l)}return s&&(a=i.start=+a||+n||0,i.unit=o,i.end=s[1]?a+(s[1]+1)*s[2]:+s[2]),i}]};se.Animation=se.extend($,{tweener:function(t,e){se.isFunction(t)?(e=t,t=["*"]):t=t.split(" ");for(var i,n=0,s=t.length;s>n;n++)i=t[n],yi[i]=yi[i]||[],yi[i].unshift(e)},prefilter:function(t,e){e?bi.unshift(t):bi.push(t)}}),se.speed=function(t,e,i){var n=t&&"object"==typeof t?se.extend({},t):{complete:i||!i&&e||se.isFunction(t)&&t,duration:t,easing:i&&e||e&&!se.isFunction(e)&&e};return n.duration=se.fx.off?0:"number"==typeof n.duration?n.duration:n.duration in se.fx.speeds?se.fx.speeds[n.duration]:se.fx.speeds._default,(null==n.queue||n.queue===!0)&&(n.queue="fx"),n.old=n.complete,n.complete=function(){se.isFunction(n.old)&&n.old.call(this),n.queue&&se.dequeue(this,n.queue)},n},se.fn.extend({fadeTo:function(t,e,i,n){return this.filter(Ae).css("opacity",0).show().end().animate({opacity:e},t,i,n)},animate:function(t,e,i,n){var s=se.isEmptyObject(t),o=se.speed(e,i,n),a=function(){var e=$(this,se.extend({},t),o);(s||se._data(this,"finish"))&&e.stop(!0)};return a.finish=a,s||o.queue===!1?this.each(a):this.queue(o.queue,a)},stop:function(t,e,i){var n=function(t){var e=t.stop;delete t.stop,e(i)};return"string"!=typeof t&&(i=e,e=t,t=void 0),e&&t!==!1&&this.queue(t||"fx",[]),this.each(function(){var e=!0,s=null!=t&&t+"queueHooks",o=se.timers,a=se._data(this);if(s)a[s]&&a[s].stop&&n(a[s]);else for(s in a)a[s]&&a[s].stop&&vi.test(s)&&n(a[s]);for(s=o.length;s--;)o[s].elem!==this||null!=t&&o[s].queue!==t||(o[s].anim.stop(i),e=!1,o.splice(s,1));(e||!i)&&se.dequeue(this,t)})},finish:function(t){return t!==!1&&(t=t||"fx"),this.each(function(){var e,i=se._data(this),n=i[t+"queue"],s=i[t+"queueHooks"],o=se.timers,a=n?n.length:0;for(i.finish=!0,se.queue(this,t,[]),s&&s.stop&&s.stop.call(this,!0),e=o.length;e--;)o[e].elem===this&&o[e].queue===t&&(o[e].anim.stop(!0),o.splice(e,1));for(e=0;a>e;e++)n[e]&&n[e].finish&&n[e].finish.call(this);delete i.finish})}}),se.each(["toggle","show","hide"],function(t,e){var i=se.fn[e];se.fn[e]=function(t,n,s){return null==t||"boolean"==typeof t?i.apply(this,arguments):this.animate(O(e,!0),t,n,s)}}),se.each({slideDown:O("show"),slideUp:O("hide"),slideToggle:O("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(t,e){se.fn[t]=function(t,i,n){return this.animate(e,t,i,n)}}),se.timers=[],se.fx.tick=function(){var t,e=se.timers,i=0;for(pi=se.now();i<e.length;i++)t=e[i],t()||e[i]!==t||e.splice(i--,1);e.length||se.fx.stop(),pi=void 0},se.fx.timer=function(t){se.timers.push(t),t()?se.fx.start():se.timers.pop()},se.fx.interval=13,se.fx.start=function(){fi||(fi=setInterval(se.fx.tick,se.fx.interval))},se.fx.stop=function(){clearInterval(fi),fi=null},se.fx.speeds={slow:600,fast:200,_default:400},se.fn.delay=function(t,e){return t=se.fx?se.fx.speeds[t]||t:t,e=e||"fx",this.queue(e,function(e,i){var n=setTimeout(e,t);i.stop=function(){clearTimeout(n)}})},function(){var t,e,i,n,s;e=fe.createElement("div"),e.setAttribute("className","t"),e.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",n=e.getElementsByTagName("a")[0],i=fe.createElement("select"),s=i.appendChild(fe.createElement("option")),t=e.getElementsByTagName("input")[0],n.style.cssText="top:1px",ie.getSetAttribute="t"!==e.className,ie.style=/top/.test(n.getAttribute("style")),ie.hrefNormalized="/a"===n.getAttribute("href"),ie.checkOn=!!t.value,ie.optSelected=s.selected,ie.enctype=!!fe.createElement("form").enctype,i.disabled=!0,ie.optDisabled=!s.disabled,t=fe.createElement("input"),t.setAttribute("value",""),ie.input=""===t.getAttribute("value"),t.value="t",t.setAttribute("type","radio"),ie.radioValue="t"===t.value}();var Si=/\r/g;se.fn.extend({val:function(t){var e,i,n,s=this[0];{if(arguments.length)return n=se.isFunction(t),this.each(function(i){var s;1===this.nodeType&&(s=n?t.call(this,i,se(this).val()):t,null==s?s="":"number"==typeof s?s+="":se.isArray(s)&&(s=se.map(s,function(t){return null==t?"":t+""})),e=se.valHooks[this.type]||se.valHooks[this.nodeName.toLowerCase()],e&&"set"in e&&void 0!==e.set(this,s,"value")||(this.value=s))});if(s)return e=se.valHooks[s.type]||se.valHooks[s.nodeName.toLowerCase()],e&&"get"in e&&void 0!==(i=e.get(s,"value"))?i:(i=s.value,"string"==typeof i?i.replace(Si,""):null==i?"":i)}}}),se.extend({valHooks:{option:{get:function(t){var e=se.find.attr(t,"value");return null!=e?e:se.trim(se.text(t))}},select:{get:function(t){for(var e,i,n=t.options,s=t.selectedIndex,o="select-one"===t.type||0>s,a=o?null:[],r=o?s+1:n.length,l=0>s?r:o?s:0;r>l;l++)if(i=n[l],!(!i.selected&&l!==s||(ie.optDisabled?i.disabled:null!==i.getAttribute("disabled"))||i.parentNode.disabled&&se.nodeName(i.parentNode,"optgroup"))){if(e=se(i).val(),o)return e;a.push(e)}return a},set:function(t,e){for(var i,n,s=t.options,o=se.makeArray(e),a=s.length;a--;)if(n=s[a],se.inArray(se.valHooks.option.get(n),o)>=0)try{n.selected=i=!0}catch(r){n.scrollHeight}else n.selected=!1;return i||(t.selectedIndex=-1),s}}}}),se.each(["radio","checkbox"],function(){se.valHooks[this]={set:function(t,e){return se.isArray(e)?t.checked=se.inArray(se(t).val(),e)>=0:void 0}},ie.checkOn||(se.valHooks[this].get=function(t){return null===t.getAttribute("value")?"on":t.value})});var Ei,Ti,Li=se.expr.attrHandle,_i=/^(?:checked|selected)$/i,wi=ie.getSetAttribute,ki=ie.input;se.fn.extend({attr:function(t,e){return xe(this,se.attr,t,e,arguments.length>1)},removeAttr:function(t){return this.each(function(){se.removeAttr(this,t)})}}),se.extend({attr:function(t,e,i){var n,s,o=t.nodeType;if(t&&3!==o&&8!==o&&2!==o)return typeof t.getAttribute===Le?se.prop(t,e,i):(1===o&&se.isXMLDoc(t)||(e=e.toLowerCase(),n=se.attrHooks[e]||(se.expr.match.bool.test(e)?Ti:Ei)),void 0===i?n&&"get"in n&&null!==(s=n.get(t,e))?s:(s=se.find.attr(t,e),null==s?void 0:s):null!==i?n&&"set"in n&&void 0!==(s=n.set(t,i,e))?s:(t.setAttribute(e,i+""),i):void se.removeAttr(t,e))},removeAttr:function(t,e){var i,n,s=0,o=e&&e.match(ye);if(o&&1===t.nodeType)for(;i=o[s++];)n=se.propFix[i]||i,se.expr.match.bool.test(i)?ki&&wi||!_i.test(i)?t[n]=!1:t[se.camelCase("default-"+i)]=t[n]=!1:se.attr(t,i,""),t.removeAttribute(wi?i:n)},attrHooks:{type:{set:function(t,e){if(!ie.radioValue&&"radio"===e&&se.nodeName(t,"input")){var i=t.value;return t.setAttribute("type",e),i&&(t.value=i),e}}}}}),Ti={set:function(t,e,i){return e===!1?se.removeAttr(t,i):ki&&wi||!_i.test(i)?t.setAttribute(!wi&&se.propFix[i]||i,i):t[se.camelCase("default-"+i)]=t[i]=!0,i}},se.each(se.expr.match.bool.source.match(/\w+/g),function(t,e){var i=Li[e]||se.find.attr;Li[e]=ki&&wi||!_i.test(e)?function(t,e,n){var s,o;return n||(o=Li[e],Li[e]=s,s=null!=i(t,e,n)?e.toLowerCase():null,Li[e]=o),s}:function(t,e,i){return i?void 0:t[se.camelCase("default-"+e)]?e.toLowerCase():null}}),ki&&wi||(se.attrHooks.value={set:function(t,e,i){return se.nodeName(t,"input")?void(t.defaultValue=e):Ei&&Ei.set(t,e,i)}}),wi||(Ei={set:function(t,e,i){var n=t.getAttributeNode(i);return n||t.setAttributeNode(n=t.ownerDocument.createAttribute(i)),n.value=e+="","value"===i||e===t.getAttribute(i)?e:void 0}},Li.id=Li.name=Li.coords=function(t,e,i){var n;return i?void 0:(n=t.getAttributeNode(e))&&""!==n.value?n.value:null},se.valHooks.button={get:function(t,e){var i=t.getAttributeNode(e);return i&&i.specified?i.value:void 0},set:Ei.set},se.attrHooks.contenteditable={set:function(t,e,i){Ei.set(t,""===e?!1:e,i)}},se.each(["width","height"],function(t,e){se.attrHooks[e]={set:function(t,i){return""===i?(t.setAttribute(e,"auto"),i):void 0}}})),ie.style||(se.attrHooks.style={get:function(t){return t.style.cssText||void 0},set:function(t,e){return t.style.cssText=e+""}});var Ci=/^(?:input|select|textarea|button|object)$/i,Ai=/^(?:a|area)$/i;se.fn.extend({prop:function(t,e){return xe(this,se.prop,t,e,arguments.length>1)},removeProp:function(t){return t=se.propFix[t]||t,this.each(function(){try{this[t]=void 0,delete this[t]}catch(e){}})}}),se.extend({propFix:{"for":"htmlFor","class":"className"},prop:function(t,e,i){var n,s,o,a=t.nodeType;if(t&&3!==a&&8!==a&&2!==a)return o=1!==a||!se.isXMLDoc(t),o&&(e=se.propFix[e]||e,s=se.propHooks[e]),void 0!==i?s&&"set"in s&&void 0!==(n=s.set(t,i,e))?n:t[e]=i:s&&"get"in s&&null!==(n=s.get(t,e))?n:t[e]},propHooks:{tabIndex:{get:function(t){var e=se.find.attr(t,"tabindex");return e?parseInt(e,10):Ci.test(t.nodeName)||Ai.test(t.nodeName)&&t.href?0:-1}}}}),ie.hrefNormalized||se.each(["href","src"],function(t,e){se.propHooks[e]={get:function(t){return t.getAttribute(e,4)}}}),ie.optSelected||(se.propHooks.selected={get:function(t){var e=t.parentNode;return e&&(e.selectedIndex,e.parentNode&&e.parentNode.selectedIndex),null}}),se.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){se.propFix[this.toLowerCase()]=this}),ie.enctype||(se.propFix.enctype="encoding");var xi=/[\t\r\n\f]/g;se.fn.extend({addClass:function(t){var e,i,n,s,o,a,r=0,l=this.length,c="string"==typeof t&&t;if(se.isFunction(t))return this.each(function(e){se(this).addClass(t.call(this,e,this.className))});if(c)for(e=(t||"").match(ye)||[];l>r;r++)if(i=this[r],n=1===i.nodeType&&(i.className?(" "+i.className+" ").replace(xi," "):" ")){for(o=0;s=e[o++];)n.indexOf(" "+s+" ")<0&&(n+=s+" ");a=se.trim(n),i.className!==a&&(i.className=a)}return this},removeClass:function(t){var e,i,n,s,o,a,r=0,l=this.length,c=0===arguments.length||"string"==typeof t&&t;if(se.isFunction(t))return this.each(function(e){se(this).removeClass(t.call(this,e,this.className))});if(c)for(e=(t||"").match(ye)||[];l>r;r++)if(i=this[r],n=1===i.nodeType&&(i.className?(" "+i.className+" ").replace(xi," "):"")){for(o=0;s=e[o++];)for(;n.indexOf(" "+s+" ")>=0;)n=n.replace(" "+s+" "," ");a=t?se.trim(n):"",i.className!==a&&(i.className=a)}return this},toggleClass:function(t,e){var i=typeof t;return"boolean"==typeof e&&"string"===i?e?this.addClass(t):this.removeClass(t):this.each(se.isFunction(t)?function(i){se(this).toggleClass(t.call(this,i,this.className,e),e)}:function(){if("string"===i)for(var e,n=0,s=se(this),o=t.match(ye)||[];e=o[n++];)s.hasClass(e)?s.removeClass(e):s.addClass(e);else(i===Le||"boolean"===i)&&(this.className&&se._data(this,"__className__",this.className),this.className=this.className||t===!1?"":se._data(this,"__className__")||"")})},hasClass:function(t){for(var e=" "+t+" ",i=0,n=this.length;n>i;i++)if(1===this[i].nodeType&&(" "+this[i].className+" ").replace(xi," ").indexOf(e)>=0)return!0;return!1}}),se.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(t,e){se.fn[e]=function(t,i){return arguments.length>0?this.on(e,null,t,i):this.trigger(e)}}),se.fn.extend({hover:function(t,e){return this.mouseenter(t).mouseleave(e||t)},bind:function(t,e,i){return this.on(t,null,e,i)},unbind:function(t,e){return this.off(t,null,e)},delegate:function(t,e,i,n){return this.on(e,t,i,n)},undelegate:function(t,e,i){return 1===arguments.length?this.off(t,"**"):this.off(e,t||"**",i)}});var Di=se.now(),Ii=/\?/,Mi=/(,)|(\[|{)|(}|])|"(?:[^"\\\r\n]|\\["\\\/bfnrt]|\\u[\da-fA-F]{4})*"\s*:?|true|false|null|-?(?!0\d)\d+(?:\.\d+|)(?:[eE][+-]?\d+|)/g;se.parseJSON=function(e){if(t.JSON&&t.JSON.parse)return t.JSON.parse(e+"");var i,n=null,s=se.trim(e+"");return s&&!se.trim(s.replace(Mi,function(t,e,s,o){return i&&e&&(n=0),0===n?t:(i=s||e,n+=!o-!s,"")}))?Function("return "+s)():se.error("Invalid JSON: "+e)},se.parseXML=function(e){var i,n;if(!e||"string"!=typeof e)return null;try{t.DOMParser?(n=new DOMParser,i=n.parseFromString(e,"text/xml")):(i=new ActiveXObject("Microsoft.XMLDOM"),i.async="false",i.loadXML(e))}catch(s){i=void 0}return i&&i.documentElement&&!i.getElementsByTagName("parsererror").length||se.error("Invalid XML: "+e),i};var Ri,Oi,Ni=/#.*$/,Pi=/([?&])_=[^&]*/,Ui=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,$i=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Fi=/^(?:GET|HEAD)$/,ji=/^\/\//,Bi=/^([\w.+-]+:)(?:\/\/(?:[^\/?#]*@|)([^\/?#:]*)(?::(\d+)|)|)/,Hi={},zi={},Vi="*/".concat("*");try{Oi=location.href}catch(Gi){Oi=fe.createElement("a"),Oi.href="",Oi=Oi.href}Ri=Bi.exec(Oi.toLowerCase())||[],se.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:Oi,type:"GET",isLocal:$i.test(Ri[1]),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Vi,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":se.parseJSON,"text xml":se.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(t,e){return e?B(B(t,se.ajaxSettings),e):B(se.ajaxSettings,t)},ajaxPrefilter:F(Hi),ajaxTransport:F(zi),ajax:function(t,e){function i(t,e,i,n){var s,d,v,b,S,T=e;2!==y&&(y=2,r&&clearTimeout(r),c=void 0,a=n||"",E.readyState=t>0?4:0,s=t>=200&&300>t||304===t,i&&(b=H(h,E,i)),b=z(h,b,E,s),s?(h.ifModified&&(S=E.getResponseHeader("Last-Modified"),S&&(se.lastModified[o]=S),S=E.getResponseHeader("etag"),S&&(se.etag[o]=S)),204===t||"HEAD"===h.type?T="nocontent":304===t?T="notmodified":(T=b.state,d=b.data,v=b.error,s=!v)):(v=T,(t||!T)&&(T="error",0>t&&(t=0))),E.status=t,E.statusText=(e||T)+"",s?f.resolveWith(u,[d,T,E]):f.rejectWith(u,[E,T,v]),E.statusCode(g),g=void 0,l&&p.trigger(s?"ajaxSuccess":"ajaxError",[E,h,s?d:v]),m.fireWith(u,[E,T]),l&&(p.trigger("ajaxComplete",[E,h]),--se.active||se.event.trigger("ajaxStop")))}"object"==typeof t&&(e=t,t=void 0),e=e||{};var n,s,o,a,r,l,c,d,h=se.ajaxSetup({},e),u=h.context||h,p=h.context&&(u.nodeType||u.jquery)?se(u):se.event,f=se.Deferred(),m=se.Callbacks("once memory"),g=h.statusCode||{},v={},b={},y=0,S="canceled",E={readyState:0,getResponseHeader:function(t){var e;if(2===y){if(!d)for(d={};e=Ui.exec(a);)d[e[1].toLowerCase()]=e[2];e=d[t.toLowerCase()]}return null==e?null:e},getAllResponseHeaders:function(){return 2===y?a:null},setRequestHeader:function(t,e){var i=t.toLowerCase();return y||(t=b[i]=b[i]||t,v[t]=e),this},overrideMimeType:function(t){return y||(h.mimeType=t),this},statusCode:function(t){var e;if(t)if(2>y)for(e in t)g[e]=[g[e],t[e]];else E.always(t[E.status]);return this},abort:function(t){var e=t||S;return c&&c.abort(e),i(0,e),this}};if(f.promise(E).complete=m.add,E.success=E.done,E.error=E.fail,h.url=((t||h.url||Oi)+"").replace(Ni,"").replace(ji,Ri[1]+"//"),h.type=e.method||e.type||h.method||h.type,h.dataTypes=se.trim(h.dataType||"*").toLowerCase().match(ye)||[""],null==h.crossDomain&&(n=Bi.exec(h.url.toLowerCase()),h.crossDomain=!(!n||n[1]===Ri[1]&&n[2]===Ri[2]&&(n[3]||("http:"===n[1]?"80":"443"))===(Ri[3]||("http:"===Ri[1]?"80":"443")))),h.data&&h.processData&&"string"!=typeof h.data&&(h.data=se.param(h.data,h.traditional)),j(Hi,h,e,E),2===y)return E;l=h.global,l&&0===se.active++&&se.event.trigger("ajaxStart"),h.type=h.type.toUpperCase(),h.hasContent=!Fi.test(h.type),o=h.url,h.hasContent||(h.data&&(o=h.url+=(Ii.test(o)?"&":"?")+h.data,delete h.data),h.cache===!1&&(h.url=Pi.test(o)?o.replace(Pi,"$1_="+Di++):o+(Ii.test(o)?"&":"?")+"_="+Di++)),h.ifModified&&(se.lastModified[o]&&E.setRequestHeader("If-Modified-Since",se.lastModified[o]),se.etag[o]&&E.setRequestHeader("If-None-Match",se.etag[o])),(h.data&&h.hasContent&&h.contentType!==!1||e.contentType)&&E.setRequestHeader("Content-Type",h.contentType),E.setRequestHeader("Accept",h.dataTypes[0]&&h.accepts[h.dataTypes[0]]?h.accepts[h.dataTypes[0]]+("*"!==h.dataTypes[0]?", "+Vi+"; q=0.01":""):h.accepts["*"]);for(s in h.headers)E.setRequestHeader(s,h.headers[s]);if(h.beforeSend&&(h.beforeSend.call(u,E,h)===!1||2===y))return E.abort();S="abort";for(s in{success:1,error:1,complete:1})E[s](h[s]);if(c=j(zi,h,e,E)){E.readyState=1,l&&p.trigger("ajaxSend",[E,h]),h.async&&h.timeout>0&&(r=setTimeout(function(){E.abort("timeout")},h.timeout));try{y=1,c.send(v,i)}catch(T){if(!(2>y))throw T;i(-1,T)}}else i(-1,"No Transport");return E},getJSON:function(t,e,i){return se.get(t,e,i,"json")},getScript:function(t,e){return se.get(t,void 0,e,"script")}}),se.each(["get","post"],function(t,e){se[e]=function(t,i,n,s){return se.isFunction(i)&&(s=s||n,n=i,i=void 0),se.ajax({url:t,type:e,dataType:s,data:i,success:n})}}),se.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(t,e){se.fn[e]=function(t){return this.on(e,t)}}),se._evalUrl=function(t){return se.ajax({url:t,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0})},se.fn.extend({wrapAll:function(t){if(se.isFunction(t))return this.each(function(e){se(this).wrapAll(t.call(this,e))});if(this[0]){var e=se(t,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&e.insertBefore(this[0]),e.map(function(){for(var t=this;t.firstChild&&1===t.firstChild.nodeType;)t=t.firstChild;return t}).append(this)}return this},wrapInner:function(t){return this.each(se.isFunction(t)?function(e){se(this).wrapInner(t.call(this,e))}:function(){var e=se(this),i=e.contents();i.length?i.wrapAll(t):e.append(t)})},wrap:function(t){var e=se.isFunction(t);return this.each(function(i){se(this).wrapAll(e?t.call(this,i):t)})},unwrap:function(){return this.parent().each(function(){se.nodeName(this,"body")||se(this).replaceWith(this.childNodes)}).end()}}),se.expr.filters.hidden=function(t){return t.offsetWidth<=0&&t.offsetHeight<=0||!ie.reliableHiddenOffsets()&&"none"===(t.style&&t.style.display||se.css(t,"display"))},se.expr.filters.visible=function(t){return!se.expr.filters.hidden(t)};var Xi=/%20/g,Wi=/\[\]$/,Ji=/\r?\n/g,Yi=/^(?:submit|button|image|reset|file)$/i,qi=/^(?:input|select|textarea|keygen)/i;se.param=function(t,e){var i,n=[],s=function(t,e){e=se.isFunction(e)?e():null==e?"":e,n[n.length]=encodeURIComponent(t)+"="+encodeURIComponent(e)};if(void 0===e&&(e=se.ajaxSettings&&se.ajaxSettings.traditional),se.isArray(t)||t.jquery&&!se.isPlainObject(t))se.each(t,function(){s(this.name,this.value)});else for(i in t)V(i,t[i],e,s);return n.join("&").replace(Xi,"+")},se.fn.extend({serialize:function(){return se.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var t=se.prop(this,"elements");return t?se.makeArray(t):this}).filter(function(){var t=this.type;return this.name&&!se(this).is(":disabled")&&qi.test(this.nodeName)&&!Yi.test(t)&&(this.checked||!De.test(t))}).map(function(t,e){var i=se(this).val();return null==i?null:se.isArray(i)?se.map(i,function(t){return{name:e.name,value:t.replace(Ji,"\r\n")}}):{name:e.name,value:i.replace(Ji,"\r\n")}}).get()}}),se.ajaxSettings.xhr=void 0!==t.ActiveXObject?function(){return!this.isLocal&&/^(get|post|head|put|delete|options)$/i.test(this.type)&&G()||X()}:G;var Ki=0,Qi={},Zi=se.ajaxSettings.xhr();t.ActiveXObject&&se(t).on("unload",function(){for(var t in Qi)Qi[t](void 0,!0)}),ie.cors=!!Zi&&"withCredentials"in Zi,Zi=ie.ajax=!!Zi,Zi&&se.ajaxTransport(function(t){if(!t.crossDomain||ie.cors){var e;return{send:function(i,n){var s,o=t.xhr(),a=++Ki;if(o.open(t.type,t.url,t.async,t.username,t.password),t.xhrFields)for(s in t.xhrFields)o[s]=t.xhrFields[s];t.mimeType&&o.overrideMimeType&&o.overrideMimeType(t.mimeType),t.crossDomain||i["X-Requested-With"]||(i["X-Requested-With"]="XMLHttpRequest");for(s in i)void 0!==i[s]&&o.setRequestHeader(s,i[s]+"");o.send(t.hasContent&&t.data||null),e=function(i,s){var r,l,c;if(e&&(s||4===o.readyState))if(delete Qi[a],e=void 0,o.onreadystatechange=se.noop,s)4!==o.readyState&&o.abort();else{c={},r=o.status,"string"==typeof o.responseText&&(c.text=o.responseText);try{l=o.statusText}catch(d){l=""}r||!t.isLocal||t.crossDomain?1223===r&&(r=204):r=c.text?200:404}c&&n(r,l,c,o.getAllResponseHeaders())},t.async?4===o.readyState?setTimeout(e):o.onreadystatechange=Qi[a]=e:e()},abort:function(){e&&e(void 0,!0)}}}}),se.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/(?:java|ecma)script/},converters:{"text script":function(t){return se.globalEval(t),t}}}),se.ajaxPrefilter("script",function(t){void 0===t.cache&&(t.cache=!1),t.crossDomain&&(t.type="GET",t.global=!1)}),se.ajaxTransport("script",function(t){if(t.crossDomain){var e,i=fe.head||se("head")[0]||fe.documentElement;return{send:function(n,s){e=fe.createElement("script"),e.async=!0,t.scriptCharset&&(e.charset=t.scriptCharset),e.src=t.url,e.onload=e.onreadystatechange=function(t,i){(i||!e.readyState||/loaded|complete/.test(e.readyState))&&(e.onload=e.onreadystatechange=null,e.parentNode&&e.parentNode.removeChild(e),e=null,i||s(200,"success"))},i.insertBefore(e,i.firstChild)},abort:function(){e&&e.onload(void 0,!0)}}}});var tn=[],en=/(=)\?(?=&|$)|\?\?/;se.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var t=tn.pop()||se.expando+"_"+Di++;return this[t]=!0,t}}),se.ajaxPrefilter("json jsonp",function(e,i,n){var s,o,a,r=e.jsonp!==!1&&(en.test(e.url)?"url":"string"==typeof e.data&&!(e.contentType||"").indexOf("application/x-www-form-urlencoded")&&en.test(e.data)&&"data");return r||"jsonp"===e.dataTypes[0]?(s=e.jsonpCallback=se.isFunction(e.jsonpCallback)?e.jsonpCallback():e.jsonpCallback,r?e[r]=e[r].replace(en,"$1"+s):e.jsonp!==!1&&(e.url+=(Ii.test(e.url)?"&":"?")+e.jsonp+"="+s),e.converters["script json"]=function(){return a||se.error(s+" was not called"),a[0]},e.dataTypes[0]="json",o=t[s],t[s]=function(){a=arguments},n.always(function(){t[s]=o,e[s]&&(e.jsonpCallback=i.jsonpCallback,tn.push(s)),a&&se.isFunction(o)&&o(a[0]),a=o=void 0}),"script"):void 0}),se.parseHTML=function(t,e,i){if(!t||"string"!=typeof t)return null;"boolean"==typeof e&&(i=e,e=!1),e=e||fe;var n=he.exec(t),s=!i&&[];return n?[e.createElement(n[1])]:(n=se.buildFragment([t],e,s),s&&s.length&&se(s).remove(),se.merge([],n.childNodes))
+};var nn=se.fn.load;se.fn.load=function(t,e,i){if("string"!=typeof t&&nn)return nn.apply(this,arguments);var n,s,o,a=this,r=t.indexOf(" ");return r>=0&&(n=se.trim(t.slice(r,t.length)),t=t.slice(0,r)),se.isFunction(e)?(i=e,e=void 0):e&&"object"==typeof e&&(o="POST"),a.length>0&&se.ajax({url:t,type:o,dataType:"html",data:e}).done(function(t){s=arguments,a.html(n?se("<div>").append(se.parseHTML(t)).find(n):t)}).complete(i&&function(t,e){a.each(i,s||[t.responseText,e,t])}),this},se.expr.filters.animated=function(t){return se.grep(se.timers,function(e){return t===e.elem}).length};var sn=t.document.documentElement;se.offset={setOffset:function(t,e,i){var n,s,o,a,r,l,c,d=se.css(t,"position"),h=se(t),u={};"static"===d&&(t.style.position="relative"),r=h.offset(),o=se.css(t,"top"),l=se.css(t,"left"),c=("absolute"===d||"fixed"===d)&&se.inArray("auto",[o,l])>-1,c?(n=h.position(),a=n.top,s=n.left):(a=parseFloat(o)||0,s=parseFloat(l)||0),se.isFunction(e)&&(e=e.call(t,i,r)),null!=e.top&&(u.top=e.top-r.top+a),null!=e.left&&(u.left=e.left-r.left+s),"using"in e?e.using.call(t,u):h.css(u)}},se.fn.extend({offset:function(t){if(arguments.length)return void 0===t?this:this.each(function(e){se.offset.setOffset(this,t,e)});var e,i,n={top:0,left:0},s=this[0],o=s&&s.ownerDocument;if(o)return e=o.documentElement,se.contains(e,s)?(typeof s.getBoundingClientRect!==Le&&(n=s.getBoundingClientRect()),i=W(o),{top:n.top+(i.pageYOffset||e.scrollTop)-(e.clientTop||0),left:n.left+(i.pageXOffset||e.scrollLeft)-(e.clientLeft||0)}):n},position:function(){if(this[0]){var t,e,i={top:0,left:0},n=this[0];return"fixed"===se.css(n,"position")?e=n.getBoundingClientRect():(t=this.offsetParent(),e=this.offset(),se.nodeName(t[0],"html")||(i=t.offset()),i.top+=se.css(t[0],"borderTopWidth",!0),i.left+=se.css(t[0],"borderLeftWidth",!0)),{top:e.top-i.top-se.css(n,"marginTop",!0),left:e.left-i.left-se.css(n,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){for(var t=this.offsetParent||sn;t&&!se.nodeName(t,"html")&&"static"===se.css(t,"position");)t=t.offsetParent;return t||sn})}}),se.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(t,e){var i=/Y/.test(e);se.fn[t]=function(n){return xe(this,function(t,n,s){var o=W(t);return void 0===s?o?e in o?o[e]:o.document.documentElement[n]:t[n]:void(o?o.scrollTo(i?se(o).scrollLeft():s,i?s:se(o).scrollTop()):t[n]=s)},t,n,arguments.length,null)}}),se.each(["top","left"],function(t,e){se.cssHooks[e]=k(ie.pixelPosition,function(t,i){return i?(i=ei(t,e),ni.test(i)?se(t).position()[e]+"px":i):void 0})}),se.each({Height:"height",Width:"width"},function(t,e){se.each({padding:"inner"+t,content:e,"":"outer"+t},function(i,n){se.fn[n]=function(n,s){var o=arguments.length&&(i||"boolean"!=typeof n),a=i||(n===!0||s===!0?"margin":"border");return xe(this,function(e,i,n){var s;return se.isWindow(e)?e.document.documentElement["client"+t]:9===e.nodeType?(s=e.documentElement,Math.max(e.body["scroll"+t],s["scroll"+t],e.body["offset"+t],s["offset"+t],s["client"+t])):void 0===n?se.css(e,i,a):se.style(e,i,n,a)},e,o?n:void 0,o,null)}})}),se.fn.size=function(){return this.length},se.fn.andSelf=se.fn.addBack,"function"==typeof define&&define.amd&&define("jquery",[],function(){return se});var on=t.jQuery,an=t.$;return se.noConflict=function(e){return t.$===se&&(t.$=an),e&&t.jQuery===se&&(t.jQuery=on),se},typeof e===Le&&(t.jQuery=t.$=se),se}),function(t,e){t.rails!==e&&t.error("jquery-ujs has already been loaded!");var i,n=t(document);t.rails=i={linkClickSelector:"a[data-confirm], a[data-method], a[data-remote], a[data-disable-with], a[data-disable]",buttonClickSelector:"button[data-remote]:not(form button), button[data-confirm]:not(form button)",inputChangeSelector:"select[data-remote], input[data-remote], textarea[data-remote]",formSubmitSelector:"form",formInputClickSelector:"form input[type=submit], form input[type=image], form button[type=submit], form button:not([type]), input[type=submit][form], input[type=image][form], button[type=submit][form], button[form]:not([type])",disableSelector:"input[data-disable-with]:enabled, button[data-disable-with]:enabled, textarea[data-disable-with]:enabled, input[data-disable]:enabled, button[data-disable]:enabled, textarea[data-disable]:enabled",enableSelector:"input[data-disable-with]:disabled, button[data-disable-with]:disabled, textarea[data-disable-with]:disabled, input[data-disable]:disabled, button[data-disable]:disabled, textarea[data-disable]:disabled",requiredInputSelector:"input[name][required]:not([disabled]),textarea[name][required]:not([disabled])",fileInputSelector:"input[type=file]",linkDisableSelector:"a[data-disable-with], a[data-disable]",buttonDisableSelector:"button[data-remote][data-disable-with], button[data-remote][data-disable]",CSRFProtection:function(e){var i=t('meta[name="csrf-token"]').attr("content");i&&e.setRequestHeader("X-CSRF-Token",i)},refreshCSRFTokens:function(){var e=t("meta[name=csrf-token]").attr("content"),i=t("meta[name=csrf-param]").attr("content");t('form input[name="'+i+'"]').val(e)},fire:function(e,i,n){var s=t.Event(i);return e.trigger(s,n),s.result!==!1},confirm:function(t){return confirm(t)},ajax:function(e){return t.ajax(e)},href:function(t){return t.attr("href")},handleRemote:function(n){var s,o,a,r,l,c,d,h;if(i.fire(n,"ajax:before")){if(r=n.data("cross-domain"),l=r===e?null:r,c=n.data("with-credentials")||null,d=n.data("type")||t.ajaxSettings&&t.ajaxSettings.dataType,n.is("form")){s=n.attr("method"),o=n.attr("action"),a=n.serializeArray();var u=n.data("ujs:submit-button");u&&(a.push(u),n.data("ujs:submit-button",null))}else n.is(i.inputChangeSelector)?(s=n.data("method"),o=n.data("url"),a=n.serialize(),n.data("params")&&(a=a+"&"+n.data("params"))):n.is(i.buttonClickSelector)?(s=n.data("method")||"get",o=n.data("url"),a=n.serialize(),n.data("params")&&(a=a+"&"+n.data("params"))):(s=n.data("method"),o=i.href(n),a=n.data("params")||null);return h={type:s||"GET",data:a,dataType:d,beforeSend:function(t,s){return s.dataType===e&&t.setRequestHeader("accept","*/*;q=0.5, "+s.accepts.script),i.fire(n,"ajax:beforeSend",[t,s])?void n.trigger("ajax:send",t):!1},success:function(t,e,i){n.trigger("ajax:success",[t,e,i])},complete:function(t,e){n.trigger("ajax:complete",[t,e])},error:function(t,e,i){n.trigger("ajax:error",[t,e,i])},crossDomain:l},c&&(h.xhrFields={withCredentials:c}),o&&(h.url=o),i.ajax(h)}return!1},handleMethod:function(n){var s=i.href(n),o=n.data("method"),a=n.attr("target"),r=t("meta[name=csrf-token]").attr("content"),l=t("meta[name=csrf-param]").attr("content"),c=t('<form method="post" action="'+s+'"></form>'),d='<input name="_method" value="'+o+'" type="hidden" />';l!==e&&r!==e&&(d+='<input name="'+l+'" value="'+r+'" type="hidden" />'),a&&c.attr("target",a),c.hide().append(d).appendTo("body"),c.submit()},formElements:function(e,i){return e.is("form")?t(e[0].elements).filter(i):e.find(i)},disableFormElements:function(e){i.formElements(e,i.disableSelector).each(function(){i.disableFormElement(t(this))})},disableFormElement:function(t){var i,n;i=t.is("button")?"html":"val",n=t.data("disable-with"),t.data("ujs:enable-with",t[i]()),n!==e&&t[i](n),t.prop("disabled",!0)},enableFormElements:function(e){i.formElements(e,i.enableSelector).each(function(){i.enableFormElement(t(this))})},enableFormElement:function(t){var e=t.is("button")?"html":"val";t.data("ujs:enable-with")&&t[e](t.data("ujs:enable-with")),t.prop("disabled",!1)},allowAction:function(t){var e,n=t.data("confirm"),s=!1;return n?(i.fire(t,"confirm")&&(s=i.confirm(n),e=i.fire(t,"confirm:complete",[s])),s&&e):!0},blankInputs:function(e,i,n){var s,o,a=t(),r=i||"input,textarea",l=e.find(r);return l.each(function(){if(s=t(this),o=s.is("input[type=checkbox],input[type=radio]")?s.is(":checked"):s.val(),!o==!n){if(s.is("input[type=radio]")&&l.filter('input[type=radio]:checked[name="'+s.attr("name")+'"]').length)return!0;a=a.add(s)}}),a.length?a:!1},nonBlankInputs:function(t,e){return i.blankInputs(t,e,!0)},stopEverything:function(e){return t(e.target).trigger("ujs:everythingStopped"),e.stopImmediatePropagation(),!1},disableElement:function(t){var n=t.data("disable-with");t.data("ujs:enable-with",t.html()),n!==e&&t.html(n),t.bind("click.railsDisable",function(t){return i.stopEverything(t)})},enableElement:function(t){t.data("ujs:enable-with")!==e&&(t.html(t.data("ujs:enable-with")),t.removeData("ujs:enable-with")),t.unbind("click.railsDisable")}},i.fire(n,"rails:attachBindings")&&(t.ajaxPrefilter(function(t,e,n){t.crossDomain||i.CSRFProtection(n)}),n.delegate(i.linkDisableSelector,"ajax:complete",function(){i.enableElement(t(this))}),n.delegate(i.buttonDisableSelector,"ajax:complete",function(){i.enableFormElement(t(this))}),n.delegate(i.linkClickSelector,"click.rails",function(n){var s=t(this),o=s.data("method"),a=s.data("params"),r=n.metaKey||n.ctrlKey;if(!i.allowAction(s))return i.stopEverything(n);if(!r&&s.is(i.linkDisableSelector)&&i.disableElement(s),s.data("remote")!==e){if(r&&(!o||"GET"===o)&&!a)return!0;var l=i.handleRemote(s);return l===!1?i.enableElement(s):l.error(function(){i.enableElement(s)}),!1}return s.data("method")?(i.handleMethod(s),!1):void 0}),n.delegate(i.buttonClickSelector,"click.rails",function(e){var n=t(this);if(!i.allowAction(n))return i.stopEverything(e);n.is(i.buttonDisableSelector)&&i.disableFormElement(n);var s=i.handleRemote(n);return s===!1?i.enableFormElement(n):s.error(function(){i.enableFormElement(n)}),!1}),n.delegate(i.inputChangeSelector,"change.rails",function(e){var n=t(this);return i.allowAction(n)?(i.handleRemote(n),!1):i.stopEverything(e)}),n.delegate(i.formSubmitSelector,"submit.rails",function(n){var s,o,a=t(this),r=a.data("remote")!==e;if(!i.allowAction(a))return i.stopEverything(n);if(a.attr("novalidate")==e&&(s=i.blankInputs(a,i.requiredInputSelector),s&&i.fire(a,"ajax:aborted:required",[s])))return i.stopEverything(n);if(r){if(o=i.nonBlankInputs(a,i.fileInputSelector)){setTimeout(function(){i.disableFormElements(a)},13);var l=i.fire(a,"ajax:aborted:file",[o]);return l||setTimeout(function(){i.enableFormElements(a)},13),l}return i.handleRemote(a),!1}setTimeout(function(){i.disableFormElements(a)},13)}),n.delegate(i.formInputClickSelector,"click.rails",function(e){var n=t(this);if(!i.allowAction(n))return i.stopEverything(e);var s=n.attr("name"),o=s?{name:s,value:n.val()}:null;n.closest("form").data("ujs:submit-button",o)}),n.delegate(i.formSubmitSelector,"ajax:send.rails",function(e){this==e.target&&i.disableFormElements(t(this))}),n.delegate(i.formSubmitSelector,"ajax:complete.rails",function(e){this==e.target&&i.enableFormElements(t(this))}),t(function(){i.refreshCSRFTokens()}))}(jQuery),function(t){t.extend({debounce:function(t,e,i,n){3==arguments.length&&"boolean"!=typeof i&&(n=i,i=!1);var s;return function(){var o=arguments;n=n||this,i&&!s&&t.apply(n,o),clearTimeout(s),s=setTimeout(function(){i||t.apply(n,o),s=null},e)}},throttle:function(t,e,i){var n,s,o;return function(){s=arguments,o=!0,i=i||this,n||function(){o?(t.apply(i,s),o=!1,n=setTimeout(arguments.callee,e)):n=null}()}}})}(jQuery),jQuery.easing.jswing=jQuery.easing.swing,jQuery.extend(jQuery.easing,{def:"easeOutQuad",swing:function(t,e,i,n,s){return jQuery.easing[jQuery.easing.def](t,e,i,n,s)},easeInQuad:function(t,e,i,n,s){return n*(e/=s)*e+i},easeOutQuad:function(t,e,i,n,s){return-n*(e/=s)*(e-2)+i},easeInOutQuad:function(t,e,i,n,s){return(e/=s/2)<1?n/2*e*e+i:-n/2*(--e*(e-2)-1)+i},easeInCubic:function(t,e,i,n,s){return n*(e/=s)*e*e+i},easeOutCubic:function(t,e,i,n,s){return n*((e=e/s-1)*e*e+1)+i},easeInOutCubic:function(t,e,i,n,s){return(e/=s/2)<1?n/2*e*e*e+i:n/2*((e-=2)*e*e+2)+i},easeInQuart:function(t,e,i,n,s){return n*(e/=s)*e*e*e+i},easeOutQuart:function(t,e,i,n,s){return-n*((e=e/s-1)*e*e*e-1)+i},easeInOutQuart:function(t,e,i,n,s){return(e/=s/2)<1?n/2*e*e*e*e+i:-n/2*((e-=2)*e*e*e-2)+i},easeInQuint:function(t,e,i,n,s){return n*(e/=s)*e*e*e*e+i},easeOutQuint:function(t,e,i,n,s){return n*((e=e/s-1)*e*e*e*e+1)+i},easeInOutQuint:function(t,e,i,n,s){return(e/=s/2)<1?n/2*e*e*e*e*e+i:n/2*((e-=2)*e*e*e*e+2)+i},easeInSine:function(t,e,i,n,s){return-n*Math.cos(e/s*(Math.PI/2))+n+i},easeOutSine:function(t,e,i,n,s){return n*Math.sin(e/s*(Math.PI/2))+i},easeInOutSine:function(t,e,i,n,s){return-n/2*(Math.cos(Math.PI*e/s)-1)+i},easeInExpo:function(t,e,i,n,s){return 0==e?i:n*Math.pow(2,10*(e/s-1))+i},easeOutExpo:function(t,e,i,n,s){return e==s?i+n:n*(-Math.pow(2,-10*e/s)+1)+i},easeInOutExpo:function(t,e,i,n,s){return 0==e?i:e==s?i+n:(e/=s/2)<1?n/2*Math.pow(2,10*(e-1))+i:n/2*(-Math.pow(2,-10*--e)+2)+i},easeInCirc:function(t,e,i,n,s){return-n*(Math.sqrt(1-(e/=s)*e)-1)+i},easeOutCirc:function(t,e,i,n,s){return n*Math.sqrt(1-(e=e/s-1)*e)+i},easeInOutCirc:function(t,e,i,n,s){return(e/=s/2)<1?-n/2*(Math.sqrt(1-e*e)-1)+i:n/2*(Math.sqrt(1-(e-=2)*e)+1)+i},easeInElastic:function(t,e,i,n,s){var o=1.70158,a=0,r=n;if(0==e)return i;if(1==(e/=s))return i+n;if(a||(a=.3*s),r<Math.abs(n)){r=n;var o=a/4}else var o=a/(2*Math.PI)*Math.asin(n/r);return-(r*Math.pow(2,10*(e-=1))*Math.sin(2*(e*s-o)*Math.PI/a))+i},easeOutElastic:function(t,e,i,n,s){var o=1.70158,a=0,r=n;if(0==e)return i;if(1==(e/=s))return i+n;if(a||(a=.3*s),r<Math.abs(n)){r=n;var o=a/4}else var o=a/(2*Math.PI)*Math.asin(n/r);return r*Math.pow(2,-10*e)*Math.sin(2*(e*s-o)*Math.PI/a)+n+i},easeInOutElastic:function(t,e,i,n,s){var o=1.70158,a=0,r=n;if(0==e)return i;if(2==(e/=s/2))return i+n;if(a||(a=.3*s*1.5),r<Math.abs(n)){r=n;var o=a/4}else var o=a/(2*Math.PI)*Math.asin(n/r);return 1>e?-.5*r*Math.pow(2,10*(e-=1))*Math.sin(2*(e*s-o)*Math.PI/a)+i:r*Math.pow(2,-10*(e-=1))*Math.sin(2*(e*s-o)*Math.PI/a)*.5+n+i},easeInBack:function(t,e,i,n,s,o){return void 0==o&&(o=1.70158),n*(e/=s)*e*((o+1)*e-o)+i},easeOutBack:function(t,e,i,n,s,o){return void 0==o&&(o=1.70158),n*((e=e/s-1)*e*((o+1)*e+o)+1)+i},easeInOutBack:function(t,e,i,n,s,o){return void 0==o&&(o=1.70158),(e/=s/2)<1?n/2*e*e*(((o*=1.525)+1)*e-o)+i:n/2*((e-=2)*e*(((o*=1.525)+1)*e+o)+2)+i},easeInBounce:function(t,e,i,n,s){return n-jQuery.easing.easeOutBounce(t,s-e,0,n,s)+i},easeOutBounce:function(t,e,i,n,s){return(e/=s)<1/2.75?7.5625*n*e*e+i:2/2.75>e?n*(7.5625*(e-=1.5/2.75)*e+.75)+i:2.5/2.75>e?n*(7.5625*(e-=2.25/2.75)*e+.9375)+i:n*(7.5625*(e-=2.625/2.75)*e+.984375)+i},easeInOutBounce:function(t,e,i,n,s){return s/2>e?.5*jQuery.easing.easeInBounce(t,2*e,0,n,s)+i:.5*jQuery.easing.easeOutBounce(t,2*e-s,0,n,s)+.5*n+i}}),function(){var t,e,i,n,s,o,a,r,l,c,d,h,u,p,f,m,g,v,b,y=[].slice,S=[].indexOf||function(t){for(var e=0,i=this.length;i>e;e++)if(e in this&&this[e]===t)return e;return-1};t=jQuery,t.payment={},t.payment.fn={},t.fn.payment=function(){var e,i;return i=arguments[0],e=2<=arguments.length?y.call(arguments,1):[],t.payment.fn[i].apply(this,e)},s=/(\d{1,4})/g,n=[{type:"maestro",pattern:/^(5018|5020|5038|6304|6759|676[1-3])/,format:s,length:[12,13,14,15,16,17,18,19],cvcLength:[3],luhn:!0},{type:"dinersclub",pattern:/^(36|38|30[0-5])/,format:s,length:[14],cvcLength:[3],luhn:!0},{type:"laser",pattern:/^(6706|6771|6709)/,format:s,length:[16,17,18,19],cvcLength:[3],luhn:!0},{type:"jcb",pattern:/^35/,format:s,length:[16],cvcLength:[3],luhn:!0},{type:"unionpay",pattern:/^62/,format:s,length:[16,17,18,19],cvcLength:[3],luhn:!1},{type:"discover",pattern:/^(6011|65|64[4-9]|622)/,format:s,length:[16],cvcLength:[3],luhn:!0},{type:"mastercard",pattern:/^5[1-5]/,format:s,length:[16],cvcLength:[3],luhn:!0},{type:"amex",pattern:/^3[47]/,format:/(\d{1,4})(\d{1,6})?(\d{1,5})?/,length:[15],cvcLength:[3,4],luhn:!0},{type:"visa",pattern:/^4/,format:s,length:[13,14,15,16],cvcLength:[3],luhn:!0}],e=function(t){var e,i,s;for(t=(t+"").replace(/\D/g,""),i=0,s=n.length;s>i;i++)if(e=n[i],e.pattern.test(t))return e},i=function(t){var e,i,s;for(i=0,s=n.length;s>i;i++)if(e=n[i],e.type===t)return e},u=function(t){var e,i,n,s,o,a;for(n=!0,s=0,i=(t+"").split("").reverse(),o=0,a=i.length;a>o;o++)e=i[o],e=parseInt(e,10),(n=!n)&&(e*=2),e>9&&(e-=9),s+=e;return s%10===0},h=function(t){var e;return null!=t.prop("selectionStart")&&t.prop("selectionStart")!==t.prop("selectionEnd")?!0:("undefined"!=typeof document&&null!==document&&null!=(e=document.selection)&&"function"==typeof e.createRange?e.createRange().text:void 0)?!0:!1},p=function(e){return setTimeout(function(){var i,n;return i=t(e.currentTarget),n=i.val(),n=t.payment.formatCardNumber(n),i.val(n)})},r=function(i){var n,s,o,a,r,l,c;return o=String.fromCharCode(i.which),!/^\d+$/.test(o)||(n=t(i.currentTarget),c=n.val(),s=e(c+o),a=(c.replace(/\D/g,"")+o).length,l=16,s&&(l=s.length[s.length.length-1]),a>=l||null!=n.prop("selectionStart")&&n.prop("selectionStart")!==c.length)?void 0:(r=s&&"amex"===s.type?/^(\d{4}|\d{4}\s\d{6})$/:/(?:^|\s)(\d{4})$/,r.test(c)?(i.preventDefault(),n.val(c+" "+o)):r.test(c+o)?(i.preventDefault(),n.val(c+o+" ")):void 0)},o=function(e){var i,n;return i=t(e.currentTarget),n=i.val(),e.meta||null!=i.prop("selectionStart")&&i.prop("selectionStart")!==n.length?void 0:8===e.which&&/\s\d?$/.test(n)?(e.preventDefault(),i.val(n.replace(/\s\d?$/,""))):void 0},l=function(e){var i,n,s;return n=String.fromCharCode(e.which),/^\d+$/.test(n)?(i=t(e.currentTarget),s=i.val()+n,/^\d$/.test(s)&&"0"!==s&&"1"!==s?(e.preventDefault(),i.val("0"+s+" / ")):/^\d\d$/.test(s)?(e.preventDefault(),i.val(""+s+" / ")):void 0):void 0},c=function(e){var i,n,s;return n=String.fromCharCode(e.which),/^\d+$/.test(n)?(i=t(e.currentTarget),s=i.val(),/^\d\d$/.test(s)?i.val(""+s+" / "):void 0):void 0},d=function(e){var i,n,s;return n=String.fromCharCode(e.which),"/"===n?(i=t(e.currentTarget),s=i.val(),/^\d$/.test(s)&&"0"!==s?i.val("0"+s+" / "):void 0):void 0},a=function(e){var i,n;if(!e.meta&&(i=t(e.currentTarget),n=i.val(),8===e.which&&(null==i.prop("selectionStart")||i.prop("selectionStart")===n.length)))return/\s\/\s?\d?$/.test(n)?(e.preventDefault(),i.val(n.replace(/\s\/\s?\d?$/,""))):void 0},v=function(t){var e;return t.metaKey||t.ctrlKey?!0:32===t.which?!1:0===t.which?!0:t.which<33?!0:(e=String.fromCharCode(t.which),!!/[\d\s]/.test(e))},m=function(i){var n,s,o,a;return n=t(i.currentTarget),o=String.fromCharCode(i.which),/^\d+$/.test(o)&&!h(n)?(a=(n.val()+o).replace(/\D/g,""),s=e(a),s?a.length<=s.length[s.length.length-1]:a.length<=16):void 0},g=function(e){var i,n,s;return i=t(e.currentTarget),n=String.fromCharCode(e.which),/^\d+$/.test(n)&&!h(i)?(s=i.val()+n,s=s.replace(/\D/g,""),s.length>6?!1:void 0):void 0},f=function(e){var i,n,s;return i=t(e.currentTarget),n=String.fromCharCode(e.which),/^\d+$/.test(n)?(s=i.val()+n,s.length<=4):void 0},b=function(e){var i,s,o,a,r;return i=t(e.currentTarget),r=i.val(),a=t.payment.cardType(r)||"unknown",i.hasClass(a)?void 0:(s=function(){var t,e,i;for(i=[],t=0,e=n.length;e>t;t++)o=n[t],i.push(o.type);return i}(),i.removeClass("unknown"),i.removeClass(s.join(" ")),i.addClass(a),i.toggleClass("identified","unknown"!==a),i.trigger("payment.cardType",a))},t.payment.fn.formatCardCVC=function(){return this.payment("restrictNumeric"),this.on("keypress",f),this},t.payment.fn.formatCardExpiry=function(){return this.payment("restrictNumeric"),this.on("keypress",g),this.on("keypress",l),this.on("keypress",d),this.on("keypress",c),this.on("keydown",a),this},t.payment.fn.formatCardNumber=function(){return this.payment("restrictNumeric"),this.on("keypress",m),this.on("keypress",r),this.on("keydown",o),this.on("keyup",b),this.on("paste",p),this},t.payment.fn.restrictNumeric=function(){return this.on("keypress",v),this},t.payment.fn.cardExpiryVal=function(){return t.payment.cardExpiryVal(t(this).val())},t.payment.cardExpiryVal=function(t){var e,i,n,s;return t=t.replace(/\s/g,""),s=t.split("/",2),e=s[0],n=s[1],2===(null!=n?n.length:void 0)&&/^\d+$/.test(n)&&(i=(new Date).getFullYear(),i=i.toString().slice(0,2),n=i+n),e=parseInt(e,10),n=parseInt(n,10),{month:e,year:n}},t.payment.validateCardNumber=function(t){var i,n;return t=(t+"").replace(/\s+|-/g,""),/^\d+$/.test(t)?(i=e(t),i?(n=t.length,S.call(i.length,n)>=0&&(i.luhn===!1||u(t))):!1):!1},t.payment.validateCardExpiry=function(e,i){var n,s,o,a;return"object"==typeof e&&"month"in e&&(a=e,e=a.month,i=a.year),e&&i?(e=t.trim(e),i=t.trim(i),/^\d+$/.test(e)&&/^\d+$/.test(i)&&parseInt(e,10)<=12?(2===i.length&&(o=(new Date).getFullYear(),o=o.toString().slice(0,2),i=o+i),s=new Date(i,e),n=new Date,s.setMonth(s.getMonth()-1),s.setMonth(s.getMonth()+1,1),s>n):!1):!1},t.payment.validateCardCVC=function(e,n){var s,o;return e=t.trim(e),/^\d+$/.test(e)?n?(s=e.length,S.call(null!=(o=i(n))?o.cvcLength:void 0,s)>=0):e.length>=3&&e.length<=4:!1},t.payment.cardType=function(t){var i;return t?(null!=(i=e(t))?i.type:void 0)||null:null},t.payment.formatCardNumber=function(t){var i,n,s,o;return(i=e(t))?(s=i.length[i.length.length-1],t=t.replace(/\D/g,""),t=t.slice(0,+s+1||9e9),i.format.global?null!=(o=t.match(i.format))?o.join(" "):void 0:(n=i.format.exec(t),null!=n&&n.shift(),null!=n?n.join(" "):void 0)):t}}.call(this),function(t){t.fn.changeElementType=function(e){this.each(function(i,n){var s={};t.each(n.attributes,function(t,e){s[e.nodeName]=e.nodeValue});var o=t("<"+e+"/>",s).append(t(n).contents());return t(n).replaceWith(o),o})}}(jQuery),function(t,e,i){"function"==typeof define&&define.amd?define(["jquery"],function(n){return i(n,t,e),n.mobile}):i(t.jQuery,t,e)}(this,document,function(t,e,i){!function(t,e,i,n){function s(t){for(;t&&"undefined"!=typeof t.originalEvent;)t=t.originalEvent;return t}function o(e,i){var o,a,r,l,c,d,h,u,p,f=e.type;if(e=t.Event(e),e.type=i,o=e.originalEvent,a=t.event.props,f.search(/^(mouse|click)/)>-1&&(a=D),o)for(h=a.length,l;h;)l=a[--h],e[l]=o[l];if(f.search(/mouse(down|up)|click/)>-1&&!e.which&&(e.which=1),-1!==f.search(/^touch/)&&(r=s(o),f=r.touches,c=r.changedTouches,d=f&&f.length?f[0]:c&&c.length?c[0]:n))for(u=0,p=A.length;p>u;u++)l=A[u],e[l]=d[l];return e}function a(e){for(var i,n,s={};e;){i=t.data(e,w);for(n in i)i[n]&&(s[n]=s.hasVirtualBinding=!0);e=e.parentNode}return s}function r(e,i){for(var n;e;){if(n=t.data(e,w),n&&(!i||n[i]))return e;e=e.parentNode}return null}function l(){$=!1}function c(){$=!0}function d(){H=0,P.length=0,U=!1,c()}function h(){l()}function u(){p(),M=setTimeout(function(){M=0,d()},t.vmouse.resetTimerDuration)}function p(){M&&(clearTimeout(M),M=0)}function f(e,i,n){var s;return(n&&n[e]||!n&&r(i.target,e))&&(s=o(i,e),t(i.target).trigger(s)),s}function m(e){var i,n=t.data(e.target,k);U||H&&H===n||(i=f("v"+e.type,e),i&&(i.isDefaultPrevented()&&e.preventDefault(),i.isPropagationStopped()&&e.stopPropagation(),i.isImmediatePropagationStopped()&&e.stopImmediatePropagation()))}function g(e){var i,n,o,r=s(e).touches;r&&1===r.length&&(i=e.target,n=a(i),n.hasVirtualBinding&&(H=B++,t.data(i,k,H),p(),h(),N=!1,o=s(e).touches[0],R=o.pageX,O=o.pageY,f("vmouseover",e,n),f("vmousedown",e,n)))}function v(t){$||(N||f("vmousecancel",t,a(t.target)),N=!0,u())}function b(e){if(!$){var i=s(e).touches[0],n=N,o=t.vmouse.moveDistanceThreshold,r=a(e.target);N=N||Math.abs(i.pageX-R)>o||Math.abs(i.pageY-O)>o,N&&!n&&f("vmousecancel",e,r),f("vmousemove",e,r),u()}}function y(t){if(!$){c();var e,i,n=a(t.target);f("vmouseup",t,n),N||(e=f("vclick",t,n),e&&e.isDefaultPrevented()&&(i=s(t).changedTouches[0],P.push({touchID:H,x:i.clientX,y:i.clientY}),U=!0)),f("vmouseout",t,n),N=!1,u()}}function S(e){var i,n=t.data(e,w);if(n)for(i in n)if(n[i])return!0;return!1}function E(){}function T(e){var i=e.substr(1);return{setup:function(){S(this)||t.data(this,w,{});var n=t.data(this,w);n[e]=!0,I[e]=(I[e]||0)+1,1===I[e]&&j.bind(i,m),t(this).bind(i,E),F&&(I.touchstart=(I.touchstart||0)+1,1===I.touchstart&&j.bind("touchstart",g).bind("touchend",y).bind("touchmove",b).bind("scroll",v))},teardown:function(){--I[e],I[e]||j.unbind(i,m),F&&(--I.touchstart,I.touchstart||j.unbind("touchstart",g).unbind("touchmove",b).unbind("touchend",y).unbind("scroll",v));var n=t(this),s=t.data(this,w);s&&(s[e]=!1),n.unbind(i,E),S(this)||n.removeData(w)}}}var L,_,w="virtualMouseBindings",k="virtualTouchID",C="vmouseover vmousedown vmousemove vmouseup vclick vmouseout vmousecancel".split(" "),A="clientX clientY pageX pageY screenX screenY".split(" "),x=t.event.mouseHooks?t.event.mouseHooks.props:[],D=t.event.props.concat(x),I={},M=0,R=0,O=0,N=!1,P=[],U=!1,$=!1,F="addEventListener"in i,j=t(i),B=1,H=0;for(t.vmouse={moveDistanceThreshold:10,clickDistanceThreshold:10,resetTimerDuration:1500},_=0;_<C.length;_++)t.event.special[C[_]]=T(C[_]);F&&i.addEventListener("click",function(e){var i,n,s,o,a,r,l=P.length,c=e.target;if(l)for(i=e.clientX,n=e.clientY,L=t.vmouse.clickDistanceThreshold,s=c;s;){for(o=0;l>o;o++)if(a=P[o],r=0,s===c&&Math.abs(a.x-i)<L&&Math.abs(a.y-n)<L||t.data(s,k)===a.touchID)return e.preventDefault(),void e.stopPropagation();s=s.parentNode}},!0)}(t,e,i)}),jQuery.extend({highlight:function(t,e,i,n){if(3===t.nodeType){var s=t.data.match(e);if(s){var o=document.createElement(i||"span");o.className=n||"highlight";var a=t.splitText(s.index);a.splitText(s[0].length);var r=a.cloneNode(!0);return o.appendChild(r),a.parentNode.replaceChild(o,a),1}}else if(1===t.nodeType&&t.childNodes&&!/(script|style)/i.test(t.tagName)&&(t.tagName!==i.toUpperCase()||t.className!==n))for(var l=0;l<t.childNodes.length;l++)l+=jQuery.highlight(t.childNodes[l],e,i,n);return 0}}),jQuery.fn.unhighlight=function(t){var e={className:"highlight",element:"span"};return jQuery.extend(e,t),this.find(e.element+"."+e.className).each(function(){var t=this.parentNode;t.replaceChild(this.firstChild,this),t.normalize()}).end()},jQuery.fn.highlight=function(t,e){var i={className:"highlight",element:"span",caseSensitive:!1,wordsOnly:!1};if(jQuery.extend(i,e),t.constructor===String&&(t=[t]),t=jQuery.grep(t,function(t){return""!=t}),t=jQuery.map(t,function(t){return t.replace(/[-[\]{}()*+?.,\\^$|#\s]/g,"\\$&")}),0==t.length)return this;var n=i.caseSensitive?"":"i",s="("+t.join("|")+")";i.wordsOnly&&(s="\\b"+s+"\\b");var o=new RegExp(s,n);return this.each(function(){jQuery.highlight(this,o,i.element,i.className)})},function(){var t=!1,e=/xyz/.test(function(){})?/\b_super\b/:/.*/;this.Class=function(){},Class.extend=function(i){function n(){!t&&this.init&&this.init.apply(this,arguments)}var s=this.prototype;t=!0;var o=new this;t=!1;for(var a in i)o[a]="function"==typeof i[a]&&"function"==typeof s[a]&&e.test(i[a])?function(t,e){return function(){var i=this._super;this._super=s[t];var n=e.apply(this,arguments);return this._super=i,n}}(a,i[a]):i[a];return n.prototype=o,n.constructor=n,n.extend=arguments.callee,n}}(),function(t){"function"==typeof define?define(function(){t()}):t()}(function(t){if(!Function.prototype.bind){var e=Array.prototype.slice;Function.prototype.bind=function(){function t(){if(this instanceof t){var s=Object.create(i.prototype);return i.apply(s,n.concat(e.call(arguments))),s}return i.call.apply(i,n.concat(e.call(arguments)))}var i=this;if("function"!=typeof i.apply||"function"!=typeof i.call)return new TypeError;var n=e.call(arguments);return t.length="function"==typeof i?Math.max(i.length-n.length,0):0,t}}var i,n,s,o,a,r=Function.prototype.call,l=Object.prototype,c=r.bind(l.hasOwnProperty);(a=c(l,"__defineGetter__"))&&(i=r.bind(l.__defineGetter__),n=r.bind(l.__defineSetter__),s=r.bind(l.__lookupGetter__),o=r.bind(l.__lookupSetter__)),Array.isArray||(Array.isArray=function(t){return"[object Array]"===Object.prototype.toString.call(t)}),Array.prototype.forEach||(Array.prototype.forEach=function(t,e){for(var i=+this.length,n=0;i>n;n++)n in this&&t.call(e,this[n],n,this)}),Array.prototype.map||(Array.prototype.map=function(t,e){var i=+this.length;if("function"!=typeof t)throw new TypeError;for(var n=Array(i),s=0;i>s;s++)s in this&&(n[s]=t.call(e,this[s],s,this));return n}),Array.prototype.filter||(Array.prototype.filter=function(t,e){for(var i=[],n=0;n<this.length;n++)t.call(e,this[n])&&i.push(this[n]);return i}),Array.prototype.every||(Array.prototype.every=function(t,e){for(var i=0;i<this.length;i++)if(!t.call(e,this[i]))return!1;return!0}),Array.prototype.some||(Array.prototype.some=function(t,e){for(var i=0;i<this.length;i++)if(t.call(e,this[i]))return!0;return!1}),Array.prototype.reduce||(Array.prototype.reduce=function(t){var e=+this.length;if("function"!=typeof t)throw new TypeError;if(0===e&&1===arguments.length)throw new TypeError;var i=0;if(arguments.length>=2)var n=arguments[1];else for(;;){if(i in this){n=this[i++];break}if(++i>=e)throw new TypeError}for(;e>i;i++)i in this&&(n=t.call(null,n,this[i],i,this));return n}),Array.prototype.reduceRight||(Array.prototype.reduceRight=function(t){var e=+this.length;if("function"!=typeof t)throw new TypeError;if(0===e&&1===arguments.length)throw new TypeError;var i;if(e-=1,arguments.length>=2)i=arguments[1];else for(;;){if(e in this){i=this[e--];break}if(--e<0)throw new TypeError}for(;e>=0;e--)e in this&&(i=t.call(null,i,this[e],e,this));return i}),Array.prototype.indexOf||(Array.prototype.indexOf=function(t,e){var i=this.length;if(!i)return-1;var n=e||0;if(n>=i)return-1;for(0>n&&(n+=i);i>n;n++)if(n in this&&t===this[n])return n;return-1}),Array.prototype.lastIndexOf||(Array.prototype.lastIndexOf=function(t,e){var i=this.length;if(!i)return-1;var n=e||i;for(0>n&&(n+=i),n=Math.min(n,i-1);n>=0;n--)if(n in this&&t===this[n])return n;return-1}),Object.getPrototypeOf||(Object.getPrototypeOf=function(t){return t.__proto__||t.constructor.prototype}),Object.getOwnPropertyDescriptor||(Object.getOwnPropertyDescriptor=function(e,i){if("object"!=typeof e&&"function"!=typeof e||null===e)throw new TypeError("Object.getOwnPropertyDescriptor called on a non-object: "+e);if(!c(e,i))return t;var n,r,d;if(n={enumerable:!0,configurable:!0},a){var h=e.__proto__;if(e.__proto__=l,r=s(e,i),d=o(e,i),e.__proto__=h,r||d)return r&&(n.get=r),d&&(n.set=d),n}return n.value=e[i],n}),Object.getOwnPropertyNames||(Object.getOwnPropertyNames=function(t){return Object.keys(t)}),Object.create||(Object.create=function(t,e){var i;if(null===t)i={__proto__:null};else{if("object"!=typeof t)throw new TypeError("typeof prototype["+typeof t+"] != 'object'");i=function(){},i.prototype=t,i=new i,i.__proto__=t}return"undefined"!=typeof e&&Object.defineProperties(i,e),i}),Object.defineProperty||(Object.defineProperty=function(t,e,r){if("object"!=typeof t&&"function"!=typeof t)throw new TypeError("Object.defineProperty called on non-object: "+t);if("object"!=typeof r||null===r)throw new TypeError("Property description must be an object: "+r);if(c(r,"value"))a&&(s(t,e)||o(t,e))&&(t.__proto__=l,delete t[e]),t[e]=r.value;else{if(!a)throw new TypeError("getters & setters can not be defined on this javascript engine");c(r,"get")&&i(t,e,r.get),c(r,"set")&&n(t,e,r.set)}return t}),Object.defineProperties||(Object.defineProperties=function(t,e){for(var i in e)c(e,i)&&Object.defineProperty(t,i,e[i]);return t}),Object.seal||(Object.seal=function(t){return t}),Object.freeze||(Object.freeze=function(t){return t});try{Object.freeze(function(){})}catch(d){Object.freeze=function(t){return function(e){return"function"==typeof e?e:t(e)}}(Object.freeze)}if(Object.preventExtensions||(Object.preventExtensions=function(t){return t}),Object.isSealed||(Object.isSealed=function(){return!1}),Object.isFrozen||(Object.isFrozen=function(){return!1}),Object.isExtensible||(Object.isExtensible=function(){return!0}),!Object.keys){var h,u=!0,p=["toString","toLocaleString","valueOf","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","constructor"],f=p.length;for(h in{toString:null})u=!1;Object.keys=function v(t){if("object"!=typeof t&&"function"!=typeof t||null===t)throw new TypeError("Object.keys called on a non-object");var e,v=[];for(e in t)c(t,e)&&v.push(e);if(u)for(e=0;f>e;e++){var i=p[e];c(t,i)&&v.push(i)}return v}}if(Date.prototype.toISOString||(Date.prototype.toISOString=function(){return this.getUTCFullYear()+"-"+(this.getUTCMonth()+1)+"-"+this.getUTCDate()+"T"+this.getUTCHours()+":"+this.getUTCMinutes()+":"+this.getUTCSeconds()+"Z"}),Date.now||(Date.now=function(){return(new Date).getTime()}),Date.prototype.toJSON||(Date.prototype.toJSON=function(){if("function"!=typeof this.toISOString)throw new TypeError;return this.toISOString()}),isNaN(Date.parse("T00:00"))&&(Date=function(e){var i,n=function(t,i,s,o,a,r,l){var c=arguments.length;return this instanceof e?(c=1===c&&String(t)===t?new e(n.parse(t)):c>=7?new e(t,i,s,o,a,r,l):c>=6?new e(t,i,s,o,a,r):c>=5?new e(t,i,s,o,a):c>=4?new e(t,i,s,o):c>=3?new e(t,i,s):c>=2?new e(t,i):c>=1?new e(t):new e,c.constructor=n,c):e.apply(this,arguments)},s=RegExp("^(?:((?:[+-]\\d\\d)?\\d\\d\\d\\d)(?:-(\\d\\d)(?:-(\\d\\d))?)?)?(?:T(\\d\\d):(\\d\\d)(?::(\\d\\d)(?:\\.(\\d\\d\\d))?)?)?(?:Z|([+-])(\\d\\d):(\\d\\d))?$");for(i in e)n[i]=e[i];return n.now=e.now,n.UTC=e.UTC,n.prototype=e.prototype,n.prototype.constructor=n,n.parse=function(i){var n=s.exec(i);if(n){n.shift();for(var o=n[0]===t,a=0;10>a;a++)7!==a&&(n[a]=+(n[a]||(3>a?1:0)),1===a&&n[a]--);
+return o?1e3*(60*(60*n[3]+n[4])+n[5])+n[6]:(o=6e4*(60*n[8]+n[9]),"-"===n[6]&&(o=-o),e.UTC.apply(this,n.slice(0,7))+o)}return e.parse.apply(this,arguments)},n}(Date)),!String.prototype.trim){var m=/^\s\s*/,g=/\s\s*$/;String.prototype.trim=function(){return String(this).replace(m,"").replace(g,"")}}}),"undefined"==typeof document||"classList"in document.createElement("a")||!function(t){var e="classList",i="prototype",n=(t.HTMLElement||t.Element)[i],s=Object,o=String[i].trim||function(){return this.replace(/^\s+|\s+$/g,"")},a=Array[i].indexOf||function(t){for(var e=0,i=this.length;i>e;e++)if(e in this&&this[e]===t)return e;return-1},r=function(t,e){this.name=t,this.code=DOMException[t],this.message=e},l=function(t,e){if(""===e)throw new r("SYNTAX_ERR","An invalid or illegal string was specified");if(/\s/.test(e))throw new r("INVALID_CHARACTER_ERR","String contains an invalid character");return a.call(t,e)},c=function(t){for(var e=o.call(t.className),i=e?e.split(/\s+/):[],n=0,s=i.length;s>n;n++)this.push(i[n]);this._updateClassName=function(){t.className=this.toString()}},d=c[i]=[],h=function(){return new c(this)};if(r[i]=Error[i],d.item=function(t){return this[t]||null},d.contains=function(t){return t+="",-1!==l(this,t)},d.add=function(t){t+="",-1===l(this,t)&&(this.push(t),this._updateClassName())},d.remove=function(t){t+="";var e=l(this,t);-1!==e&&(this.splice(e,1),this._updateClassName())},d.toggle=function(t){t+="",-1===l(this,t)?this.add(t):this.remove(t)},d.toString=function(){return this.join(" ")},s.defineProperty){var u={get:h,enumerable:!0,configurable:!0};try{s.defineProperty(n,e,u)}catch(p){-2146823252===p.number&&(u.enumerable=!1,s.defineProperty(n,e,u))}}else s[i].__defineGetter__&&n.__defineGetter__(e,h)}(self),function(t){function e(){p||(p=!0,l(m,function(t){h(t)}))}function i(e,i){var n=t.createElement("script");n.type="text/"+(e.type||"javascript"),n.src=e.src||e,n.async=!1,n.onreadystatechange=n.onload=function(){var t=n.readyState;!i.done&&(!t||/loaded|complete/.test(t))&&(i.done=!0,i())},(t.body||f).appendChild(n)}function n(t,e){return t.state==w?e&&e():t.state==_?E.ready(t.name,e):t.state==L?t.onpreload.push(function(){n(t,e)}):(t.state=_,void i(t.url,function(){t.state=w,e&&e(),l(v[t.name],function(t){h(t)}),a()&&p&&l(v.ALL,function(t){h(t)})}))}function s(t){void 0===t.state&&(t.state=L,t.onpreload=[],i({src:t.url,type:"cache"},function(){o(t)}))}function o(t){t.state=T,l(t.onpreload,function(t){t.call()})}function a(t){t=t||b;var e;for(var i in t){if(t.hasOwnProperty(i)&&t[i].state!=w)return!1;e=!0}return e}function r(t){return"[object Function]"==Object.prototype.toString.call(t)}function l(t,e){if(t){"object"==typeof t&&(t=[].slice.call(t));for(var i=0;i<t.length;i++)e.call(t,t[i],i)}}function c(t){var e;if("object"==typeof t)for(var i in t)t[i]&&(e={name:i,url:t[i]});else e={name:d(t),url:t};var n=b[e.name];return n&&n.url===e.url?n:(b[e.name]=e,e)}function d(t){var e=t.split("/"),i=e[e.length-1],n=i.indexOf("?");return-1!=n?i.substring(0,n):i}function h(t){t._done||(t(),t._done=1)}var u,p,f=t.documentElement,m=[],g=[],v={},b={},y=t.createElement("script").async===!0||"MozAppearance"in t.documentElement.style||window.opera,S=window.head_conf&&head_conf.head||"head",E=window[S]=window[S]||function(){E.ready.apply(null,arguments)},T=1,L=2,_=3,w=4;if(E.js=y?function(){var t=arguments,e=t[t.length-1],i={};return r(e)||(e=null),l(t,function(s,o){s!=e&&(s=c(s),i[s.name]=s,n(s,e&&o==t.length-2?function(){a(i)&&h(e)}:null))}),E}:function(){var t=arguments,e=[].slice.call(t,1),i=e[0];return u?(i?(l(e,function(t){r(t)||s(c(t))}),n(c(t[0]),r(i)?i:function(){E.js.apply(null,e)})):n(c(t[0])),E):(g.push(function(){E.js.apply(null,t)}),E)},E.ready=function(e,i){if(e==t)return p?h(i):m.push(i),E;if(r(e)&&(i=e,e="ALL"),"string"!=typeof e||!r(i))return E;var n=b[e];if(n&&n.state==w||"ALL"==e&&a()&&p)return h(i),E;var s=v[e];return s?s.push(i):s=v[e]=[i],E},E.ready(t,function(){a()&&l(v.ALL,function(t){h(t)}),E.feature&&E.feature("domloaded",!0)}),window.addEventListener)t.addEventListener("DOMContentLoaded",e,!1),window.addEventListener("load",e,!1);else if(window.attachEvent){t.attachEvent("onreadystatechange",function(){"complete"===t.readyState&&e()});var k=1;try{k=window.frameElement}catch(C){}!k&&f.doScroll&&function(){try{f.doScroll("left"),e()}catch(t){return void setTimeout(arguments.callee,1)}}(),window.attachEvent("onload",e)}!t.readyState&&t.addEventListener&&(t.readyState="loading",t.addEventListener("DOMContentLoaded",handler=function(){t.removeEventListener("DOMContentLoaded",handler,!1),t.readyState="complete"},!1)),setTimeout(function(){u=!0,l(g,function(t){t()})},300)}(document),function(t){function e(t,e,i,n,s){this._listener=e,this._isOnce=i,this.context=n,this._signal=t,this._priority=s||0}function i(t,e){if("function"!=typeof t)throw new Error("listener is a required param of {fn}() and should be a Function.".replace("{fn}",e))}function n(){this._bindings=[],this._prevParams=null;var t=this;this.dispatch=function(){n.prototype.dispatch.apply(t,arguments)}}e.prototype={active:!0,params:null,execute:function(t){var e,i;return this.active&&this._listener&&(i=this.params?this.params.concat(t):t,e=this._listener.apply(this.context,i),this._isOnce&&this.detach()),e},detach:function(){return this.isBound()?this._signal.remove(this._listener,this.context):null},isBound:function(){return!!this._signal&&!!this._listener},isOnce:function(){return this._isOnce},getListener:function(){return this._listener},getSignal:function(){return this._signal},_destroy:function(){delete this._signal,delete this._listener,delete this.context},toString:function(){return"[SignalBinding isOnce:"+this._isOnce+", isBound:"+this.isBound()+", active:"+this.active+"]"}},n.prototype={VERSION:"1.0.0",memorize:!1,_shouldPropagate:!0,active:!0,_registerListener:function(t,i,n,s){var o,a=this._indexOfListener(t,n);if(-1!==a){if(o=this._bindings[a],o.isOnce()!==i)throw new Error("You cannot add"+(i?"":"Once")+"() then add"+(i?"Once":"")+"() the same listener without removing the relationship first.")}else o=new e(this,t,i,n,s),this._addBinding(o);return this.memorize&&this._prevParams&&o.execute(this._prevParams),o},_addBinding:function(t){var e=this._bindings.length;do--e;while(this._bindings[e]&&t._priority<=this._bindings[e]._priority);this._bindings.splice(e+1,0,t)},_indexOfListener:function(t,e){for(var i,n=this._bindings.length;n--;)if(i=this._bindings[n],i._listener===t&&i.context===e)return n;return-1},has:function(t,e){return-1!==this._indexOfListener(t,e)},add:function(t,e,n){return i(t,"add"),this._registerListener(t,!1,e,n)},addOnce:function(t,e,n){return i(t,"addOnce"),this._registerListener(t,!0,e,n)},remove:function(t,e){i(t,"remove");var n=this._indexOfListener(t,e);return-1!==n&&(this._bindings[n]._destroy(),this._bindings.splice(n,1)),t},removeAll:function(){for(var t=this._bindings.length;t--;)this._bindings[t]._destroy();this._bindings.length=0},getNumListeners:function(){return this._bindings.length},halt:function(){this._shouldPropagate=!1},dispatch:function(){if(this.active){var t,e=Array.prototype.slice.call(arguments),i=this._bindings.length;if(this.memorize&&(this._prevParams=e),i){t=this._bindings.slice(),this._shouldPropagate=!0;do i--;while(t[i]&&this._shouldPropagate&&t[i].execute(e)!==!1)}}},forget:function(){this._prevParams=null},dispose:function(){this.removeAll(),delete this._bindings,delete this._prevParams},toString:function(){return"[Signal active:"+this.active+" numListeners:"+this.getNumListeners()+"]"}};var s=n;s.Signal=n,"function"==typeof define&&define.amd?define(function(){return s}):"undefined"!=typeof module&&module.exports?module.exports=s:t.signals=s}(this);var JSON;JSON||(JSON={}),function(){"use strict";function f(t){return 10>t?"0"+t:t}function quote(t){return escapable.lastIndex=0,escapable.test(t)?'"'+t.replace(escapable,function(t){var e=meta[t];return"string"==typeof e?e:"\\u"+("0000"+t.charCodeAt(0).toString(16)).slice(-4)})+'"':'"'+t+'"'}function str(t,e){var i,n,s,o,a,r=gap,l=e[t];switch(l&&"object"==typeof l&&"function"==typeof l.toJSON&&(l=l.toJSON(t)),"function"==typeof rep&&(l=rep.call(e,t,l)),typeof l){case"string":return quote(l);case"number":return isFinite(l)?String(l):"null";case"boolean":case"null":return String(l);case"object":if(!l)return"null";if(gap+=indent,a=[],"[object Array]"===Object.prototype.toString.apply(l)){for(o=l.length,i=0;o>i;i+=1)a[i]=str(i,l)||"null";return s=0===a.length?"[]":gap?"[\n"+gap+a.join(",\n"+gap)+"\n"+r+"]":"["+a.join(",")+"]",gap=r,s}if(rep&&"object"==typeof rep)for(o=rep.length,i=0;o>i;i+=1)"string"==typeof rep[i]&&(n=rep[i],s=str(n,l),s&&a.push(quote(n)+(gap?": ":":")+s));else for(n in l)Object.prototype.hasOwnProperty.call(l,n)&&(s=str(n,l),s&&a.push(quote(n)+(gap?": ":":")+s));return s=0===a.length?"{}":gap?"{\n"+gap+a.join(",\n"+gap)+"\n"+r+"}":"{"+a.join(",")+"}",gap=r,s}}"function"!=typeof Date.prototype.toJSON&&(Date.prototype.toJSON=function(){return isFinite(this.valueOf())?this.getUTCFullYear()+"-"+f(this.getUTCMonth()+1)+"-"+f(this.getUTCDate())+"T"+f(this.getUTCHours())+":"+f(this.getUTCMinutes())+":"+f(this.getUTCSeconds())+"Z":null},String.prototype.toJSON=Number.prototype.toJSON=Boolean.prototype.toJSON=function(){return this.valueOf()});var cx=/[\u0000\u00ad\u0600-\u0604\u070f\u17b4\u17b5\u200c-\u200f\u2028-\u202f\u2060-\u206f\ufeff\ufff0-\uffff]/g,escapable=/[\\\"\x00-\x1f\x7f-\x9f\u00ad\u0600-\u0604\u070f\u17b4\u17b5\u200c-\u200f\u2028-\u202f\u2060-\u206f\ufeff\ufff0-\uffff]/g,gap,indent,meta={"\b":"\\b"," ":"\\t","\n":"\\n","\f":"\\f","\r":"\\r",'"':'\\"',"\\":"\\\\"},rep;"function"!=typeof JSON.stringify&&(JSON.stringify=function(t,e,i){var n;if(gap="",indent="","number"==typeof i)for(n=0;i>n;n+=1)indent+=" ";else"string"==typeof i&&(indent=i);if(rep=e,e&&"function"!=typeof e&&("object"!=typeof e||"number"!=typeof e.length))throw new Error("JSON.stringify");return str("",{"":t})}),"function"!=typeof JSON.parse&&(JSON.parse=function(text,reviver){function walk(t,e){var i,n,s=t[e];if(s&&"object"==typeof s)for(i in s)Object.prototype.hasOwnProperty.call(s,i)&&(n=walk(s,i),void 0!==n?s[i]=n:delete s[i]);return reviver.call(t,e,s)}var j;if(text=String(text),cx.lastIndex=0,cx.test(text)&&(text=text.replace(cx,function(t){return"\\u"+("0000"+t.charCodeAt(0).toString(16)).slice(-4)})),/^[\],:{}\s]*$/.test(text.replace(/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g,"@").replace(/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,"]").replace(/(?:^|:|,)(?:\s*\[)+/g,"")))return j=eval("("+text+")"),"function"==typeof reviver?walk({"":j},""):j;throw new SyntaxError("JSON.parse")})}(),function(t){function e(t,e){return function(i){return l(t.call(this,i),e)}}function i(t,e){return function(i){return this.lang().ordinal(t.call(this,i),e)}}function n(){}function s(t){a(this,t)}function o(t){var e=t.years||t.year||t.y||0,i=t.months||t.month||t.M||0,n=t.weeks||t.week||t.w||0,s=t.days||t.day||t.d||0,o=t.hours||t.hour||t.h||0,a=t.minutes||t.minute||t.m||0,r=t.seconds||t.second||t.s||0,l=t.milliseconds||t.millisecond||t.ms||0;this._input=t,this._milliseconds=+l+1e3*r+6e4*a+36e5*o,this._days=+s+7*n,this._months=+i+12*e,this._data={},this._bubble()}function a(t,e){for(var i in e)e.hasOwnProperty(i)&&(t[i]=e[i]);return t}function r(t){return 0>t?Math.ceil(t):Math.floor(t)}function l(t,e){for(var i=t+"";i.length<e;)i="0"+i;return i}function c(t,e,i,n){var s,o,a=e._milliseconds,r=e._days,l=e._months;a&&t._d.setTime(+t._d+a*i),(r||l)&&(s=t.minute(),o=t.hour()),r&&t.date(t.date()+r*i),l&&t.month(t.month()+l*i),a&&!n&&U.updateOffset(t),(r||l)&&(t.minute(s),t.hour(o))}function d(t){return"[object Array]"===Object.prototype.toString.call(t)}function h(t,e){var i,n=Math.min(t.length,e.length),s=Math.abs(t.length-e.length),o=0;for(i=0;n>i;i++)~~t[i]!==~~e[i]&&o++;return o+s}function u(t){return t?le[t]||t.toLowerCase().replace(/(.)s$/,"$1"):t}function p(t,e){return e.abbr=t,B[t]||(B[t]=new n),B[t].set(e),B[t]}function f(t){delete B[t]}function m(t){if(!t)return U.fn._lang;if(!B[t]&&H)try{require("./lang/"+t)}catch(e){return U.fn._lang}return B[t]||U.fn._lang}function g(t){return t.match(/\[.*\]/)?t.replace(/^\[|\]$/g,""):t.replace(/\\/g,"")}function v(t){var e,i,n=t.match(G);for(e=0,i=n.length;i>e;e++)n[e]=ue[n[e]]?ue[n[e]]:g(n[e]);return function(s){var o="";for(e=0;i>e;e++)o+=n[e]instanceof Function?n[e].call(s,t):n[e];return o}}function b(t,e){return e=y(e,t.lang()),ce[e]||(ce[e]=v(e)),ce[e](t)}function y(t,e){function i(t){return e.longDateFormat(t)||t}for(var n=5;n--&&(X.lastIndex=0,X.test(t));)t=t.replace(X,i);return t}function S(t,e){switch(t){case"DDDD":return Y;case"YYYY":return q;case"YYYYY":return K;case"S":case"SS":case"SSS":case"DDD":return J;case"MMM":case"MMMM":case"dd":case"ddd":case"dddd":return Q;case"a":case"A":return m(e._l)._meridiemParse;case"X":return ee;case"Z":case"ZZ":return Z;case"T":return te;case"MM":case"DD":case"YY":case"HH":case"hh":case"mm":case"ss":case"M":case"D":case"d":case"H":case"h":case"m":case"s":return W;default:return new RegExp(t.replace("\\",""))}}function E(t){var e=(Z.exec(t)||[])[0],i=(e+"").match(oe)||["-",0,0],n=+(60*i[1])+~~i[2];return"+"===i[0]?-n:n}function T(t,e,i){var n,s=i._a;switch(t){case"M":case"MM":null!=e&&(s[1]=~~e-1);break;case"MMM":case"MMMM":n=m(i._l).monthsParse(e),null!=n?s[1]=n:i._isValid=!1;break;case"D":case"DD":null!=e&&(s[2]=~~e);break;case"DDD":case"DDDD":null!=e&&(s[1]=0,s[2]=~~e);break;case"YY":s[0]=~~e+(~~e>68?1900:2e3);break;case"YYYY":case"YYYYY":s[0]=~~e;break;case"a":case"A":i._isPm=m(i._l).isPM(e);break;case"H":case"HH":case"h":case"hh":s[3]=~~e;break;case"m":case"mm":s[4]=~~e;break;case"s":case"ss":s[5]=~~e;break;case"S":case"SS":case"SSS":s[6]=~~(1e3*("0."+e));break;case"X":i._d=new Date(1e3*parseFloat(e));break;case"Z":case"ZZ":i._useUTC=!0,i._tzm=E(e)}null==e&&(i._isValid=!1)}function L(t){var e,i,n,s=[];if(!t._d){for(n=w(t),e=0;3>e&&null==t._a[e];++e)t._a[e]=s[e]=n[e];for(;7>e;e++)t._a[e]=s[e]=null==t._a[e]?2===e?1:0:t._a[e];s[3]+=~~((t._tzm||0)/60),s[4]+=~~((t._tzm||0)%60),i=new Date(0),t._useUTC?(i.setUTCFullYear(s[0],s[1],s[2]),i.setUTCHours(s[3],s[4],s[5],s[6])):(i.setFullYear(s[0],s[1],s[2]),i.setHours(s[3],s[4],s[5],s[6])),t._d=i}}function _(t){var e=t._i;t._d||(t._a=[e.years||e.year||e.y,e.months||e.month||e.M,e.days||e.day||e.d,e.hours||e.hour||e.h,e.minutes||e.minute||e.m,e.seconds||e.second||e.s,e.milliseconds||e.millisecond||e.ms],L(t))}function w(t){var e=new Date;return t._useUTC?[e.getUTCFullYear(),e.getUTCMonth(),e.getUTCDate()]:[e.getFullYear(),e.getMonth(),e.getDate()]}function k(t){var e,i,n,s=m(t._l),o=""+t._i;for(n=y(t._f,s).match(G),t._a=[],e=0;e<n.length;e++)i=(S(n[e],t).exec(o)||[])[0],i&&(o=o.slice(o.indexOf(i)+i.length)),ue[n[e]]&&T(n[e],i,t);o&&(t._il=o),t._isPm&&t._a[3]<12&&(t._a[3]+=12),t._isPm===!1&&12===t._a[3]&&(t._a[3]=0),L(t)}function C(t){var e,i,n,o,r,l=99;for(o=0;o<t._f.length;o++)e=a({},t),e._f=t._f[o],k(e),i=new s(e),r=h(e._a,i.toArray()),i._il&&(r+=i._il.length),l>r&&(l=r,n=i);a(t,n)}function A(t){var e,i=t._i,n=ie.exec(i);if(n){for(t._f="YYYY-MM-DD"+(n[2]||" "),e=0;4>e;e++)if(se[e][1].exec(i)){t._f+=se[e][0];break}Z.exec(i)&&(t._f+=" Z"),k(t)}else t._d=new Date(i)}function x(e){var i=e._i,n=z.exec(i);i===t?e._d=new Date:n?e._d=new Date(+n[1]):"string"==typeof i?A(e):d(i)?(e._a=i.slice(0),L(e)):i instanceof Date?e._d=new Date(+i):"object"==typeof i?_(e):e._d=new Date(i)}function D(t,e,i,n,s){return s.relativeTime(e||1,!!i,t,n)}function I(t,e,i){var n=j(Math.abs(t)/1e3),s=j(n/60),o=j(s/60),a=j(o/24),r=j(a/365),l=45>n&&["s",n]||1===s&&["m"]||45>s&&["mm",s]||1===o&&["h"]||22>o&&["hh",o]||1===a&&["d"]||25>=a&&["dd",a]||45>=a&&["M"]||345>a&&["MM",j(a/30)]||1===r&&["y"]||["yy",r];return l[2]=e,l[3]=t>0,l[4]=i,D.apply({},l)}function M(t,e,i){var n,s=i-e,o=i-t.day();return o>s&&(o-=7),s-7>o&&(o+=7),n=U(t).add("d",o),{week:Math.ceil(n.dayOfYear()/7),year:n.year()}}function R(t){var e=t._i,i=t._f;return null===e||""===e?null:("string"==typeof e&&(t._i=e=m().preparse(e)),U.isMoment(e)?(t=a({},e),t._d=new Date(+e._d)):i?d(i)?C(t):k(t):x(t),new s(t))}function O(t,e){U.fn[t]=U.fn[t+"s"]=function(t){var i=this._isUTC?"UTC":"";return null!=t?(this._d["set"+i+e](t),U.updateOffset(this),this):this._d["get"+i+e]()}}function N(t){U.duration.fn[t]=function(){return this._data[t]}}function P(t,e){U.duration.fn["as"+t]=function(){return+this/e}}for(var U,$,F="2.2.1",j=Math.round,B={},H="undefined"!=typeof module&&module.exports,z=/^\/?Date\((\-?\d+)/i,V=/(\-)?(?:(\d*)\.)?(\d+)\:(\d+)\:(\d+)\.?(\d{3})?/,G=/(\[[^\[]*\])|(\\)?(Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|YYYYY|YYYY|YY|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|mm?|ss?|SS?S?|X|zz?|ZZ?|.)/g,X=/(\[[^\[]*\])|(\\)?(LT|LL?L?L?|l{1,4})/g,W=/\d\d?/,J=/\d{1,3}/,Y=/\d{3}/,q=/\d{1,4}/,K=/[+\-]?\d{1,6}/,Q=/[0-9]*['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]+|[\u0600-\u06FF\/]+(\s*?[\u0600-\u06FF]+){1,2}/i,Z=/Z|[\+\-]\d\d:?\d\d/i,te=/T/i,ee=/[\+\-]?\d+(\.\d{1,3})?/,ie=/^\s*\d{4}-\d\d-\d\d((T| )(\d\d(:\d\d(:\d\d(\.\d\d?\d?)?)?)?)?([\+\-]\d\d:?\d\d)?)?/,ne="YYYY-MM-DDTHH:mm:ssZ",se=[["HH:mm:ss.S",/(T| )\d\d:\d\d:\d\d\.\d{1,3}/],["HH:mm:ss",/(T| )\d\d:\d\d:\d\d/],["HH:mm",/(T| )\d\d:\d\d/],["HH",/(T| )\d\d/]],oe=/([\+\-]|\d\d)/gi,ae="Date|Hours|Minutes|Seconds|Milliseconds".split("|"),re={Milliseconds:1,Seconds:1e3,Minutes:6e4,Hours:36e5,Days:864e5,Months:2592e6,Years:31536e6},le={ms:"millisecond",s:"second",m:"minute",h:"hour",d:"day",w:"week",W:"isoweek",M:"month",y:"year"},ce={},de="DDD w W M D d".split(" "),he="M D H h m s w W".split(" "),ue={M:function(){return this.month()+1},MMM:function(t){return this.lang().monthsShort(this,t)},MMMM:function(t){return this.lang().months(this,t)},D:function(){return this.date()},DDD:function(){return this.dayOfYear()},d:function(){return this.day()},dd:function(t){return this.lang().weekdaysMin(this,t)},ddd:function(t){return this.lang().weekdaysShort(this,t)},dddd:function(t){return this.lang().weekdays(this,t)},w:function(){return this.week()},W:function(){return this.isoWeek()},YY:function(){return l(this.year()%100,2)},YYYY:function(){return l(this.year(),4)},YYYYY:function(){return l(this.year(),5)},gg:function(){return l(this.weekYear()%100,2)},gggg:function(){return this.weekYear()},ggggg:function(){return l(this.weekYear(),5)},GG:function(){return l(this.isoWeekYear()%100,2)},GGGG:function(){return this.isoWeekYear()},GGGGG:function(){return l(this.isoWeekYear(),5)},e:function(){return this.weekday()},E:function(){return this.isoWeekday()},a:function(){return this.lang().meridiem(this.hours(),this.minutes(),!0)},A:function(){return this.lang().meridiem(this.hours(),this.minutes(),!1)},H:function(){return this.hours()},h:function(){return this.hours()%12||12},m:function(){return this.minutes()},s:function(){return this.seconds()},S:function(){return~~(this.milliseconds()/100)},SS:function(){return l(~~(this.milliseconds()/10),2)},SSS:function(){return l(this.milliseconds(),3)},Z:function(){var t=-this.zone(),e="+";return 0>t&&(t=-t,e="-"),e+l(~~(t/60),2)+":"+l(~~t%60,2)},ZZ:function(){var t=-this.zone(),e="+";return 0>t&&(t=-t,e="-"),e+l(~~(10*t/6),4)},z:function(){return this.zoneAbbr()},zz:function(){return this.zoneName()},X:function(){return this.unix()}};de.length;)$=de.pop(),ue[$+"o"]=i(ue[$],$);for(;he.length;)$=he.pop(),ue[$+$]=e(ue[$],2);for(ue.DDDD=e(ue.DDD,3),a(n.prototype,{set:function(t){var e,i;for(i in t)e=t[i],"function"==typeof e?this[i]=e:this["_"+i]=e},_months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),months:function(t){return this._months[t.month()]},_monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),monthsShort:function(t){return this._monthsShort[t.month()]},monthsParse:function(t){var e,i,n;for(this._monthsParse||(this._monthsParse=[]),e=0;12>e;e++)if(this._monthsParse[e]||(i=U.utc([2e3,e]),n="^"+this.months(i,"")+"|^"+this.monthsShort(i,""),this._monthsParse[e]=new RegExp(n.replace(".",""),"i")),this._monthsParse[e].test(t))return e},_weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdays:function(t){return this._weekdays[t.day()]},_weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysShort:function(t){return this._weekdaysShort[t.day()]},_weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),weekdaysMin:function(t){return this._weekdaysMin[t.day()]},weekdaysParse:function(t){var e,i,n;for(this._weekdaysParse||(this._weekdaysParse=[]),e=0;7>e;e++)if(this._weekdaysParse[e]||(i=U([2e3,1]).day(e),n="^"+this.weekdays(i,"")+"|^"+this.weekdaysShort(i,"")+"|^"+this.weekdaysMin(i,""),this._weekdaysParse[e]=new RegExp(n.replace(".",""),"i")),this._weekdaysParse[e].test(t))return e},_longDateFormat:{LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D YYYY",LLL:"MMMM D YYYY LT",LLLL:"dddd, MMMM D YYYY LT"},longDateFormat:function(t){var e=this._longDateFormat[t];return!e&&this._longDateFormat[t.toUpperCase()]&&(e=this._longDateFormat[t.toUpperCase()].replace(/MMMM|MM|DD|dddd/g,function(t){return t.slice(1)}),this._longDateFormat[t]=e),e},isPM:function(t){return"p"===(t+"").toLowerCase().charAt(0)},_meridiemParse:/[ap]\.?m?\.?/i,meridiem:function(t,e,i){return t>11?i?"pm":"PM":i?"am":"AM"},_calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},calendar:function(t,e){var i=this._calendar[t];return"function"==typeof i?i.apply(e):i},_relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},relativeTime:function(t,e,i,n){var s=this._relativeTime[i];return"function"==typeof s?s(t,e,i,n):s.replace(/%d/i,t)},pastFuture:function(t,e){var i=this._relativeTime[t>0?"future":"past"];return"function"==typeof i?i(e):i.replace(/%s/i,e)},ordinal:function(t){return this._ordinal.replace("%d",t)},_ordinal:"%d",preparse:function(t){return t},postformat:function(t){return t},week:function(t){return M(t,this._week.dow,this._week.doy).week},_week:{dow:0,doy:6}}),U=function(t,e,i){return R({_i:t,_f:e,_l:i,_isUTC:!1})},U.utc=function(t,e,i){return R({_useUTC:!0,_isUTC:!0,_l:i,_i:t,_f:e}).utc()},U.unix=function(t){return U(1e3*t)},U.duration=function(t,e){var i,n,s=U.isDuration(t),a="number"==typeof t,r=s?t._input:a?{}:t,l=V.exec(t);return a?e?r[e]=t:r.milliseconds=t:l&&(i="-"===l[1]?-1:1,r={y:0,d:~~l[2]*i,h:~~l[3]*i,m:~~l[4]*i,s:~~l[5]*i,ms:~~l[6]*i}),n=new o(r),s&&t.hasOwnProperty("_lang")&&(n._lang=t._lang),n},U.version=F,U.defaultFormat=ne,U.updateOffset=function(){},U.lang=function(t,e){return t?(t=t.toLowerCase(),t=t.replace("_","-"),e?p(t,e):null===e?(f(t),t="en"):B[t]||m(t),void(U.duration.fn._lang=U.fn._lang=m(t))):U.fn._lang._abbr},U.langData=function(t){return t&&t._lang&&t._lang._abbr&&(t=t._lang._abbr),m(t)},U.isMoment=function(t){return t instanceof s},U.isDuration=function(t){return t instanceof o},a(U.fn=s.prototype,{clone:function(){return U(this)},valueOf:function(){return+this._d+6e4*(this._offset||0)},unix:function(){return Math.floor(+this/1e3)},toString:function(){return this.format("ddd MMM DD YYYY HH:mm:ss [GMT]ZZ")},toDate:function(){return this._offset?new Date(+this):this._d},toISOString:function(){return b(U(this).utc(),"YYYY-MM-DD[T]HH:mm:ss.SSS[Z]")},toArray:function(){var t=this;return[t.year(),t.month(),t.date(),t.hours(),t.minutes(),t.seconds(),t.milliseconds()]},isValid:function(){return null==this._isValid&&(this._isValid=this._a?!h(this._a,(this._isUTC?U.utc(this._a):U(this._a)).toArray()):!isNaN(this._d.getTime())),!!this._isValid},invalidAt:function(){var t,e=this._a,i=(this._isUTC?U.utc(this._a):U(this._a)).toArray();for(t=6;t>=0&&e[t]===i[t];--t);return t},utc:function(){return this.zone(0)},local:function(){return this.zone(0),this._isUTC=!1,this},format:function(t){var e=b(this,t||U.defaultFormat);return this.lang().postformat(e)},add:function(t,e){var i;return i="string"==typeof t?U.duration(+e,t):U.duration(t,e),c(this,i,1),this},subtract:function(t,e){var i;return i="string"==typeof t?U.duration(+e,t):U.duration(t,e),c(this,i,-1),this},diff:function(t,e,i){var n,s,o=this._isUTC?U(t).zone(this._offset||0):U(t).local(),a=6e4*(this.zone()-o.zone());return e=u(e),"year"===e||"month"===e?(n=432e5*(this.daysInMonth()+o.daysInMonth()),s=12*(this.year()-o.year())+(this.month()-o.month()),s+=(this-U(this).startOf("month")-(o-U(o).startOf("month")))/n,s-=6e4*(this.zone()-U(this).startOf("month").zone()-(o.zone()-U(o).startOf("month").zone()))/n,"year"===e&&(s/=12)):(n=this-o,s="second"===e?n/1e3:"minute"===e?n/6e4:"hour"===e?n/36e5:"day"===e?(n-a)/864e5:"week"===e?(n-a)/6048e5:n),i?s:r(s)},from:function(t,e){return U.duration(this.diff(t)).lang(this.lang()._abbr).humanize(!e)},fromNow:function(t){return this.from(U(),t)},calendar:function(){var t=this.diff(U().zone(this.zone()).startOf("day"),"days",!0),e=-6>t?"sameElse":-1>t?"lastWeek":0>t?"lastDay":1>t?"sameDay":2>t?"nextDay":7>t?"nextWeek":"sameElse";return this.format(this.lang().calendar(e,this))},isLeapYear:function(){var t=this.year();return 0===t%4&&0!==t%100||0===t%400},isDST:function(){return this.zone()<this.clone().month(0).zone()||this.zone()<this.clone().month(5).zone()},day:function(t){var e=this._isUTC?this._d.getUTCDay():this._d.getDay();return null!=t?"string"==typeof t&&(t=this.lang().weekdaysParse(t),"number"!=typeof t)?this:this.add({d:t-e}):e},month:function(t){var e,i=this._isUTC?"UTC":"";return null!=t?"string"==typeof t&&(t=this.lang().monthsParse(t),"number"!=typeof t)?this:(e=this.date(),this.date(1),this._d["set"+i+"Month"](t),this.date(Math.min(e,this.daysInMonth())),U.updateOffset(this),this):this._d["get"+i+"Month"]()},startOf:function(t){switch(t=u(t)){case"year":this.month(0);case"month":this.date(1);case"week":case"isoweek":case"day":this.hours(0);case"hour":this.minutes(0);case"minute":this.seconds(0);case"second":this.milliseconds(0)}return"week"===t?this.weekday(0):"isoweek"===t&&this.isoWeekday(1),this},endOf:function(t){return t=u(t),this.startOf(t).add("isoweek"===t?"week":t,1).subtract("ms",1)},isAfter:function(t,e){return e="undefined"!=typeof e?e:"millisecond",+this.clone().startOf(e)>+U(t).startOf(e)},isBefore:function(t,e){return e="undefined"!=typeof e?e:"millisecond",+this.clone().startOf(e)<+U(t).startOf(e)},isSame:function(t,e){return e="undefined"!=typeof e?e:"millisecond",+this.clone().startOf(e)===+U(t).startOf(e)},min:function(t){return t=U.apply(null,arguments),this>t?this:t},max:function(t){return t=U.apply(null,arguments),t>this?this:t},zone:function(t){var e=this._offset||0;return null==t?this._isUTC?e:this._d.getTimezoneOffset():("string"==typeof t&&(t=E(t)),Math.abs(t)<16&&(t=60*t),this._offset=t,this._isUTC=!0,e!==t&&c(this,U.duration(e-t,"m"),1,!0),this)},zoneAbbr:function(){return this._isUTC?"UTC":""},zoneName:function(){return this._isUTC?"Coordinated Universal Time":""},hasAlignedHourOffset:function(t){return t=t?U(t).zone():0,0===(this.zone()-t)%60},daysInMonth:function(){return U.utc([this.year(),this.month()+1,0]).date()},dayOfYear:function(t){var e=j((U(this).startOf("day")-U(this).startOf("year"))/864e5)+1;return null==t?e:this.add("d",t-e)},weekYear:function(t){var e=M(this,this.lang()._week.dow,this.lang()._week.doy).year;return null==t?e:this.add("y",t-e)},isoWeekYear:function(t){var e=M(this,1,4).year;return null==t?e:this.add("y",t-e)},week:function(t){var e=this.lang().week(this);return null==t?e:this.add("d",7*(t-e))},isoWeek:function(t){var e=M(this,1,4).week;return null==t?e:this.add("d",7*(t-e))},weekday:function(t){var e=(this._d.getDay()+7-this.lang()._week.dow)%7;return null==t?e:this.add("d",t-e)},isoWeekday:function(t){return null==t?this.day()||7:this.day(this.day()%7?t:t-7)},get:function(t){return t=u(t),this[t.toLowerCase()]()},set:function(t,e){t=u(t),this[t.toLowerCase()](e)},lang:function(e){return e===t?this._lang:(this._lang=m(e),this)}}),$=0;$<ae.length;$++)O(ae[$].toLowerCase().replace(/s$/,""),ae[$]);O("year","FullYear"),U.fn.days=U.fn.day,U.fn.months=U.fn.month,U.fn.weeks=U.fn.week,U.fn.isoWeeks=U.fn.isoWeek,U.fn.toJSON=U.fn.toISOString,a(U.duration.fn=o.prototype,{_bubble:function(){var t,e,i,n,s=this._milliseconds,o=this._days,a=this._months,l=this._data;l.milliseconds=s%1e3,t=r(s/1e3),l.seconds=t%60,e=r(t/60),l.minutes=e%60,i=r(e/60),l.hours=i%24,o+=r(i/24),l.days=o%30,a+=r(o/30),l.months=a%12,n=r(a/12),l.years=n},weeks:function(){return r(this.days()/7)},valueOf:function(){return this._milliseconds+864e5*this._days+2592e6*(this._months%12)+31536e6*~~(this._months/12)},humanize:function(t){var e=+this,i=I(e,!t,this.lang());return t&&(i=this.lang().pastFuture(e,i)),this.lang().postformat(i)},add:function(t,e){var i=U.duration(t,e);return this._milliseconds+=i._milliseconds,this._days+=i._days,this._months+=i._months,this._bubble(),this},subtract:function(t,e){var i=U.duration(t,e);return this._milliseconds-=i._milliseconds,this._days-=i._days,this._months-=i._months,this._bubble(),this},get:function(t){return t=u(t),this[t.toLowerCase()+"s"]()},as:function(t){return t=u(t),this["as"+t.charAt(0).toUpperCase()+t.slice(1)+"s"]()},lang:U.fn.lang});for($ in re)re.hasOwnProperty($)&&(P($,re[$]),N($.toLowerCase()));P("Weeks",6048e5),U.duration.fn.asMonths=function(){return(+this-31536e6*this.years())/2592e6+12*this.years()},U.lang("en",{ordinal:function(t){var e=t%10,i=1===~~(t%100/10)?"th":1===e?"st":2===e?"nd":3===e?"rd":"th";return t+i}}),H&&(module.exports=U),"undefined"==typeof ender&&(this.moment=U),"function"==typeof define&&define.amd&&define("moment",[],function(){return U})}.call(this),function(t,e){"object"==typeof exports?module.exports=e():"function"==typeof define&&define.amd?define(e):t.Spinner=e()}(this,function(){"use strict";function t(t,e){var i,n=document.createElement(t||"div");for(i in e)n[i]=e[i];return n}function e(t){for(var e=1,i=arguments.length;i>e;e++)t.appendChild(arguments[e]);return t}function i(t,e,i,n){var s=["opacity",e,~~(100*t),i,n].join("-"),o=.01+i/n*100,a=Math.max(1-(1-t)/e*(100-o),t),r=c.substring(0,c.indexOf("Animation")).toLowerCase(),l=r&&"-"+r+"-"||"";return h[s]||(u.insertRule("@"+l+"keyframes "+s+"{0%{opacity:"+a+"}"+o+"%{opacity:"+t+"}"+(o+.01)+"%{opacity:1}"+(o+e)%100+"%{opacity:"+t+"}100%{opacity:"+a+"}}",u.cssRules.length),h[s]=1),s}function n(t,e){var i,n,s=t.style;if(void 0!==s[e])return e;for(e=e.charAt(0).toUpperCase()+e.slice(1),n=0;n<d.length;n++)if(i=d[n]+e,void 0!==s[i])return i}function s(t,e){for(var i in e)t.style[n(t,i)||i]=e[i];return t}function o(t){for(var e=1;e<arguments.length;e++){var i=arguments[e];for(var n in i)void 0===t[n]&&(t[n]=i[n])}return t}function a(t){for(var e={x:t.offsetLeft,y:t.offsetTop};t=t.offsetParent;)e.x+=t.offsetLeft,e.y+=t.offsetTop;return e}function r(t){return"undefined"==typeof this?new r(t):void(this.opts=o(t||{},r.defaults,p))}function l(){function i(e,i){return t("<"+e+' xmlns="urn:schemas-microsoft.com:vml" class="spin-vml">',i)}u.addRule(".spin-vml","behavior:url(#default#VML)"),r.prototype.lines=function(t,n){function o(){return s(i("group",{coordsize:c+" "+c,coordorigin:-l+" "+-l}),{width:c,height:c})}function a(t,a,r){e(h,e(s(o(),{rotation:360/n.lines*t+"deg",left:~~a}),e(s(i("roundrect",{arcsize:n.corners}),{width:l,height:n.width,left:n.radius,top:-n.width>>1,filter:r}),i("fill",{color:n.color,opacity:n.opacity}),i("stroke",{opacity:0}))))}var r,l=n.length+n.width,c=2*l,d=2*-(n.width+n.length)+"px",h=s(o(),{position:"absolute",top:d,left:d});if(n.shadow)for(r=1;r<=n.lines;r++)a(r,-2,"progid:DXImageTransform.Microsoft.Blur(pixelradius=2,makeshadow=1,shadowopacity=.3)");for(r=1;r<=n.lines;r++)a(r);return e(t,h)},r.prototype.opacity=function(t,e,i,n){var s=t.firstChild;n=n.shadow&&n.lines||0,s&&e+n<s.childNodes.length&&(s=s.childNodes[e+n],s=s&&s.firstChild,s=s&&s.firstChild,s&&(s.opacity=i))}}var c,d=["webkit","Moz","ms","O"],h={},u=function(){var i=t("style",{type:"text/css"});return e(document.getElementsByTagName("head")[0],i),i.sheet||i.styleSheet}(),p={lines:12,length:7,width:5,radius:10,rotate:0,corners:1,color:"#000",direction:1,speed:1,trail:100,opacity:.25,fps:20,zIndex:2e9,className:"spinner",top:"auto",left:"auto",position:"relative"};r.defaults={},o(r.prototype,{spin:function(e){this.stop();var i,n,o=this,r=o.opts,l=o.el=s(t(0,{className:r.className}),{position:r.position,width:0,zIndex:r.zIndex}),d=r.radius+r.length+r.width;if(e&&(e.insertBefore(l,e.firstChild||null),n=a(e),i=a(l),s(l,{left:("auto"==r.left?n.x-i.x+(e.offsetWidth>>1):parseInt(r.left,10)+d)+"px",top:("auto"==r.top?n.y-i.y+(e.offsetHeight>>1):parseInt(r.top,10)+d)+"px"})),l.setAttribute("role","progressbar"),o.lines(l,o.opts),!c){var h,u=0,p=(r.lines-1)*(1-r.direction)/2,f=r.fps,m=f/r.speed,g=(1-r.opacity)/(m*r.trail/100),v=m/r.lines;
+!function b(){u++;for(var t=0;t<r.lines;t++)h=Math.max(1-(u+(r.lines-t)*v)%m*g,r.opacity),o.opacity(l,t*r.direction+p,h,r);o.timeout=o.el&&setTimeout(b,~~(1e3/f))}()}return o},stop:function(){var t=this.el;return t&&(clearTimeout(this.timeout),t.parentNode&&t.parentNode.removeChild(t),this.el=void 0),this},lines:function(n,o){function a(e,i){return s(t(),{position:"absolute",width:o.length+o.width+"px",height:o.width+"px",background:e,boxShadow:i,transformOrigin:"left",transform:"rotate("+~~(360/o.lines*l+o.rotate)+"deg) translate("+o.radius+"px,0)",borderRadius:(o.corners*o.width>>1)+"px"})}for(var r,l=0,d=(o.lines-1)*(1-o.direction)/2;l<o.lines;l++)r=s(t(),{position:"absolute",top:1+~(o.width/2)+"px",transform:o.hwaccel?"translate3d(0,0,0)":"",opacity:o.opacity,animation:c&&i(o.opacity,o.trail,d+l*o.direction,o.lines)+" "+1/o.speed+"s linear infinite"}),o.shadow&&e(r,s(a("#000","0 0 4px #000"),{top:"2px"})),e(n,e(r,a(o.color,"0 0 1px rgba(0,0,0,.1)")));return n},opacity:function(t,e,i){e<t.childNodes.length&&(t.childNodes[e].style.opacity=i)}});var f=s(t("group"),{behavior:"url(#default#VML)"});return!n(f,"transform")&&f.adj?l():c=n(f,"animation"),r}),function(t,e){"object"==typeof exports?module.exports=e(require("spin.js")):"function"==typeof define&&define.amd?define(["spin"],e):t.Ladda=e(t.Spinner)}(this,function(t){"use strict";function e(t){if("undefined"==typeof t)return void console.warn("Ladda button target must be defined.");t.querySelector(".ladda-label")||(t.innerHTML='<span class="ladda-label">'+t.innerHTML+"</span>");var e,i=t.querySelector(".ladda-spinner");i||(i=document.createElement("span"),i.className="ladda-spinner"),t.appendChild(i);var n,s={start:function(){return e||(e=a(t)),t.setAttribute("disabled",""),t.setAttribute("data-loading",""),clearTimeout(n),e.spin(i),this.setProgress(0),this},startAfter:function(t){return clearTimeout(n),n=setTimeout(function(){s.start()},t),this},stop:function(){return t.removeAttribute("disabled"),t.removeAttribute("data-loading"),clearTimeout(n),e&&(n=setTimeout(function(){e.stop()},1e3)),this},toggle:function(){return this.isLoading()?this.stop():this.start(),this},setProgress:function(e){e=Math.max(Math.min(e,1),0);var i=t.querySelector(".ladda-progress");0===e&&i&&i.parentNode?i.parentNode.removeChild(i):(i||(i=document.createElement("div"),i.className="ladda-progress",t.appendChild(i)),i.style.width=(e||0)*t.offsetWidth+"px")},enable:function(){return this.stop(),this},disable:function(){return this.stop(),t.setAttribute("disabled",""),this},isLoading:function(){return t.hasAttribute("data-loading")},remove:function(){clearTimeout(n),t.removeAttribute("disabled",""),t.removeAttribute("data-loading",""),e&&(e.stop(),e=null);for(var i=0,o=l.length;o>i;i++)if(s===l[i]){l.splice(i,1);break}}};return l.push(s),s}function i(t,e){for(;t.parentNode&&t.tagName!==e;)t=t.parentNode;return e===t.tagName?t:void 0}function n(t){for(var e=["input","textarea","select"],i=[],n=0;n<e.length;n++)for(var s=t.getElementsByTagName(e[n]),o=0;o<s.length;o++)s[o].hasAttribute("required")&&i.push(s[o]);return i}function s(t,s){s=s||{};var o=[];"string"==typeof t?o=r(document.querySelectorAll(t)):"object"==typeof t&&"string"==typeof t.nodeName&&(o=[t]);for(var a=0,l=o.length;l>a;a++)!function(){var t=o[a];if("function"==typeof t.addEventListener){var r=e(t),l=-1;t.addEventListener("click",function(){var e=!0,o=i(t,"FORM");if("undefined"!=typeof o)for(var a=n(o),c=0;c<a.length;c++)""===a[c].value.replace(/^\s+|\s+$/g,"")&&(e=!1),"checkbox"!==a[c].type&&"radio"!==a[c].type||a[c].checked||(e=!1);e&&(r.startAfter(1),"number"==typeof s.timeout&&(clearTimeout(l),l=setTimeout(r.stop,s.timeout)),"function"==typeof s.callback&&s.callback.apply(null,[r]))},!1)}}()}function o(){for(var t=0,e=l.length;e>t;t++)l[t].stop()}function a(e){var i,n=e.offsetHeight;0===n&&(n=parseFloat(window.getComputedStyle(e).height)),n>32&&(n*=.8),e.hasAttribute("data-spinner-size")&&(n=parseInt(e.getAttribute("data-spinner-size"),10)),e.hasAttribute("data-spinner-color")&&(i=e.getAttribute("data-spinner-color"));var s=12,o=.2*n,a=.6*o,r=7>o?2:3;return new t({color:i||"#fff",lines:s,radius:o,length:a,width:r,zIndex:"auto",top:"auto",left:"auto",className:""})}function r(t){for(var e=[],i=0;i<t.length;i++)e.push(t[i]);return e}var l=[];return{bind:s,create:e,stopAll:o}}),function(t,e){function i(t,e,i){return t.addEventListener?void t.addEventListener(e,i,!1):void t.attachEvent("on"+e,i)}function n(t){if("keypress"==t.type){var e=String.fromCharCode(t.which);return t.shiftKey||(e=e.toLowerCase()),e}return _[t.which]?_[t.which]:w[t.which]?w[t.which]:String.fromCharCode(t.which).toLowerCase()}function s(t,e){return t.sort().join(",")===e.sort().join(",")}function o(t){t=t||{};var e,i=!1;for(e in D)t[e]?i=!0:D[e]=0;i||(R=!1)}function a(t,e,i,n,o,a){var r,l,c=[],d=i.type;if(!A[t])return[];for("keyup"==d&&p(t)&&(e=[t]),r=0;r<A[t].length;++r)if(l=A[t][r],(n||!l.seq||D[l.seq]==l.level)&&d==l.action&&("keypress"==d&&!i.metaKey&&!i.ctrlKey||s(e,l.modifiers))){var h=!n&&l.combo==o,u=n&&l.seq==n&&l.level==a;(h||u)&&A[t].splice(r,1),c.push(l)}return c}function r(t){var e=[];return t.shiftKey&&e.push("shift"),t.altKey&&e.push("alt"),t.ctrlKey&&e.push("ctrl"),t.metaKey&&e.push("meta"),e}function l(t){return t.preventDefault?void t.preventDefault():void(t.returnValue=!1)}function c(t){return t.stopPropagation?void t.stopPropagation():void(t.cancelBubble=!0)}function d(t,e,i,n){N.stopCallback(e,e.target||e.srcElement,i,n)||t(e,i)===!1&&(l(e),c(e))}function h(t,e,i){var n,s=a(t,e,i),r={},l=0,c=!1;for(n=0;n<s.length;++n)s[n].seq&&(l=Math.max(l,s[n].level));for(n=0;n<s.length;++n)if(s[n].seq){if(s[n].level!=l)continue;c=!0,r[s[n].seq]=1,d(s[n].callback,i,s[n].combo,s[n].seq)}else c||d(s[n].callback,i,s[n].combo);var h="keypress"==i.type&&M;i.type!=R||p(t)||h||o(r),M=c&&"keydown"==i.type}function u(t){"number"!=typeof t.which&&(t.which=t.keyCode);var e=n(t);if(e)return"keyup"==t.type&&I===e?void(I=!1):void N.handleKey(e,r(t),t)}function p(t){return"shift"==t||"ctrl"==t||"alt"==t||"meta"==t}function f(){clearTimeout(L),L=setTimeout(o,1e3)}function m(){if(!T){T={};for(var t in _)t>95&&112>t||_.hasOwnProperty(t)&&(T[_[t]]=t)}return T}function g(t,e,i){return i||(i=m()[t]?"keydown":"keypress"),"keypress"==i&&e.length&&(i="keydown"),i}function v(t,e,i,s){function a(e){return function(){R=e,++D[t],f()}}function r(e){d(i,e,t),"keyup"!==s&&(I=n(e)),setTimeout(o,10)}D[t]=0;for(var l=0;l<e.length;++l){var c=l+1===e.length,h=c?r:a(s||y(e[l+1]).action);S(e[l],h,s,t,l)}}function b(t){return"+"===t?["+"]:t.split("+")}function y(t,e){var i,n,s,o=[];for(i=b(t),s=0;s<i.length;++s)n=i[s],C[n]&&(n=C[n]),e&&"keypress"!=e&&k[n]&&(n=k[n],o.push("shift")),p(n)&&o.push(n);return e=g(n,o,e),{key:n,modifiers:o,action:e}}function S(t,e,i,n,s){x[t+":"+i]=e,t=t.replace(/\s+/g," ");var o,r=t.split(" ");return r.length>1?void v(t,r,e,i):(o=y(t,i),A[o.key]=A[o.key]||[],a(o.key,o.modifiers,{type:o.action},n,t,s),void A[o.key][n?"unshift":"push"]({callback:e,modifiers:o.modifiers,action:o.action,seq:n,level:s,combo:t}))}function E(t,e,i){for(var n=0;n<t.length;++n)S(t[n],e,i)}for(var T,L,_={8:"backspace",9:"tab",13:"enter",16:"shift",17:"ctrl",18:"alt",20:"capslock",27:"esc",32:"space",33:"pageup",34:"pagedown",35:"end",36:"home",37:"left",38:"up",39:"right",40:"down",45:"ins",46:"del",91:"meta",93:"meta",224:"meta"},w={106:"*",107:"+",109:"-",110:".",111:"/",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'"},k={"~":"`","!":"1","@":"2","#":"3",$:"4","%":"5","^":"6","&":"7","*":"8","(":"9",")":"0",_:"-","+":"=",":":";",'"':"'","<":",",">":".","?":"/","|":"\\"},C={option:"alt",command:"meta","return":"enter",escape:"esc",mod:/Mac|iPod|iPhone|iPad/.test(navigator.platform)?"meta":"ctrl"},A={},x={},D={},I=!1,M=!1,R=!1,O=1;20>O;++O)_[111+O]="f"+O;for(O=0;9>=O;++O)_[O+96]=O;i(e,"keypress",u),i(e,"keydown",u),i(e,"keyup",u);var N={bind:function(t,e,i){return t=t instanceof Array?t:[t],E(t,e,i),this},unbind:function(t,e){return N.bind(t,function(){},e)},trigger:function(t,e){return x[t+":"+e]&&x[t+":"+e]({},t),this},reset:function(){return A={},x={},this},stopCallback:function(t,e){return(" "+e.className+" ").indexOf(" mousetrap ")>-1?!1:"INPUT"==e.tagName||"SELECT"==e.tagName||"TEXTAREA"==e.tagName||e.isContentEditable},handleKey:h};t.Mousetrap=N,"function"==typeof define&&define.amd&&define(N)}(window,document),function(t,e,i,n){"use strict";function s(t,e,i){return setTimeout(d(t,i),e)}function o(t,e,i){return Array.isArray(t)?(a(t,i[e],i),!0):!1}function a(t,e,i){var s;if(t)if(t.forEach)t.forEach(e,i);else if(t.length!==n)for(s=0;s<t.length;)e.call(i,t[s],s,t),s++;else for(s in t)t.hasOwnProperty(s)&&e.call(i,t[s],s,t)}function r(t,e,i){for(var s=Object.keys(e),o=0;o<s.length;)(!i||i&&t[s[o]]===n)&&(t[s[o]]=e[s[o]]),o++;return t}function l(t,e){return r(t,e,!0)}function c(t,e,i){var n,s=e.prototype;n=t.prototype=Object.create(s),n.constructor=t,n._super=s,i&&r(n,i)}function d(t,e){return function(){return t.apply(e,arguments)}}function h(t,e){return typeof t==de?t.apply(e?e[0]||n:n,e):t}function u(t,e){return t===n?e:t}function p(t,e,i){a(v(e),function(e){t.addEventListener(e,i,!1)})}function f(t,e,i){a(v(e),function(e){t.removeEventListener(e,i,!1)})}function m(t,e){for(;t;){if(t==e)return!0;t=t.parentNode}return!1}function g(t,e){return t.indexOf(e)>-1}function v(t){return t.trim().split(/\s+/g)}function b(t,e,i){if(t.indexOf&&!i)return t.indexOf(e);for(var n=0;n<t.length;){if(i&&t[n][i]==e||!i&&t[n]===e)return n;n++}return-1}function y(t){return Array.prototype.slice.call(t,0)}function S(t,e,i){for(var n=[],s=[],o=0;o<t.length;){var a=e?t[o][e]:t[o];b(s,a)<0&&n.push(t[o]),s[o]=a,o++}return i&&(n=e?n.sort(function(t,i){return t[e]>i[e]}):n.sort()),n}function E(t,e){for(var i,s,o=e[0].toUpperCase()+e.slice(1),a=0;a<le.length;){if(i=le[a],s=i?i+o:e,s in t)return s;a++}return n}function T(){return fe++}function L(t){var e=t.ownerDocument;return e.defaultView||e.parentWindow}function _(t,e){var i=this;this.manager=t,this.callback=e,this.element=t.element,this.target=t.options.inputTarget,this.domHandler=function(e){h(t.options.enable,[t])&&i.handler(e)},this.init()}function w(t){var e,i=t.options.inputClass;return new(e=i?i:ve?F:be?H:ge?V:$)(t,k)}function k(t,e,i){var n=i.pointers.length,s=i.changedPointers.length,o=e&_e&&n-s===0,a=e&(ke|Ce)&&n-s===0;i.isFirst=!!o,i.isFinal=!!a,o&&(t.session={}),i.eventType=e,C(t,i),t.emit("hammer.input",i),t.recognize(i),t.session.prevInput=i}function C(t,e){var i=t.session,n=e.pointers,s=n.length;i.firstInput||(i.firstInput=D(e)),s>1&&!i.firstMultiple?i.firstMultiple=D(e):1===s&&(i.firstMultiple=!1);var o=i.firstInput,a=i.firstMultiple,r=a?a.center:o.center,l=e.center=I(n);e.timeStamp=pe(),e.deltaTime=e.timeStamp-o.timeStamp,e.angle=N(r,l),e.distance=O(r,l),A(i,e),e.offsetDirection=R(e.deltaX,e.deltaY),e.scale=a?U(a.pointers,n):1,e.rotation=a?P(a.pointers,n):0,x(i,e);var c=t.element;m(e.srcEvent.target,c)&&(c=e.srcEvent.target),e.target=c}function A(t,e){var i=e.center,n=t.offsetDelta||{},s=t.prevDelta||{},o=t.prevInput||{};(e.eventType===_e||o.eventType===ke)&&(s=t.prevDelta={x:o.deltaX||0,y:o.deltaY||0},n=t.offsetDelta={x:i.x,y:i.y}),e.deltaX=s.x+(i.x-n.x),e.deltaY=s.y+(i.y-n.y)}function x(t,e){var i,s,o,a,r=t.lastInterval||e,l=e.timeStamp-r.timeStamp;if(e.eventType!=Ce&&(l>Le||r.velocity===n)){var c=r.deltaX-e.deltaX,d=r.deltaY-e.deltaY,h=M(l,c,d);s=h.x,o=h.y,i=ue(h.x)>ue(h.y)?h.x:h.y,a=R(c,d),t.lastInterval=e}else i=r.velocity,s=r.velocityX,o=r.velocityY,a=r.direction;e.velocity=i,e.velocityX=s,e.velocityY=o,e.direction=a}function D(t){for(var e=[],i=0;i<t.pointers.length;)e[i]={clientX:he(t.pointers[i].clientX),clientY:he(t.pointers[i].clientY)},i++;return{timeStamp:pe(),pointers:e,center:I(e),deltaX:t.deltaX,deltaY:t.deltaY}}function I(t){var e=t.length;if(1===e)return{x:he(t[0].clientX),y:he(t[0].clientY)};for(var i=0,n=0,s=0;e>s;)i+=t[s].clientX,n+=t[s].clientY,s++;return{x:he(i/e),y:he(n/e)}}function M(t,e,i){return{x:e/t||0,y:i/t||0}}function R(t,e){return t===e?Ae:ue(t)>=ue(e)?t>0?xe:De:e>0?Ie:Me}function O(t,e,i){i||(i=Pe);var n=e[i[0]]-t[i[0]],s=e[i[1]]-t[i[1]];return Math.sqrt(n*n+s*s)}function N(t,e,i){i||(i=Pe);var n=e[i[0]]-t[i[0]],s=e[i[1]]-t[i[1]];return 180*Math.atan2(s,n)/Math.PI}function P(t,e){return N(e[1],e[0],Ue)-N(t[1],t[0],Ue)}function U(t,e){return O(e[0],e[1],Ue)/O(t[0],t[1],Ue)}function $(){this.evEl=Fe,this.evWin=je,this.allow=!0,this.pressed=!1,_.apply(this,arguments)}function F(){this.evEl=ze,this.evWin=Ve,_.apply(this,arguments),this.store=this.manager.session.pointerEvents=[]}function j(){this.evTarget=Xe,this.evWin=We,this.started=!1,_.apply(this,arguments)}function B(t,e){var i=y(t.touches),n=y(t.changedTouches);return e&(ke|Ce)&&(i=S(i.concat(n),"identifier",!0)),[i,n]}function H(){this.evTarget=Ye,this.targetIds={},_.apply(this,arguments)}function z(t,e){var i=y(t.touches),n=this.targetIds;if(e&(_e|we)&&1===i.length)return n[i[0].identifier]=!0,[i,i];var s,o,a=y(t.changedTouches),r=[],l=this.target;if(o=i.filter(function(t){return m(t.target,l)}),e===_e)for(s=0;s<o.length;)n[o[s].identifier]=!0,s++;for(s=0;s<a.length;)n[a[s].identifier]&&r.push(a[s]),e&(ke|Ce)&&delete n[a[s].identifier],s++;return r.length?[S(o.concat(r),"identifier",!0),r]:void 0}function V(){_.apply(this,arguments);var t=d(this.handler,this);this.touch=new H(this.manager,t),this.mouse=new $(this.manager,t)}function G(t,e){this.manager=t,this.set(e)}function X(t){if(g(t,ei))return ei;var e=g(t,ii),i=g(t,ni);return e&&i?ii+" "+ni:e||i?e?ii:ni:g(t,ti)?ti:Ze}function W(t){this.id=T(),this.manager=null,this.options=l(t||{},this.defaults),this.options.enable=u(this.options.enable,!0),this.state=si,this.simultaneous={},this.requireFail=[]}function J(t){return t&ci?"cancel":t&ri?"end":t&ai?"move":t&oi?"start":""}function Y(t){return t==Me?"down":t==Ie?"up":t==xe?"left":t==De?"right":""}function q(t,e){var i=e.manager;return i?i.get(t):t}function K(){W.apply(this,arguments)}function Q(){K.apply(this,arguments),this.pX=null,this.pY=null}function Z(){K.apply(this,arguments)}function te(){W.apply(this,arguments),this._timer=null,this._input=null}function ee(){K.apply(this,arguments)}function ie(){K.apply(this,arguments)}function ne(){W.apply(this,arguments),this.pTime=!1,this.pCenter=!1,this._timer=null,this._input=null,this.count=0}function se(t,e){return e=e||{},e.recognizers=u(e.recognizers,se.defaults.preset),new oe(t,e)}function oe(t,e){e=e||{},this.options=l(e,se.defaults),this.options.inputTarget=this.options.inputTarget||t,this.handlers={},this.session={},this.recognizers=[],this.element=t,this.input=w(this),this.touchAction=new G(this,this.options.touchAction),ae(this,!0),a(e.recognizers,function(t){var e=this.add(new t[0](t[1]));t[2]&&e.recognizeWith(t[2]),t[3]&&e.requireFailure(t[3])},this)}function ae(t,e){var i=t.element;a(t.options.cssProps,function(t,n){i.style[E(i.style,n)]=e?t:""})}function re(t,i){var n=e.createEvent("Event");n.initEvent(t,!0,!0),n.gesture=i,i.target.dispatchEvent(n)}var le=["","webkit","moz","MS","ms","o"],ce=e.createElement("div"),de="function",he=Math.round,ue=Math.abs,pe=Date.now,fe=1,me=/mobile|tablet|ip(ad|hone|od)|android/i,ge="ontouchstart"in t,ve=E(t,"PointerEvent")!==n,be=ge&&me.test(navigator.userAgent),ye="touch",Se="pen",Ee="mouse",Te="kinect",Le=25,_e=1,we=2,ke=4,Ce=8,Ae=1,xe=2,De=4,Ie=8,Me=16,Re=xe|De,Oe=Ie|Me,Ne=Re|Oe,Pe=["x","y"],Ue=["clientX","clientY"];_.prototype={handler:function(){},init:function(){this.evEl&&p(this.element,this.evEl,this.domHandler),this.evTarget&&p(this.target,this.evTarget,this.domHandler),this.evWin&&p(L(this.element),this.evWin,this.domHandler)},destroy:function(){this.evEl&&f(this.element,this.evEl,this.domHandler),this.evTarget&&f(this.target,this.evTarget,this.domHandler),this.evWin&&f(L(this.element),this.evWin,this.domHandler)}};var $e={mousedown:_e,mousemove:we,mouseup:ke},Fe="mousedown",je="mousemove mouseup";c($,_,{handler:function(t){var e=$e[t.type];e&_e&&0===t.button&&(this.pressed=!0),e&we&&1!==t.which&&(e=ke),this.pressed&&this.allow&&(e&ke&&(this.pressed=!1),this.callback(this.manager,e,{pointers:[t],changedPointers:[t],pointerType:Ee,srcEvent:t}))}});var Be={pointerdown:_e,pointermove:we,pointerup:ke,pointercancel:Ce,pointerout:Ce},He={2:ye,3:Se,4:Ee,5:Te},ze="pointerdown",Ve="pointermove pointerup pointercancel";t.MSPointerEvent&&(ze="MSPointerDown",Ve="MSPointerMove MSPointerUp MSPointerCancel"),c(F,_,{handler:function(t){var e=this.store,i=!1,n=t.type.toLowerCase().replace("ms",""),s=Be[n],o=He[t.pointerType]||t.pointerType,a=o==ye,r=b(e,t.pointerId,"pointerId");s&_e&&(0===t.button||a)?0>r&&(e.push(t),r=e.length-1):s&(ke|Ce)&&(i=!0),0>r||(e[r]=t,this.callback(this.manager,s,{pointers:e,changedPointers:[t],pointerType:o,srcEvent:t}),i&&e.splice(r,1))}});var Ge={touchstart:_e,touchmove:we,touchend:ke,touchcancel:Ce},Xe="touchstart",We="touchstart touchmove touchend touchcancel";c(j,_,{handler:function(t){var e=Ge[t.type];if(e===_e&&(this.started=!0),this.started){var i=B.call(this,t,e);e&(ke|Ce)&&i[0].length-i[1].length===0&&(this.started=!1),this.callback(this.manager,e,{pointers:i[0],changedPointers:i[1],pointerType:ye,srcEvent:t})}}});var Je={touchstart:_e,touchmove:we,touchend:ke,touchcancel:Ce},Ye="touchstart touchmove touchend touchcancel";c(H,_,{handler:function(t){var e=Je[t.type],i=z.call(this,t,e);i&&this.callback(this.manager,e,{pointers:i[0],changedPointers:i[1],pointerType:ye,srcEvent:t})}}),c(V,_,{handler:function(t,e,i){var n=i.pointerType==ye,s=i.pointerType==Ee;if(n)this.mouse.allow=!1;else if(s&&!this.mouse.allow)return;e&(ke|Ce)&&(this.mouse.allow=!0),this.callback(t,e,i)},destroy:function(){this.touch.destroy(),this.mouse.destroy()}});var qe=E(ce.style,"touchAction"),Ke=qe!==n,Qe="compute",Ze="auto",ti="manipulation",ei="none",ii="pan-x",ni="pan-y";G.prototype={set:function(t){t==Qe&&(t=this.compute()),Ke&&(this.manager.element.style[qe]=t),this.actions=t.toLowerCase().trim()},update:function(){this.set(this.manager.options.touchAction)},compute:function(){var t=[];return a(this.manager.recognizers,function(e){h(e.options.enable,[e])&&(t=t.concat(e.getTouchAction()))}),X(t.join(" "))},preventDefaults:function(t){if(!Ke){var e=t.srcEvent,i=t.offsetDirection;if(this.manager.session.prevented)return void e.preventDefault();var n=this.actions,s=g(n,ei),o=g(n,ni),a=g(n,ii);return s||o&&i&Re||a&&i&Oe?this.preventSrc(e):void 0}},preventSrc:function(t){this.manager.session.prevented=!0,t.preventDefault()}};var si=1,oi=2,ai=4,ri=8,li=ri,ci=16,di=32;W.prototype={defaults:{},set:function(t){return r(this.options,t),this.manager&&this.manager.touchAction.update(),this},recognizeWith:function(t){if(o(t,"recognizeWith",this))return this;var e=this.simultaneous;return t=q(t,this),e[t.id]||(e[t.id]=t,t.recognizeWith(this)),this},dropRecognizeWith:function(t){return o(t,"dropRecognizeWith",this)?this:(t=q(t,this),delete this.simultaneous[t.id],this)},requireFailure:function(t){if(o(t,"requireFailure",this))return this;var e=this.requireFail;return t=q(t,this),-1===b(e,t)&&(e.push(t),t.requireFailure(this)),this},dropRequireFailure:function(t){if(o(t,"dropRequireFailure",this))return this;t=q(t,this);var e=b(this.requireFail,t);return e>-1&&this.requireFail.splice(e,1),this},hasRequireFailures:function(){return this.requireFail.length>0},canRecognizeWith:function(t){return!!this.simultaneous[t.id]},emit:function(t){function e(e){i.manager.emit(i.options.event+(e?J(n):""),t)}var i=this,n=this.state;ri>n&&e(!0),e(),n>=ri&&e(!0)},tryEmit:function(t){return this.canEmit()?this.emit(t):void(this.state=di)},canEmit:function(){for(var t=0;t<this.requireFail.length;){if(!(this.requireFail[t].state&(di|si)))return!1;t++}return!0},recognize:function(t){var e=r({},t);return h(this.options.enable,[this,e])?(this.state&(li|ci|di)&&(this.state=si),this.state=this.process(e),void(this.state&(oi|ai|ri|ci)&&this.tryEmit(e))):(this.reset(),void(this.state=di))},process:function(){},getTouchAction:function(){},reset:function(){}},c(K,W,{defaults:{pointers:1},attrTest:function(t){var e=this.options.pointers;return 0===e||t.pointers.length===e},process:function(t){var e=this.state,i=t.eventType,n=e&(oi|ai),s=this.attrTest(t);return n&&(i&Ce||!s)?e|ci:n||s?i&ke?e|ri:e&oi?e|ai:oi:di}}),c(Q,K,{defaults:{event:"pan",threshold:10,pointers:1,direction:Ne},getTouchAction:function(){var t=this.options.direction,e=[];return t&Re&&e.push(ni),t&Oe&&e.push(ii),e},directionTest:function(t){var e=this.options,i=!0,n=t.distance,s=t.direction,o=t.deltaX,a=t.deltaY;return s&e.direction||(e.direction&Re?(s=0===o?Ae:0>o?xe:De,i=o!=this.pX,n=Math.abs(t.deltaX)):(s=0===a?Ae:0>a?Ie:Me,i=a!=this.pY,n=Math.abs(t.deltaY))),t.direction=s,i&&n>e.threshold&&s&e.direction},attrTest:function(t){return K.prototype.attrTest.call(this,t)&&(this.state&oi||!(this.state&oi)&&this.directionTest(t))},emit:function(t){this.pX=t.deltaX,this.pY=t.deltaY;var e=Y(t.direction);e&&this.manager.emit(this.options.event+e,t),this._super.emit.call(this,t)}}),c(Z,K,{defaults:{event:"pinch",threshold:0,pointers:2},getTouchAction:function(){return[ei]},attrTest:function(t){return this._super.attrTest.call(this,t)&&(Math.abs(t.scale-1)>this.options.threshold||this.state&oi)},emit:function(t){if(this._super.emit.call(this,t),1!==t.scale){var e=t.scale<1?"in":"out";this.manager.emit(this.options.event+e,t)}}}),c(te,W,{defaults:{event:"press",pointers:1,time:500,threshold:5},getTouchAction:function(){return[Ze]},process:function(t){var e=this.options,i=t.pointers.length===e.pointers,n=t.distance<e.threshold,o=t.deltaTime>e.time;if(this._input=t,!n||!i||t.eventType&(ke|Ce)&&!o)this.reset();else if(t.eventType&_e)this.reset(),this._timer=s(function(){this.state=li,this.tryEmit()},e.time,this);else if(t.eventType&ke)return li;return di},reset:function(){clearTimeout(this._timer)},emit:function(t){this.state===li&&(t&&t.eventType&ke?this.manager.emit(this.options.event+"up",t):(this._input.timeStamp=pe(),this.manager.emit(this.options.event,this._input)))}}),c(ee,K,{defaults:{event:"rotate",threshold:0,pointers:2},getTouchAction:function(){return[ei]},attrTest:function(t){return this._super.attrTest.call(this,t)&&(Math.abs(t.rotation)>this.options.threshold||this.state&oi)}}),c(ie,K,{defaults:{event:"swipe",threshold:10,velocity:.65,direction:Re|Oe,pointers:1},getTouchAction:function(){return Q.prototype.getTouchAction.call(this)},attrTest:function(t){var e,i=this.options.direction;return i&(Re|Oe)?e=t.velocity:i&Re?e=t.velocityX:i&Oe&&(e=t.velocityY),this._super.attrTest.call(this,t)&&i&t.direction&&t.distance>this.options.threshold&&ue(e)>this.options.velocity&&t.eventType&ke},emit:function(t){var e=Y(t.direction);e&&this.manager.emit(this.options.event+e,t),this.manager.emit(this.options.event,t)}}),c(ne,W,{defaults:{event:"tap",pointers:1,taps:1,interval:300,time:250,threshold:2,posThreshold:10},getTouchAction:function(){return[ti]},process:function(t){var e=this.options,i=t.pointers.length===e.pointers,n=t.distance<e.threshold,o=t.deltaTime<e.time;if(this.reset(),t.eventType&_e&&0===this.count)return this.failTimeout();if(n&&o&&i){if(t.eventType!=ke)return this.failTimeout();var a=this.pTime?t.timeStamp-this.pTime<e.interval:!0,r=!this.pCenter||O(this.pCenter,t.center)<e.posThreshold;this.pTime=t.timeStamp,this.pCenter=t.center,r&&a?this.count+=1:this.count=1,this._input=t;var l=this.count%e.taps;if(0===l)return this.hasRequireFailures()?(this._timer=s(function(){this.state=li,this.tryEmit()},e.interval,this),oi):li}return di},failTimeout:function(){return this._timer=s(function(){this.state=di},this.options.interval,this),di},reset:function(){clearTimeout(this._timer)},emit:function(){this.state==li&&(this._input.tapCount=this.count,this.manager.emit(this.options.event,this._input))}}),se.VERSION="2.0.4",se.defaults={domEvents:!1,touchAction:Qe,enable:!0,inputTarget:null,inputClass:null,preset:[[ee,{enable:!1}],[Z,{enable:!1},["rotate"]],[ie,{direction:Re}],[Q,{direction:Re},["swipe"]],[ne],[ne,{event:"doubletap",taps:2},["tap"]],[te]],cssProps:{userSelect:"none",touchSelect:"none",touchCallout:"none",contentZooming:"none",userDrag:"none",tapHighlightColor:"rgba(0,0,0,0)"}};var hi=1,ui=2;oe.prototype={set:function(t){return r(this.options,t),t.touchAction&&this.touchAction.update(),t.inputTarget&&(this.input.destroy(),this.input.target=t.inputTarget,this.input.init()),this},stop:function(t){this.session.stopped=t?ui:hi},recognize:function(t){var e=this.session;if(!e.stopped){this.touchAction.preventDefaults(t);var i,n=this.recognizers,s=e.curRecognizer;(!s||s&&s.state&li)&&(s=e.curRecognizer=null);for(var o=0;o<n.length;)i=n[o],e.stopped===ui||s&&i!=s&&!i.canRecognizeWith(s)?i.reset():i.recognize(t),!s&&i.state&(oi|ai|ri)&&(s=e.curRecognizer=i),o++}},get:function(t){if(t instanceof W)return t;for(var e=this.recognizers,i=0;i<e.length;i++)if(e[i].options.event==t)return e[i];return null},add:function(t){if(o(t,"add",this))return this;var e=this.get(t.options.event);return e&&this.remove(e),this.recognizers.push(t),t.manager=this,this.touchAction.update(),t},remove:function(t){if(o(t,"remove",this))return this;var e=this.recognizers;return t=this.get(t),e.splice(b(e,t),1),this.touchAction.update(),this},on:function(t,e){var i=this.handlers;return a(v(t),function(t){i[t]=i[t]||[],i[t].push(e)}),this},off:function(t,e){var i=this.handlers;return a(v(t),function(t){e?i[t].splice(b(i[t],e),1):delete i[t]}),this},emit:function(t,e){this.options.domEvents&&re(t,e);var i=this.handlers[t]&&this.handlers[t].slice();if(i&&i.length){e.type=t,e.preventDefault=function(){e.srcEvent.preventDefault()};for(var n=0;n<i.length;)i[n](e),n++}},destroy:function(){this.element&&ae(this,!1),this.handlers={},this.session={},this.input.destroy(),this.element=null}},r(se,{INPUT_START:_e,INPUT_MOVE:we,INPUT_END:ke,INPUT_CANCEL:Ce,STATE_POSSIBLE:si,STATE_BEGAN:oi,STATE_CHANGED:ai,STATE_ENDED:ri,STATE_RECOGNIZED:li,STATE_CANCELLED:ci,STATE_FAILED:di,DIRECTION_NONE:Ae,DIRECTION_LEFT:xe,DIRECTION_RIGHT:De,DIRECTION_UP:Ie,DIRECTION_DOWN:Me,DIRECTION_HORIZONTAL:Re,DIRECTION_VERTICAL:Oe,DIRECTION_ALL:Ne,Manager:oe,Input:_,TouchAction:G,TouchInput:H,MouseInput:$,PointerEventInput:F,TouchMouseInput:V,SingleTouchInput:j,Recognizer:W,AttrRecognizer:K,Tap:ne,Pan:Q,Swipe:ie,Pinch:Z,Rotate:ee,Press:te,on:p,off:f,each:a,merge:l,extend:r,inherit:c,bindFn:d,prefixed:E}),typeof define==de&&define.amd?define(function(){return se}):"undefined"!=typeof module&&module.exports?module.exports=se:t[i]=se}(window,document,"Hammer");var CryptoJS=CryptoJS||function(t,e){var i={},n=i.lib={},s=function(){},o=n.Base={extend:function(t){s.prototype=this;var e=new s;return t&&e.mixIn(t),e.hasOwnProperty("init")||(e.init=function(){e.$super.init.apply(this,arguments)}),e.init.prototype=e,e.$super=this,e},create:function(){var t=this.extend();return t.init.apply(t,arguments),t},init:function(){},mixIn:function(t){for(var e in t)t.hasOwnProperty(e)&&(this[e]=t[e]);t.hasOwnProperty("toString")&&(this.toString=t.toString)},clone:function(){return this.init.prototype.extend(this)}},a=n.WordArray=o.extend({init:function(t,i){t=this.words=t||[],this.sigBytes=i!=e?i:4*t.length},toString:function(t){return(t||l).stringify(this)},concat:function(t){var e=this.words,i=t.words,n=this.sigBytes;if(t=t.sigBytes,this.clamp(),n%4)for(var s=0;t>s;s++)e[n+s>>>2]|=(i[s>>>2]>>>24-8*(s%4)&255)<<24-8*((n+s)%4);else if(65535<i.length)for(s=0;t>s;s+=4)e[n+s>>>2]=i[s>>>2];else e.push.apply(e,i);return this.sigBytes+=t,this},clamp:function(){var e=this.words,i=this.sigBytes;e[i>>>2]&=4294967295<<32-8*(i%4),e.length=t.ceil(i/4)},clone:function(){var t=o.clone.call(this);return t.words=this.words.slice(0),t},random:function(e){for(var i=[],n=0;e>n;n+=4)i.push(4294967296*t.random()|0);return new a.init(i,e)}}),r=i.enc={},l=r.Hex={stringify:function(t){var e=t.words;t=t.sigBytes;for(var i=[],n=0;t>n;n++){var s=e[n>>>2]>>>24-8*(n%4)&255;i.push((s>>>4).toString(16)),i.push((15&s).toString(16))}return i.join("")},parse:function(t){for(var e=t.length,i=[],n=0;e>n;n+=2)i[n>>>3]|=parseInt(t.substr(n,2),16)<<24-4*(n%8);return new a.init(i,e/2)}},c=r.Latin1={stringify:function(t){var e=t.words;t=t.sigBytes;for(var i=[],n=0;t>n;n++)i.push(String.fromCharCode(e[n>>>2]>>>24-8*(n%4)&255));return i.join("")},parse:function(t){for(var e=t.length,i=[],n=0;e>n;n++)i[n>>>2]|=(255&t.charCodeAt(n))<<24-8*(n%4);return new a.init(i,e)}},d=r.Utf8={stringify:function(t){try{return decodeURIComponent(escape(c.stringify(t)))}catch(e){throw Error("Malformed UTF-8 data")}},parse:function(t){return c.parse(unescape(encodeURIComponent(t)))}},h=n.BufferedBlockAlgorithm=o.extend({reset:function(){this._data=new a.init,this._nDataBytes=0},_append:function(t){"string"==typeof t&&(t=d.parse(t)),this._data.concat(t),this._nDataBytes+=t.sigBytes},_process:function(e){var i=this._data,n=i.words,s=i.sigBytes,o=this.blockSize,r=s/(4*o),r=e?t.ceil(r):t.max((0|r)-this._minBufferSize,0);if(e=r*o,s=t.min(4*e,s),e){for(var l=0;e>l;l+=o)this._doProcessBlock(n,l);l=n.splice(0,e),i.sigBytes-=s}return new a.init(l,s)},clone:function(){var t=o.clone.call(this);return t._data=this._data.clone(),t},_minBufferSize:0});n.Hasher=h.extend({cfg:o.extend(),init:function(t){this.cfg=this.cfg.extend(t),this.reset()},reset:function(){h.reset.call(this),this._doReset()},update:function(t){return this._append(t),this._process(),this},finalize:function(t){return t&&this._append(t),this._doFinalize()},blockSize:16,_createHelper:function(t){return function(e,i){return new t.init(i).finalize(e)}},_createHmacHelper:function(t){return function(e,i){return new u.HMAC.init(t,i).finalize(e)}}});var u=i.algo={};return i}(Math);!function(t){function e(t,e,i,n,s,o,a){return t=t+(e&i|~e&n)+s+a,(t<<o|t>>>32-o)+e}function i(t,e,i,n,s,o,a){return t=t+(e&n|i&~n)+s+a,(t<<o|t>>>32-o)+e}function n(t,e,i,n,s,o,a){return t=t+(e^i^n)+s+a,(t<<o|t>>>32-o)+e}function s(t,e,i,n,s,o,a){return t=t+(i^(e|~n))+s+a,(t<<o|t>>>32-o)+e}for(var o=CryptoJS,a=o.lib,r=a.WordArray,l=a.Hasher,a=o.algo,c=[],d=0;64>d;d++)c[d]=4294967296*t.abs(t.sin(d+1))|0;a=a.MD5=l.extend({_doReset:function(){this._hash=new r.init([1732584193,4023233417,2562383102,271733878])},_doProcessBlock:function(t,o){for(var a=0;16>a;a++){var r=o+a,l=t[r];t[r]=16711935&(l<<8|l>>>24)|4278255360&(l<<24|l>>>8)}var a=this._hash.words,r=t[o+0],l=t[o+1],d=t[o+2],h=t[o+3],u=t[o+4],p=t[o+5],f=t[o+6],m=t[o+7],g=t[o+8],v=t[o+9],b=t[o+10],y=t[o+11],S=t[o+12],E=t[o+13],T=t[o+14],L=t[o+15],_=a[0],w=a[1],k=a[2],C=a[3],_=e(_,w,k,C,r,7,c[0]),C=e(C,_,w,k,l,12,c[1]),k=e(k,C,_,w,d,17,c[2]),w=e(w,k,C,_,h,22,c[3]),_=e(_,w,k,C,u,7,c[4]),C=e(C,_,w,k,p,12,c[5]),k=e(k,C,_,w,f,17,c[6]),w=e(w,k,C,_,m,22,c[7]),_=e(_,w,k,C,g,7,c[8]),C=e(C,_,w,k,v,12,c[9]),k=e(k,C,_,w,b,17,c[10]),w=e(w,k,C,_,y,22,c[11]),_=e(_,w,k,C,S,7,c[12]),C=e(C,_,w,k,E,12,c[13]),k=e(k,C,_,w,T,17,c[14]),w=e(w,k,C,_,L,22,c[15]),_=i(_,w,k,C,l,5,c[16]),C=i(C,_,w,k,f,9,c[17]),k=i(k,C,_,w,y,14,c[18]),w=i(w,k,C,_,r,20,c[19]),_=i(_,w,k,C,p,5,c[20]),C=i(C,_,w,k,b,9,c[21]),k=i(k,C,_,w,L,14,c[22]),w=i(w,k,C,_,u,20,c[23]),_=i(_,w,k,C,v,5,c[24]),C=i(C,_,w,k,T,9,c[25]),k=i(k,C,_,w,h,14,c[26]),w=i(w,k,C,_,g,20,c[27]),_=i(_,w,k,C,E,5,c[28]),C=i(C,_,w,k,d,9,c[29]),k=i(k,C,_,w,m,14,c[30]),w=i(w,k,C,_,S,20,c[31]),_=n(_,w,k,C,p,4,c[32]),C=n(C,_,w,k,g,11,c[33]),k=n(k,C,_,w,y,16,c[34]),w=n(w,k,C,_,T,23,c[35]),_=n(_,w,k,C,l,4,c[36]),C=n(C,_,w,k,u,11,c[37]),k=n(k,C,_,w,m,16,c[38]),w=n(w,k,C,_,b,23,c[39]),_=n(_,w,k,C,E,4,c[40]),C=n(C,_,w,k,r,11,c[41]),k=n(k,C,_,w,h,16,c[42]),w=n(w,k,C,_,f,23,c[43]),_=n(_,w,k,C,v,4,c[44]),C=n(C,_,w,k,S,11,c[45]),k=n(k,C,_,w,L,16,c[46]),w=n(w,k,C,_,d,23,c[47]),_=s(_,w,k,C,r,6,c[48]),C=s(C,_,w,k,m,10,c[49]),k=s(k,C,_,w,T,15,c[50]),w=s(w,k,C,_,p,21,c[51]),_=s(_,w,k,C,S,6,c[52]),C=s(C,_,w,k,h,10,c[53]),k=s(k,C,_,w,b,15,c[54]),w=s(w,k,C,_,l,21,c[55]),_=s(_,w,k,C,g,6,c[56]),C=s(C,_,w,k,L,10,c[57]),k=s(k,C,_,w,f,15,c[58]),w=s(w,k,C,_,E,21,c[59]),_=s(_,w,k,C,u,6,c[60]),C=s(C,_,w,k,y,10,c[61]),k=s(k,C,_,w,d,15,c[62]),w=s(w,k,C,_,v,21,c[63]);a[0]=a[0]+_|0,a[1]=a[1]+w|0,a[2]=a[2]+k|0,a[3]=a[3]+C|0},_doFinalize:function(){var e=this._data,i=e.words,n=8*this._nDataBytes,s=8*e.sigBytes;i[s>>>5]|=128<<24-s%32;var o=t.floor(n/4294967296);for(i[(s+64>>>9<<4)+15]=16711935&(o<<8|o>>>24)|4278255360&(o<<24|o>>>8),i[(s+64>>>9<<4)+14]=16711935&(n<<8|n>>>24)|4278255360&(n<<24|n>>>8),e.sigBytes=4*(i.length+1),this._process(),e=this._hash,i=e.words,n=0;4>n;n++)s=i[n],i[n]=16711935&(s<<8|s>>>24)|4278255360&(s<<24|s>>>8);return e},clone:function(){var t=l.clone.call(this);return t._hash=this._hash.clone(),t}}),o.MD5=l._createHelper(a),o.HmacMD5=l._createHmacHelper(a)}(Math),function(){function t(t){var i={r:0,g:0,b:0},s=1,a=!1,r=!1;
+return"string"==typeof t&&(t=M(t)),"object"==typeof t&&(t.hasOwnProperty("r")&&t.hasOwnProperty("g")&&t.hasOwnProperty("b")?(i=e(t.r,t.g,t.b),a=!0,r="%"===String(t.r).substr(-1)?"prgb":"rgb"):t.hasOwnProperty("h")&&t.hasOwnProperty("s")&&t.hasOwnProperty("v")?(t.s=x(t.s),t.v=x(t.v),i=o(t.h,t.s,t.v),a=!0,r="hsv"):t.hasOwnProperty("h")&&t.hasOwnProperty("s")&&t.hasOwnProperty("l")&&(t.s=x(t.s),t.l=x(t.l),i=n(t.h,t.s,t.l),a=!0,r="hsl"),t.hasOwnProperty("a")&&(s=t.a)),s=T(s),{ok:a,format:t.format||r,r:$(255,F(i.r,0)),g:$(255,F(i.g,0)),b:$(255,F(i.b,0)),a:s}}function e(t,e,i){return{r:255*L(t,255),g:255*L(e,255),b:255*L(i,255)}}function i(t,e,i){t=L(t,255),e=L(e,255),i=L(i,255);var n,s,o=F(t,e,i),a=$(t,e,i),r=(o+a)/2;if(o==a)n=s=0;else{var l=o-a;switch(s=r>.5?l/(2-o-a):l/(o+a),o){case t:n=(e-i)/l+(i>e?6:0);break;case e:n=(i-t)/l+2;break;case i:n=(t-e)/l+4}n/=6}return{h:n,s:s,l:r}}function n(t,e,i){function n(t,e,i){return 0>i&&(i+=1),i>1&&(i-=1),1/6>i?t+6*(e-t)*i:.5>i?e:2/3>i?t+(e-t)*(2/3-i)*6:t}var s,o,a;if(t=L(t,360),e=L(e,100),i=L(i,100),0===e)s=o=a=i;else{var r=.5>i?i*(1+e):i+e-i*e,l=2*i-r;s=n(l,r,t+1/3),o=n(l,r,t),a=n(l,r,t-1/3)}return{r:255*s,g:255*o,b:255*a}}function s(t,e,i){t=L(t,255),e=L(e,255),i=L(i,255);var n,s,o=F(t,e,i),a=$(t,e,i),r=o,l=o-a;if(s=0===o?0:l/o,o==a)n=0;else{switch(o){case t:n=(e-i)/l+(i>e?6:0);break;case e:n=(i-t)/l+2;break;case i:n=(t-e)/l+4}n/=6}return{h:n,s:s,v:r}}function o(t,e,i){t=6*L(t,360),e=L(e,100),i=L(i,100);var n=P.floor(t),s=t-n,o=i*(1-e),a=i*(1-s*e),r=i*(1-(1-s)*e),l=n%6,c=[i,a,o,o,r,i][l],d=[r,i,i,a,o,o][l],h=[o,o,r,i,i,a][l];return{r:255*c,g:255*d,b:255*h}}function a(t,e,i,n){var s=[A(U(t).toString(16)),A(U(e).toString(16)),A(U(i).toString(16))];return n&&s[0].charAt(0)==s[0].charAt(1)&&s[1].charAt(0)==s[1].charAt(1)&&s[2].charAt(0)==s[2].charAt(1)?s[0].charAt(0)+s[1].charAt(0)+s[2].charAt(0):s.join("")}function r(t,e,i,n){var s=[A(D(n)),A(U(t).toString(16)),A(U(e).toString(16)),A(U(i).toString(16))];return s.join("")}function l(t,e){e=0===e?0:e||10;var i=B(t).toHsl();return i.s-=e/100,i.s=_(i.s),B(i)}function c(t,e){e=0===e?0:e||10;var i=B(t).toHsl();return i.s+=e/100,i.s=_(i.s),B(i)}function d(t){return B(t).desaturate(100)}function h(t,e){e=0===e?0:e||10;var i=B(t).toHsl();return i.l+=e/100,i.l=_(i.l),B(i)}function u(t,e){e=0===e?0:e||10;var i=B(t).toRgb();return i.r=F(0,$(255,i.r-U(255*-(e/100)))),i.g=F(0,$(255,i.g-U(255*-(e/100)))),i.b=F(0,$(255,i.b-U(255*-(e/100)))),B(i)}function p(t,e){e=0===e?0:e||10;var i=B(t).toHsl();return i.l-=e/100,i.l=_(i.l),B(i)}function f(t,e){var i=B(t).toHsl(),n=(U(i.h)+e)%360;return i.h=0>n?360+n:n,B(i)}function m(t){var e=B(t).toHsl();return e.h=(e.h+180)%360,B(e)}function g(t){var e=B(t).toHsl(),i=e.h;return[B(t),B({h:(i+120)%360,s:e.s,l:e.l}),B({h:(i+240)%360,s:e.s,l:e.l})]}function v(t){var e=B(t).toHsl(),i=e.h;return[B(t),B({h:(i+90)%360,s:e.s,l:e.l}),B({h:(i+180)%360,s:e.s,l:e.l}),B({h:(i+270)%360,s:e.s,l:e.l})]}function b(t){var e=B(t).toHsl(),i=e.h;return[B(t),B({h:(i+72)%360,s:e.s,l:e.l}),B({h:(i+216)%360,s:e.s,l:e.l})]}function y(t,e,i){e=e||6,i=i||30;var n=B(t).toHsl(),s=360/i,o=[B(t)];for(n.h=(n.h-(s*e>>1)+720)%360;--e;)n.h=(n.h+s)%360,o.push(B(n));return o}function S(t,e){e=e||6;for(var i=B(t).toHsv(),n=i.h,s=i.s,o=i.v,a=[],r=1/e;e--;)a.push(B({h:n,s:s,v:o})),o=(o+r)%1;return a}function E(t){var e={};for(var i in t)t.hasOwnProperty(i)&&(e[t[i]]=i);return e}function T(t){return t=parseFloat(t),(isNaN(t)||0>t||t>1)&&(t=1),t}function L(t,e){k(t)&&(t="100%");var i=C(t);return t=$(e,F(0,parseFloat(t))),i&&(t=parseInt(t*e,10)/100),P.abs(t-e)<1e-6?1:t%e/parseFloat(e)}function _(t){return $(1,F(0,t))}function w(t){return parseInt(t,16)}function k(t){return"string"==typeof t&&-1!=t.indexOf(".")&&1===parseFloat(t)}function C(t){return"string"==typeof t&&-1!=t.indexOf("%")}function A(t){return 1==t.length?"0"+t:""+t}function x(t){return 1>=t&&(t=100*t+"%"),t}function D(t){return Math.round(255*parseFloat(t)).toString(16)}function I(t){return w(t)/255}function M(t){t=t.replace(R,"").replace(O,"").toLowerCase();var e=!1;if(H[t])t=H[t],e=!0;else if("transparent"==t)return{r:0,g:0,b:0,a:0,format:"name"};var i;return(i=V.rgb.exec(t))?{r:i[1],g:i[2],b:i[3]}:(i=V.rgba.exec(t))?{r:i[1],g:i[2],b:i[3],a:i[4]}:(i=V.hsl.exec(t))?{h:i[1],s:i[2],l:i[3]}:(i=V.hsla.exec(t))?{h:i[1],s:i[2],l:i[3],a:i[4]}:(i=V.hsv.exec(t))?{h:i[1],s:i[2],v:i[3]}:(i=V.hex8.exec(t))?{a:I(i[1]),r:w(i[2]),g:w(i[3]),b:w(i[4]),format:e?"name":"hex8"}:(i=V.hex6.exec(t))?{r:w(i[1]),g:w(i[2]),b:w(i[3]),format:e?"name":"hex"}:(i=V.hex3.exec(t))?{r:w(i[1]+""+i[1]),g:w(i[2]+""+i[2]),b:w(i[3]+""+i[3]),format:e?"name":"hex"}:!1}var R=/^[\s,#]+/,O=/\s+$/,N=0,P=Math,U=P.round,$=P.min,F=P.max,j=P.random,B=function G(e,i){if(e=e?e:"",i=i||{},e instanceof G)return e;if(!(this instanceof G))return new G(e,i);var n=t(e);this._r=n.r,this._g=n.g,this._b=n.b,this._a=n.a,this._roundA=U(100*this._a)/100,this._format=i.format||n.format,this._gradientType=i.gradientType,this._r<1&&(this._r=U(this._r)),this._g<1&&(this._g=U(this._g)),this._b<1&&(this._b=U(this._b)),this._ok=n.ok,this._tc_id=N++};B.prototype={isDark:function(){return this.getBrightness()<128},isLight:function(){return!this.isDark()},isValid:function(){return this._ok},getFormat:function(){return this._format},getAlpha:function(){return this._a},getBrightness:function(){var t=this.toRgb();return(299*t.r+587*t.g+114*t.b)/1e3},setAlpha:function(t){return this._a=T(t),this._roundA=U(100*this._a)/100,this},toHsv:function(){var t=s(this._r,this._g,this._b);return{h:360*t.h,s:t.s,v:t.v,a:this._a}},toHsvString:function(){var t=s(this._r,this._g,this._b),e=U(360*t.h),i=U(100*t.s),n=U(100*t.v);return 1==this._a?"hsv("+e+", "+i+"%, "+n+"%)":"hsva("+e+", "+i+"%, "+n+"%, "+this._roundA+")"},toHsl:function(){var t=i(this._r,this._g,this._b);return{h:360*t.h,s:t.s,l:t.l,a:this._a}},toHslString:function(){var t=i(this._r,this._g,this._b),e=U(360*t.h),n=U(100*t.s),s=U(100*t.l);return 1==this._a?"hsl("+e+", "+n+"%, "+s+"%)":"hsla("+e+", "+n+"%, "+s+"%, "+this._roundA+")"},toHex:function(t){return a(this._r,this._g,this._b,t)},toHexString:function(t){return"#"+this.toHex(t)},toHex8:function(){return r(this._r,this._g,this._b,this._a)},toHex8String:function(){return"#"+this.toHex8()},toRgb:function(){return{r:U(this._r),g:U(this._g),b:U(this._b),a:this._a}},toRgbString:function(){return 1==this._a?"rgb("+U(this._r)+", "+U(this._g)+", "+U(this._b)+")":"rgba("+U(this._r)+", "+U(this._g)+", "+U(this._b)+", "+this._roundA+")"},toPercentageRgb:function(){return{r:U(100*L(this._r,255))+"%",g:U(100*L(this._g,255))+"%",b:U(100*L(this._b,255))+"%",a:this._a}},toPercentageRgbString:function(){return 1==this._a?"rgb("+U(100*L(this._r,255))+"%, "+U(100*L(this._g,255))+"%, "+U(100*L(this._b,255))+"%)":"rgba("+U(100*L(this._r,255))+"%, "+U(100*L(this._g,255))+"%, "+U(100*L(this._b,255))+"%, "+this._roundA+")"},toName:function(){return 0===this._a?"transparent":this._a<1?!1:z[a(this._r,this._g,this._b,!0)]||!1},toFilter:function(t){var e="#"+r(this._r,this._g,this._b,this._a),i=e,n=this._gradientType?"GradientType = 1, ":"";if(t){var s=B(t);i=s.toHex8String()}return"progid:DXImageTransform.Microsoft.gradient("+n+"startColorstr="+e+",endColorstr="+i+")"},toString:function(t){var e=!!t;t=t||this._format;var i=!1,n=this._a<1&&this._a>=0,s=!e&&n&&("hex"===t||"hex6"===t||"hex3"===t||"name"===t);return s?"name"===t&&0===this._a?this.toName():this.toRgbString():("rgb"===t&&(i=this.toRgbString()),"prgb"===t&&(i=this.toPercentageRgbString()),("hex"===t||"hex6"===t)&&(i=this.toHexString()),"hex3"===t&&(i=this.toHexString(!0)),"hex8"===t&&(i=this.toHex8String()),"name"===t&&(i=this.toName()),"hsl"===t&&(i=this.toHslString()),"hsv"===t&&(i=this.toHsvString()),i||this.toHexString())},_applyModification:function(t,e){var i=t.apply(null,[this].concat([].slice.call(e)));return this._r=i._r,this._g=i._g,this._b=i._b,this.setAlpha(i._a),this},lighten:function(){return this._applyModification(h,arguments)},brighten:function(){return this._applyModification(u,arguments)},darken:function(){return this._applyModification(p,arguments)},desaturate:function(){return this._applyModification(l,arguments)},saturate:function(){return this._applyModification(c,arguments)},greyscale:function(){return this._applyModification(d,arguments)},spin:function(){return this._applyModification(f,arguments)},_applyCombination:function(t,e){return t.apply(null,[this].concat([].slice.call(e)))},analogous:function(){return this._applyCombination(y,arguments)},complement:function(){return this._applyCombination(m,arguments)},monochromatic:function(){return this._applyCombination(S,arguments)},splitcomplement:function(){return this._applyCombination(b,arguments)},triad:function(){return this._applyCombination(g,arguments)},tetrad:function(){return this._applyCombination(v,arguments)}},B.fromRatio=function(t,e){if("object"==typeof t){var i={};for(var n in t)t.hasOwnProperty(n)&&(i[n]="a"===n?t[n]:x(t[n]));t=i}return B(t,e)},B.equals=function(t,e){return t&&e?B(t).toRgbString()==B(e).toRgbString():!1},B.random=function(){return B.fromRatio({r:j(),g:j(),b:j()})},B.mix=function(t,e,i){i=0===i?0:i||50;var n,s=B(t).toRgb(),o=B(e).toRgb(),a=i/100,r=2*a-1,l=o.a-s.a;n=r*l==-1?r:(r+l)/(1+r*l),n=(n+1)/2;var c=1-n,d={r:o.r*n+s.r*c,g:o.g*n+s.g*c,b:o.b*n+s.b*c,a:o.a*a+s.a*(1-a)};return B(d)},B.readability=function(t,e){var i=B(t),n=B(e),s=i.toRgb(),o=n.toRgb(),a=i.getBrightness(),r=n.getBrightness(),l=Math.max(s.r,o.r)-Math.min(s.r,o.r)+Math.max(s.g,o.g)-Math.min(s.g,o.g)+Math.max(s.b,o.b)-Math.min(s.b,o.b);return{brightness:Math.abs(a-r),color:l}},B.isReadable=function(t,e){var i=B.readability(t,e);return i.brightness>125&&i.color>500},B.mostReadable=function(t,e){for(var i=null,n=0,s=!1,o=0;o<e.length;o++){var a=B.readability(t,e[o]),r=a.brightness>125&&a.color>500,l=3*(a.brightness/125)+a.color/500;(r&&!s||r&&s&&l>n||!r&&!s&&l>n)&&(s=r,n=l,i=B(e[o]))}return i};var H=B.names={aliceblue:"f0f8ff",antiquewhite:"faebd7",aqua:"0ff",aquamarine:"7fffd4",azure:"f0ffff",beige:"f5f5dc",bisque:"ffe4c4",black:"000",blanchedalmond:"ffebcd",blue:"00f",blueviolet:"8a2be2",brown:"a52a2a",burlywood:"deb887",burntsienna:"ea7e5d",cadetblue:"5f9ea0",chartreuse:"7fff00",chocolate:"d2691e",coral:"ff7f50",cornflowerblue:"6495ed",cornsilk:"fff8dc",crimson:"dc143c",cyan:"0ff",darkblue:"00008b",darkcyan:"008b8b",darkgoldenrod:"b8860b",darkgray:"a9a9a9",darkgreen:"006400",darkgrey:"a9a9a9",darkkhaki:"bdb76b",darkmagenta:"8b008b",darkolivegreen:"556b2f",darkorange:"ff8c00",darkorchid:"9932cc",darkred:"8b0000",darksalmon:"e9967a",darkseagreen:"8fbc8f",darkslateblue:"483d8b",darkslategray:"2f4f4f",darkslategrey:"2f4f4f",darkturquoise:"00ced1",darkviolet:"9400d3",deeppink:"ff1493",deepskyblue:"00bfff",dimgray:"696969",dimgrey:"696969",dodgerblue:"1e90ff",firebrick:"b22222",floralwhite:"fffaf0",forestgreen:"228b22",fuchsia:"f0f",gainsboro:"dcdcdc",ghostwhite:"f8f8ff",gold:"ffd700",goldenrod:"daa520",gray:"808080",green:"008000",greenyellow:"adff2f",grey:"808080",honeydew:"f0fff0",hotpink:"ff69b4",indianred:"cd5c5c",indigo:"4b0082",ivory:"fffff0",khaki:"f0e68c",lavender:"e6e6fa",lavenderblush:"fff0f5",lawngreen:"7cfc00",lemonchiffon:"fffacd",lightblue:"add8e6",lightcoral:"f08080",lightcyan:"e0ffff",lightgoldenrodyellow:"fafad2",lightgray:"d3d3d3",lightgreen:"90ee90",lightgrey:"d3d3d3",lightpink:"ffb6c1",lightsalmon:"ffa07a",lightseagreen:"20b2aa",lightskyblue:"87cefa",lightslategray:"789",lightslategrey:"789",lightsteelblue:"b0c4de",lightyellow:"ffffe0",lime:"0f0",limegreen:"32cd32",linen:"faf0e6",magenta:"f0f",maroon:"800000",mediumaquamarine:"66cdaa",mediumblue:"0000cd",mediumorchid:"ba55d3",mediumpurple:"9370db",mediumseagreen:"3cb371",mediumslateblue:"7b68ee",mediumspringgreen:"00fa9a",mediumturquoise:"48d1cc",mediumvioletred:"c71585",midnightblue:"191970",mintcream:"f5fffa",mistyrose:"ffe4e1",moccasin:"ffe4b5",navajowhite:"ffdead",navy:"000080",oldlace:"fdf5e6",olive:"808000",olivedrab:"6b8e23",orange:"ffa500",orangered:"ff4500",orchid:"da70d6",palegoldenrod:"eee8aa",palegreen:"98fb98",paleturquoise:"afeeee",palevioletred:"db7093",papayawhip:"ffefd5",peachpuff:"ffdab9",peru:"cd853f",pink:"ffc0cb",plum:"dda0dd",powderblue:"b0e0e6",purple:"800080",red:"f00",rosybrown:"bc8f8f",royalblue:"4169e1",saddlebrown:"8b4513",salmon:"fa8072",sandybrown:"f4a460",seagreen:"2e8b57",seashell:"fff5ee",sienna:"a0522d",silver:"c0c0c0",skyblue:"87ceeb",slateblue:"6a5acd",slategray:"708090",slategrey:"708090",snow:"fffafa",springgreen:"00ff7f",steelblue:"4682b4",tan:"d2b48c",teal:"008080",thistle:"d8bfd8",tomato:"ff6347",turquoise:"40e0d0",violet:"ee82ee",wheat:"f5deb3",white:"fff",whitesmoke:"f5f5f5",yellow:"ff0",yellowgreen:"9acd32"},z=B.hexNames=E(H),V=function(){var t="[-\\+]?\\d+%?",e="[-\\+]?\\d*\\.\\d+%?",i="(?:"+e+")|(?:"+t+")",n="[\\s|\\(]+("+i+")[,|\\s]+("+i+")[,|\\s]+("+i+")\\s*\\)?",s="[\\s|\\(]+("+i+")[,|\\s]+("+i+")[,|\\s]+("+i+")[,|\\s]+("+i+")\\s*\\)?";return{rgb:new RegExp("rgb"+n),rgba:new RegExp("rgba"+s),hsl:new RegExp("hsl"+n),hsla:new RegExp("hsla"+s),hsv:new RegExp("hsv"+n),hex3:/^([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex6:/^([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/,hex8:/^([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/}}();"undefined"!=typeof module&&module.exports?module.exports=B:"function"==typeof define&&define.amd?define(function(){return B}):window.tinycolor=B}(),function(){function t(t){var e=" ";if(isNaN(parseInt(t)))e=t;else switch(t){case 1:e=" ";break;case 2:e=" ";break;case 3:e=" ";break;case 4:e=" ";break;case 5:e=" ";break;case 6:e=" ";break;case 7:e=" ";break;case 8:e=" ";break;case 9:e=" ";break;case 10:e=" ";break;case 11:e=" ";break;case 12:e=" "}var i=["\n"];for(ix=0;100>ix;ix++)i.push(i[ix]+e);return i}function e(){this.step=" ",this.shift=t(this.step)}function i(t,e){return e-(t.replace(/\(/g,"").length-t.replace(/\)/g,"").length)}function n(t,e){return t.replace(/\s{1,}/g," ").replace(/ AND /gi,"~::~"+e+e+"AND ").replace(/ BETWEEN /gi,"~::~"+e+"BETWEEN ").replace(/ CASE /gi,"~::~"+e+"CASE ").replace(/ ELSE /gi,"~::~"+e+"ELSE ").replace(/ END /gi,"~::~"+e+"END ").replace(/ FROM /gi,"~::~FROM ").replace(/ GROUP\s{1,}BY/gi,"~::~GROUP BY ").replace(/ HAVING /gi,"~::~HAVING ").replace(/ IN /gi," IN ").replace(/ JOIN /gi,"~::~JOIN ").replace(/ CROSS~::~{1,}JOIN /gi,"~::~CROSS JOIN ").replace(/ INNER~::~{1,}JOIN /gi,"~::~INNER JOIN ").replace(/ LEFT~::~{1,}JOIN /gi,"~::~LEFT JOIN ").replace(/ RIGHT~::~{1,}JOIN /gi,"~::~RIGHT JOIN ").replace(/ ON /gi,"~::~"+e+"ON ").replace(/ OR /gi,"~::~"+e+e+"OR ").replace(/ ORDER\s{1,}BY/gi,"~::~ORDER BY ").replace(/ OVER /gi,"~::~"+e+"OVER ").replace(/\(\s{0,}SELECT /gi,"~::~(SELECT ").replace(/\)\s{0,}SELECT /gi,")~::~SELECT ").replace(/ THEN /gi," THEN~::~"+e).replace(/ UNION /gi,"~::~UNION~::~").replace(/ USING /gi,"~::~USING ").replace(/ WHEN /gi,"~::~"+e+"WHEN ").replace(/ WHERE /gi,"~::~WHERE ").replace(/ WITH /gi,"~::~WITH ").replace(/ ALL /gi," ALL ").replace(/ AS /gi," AS ").replace(/ ASC /gi," ASC ").replace(/ DESC /gi," DESC ").replace(/ DISTINCT /gi," DISTINCT ").replace(/ EXISTS /gi," EXISTS ").replace(/ NOT /gi," NOT ").replace(/ NULL /gi," NULL ").replace(/ LIKE /gi," LIKE ").replace(/\s{0,}SELECT /gi,"SELECT ").replace(/\s{0,}UPDATE /gi,"UPDATE ").replace(/ SET /gi," SET ").replace(/~::~{1,}/g,"~::~").split("~::~")}e.prototype.xml=function(e,i){var n=e.replace(/>\s{0,}</g,"><").replace(/</g,"~::~<").replace(/\s*xmlns\:/g,"~::~xmlns:").replace(/\s*xmlns\=/g,"~::~xmlns=").split("~::~"),s=n.length,o=!1,a=0,r="",l=0,c=i?t(i):this.shift;for(l=0;s>l;l++)n[l].search(/<!/)>-1?(r+=c[a]+n[l],o=!0,(n[l].search(/-->/)>-1||n[l].search(/\]>/)>-1||n[l].search(/!DOCTYPE/)>-1)&&(o=!1)):n[l].search(/-->/)>-1||n[l].search(/\]>/)>-1?(r+=n[l],o=!1):/^<\w/.exec(n[l-1])&&/^<\/\w/.exec(n[l])&&/^<[\w:\-\.\,]+/.exec(n[l-1])==/^<\/[\w:\-\.\,]+/.exec(n[l])[0].replace("/","")?(r+=n[l],o||a--):n[l].search(/<\w/)>-1&&-1==n[l].search(/<\//)&&-1==n[l].search(/\/>/)?r=r+=o?n[l]:c[a++]+n[l]:n[l].search(/<\w/)>-1&&n[l].search(/<\//)>-1?r=r+=o?n[l]:c[a]+n[l]:n[l].search(/<\//)>-1?r=r+=o?n[l]:c[--a]+n[l]:n[l].search(/\/>/)>-1?r=r+=o?n[l]:c[a]+n[l]:r+=n[l].search(/<\?/)>-1?c[a]+n[l]:n[l].search(/xmlns\:/)>-1||n[l].search(/xmlns\=/)>-1?c[a]+n[l]:n[l];return"\n"==r[0]?r.slice(1):r},e.prototype.json=function(t,e){var e=e?e:this.step;return"undefined"==typeof JSON?t:"string"==typeof t?JSON.stringify(JSON.parse(t),null,e):"object"==typeof t?JSON.stringify(t,null,e):t},e.prototype.css=function(e,i){var n=e.replace(/\s{1,}/g," ").replace(/\{/g,"{~::~").replace(/\}/g,"~::~}~::~").replace(/\;/g,";~::~").replace(/\/\*/g,"~::~/*").replace(/\*\//g,"*/~::~").replace(/~::~\s{0,}~::~/g,"~::~").split("~::~"),s=n.length,o=0,a="",r=0,l=i?t(i):this.shift;for(r=0;s>r;r++)a+=/\{/.exec(n[r])?l[o++]+n[r]:/\}/.exec(n[r])?l[--o]+n[r]:/\*\\/.exec(n[r])?l[o]+n[r]:l[o]+n[r];return a.replace(/^\n{1,}/,"")},e.prototype.sql=function(e,s){var o=e.replace(/\s{1,}/g," ").replace(/\'/gi,"~::~'").split("~::~"),a=o.length,r=[],l=0,c=this.step,d=0,h="",u=0,p=s?t(s):this.shift;for(u=0;a>u;u++)r=r.concat(u%2?o[u]:n(o[u],c));for(a=r.length,u=0;a>u;u++){d=i(r[u],d),/\s{0,}\s{0,}SELECT\s{0,}/.exec(r[u])&&(r[u]=r[u].replace(/\,/g,",\n"+c+c)),/\s{0,}\s{0,}SET\s{0,}/.exec(r[u])&&(r[u]=r[u].replace(/\,/g,",\n"+c+c)),/\s{0,}\(\s{0,}SELECT\s{0,}/.exec(r[u])?(l++,h+=p[l]+r[u]):/\'/.exec(r[u])?(1>d&&l&&l--,h+=r[u]):(h+=p[l]+r[u],1>d&&l&&l--)}return h=h.replace(/^\n{1,}/,"").replace(/\n{1,}/g,"\n")},e.prototype.xmlmin=function(t,e){var i=e?t:t.replace(/\<![ \r\n\t]*(--([^\-]|[\r\n]|-[^\-])*--[ \r\n\t]*)\>/g,"").replace(/[ \r\n\t]{1,}xmlns/g," xmlns");return i.replace(/>\s{0,}</g,"><")},e.prototype.jsonmin=function(t){return"undefined"==typeof JSON?t:JSON.stringify(JSON.parse(t),null,0)},e.prototype.cssmin=function(t,e){var i=e?t:t.replace(/\/\*([^*]|[\r\n]|(\*+([^*/]|[\r\n])))*\*+\//g,"");return i.replace(/\s{1,}/g," ").replace(/\{\s{1,}/g,"{").replace(/\}\s{1,}/g,"}").replace(/\;\s{1,}/g,";").replace(/\/\*\s{1,}/g,"/*").replace(/\*\/\s{1,}/g,"*/")},e.prototype.sqlmin=function(t){return t.replace(/\s{1,}/g," ").replace(/\s{1,}\(/,"(").replace(/\s{1,}\)/,")")},window.vkbeautify=new e}(),function(t,e){function i(t){return t.call.apply(t.bind,arguments)}function n(t,e){if(!t)throw Error();if(2<arguments.length){var i=Array.prototype.slice.call(arguments,2);return function(){var n=Array.prototype.slice.call(arguments);return Array.prototype.unshift.apply(n,i),t.apply(e,n)}}return function(){return t.apply(e,arguments)}}function s(){return s=Function.prototype.bind&&-1!=Function.prototype.bind.toString().indexOf("native code")?i:n,s.apply(null,arguments)}function o(t,e){this.J=t,this.t=e||t,this.C=this.t.document}function a(t,i,n){t=t.C.getElementsByTagName(i)[0],t||(t=e.documentElement),t&&t.lastChild&&t.insertBefore(n,t.lastChild)}function r(t,e){function i(){t.C.body?e():setTimeout(i,0)}i()}function l(t,e,i){e=e||[],i=i||[];for(var n=t.className.split(/\s+/),s=0;s<e.length;s+=1){for(var o=!1,a=0;a<n.length;a+=1)if(e[s]===n[a]){o=!0;break}o||n.push(e[s])}for(e=[],s=0;s<n.length;s+=1){for(o=!1,a=0;a<i.length;a+=1)if(n[s]===i[a]){o=!0;break}o||e.push(n[s])}t.className=e.join(" ").replace(/\s+/g," ").replace(/^\s+|\s+$/,"")}function c(t,e){for(var i=t.className.split(/\s+/),n=0,s=i.length;s>n;n++)if(i[n]==e)return!0;return!1}function d(t){if("string"==typeof t.ma)return t.ma;var e=t.t.location.protocol;return"about:"==e&&(e=t.J.location.protocol),"https:"==e?"https:":"http:"}function h(t,e){var i=t.createElement("link",{rel:"stylesheet",href:e}),n=!1;i.onload=function(){n||(n=!0)},i.onerror=function(){n||(n=!0)},a(t,"head",i)}function u(e,i,n,s){var o=e.C.getElementsByTagName("head")[0];if(o){var a=e.createElement("script",{src:i}),r=!1;return a.onload=a.onreadystatechange=function(){r||this.readyState&&"loaded"!=this.readyState&&"complete"!=this.readyState||(r=!0,n&&n(null),a.onload=a.onreadystatechange=null,"HEAD"==a.parentNode.tagName&&o.removeChild(a))},o.appendChild(a),t.setTimeout(function(){r||(r=!0,n&&n(Error("Script load timeout")))},s||5e3),a}return null}function p(t,e){this.X=t,this.fa=e}function f(t,e,i,n){this.c=null!=t?t:null,this.g=null!=e?e:null,this.A=null!=i?i:null,this.e=null!=n?n:null}function m(t){t=K.exec(t);var e=null,i=null,n=null,s=null;return t&&(null!==t[1]&&t[1]&&(e=parseInt(t[1],10)),null!==t[2]&&t[2]&&(i=parseInt(t[2],10)),null!==t[3]&&t[3]&&(n=parseInt(t[3],10)),null!==t[4]&&t[4]&&(s=/^[0-9]+$/.test(t[4])?parseInt(t[4],10):t[4])),new f(e,i,n,s)}function g(t,e,i,n,s,o,a,r){this.M=t,this.k=r}function v(t){this.a=t}function b(t){var e=E(t.a,/(iPod|iPad|iPhone|Android|Windows Phone|BB\d{2}|BlackBerry)/,1);return""!=e?(/BB\d{2}/.test(e)&&(e="BlackBerry"),e):(t=E(t.a,/(Linux|Mac_PowerPC|Macintosh|Windows|CrOS|PlayStation|CrKey)/,1),""!=t?("Mac_PowerPC"==t?t="Macintosh":"PlayStation"==t&&(t="Linux"),t):"Unknown")}function y(t){var e=E(t.a,/(OS X|Windows NT|Android) ([^;)]+)/,2);if(e||(e=E(t.a,/Windows Phone( OS)? ([^;)]+)/,2))||(e=E(t.a,/(iPhone )?OS ([\d_]+)/,2)))return e;if(e=E(t.a,/(?:Linux|CrOS|CrKey) ([^;)]+)/,1))for(var e=e.split(/\s/),i=0;i<e.length;i+=1)if(/^[\d\._]+$/.test(e[i]))return e[i];return(t=E(t.a,/(BB\d{2}|BlackBerry).*?Version\/([^\s]*)/,2))?t:"Unknown"}function S(t){var e=b(t),i=m(y(t)),n=m(E(t.a,/AppleWeb(?:K|k)it\/([\d\.\+]+)/,1)),s="Unknown",o=new f,o="Unknown",a=!1;return/OPR\/[\d.]+/.test(t.a)?s="Opera":-1!=t.a.indexOf("Chrome")||-1!=t.a.indexOf("CrMo")||-1!=t.a.indexOf("CriOS")?s="Chrome":/Silk\/\d/.test(t.a)?s="Silk":"BlackBerry"==e||"Android"==e?s="BuiltinBrowser":-1!=t.a.indexOf("PhantomJS")?s="PhantomJS":-1!=t.a.indexOf("Safari")?s="Safari":-1!=t.a.indexOf("AdobeAIR")?s="AdobeAIR":-1!=t.a.indexOf("PlayStation")&&(s="BuiltinBrowser"),"BuiltinBrowser"==s?o="Unknown":"Silk"==s?o=E(t.a,/Silk\/([\d\._]+)/,1):"Chrome"==s?o=E(t.a,/(Chrome|CrMo|CriOS)\/([\d\.]+)/,2):-1!=t.a.indexOf("Version/")?o=E(t.a,/Version\/([\d\.\w]+)/,1):"AdobeAIR"==s?o=E(t.a,/AdobeAIR\/([\d\.]+)/,1):"Opera"==s?o=E(t.a,/OPR\/([\d.]+)/,1):"PhantomJS"==s&&(o=E(t.a,/PhantomJS\/([\d.]+)/,1)),o=m(o),a="AdobeAIR"==s?2<o.c||2==o.c&&5<=o.g:"BlackBerry"==e?10<=i.c:"Android"==e?2<i.c||2==i.c&&1<i.g:526<=n.c||525<=n.c&&13<=n.g,new g(s,0,0,0,0,0,0,new p(a,536>n.c||536==n.c&&11>n.g))}function E(t,e,i){return(t=t.match(e))&&t[i]?t[i]:""}function T(t){this.la=t||"-"}function L(t,e){this.M=t,this.Y=4,this.N="n";var i=(e||"n4").match(/^([nio])([1-9])$/i);i&&(this.N=i[1],this.Y=parseInt(i[2],10))}function _(t){return t.N+t.Y}function w(t){var e=4,i="n",n=null;return t&&((n=t.match(/(normal|oblique|italic)/i))&&n[1]&&(i=n[1].substr(0,1).toLowerCase()),(n=t.match(/([1-9]00|normal|bold)/i))&&n[1]&&(/bold/i.test(n[1])?e=7:/[1-9]00/.test(n[1])&&(e=parseInt(n[1].substr(0,1),10)))),i+e}function k(t,e){this.d=t,this.p=t.t.document.documentElement,this.P=e,this.j="wf",this.h=new T("-"),this.ga=!1!==e.events,this.B=!1!==e.classes}function C(t){if(t.B){var e=c(t.p,t.h.e(t.j,"active")),i=[],n=[t.h.e(t.j,"loading")];e||i.push(t.h.e(t.j,"inactive")),l(t.p,i,n)}A(t,"inactive")}function A(t,e,i){t.ga&&t.P[e]&&(i?t.P[e](i.getName(),_(i)):t.P[e]())}function x(){this.w={}}function D(t,e){this.d=t,this.G=e,this.m=this.d.createElement("span",{"aria-hidden":"true"},this.G)}function I(t){a(t.d,"body",t.m)}function M(t){var e;e=[];for(var i=t.M.split(/,\s*/),n=0;n<i.length;n++){var s=i[n].replace(/['"]/g,"");e.push(-1==s.indexOf(" ")?s:"'"+s+"'")}return e=e.join(","),i="normal","o"===t.N?i="oblique":"i"===t.N&&(i="italic"),"display:block;position:absolute;top:-999px;left:-999px;font-size:300px;width:auto;height:auto;line-height:normal;margin:0;padding:0;font-variant:normal;white-space:nowrap;font-family:"+e+";"+("font-style:"+i+";font-weight:"+(t.Y+"00")+";")}function R(t,e,i,n,s,o,a,r){this.Z=t,this.ja=e,this.d=i,this.s=n,this.G=r||"BESbswy",this.k=s,this.I={},this.W=o||3e3,this.ba=a||null,this.F=this.D=null,t=new D(this.d,this.G),I(t);for(var l in Z)Z.hasOwnProperty(l)&&(e=new L(Z[l],_(this.s)),e=M(e),t.m.style.cssText=e,this.I[Z[l]]=t.m.offsetWidth);t.remove()}function O(t,e,i){for(var n in Z)if(Z.hasOwnProperty(n)&&e===t.I[Z[n]]&&i===t.I[Z[n]])return!0;return!1}function N(t){var e=t.D.m.offsetWidth,i=t.F.m.offsetWidth;e===t.I.serif&&i===t.I["sans-serif"]||t.k.fa&&O(t,e,i)?q()-t.na>=t.W?t.k.fa&&O(t,e,i)&&(null===t.ba||t.ba.hasOwnProperty(t.s.getName()))?U(t,t.Z):U(t,t.ja):P(t):U(t,t.Z)}function P(t){setTimeout(s(function(){N(this)},t),25)}function U(t,e){t.D.remove(),t.F.remove(),e(t.s)}function $(t,e,i,n){this.d=e,this.u=i,this.R=0,this.da=this.aa=!1,this.W=n,this.k=t.k}function F(t,e,i,n,o){if(i=i||{},0===e.length&&o)C(t.u);else for(t.R+=e.length,o&&(t.aa=o),o=0;o<e.length;o++){var a=e[o],r=i[a.getName()],c=t.u,d=a;c.B&&l(c.p,[c.h.e(c.j,d.getName(),_(d).toString(),"loading")]),A(c,"fontloading",d),c=null,c=new R(s(t.ha,t),s(t.ia,t),t.d,a,t.k,t.W,n,r),c.start()}}function j(t){0==--t.R&&t.aa&&(t.da?(t=t.u,t.B&&l(t.p,[t.h.e(t.j,"active")],[t.h.e(t.j,"loading"),t.h.e(t.j,"inactive")]),A(t,"active")):C(t.u))}function B(t){this.J=t,this.v=new x,this.oa=new v(t.navigator.userAgent),this.a=this.oa.parse(),this.T=this.U=0,this.Q=this.S=!0}function H(t,e,i,n,s){var o=0==--t.U;(t.Q||t.S)&&setTimeout(function(){F(e,i,n||null,s||null,o)},0)}function z(t,e,i){this.O=t?t:e+te,this.q=[],this.V=[],this.ea=i||""}function V(t){this.q=t,this.ca=[],this.L={}}function G(t,e){this.a=new v(navigator.userAgent).parse(),this.d=t,this.f=e}function X(t,e){this.d=t,this.f=e,this.o=[]}function W(t,e){this.d=t,this.f=e,this.o=[]}function J(t,e){this.d=t,this.f=e,this.o=[]}function Y(t,e){this.d=t,this.f=e}var q=Date.now||function(){return+new Date};o.prototype.createElement=function(t,e,i){if(t=this.C.createElement(t),e)for(var n in e)e.hasOwnProperty(n)&&("style"==n?t.style.cssText=e[n]:t.setAttribute(n,e[n]));return i&&t.appendChild(this.C.createTextNode(i)),t};var K=/^([0-9]+)(?:[\._-]([0-9]+))?(?:[\._-]([0-9]+))?(?:[\._+-]?(.*))?$/;f.prototype.compare=function(t){return this.c>t.c||this.c===t.c&&this.g>t.g||this.c===t.c&&this.g===t.g&&this.A>t.A?1:this.c<t.c||this.c===t.c&&this.g<t.g||this.c===t.c&&this.g===t.g&&this.A<t.A?-1:0},f.prototype.toString=function(){return[this.c,this.g||"",this.A||"",this.e||""].join("")},g.prototype.getName=function(){return this.M};var Q=new g("Unknown",0,0,0,0,0,0,new p(!1,!1));v.prototype.parse=function(){var t;if(-1!=this.a.indexOf("MSIE")||-1!=this.a.indexOf("Trident/")){t=b(this);var e=m(y(this)),i=null,n=E(this.a,/Trident\/([\d\w\.]+)/,1),i=m(-1!=this.a.indexOf("MSIE")?E(this.a,/MSIE ([\d\w\.]+)/,1):E(this.a,/rv:([\d\w\.]+)/,1));""!=n&&m(n),t=new g("MSIE",0,0,0,0,0,0,new p("Windows"==t&&6<=i.c||"Windows Phone"==t&&8<=e.c,!1))}else if(-1!=this.a.indexOf("Opera"))t:if(t=m(E(this.a,/Presto\/([\d\w\.]+)/,1)),m(y(this)),null!==t.c||m(E(this.a,/rv:([^\)]+)/,1)),-1!=this.a.indexOf("Opera Mini/"))t=m(E(this.a,/Opera Mini\/([\d\.]+)/,1)),t=new g("OperaMini",0,0,0,b(this),0,0,new p(!1,!1));else{if(-1!=this.a.indexOf("Version/")&&(t=m(E(this.a,/Version\/([\d\.]+)/,1)),null!==t.c)){t=new g("Opera",0,0,0,b(this),0,0,new p(10<=t.c,!1));break t}t=m(E(this.a,/Opera[\/ ]([\d\.]+)/,1)),t=null!==t.c?new g("Opera",0,0,0,b(this),0,0,new p(10<=t.c,!1)):new g("Opera",0,0,0,b(this),0,0,new p(!1,!1))}else/OPR\/[\d.]+/.test(this.a)?t=S(this):/AppleWeb(K|k)it/.test(this.a)?t=S(this):-1!=this.a.indexOf("Gecko")?(t="Unknown",e=new f,m(y(this)),e=!1,-1!=this.a.indexOf("Firefox")?(t="Firefox",e=m(E(this.a,/Firefox\/([\d\w\.]+)/,1)),e=3<=e.c&&5<=e.g):-1!=this.a.indexOf("Mozilla")&&(t="Mozilla"),i=m(E(this.a,/rv:([^\)]+)/,1)),e||(e=1<i.c||1==i.c&&9<i.g||1==i.c&&9==i.g&&2<=i.A),t=new g(t,0,0,0,b(this),0,0,new p(e,!1))):t=Q;return t},T.prototype.e=function(){for(var t=[],e=0;e<arguments.length;e++)t.push(arguments[e].replace(/[\W_]+/g,"").toLowerCase());return t.join(this.la)},L.prototype.getName=function(){return this.M},D.prototype.remove=function(){var t=this.m;t.parentNode&&t.parentNode.removeChild(t)};var Z={ra:"serif",qa:"sans-serif",pa:"monospace"};R.prototype.start=function(){this.D=new D(this.d,this.G),I(this.D),this.F=new D(this.d,this.G),I(this.F),this.na=q();var t=new L(this.s.getName()+",serif",_(this.s)),t=M(t);this.D.m.style.cssText=t,t=new L(this.s.getName()+",sans-serif",_(this.s)),t=M(t),this.F.m.style.cssText=t,N(this)},$.prototype.ha=function(t){var e=this.u;e.B&&l(e.p,[e.h.e(e.j,t.getName(),_(t).toString(),"active")],[e.h.e(e.j,t.getName(),_(t).toString(),"loading"),e.h.e(e.j,t.getName(),_(t).toString(),"inactive")]),A(e,"fontactive",t),this.da=!0,j(this)},$.prototype.ia=function(t){var e=this.u;if(e.B){var i=c(e.p,e.h.e(e.j,t.getName(),_(t).toString(),"active")),n=[],s=[e.h.e(e.j,t.getName(),_(t).toString(),"loading")];i||n.push(e.h.e(e.j,t.getName(),_(t).toString(),"inactive")),l(e.p,n,s)}A(e,"fontinactive",t),j(this)},B.prototype.load=function(t){this.d=new o(this.J,t.context||this.J),this.S=!1!==t.events,this.Q=!1!==t.classes;var e=new k(this.d,t),i=[],n=t.timeout;e.B&&l(e.p,[e.h.e(e.j,"loading")]),A(e,"loading");var a,i=this.v,r=this.d,c=[];for(a in t)if(t.hasOwnProperty(a)){var d=i.w[a];d&&c.push(d(t[a],r))}for(i=c,this.T=this.U=i.length,t=new $(this.a,this.d,e,n),n=0,a=i.length;a>n;n++)r=i[n],r.K(this.a,s(this.ka,this,r,e,t))},B.prototype.ka=function(t,e,i,n){var s=this;n?t.load(function(t,e,n){H(s,i,t,e,n)}):(t=0==--this.U,this.T--,t&&0==this.T?C(e):(this.Q||this.S)&&F(i,[],{},null,t))};var te="//fonts.googleapis.com/css";z.prototype.e=function(){if(0==this.q.length)throw Error("No fonts to load!");if(-1!=this.O.indexOf("kit="))return this.O;for(var t=this.q.length,e=[],i=0;t>i;i++)e.push(this.q[i].replace(/ /g,"+"));return t=this.O+"?family="+e.join("%7C"),0<this.V.length&&(t+="&subset="+this.V.join(",")),0<this.ea.length&&(t+="&text="+encodeURIComponent(this.ea)),t};var ee={latin:"BESbswy",cyrillic:"&#1081;&#1103;&#1046;",greek:"&#945;&#946;&#931;",khmer:"&#x1780;&#x1781;&#x1782;",Hanuman:"&#x1780;&#x1781;&#x1782;"},ie={thin:"1",extralight:"2","extra-light":"2",ultralight:"2","ultra-light":"2",light:"3",regular:"4",book:"4",medium:"5","semi-bold":"6",semibold:"6","demi-bold":"6",demibold:"6",bold:"7","extra-bold":"8",extrabold:"8","ultra-bold":"8",ultrabold:"8",black:"9",heavy:"9",l:"3",r:"4",b:"7"},ne={i:"i",italic:"i",n:"n",normal:"n"},se=/^(thin|(?:(?:extra|ultra)-?)?light|regular|book|medium|(?:(?:semi|demi|extra|ultra)-?)?bold|black|heavy|l|r|b|[1-9]00)?(n|i|normal|italic)?$/;V.prototype.parse=function(){for(var t=this.q.length,e=0;t>e;e++){var i=this.q[e].split(":"),n=i[0].replace(/\+/g," "),s=["n4"];if(2<=i.length){var o,a=i[1];if(o=[],a)for(var a=a.split(","),r=a.length,l=0;r>l;l++){var c;if(c=a[l],c.match(/^[\w-]+$/)){c=se.exec(c.toLowerCase());var d=void 0;if(null==c)d="";else{if(d=void 0,d=c[1],null==d||""==d)d="4";else var h=ie[d],d=h?h:isNaN(d)?"4":d.substr(0,1);c=c[2],d=[null==c||""==c?"n":ne[c],d].join("")}c=d}else c="";c&&o.push(c)}0<o.length&&(s=o),3==i.length&&(i=i[2],o=[],i=i?i.split(","):o,0<i.length&&(i=ee[i[0]])&&(this.L[n]=i))}for(this.L[n]||(i=ee[n])&&(this.L[n]=i),i=0;i<s.length;i+=1)this.ca.push(new L(n,s[i]))}};var oe={Arimo:!0,Cousine:!0,Tinos:!0};G.prototype.K=function(t,e){e(t.k.X)},G.prototype.load=function(t){var e=this.d;"MSIE"==this.a.getName()&&1!=this.f.blocking?r(e,s(this.$,this,t)):this.$(t)},G.prototype.$=function(t){for(var e=this.d,i=new z(this.f.api,d(e),this.f.text),n=this.f.families,s=n.length,o=0;s>o;o++){var a=n[o].split(":");3==a.length&&i.V.push(a.pop());var r="";2==a.length&&""!=a[1]&&(r=":"),i.q.push(a.join(r))}n=new V(n),n.parse(),h(e,i.e()),t(n.ca,n.L,oe)},X.prototype.H=function(t){var e=this.d;return d(this.d)+(this.f.api||"//f.fontdeck.com/s/css/js/")+(e.t.location.hostname||e.J.location.hostname)+"/"+t+".js"},X.prototype.K=function(t,e){var i=this.f.id,n=this.d.t,s=this;i?(n.__webfontfontdeckmodule__||(n.__webfontfontdeckmodule__={}),n.__webfontfontdeckmodule__[i]=function(t,i){for(var n=0,o=i.fonts.length;o>n;++n){var a=i.fonts[n];s.o.push(new L(a.name,w("font-weight:"+a.weight+";font-style:"+a.style)))}e(t)},u(this.d,this.H(i),function(t){t&&e(!1)})):e(!1)},X.prototype.load=function(t){t(this.o)},W.prototype.H=function(t){var e=d(this.d);return(this.f.api||e+"//use.typekit.net")+"/"+t+".js"},W.prototype.K=function(t,e){var i=this.f.id,n=this.d.t,s=this;i?u(this.d,this.H(i),function(t){if(t)e(!1);else{if(n.Typekit&&n.Typekit.config&&n.Typekit.config.fn){t=n.Typekit.config.fn;for(var i=0;i<t.length;i+=2)for(var o=t[i],a=t[i+1],r=0;r<a.length;r++)s.o.push(new L(o,a[r]));try{n.Typekit.load({events:!1,classes:!1})}catch(l){}}e(!0)}},2e3):e(!1)},W.prototype.load=function(t){t(this.o)},J.prototype.K=function(t,e){var i=this,n=i.f.projectId,s=i.f.version;
+if(n){var o=i.d.t;u(this.d,i.H(n,s),function(s){if(s)e(!1);else{if(o["__mti_fntLst"+n]&&(s=o["__mti_fntLst"+n]()))for(var a=0;a<s.length;a++)i.o.push(new L(s[a].fontfamily));e(t.k.X)}}).id="__MonotypeAPIScript__"+n}else e(!1)},J.prototype.H=function(t,e){var i=d(this.d),n=(this.f.api||"fast.fonts.net/jsapi").replace(/^.*http(s?):(\/\/)?/,"");return i+"//"+n+"/"+t+".js"+(e?"?v="+e:"")},J.prototype.load=function(t){t(this.o)},Y.prototype.load=function(t){var e,i,n=this.f.urls||[],s=this.f.families||[],o=this.f.testStrings||{};for(e=0,i=n.length;i>e;e++)h(this.d,n[e]);for(n=[],e=0,i=s.length;i>e;e++){var a=s[e].split(":");if(a[1])for(var r=a[1].split(","),l=0;l<r.length;l+=1)n.push(new L(a[0],r[l]));else n.push(new L(a[0]))}t(n,o)},Y.prototype.K=function(t,e){return e(t.k.X)};var ae=new B(this);ae.v.w.custom=function(t,e){return new Y(e,t)},ae.v.w.fontdeck=function(t,e){return new X(e,t)},ae.v.w.monotype=function(t,e){return new J(e,t)},ae.v.w.typekit=function(t,e){return new W(e,t)},ae.v.w.google=function(t,e){return new G(e,t)},this.WebFont||(this.WebFont={},this.WebFont.load=s(ae.load,ae),this.WebFontConfig&&ae.load(this.WebFontConfig))}(this,document),function(t,e,i){e[t]=e[t]||i(),"undefined"!=typeof module&&module.exports?module.exports=e[t]:"function"==typeof define&&define.amd&&define(function(){return e[t]})}("Promise","undefined"!=typeof global?global:this,function(){"use strict";function t(t,e){u.add(t,e),h||(h=f(u.drain))}function e(t){var e,i=typeof t;return null==t||"object"!=i&&"function"!=i||(e=t.then),"function"==typeof e?e:!1}function i(){for(var t=0;t<this.chain.length;t++)n(this,1===this.state?this.chain[t].success:this.chain[t].failure,this.chain[t]);this.chain.length=0}function n(t,i,n){var s,o;try{i===!1?n.reject(t.msg):(s=i===!0?t.msg:i.call(void 0,t.msg),s===n.promise?n.reject(TypeError("Promise-chain cycle")):(o=e(s))?o.call(s,n.resolve,n.reject):n.resolve(s))}catch(a){n.reject(a)}}function s(n){var a,l=this;if(!l.triggered){l.triggered=!0,l.def&&(l=l.def);try{(a=e(n))?t(function(){var t=new r(l);try{a.call(n,function(){s.apply(t,arguments)},function(){o.apply(t,arguments)})}catch(e){o.call(t,e)}}):(l.msg=n,l.state=1,l.chain.length>0&&t(i,l))}catch(c){o.call(new r(l),c)}}}function o(e){var n=this;n.triggered||(n.triggered=!0,n.def&&(n=n.def),n.msg=e,n.state=2,n.chain.length>0&&t(i,n))}function a(t,e,i,n){for(var s=0;s<e.length;s++)!function(s){t.resolve(e[s]).then(function(t){i(s,t)},n)}(s)}function r(t){this.def=t,this.triggered=!1}function l(t){this.promise=t,this.state=0,this.triggered=!1,this.chain=[],this.msg=void 0}function c(e){if("function"!=typeof e)throw TypeError("Not a function");if(0!==this.__NPO__)throw TypeError("Not a promise");this.__NPO__=1;var n=new l(this);this.then=function(e,s){var o={success:"function"==typeof e?e:!0,failure:"function"==typeof s?s:!1};return o.promise=new this.constructor(function(t,e){if("function"!=typeof t||"function"!=typeof e)throw TypeError("Not a function");o.resolve=t,o.reject=e}),n.chain.push(o),0!==n.state&&t(i,n),o.promise},this["catch"]=function(t){return this.then(void 0,t)};try{e.call(void 0,function(t){s.call(n,t)},function(t){o.call(n,t)})}catch(a){o.call(n,a)}}var d,h,u,p=Object.prototype.toString,f="undefined"!=typeof setImmediate?function(t){return setImmediate(t)}:setTimeout;try{Object.defineProperty({},"x",{}),d=function(t,e,i,n){return Object.defineProperty(t,e,{value:i,writable:!0,configurable:n!==!1})}}catch(m){d=function(t,e,i){return t[e]=i,t}}u=function(){function t(t,e){this.fn=t,this.self=e,this.next=void 0}var e,i,n;return{add:function(s,o){n=new t(s,o),i?i.next=n:e=n,i=n,n=void 0},drain:function(){var t=e;for(e=i=h=void 0;t;)t.fn.call(t.self),t=t.next}}}();var g=d({},"constructor",c,!1);return c.prototype=g,d(g,"__NPO__",0,!1),d(c,"resolve",function(t){var e=this;return t&&"object"==typeof t&&1===t.__NPO__?t:new e(function(e,i){if("function"!=typeof e||"function"!=typeof i)throw TypeError("Not a function");e(t)})}),d(c,"reject",function(t){return new this(function(e,i){if("function"!=typeof e||"function"!=typeof i)throw TypeError("Not a function");i(t)})}),d(c,"all",function(t){var e=this;return"[object Array]"!=p.call(t)?e.reject(TypeError("Not an array")):0===t.length?e.resolve([]):new e(function(i,n){if("function"!=typeof i||"function"!=typeof n)throw TypeError("Not a function");var s=t.length,o=Array(s),r=0;a(e,t,function(t,e){o[t]=e,++r===s&&i(o)},n)})}),d(c,"race",function(t){var e=this;return"[object Array]"!=p.call(t)?e.reject(TypeError("Not an array")):new e(function(i,n){if("function"!=typeof i||"function"!=typeof n)throw TypeError("Not a function");a(e,t,function(t,e){i(e)},n)})}),c}),window.SL=function(t){t=t.split(".");for(var e=SL;t.length;){var i=t.shift();e[i]||(e[i]={}),e=e[i]}return e},$(function(){function t(){e(),SL.helpers&&SL.helpers.PageLoader.hide(),SL.settings.init(),SL.keyboard.init(),SL.pointer.init(),SL.warnings.init(),SL.draganddrop.init(),SL.fonts.init(),SL.visibility.init(),"undefined"==typeof SLConfig&&(window.SLConfig={}),i(),n()}function e(){var t=$("html");t.addClass("loaded"),SL.util.device.HAS_TOUCH&&t.addClass("touch"),SL.util.device.isMac()?t.addClass("ua-mac"):SL.util.device.isWindows()?t.addClass("ua-windows"):SL.util.device.isLinux()&&t.addClass("ua-linux"),SL.util.device.isChrome()?t.addClass("ua-chrome"):SL.util.device.isSafari()?t.addClass("ua-safari"):SL.util.device.isFirefox()?t.addClass("ua-firefox"):SL.util.device.isIE()&&t.addClass("ua-ie"),SL.util.device.getScrollBarWidth()>0&&t.addClass("has-visible-scrollbars")}function i(){"object"==typeof window.SLConfig&&(SLConfig.deck&&!SLConfig.deck.notes&&(SLConfig.deck.notes={}),SL.current_user=new SL.models.User(SLConfig.current_user),"object"==typeof SLConfig.deck&&(SL.current_deck=new SL.models.Deck(SLConfig.deck)),"object"==typeof SLConfig.theme&&(SL.current_theme=new SL.models.Theme(SLConfig.theme)),"object"==typeof SLConfig.team&&(SL.current_team=new SL.models.Team(SLConfig.team)))}function n(){var t=$("html");SL.util.hideAddressBar(),t.hasClass("home index")&&(SL.view=new SL.views.home.Index),SL.view=t.hasClass("home explore")?new SL.views.home.Explore:t.hasClass("users show")?new SL.views.users.Show:t.hasClass("decks show")?new SL.views.decks.Show:t.hasClass("decks edit")?new SL.editor.Editor:t.hasClass("decks edit-requires-upgrade")?new SL.views.decks.EditRequiresUpgrade:t.hasClass("decks embed")?new SL.views.decks.Embed:t.is(".decks.live-client")?new SL.views.decks.LiveClient:t.is(".decks.live-server")?new SL.views.decks.LiveServer:t.hasClass("decks speaker")?new SL.views.decks.Speaker:t.hasClass("decks export")?new SL.views.decks.Export:t.hasClass("decks fullscreen")?new SL.views.decks.Fullscreen:t.hasClass("decks review")?new SL.views.decks.Review:t.hasClass("decks password")?new SL.views.decks.Password:t.hasClass("teams-subscriptions-show")?new SL.views.teams.subscriptions.Show:t.hasClass("registrations")&&(t.hasClass("edit")||t.hasClass("update"))?new SL.views.devise.Edit:t.hasClass("registrations")||t.hasClass("team_registrations")||t.hasClass("sessions")||t.hasClass("passwords")||t.hasClass("invitations show")?new SL.views.devise.All:t.hasClass("subscriptions new")||t.hasClass("subscriptions edit")?new SL.views.subscriptions.New:t.hasClass("subscriptions show")?new SL.views.subscriptions.Show:t.hasClass("subscriptions edit_period")?new SL.views.subscriptions.EditPeriod:t.hasClass("teams-reactivate")?new SL.views.teams.subscriptions.Reactivate:t.hasClass("teams-signup")?new SL.views.teams.New:t.hasClass("teams edit")?new SL.views.teams.teams.Edit:t.hasClass("teams edit_members")?new SL.views.teams.teams.EditMembers:t.hasClass("teams show")?new SL.views.teams.teams.Show:t.hasClass("themes edit")?new SL.views.themes.Edit:t.hasClass("themes preview")?new SL.views.themes.Preview:t.hasClass("pricing")?new SL.views.statik.Pricing:t.hasClass("static")?new SL.views.statik.All:new SL.views.Base,Placement.sync()}setTimeout(t,1)}),SL("collections").Collection=Class.extend({init:function(t,e,i){this.factory=e,this.crud=i||{},this.changed=new signals.Signal,this.replaced=new signals.Signal,this.setData(t)},setData:function(t){var e=!!this.data&&"undefined"!=typeof this.data;if(this.data=t||[],"function"==typeof this.factory){var i=this.data;this.data=[];for(var n=0,s=i.length;s>n;n++){var o=i[n];this.data.push(o instanceof this.factory?i[n]:this.createModelInstance(i[n]))}}e&&this.replaced.dispatch()},appendData:function(t){var e=this.size();return this.setData(this.data.concat(t)),this.data.slice(e)},prependData:function(t){var e=this.size();return this.setData(t.concat(this.data)),this.data.slice(0,e)},find:function(t){for(var e=0,i=this.data.length;i>e;e++){var n=this.data[e];if(n===t)return e}return-1},contains:function(t){return-1!==this.find(t)},findByProperties:function(t){for(var e=0,i=this.data.length;i>e;e++){var n=this.data[e],s=!0;for(var o in t)t.hasOwnProperty(o)&&("function"==typeof n.get?n.get(o)!=t[o]&&(s=!1):n[o]!=t[o]&&(s=!1));if(s)return e}return-1},getByProperties:function(t){return this.data[this.findByProperties(t)]},getByID:function(t){return this.getByProperties({id:t})},remove:function(t){for(var e,i=0;i<this.data.length;i++)this.data[i]===t&&(e=this.data.splice(i,1)[0],i--);"undefined"!=typeof e&&this.changed.dispatch(null,[e])},removeByProperties:function(t){for(var e,i=this.findByProperties(t),n=0;-1!==i&&n++<1e3;)e=this.data.splice(i,1)[0],i=this.findByProperties(t);"undefined"!=typeof e&&this.changed.dispatch(null,[e])},removeByIndex:function(t){var e=this.data.splice(t,1);return"undefined"!=typeof e&&this.changed.dispatch(null,[e]),e},create:function(t,e){return new Promise(function(i,n){"function"==typeof this.factory?this.crud.create?$.ajax({type:"POST",context:this,url:e&&e.url?e.url:this.crud.create,data:t}).done(function(t){e&&e.model?(e.model.setAll(t),i(e.model)):e&&e.createModel===!1?i():i(this.createModel(t,e))}).fail(function(){n()}):i(this.createModel(t,e)):n()}.bind(this))},createModel:function(t,e){if(e=$.extend({prepend:!1},e),"function"==typeof this.factory){var i=this.createModelInstance(t);return e.prepend?this.unshift(i):this.push(i),i}},createModelInstance:function(t,e){return new this.factory(t,e)},clear:function(){this.data.length=0,this.changed.dispatch()},swap:function(t,e){var i="number"==typeof t&&t>=0&&t<this.size(),n="number"==typeof e&&e>=0&&e<this.size();if(i&&n){var s=this.data[t],o=this.data[e];this.data[t]=o,this.data[e]=s}this.changed.dispatch()},shiftLeft:function(t){"number"==typeof t&&t>0&&this.swap(t,t-1)},shiftRight:function(t){"number"==typeof t&&t<this.size()-1&&this.swap(t,t+1)},at:function(t){return this.data[t]},first:function(){return this.at(0)},last:function(){return this.at(this.size()-1)},size:function(){return this.data.length},isEmpty:function(){return 0===this.size()},getUniqueName:function(t,e,i){for(var n=-1,s=0,o=this.data.length;o>s;s++){var a=this.data[s],r="function"==typeof a.get?a.get(e):a[e];if(r){var l=r.match(new RegExp("^"+t+"\\s?(\\d+)?$"));l&&2===l.length&&(n=Math.max(l[1]?parseInt(l[1],10):0,n))}}return-1===n?t+(i?" 1":""):t+" "+(n+1)},toJSON:function(){return this.map(function(t){return"function"==typeof t.toJSON?t.toJSON():t})},destroy:function(){this.changed.dispose(),this.data=null},unshift:function(t){var e=this.data.unshift(t);return this.changed.dispatch(t),e},push:function(t){var e=this.data.push(t);return this.changed.dispatch([t]),e},pop:function(){var t=this.data.pop();return"undefined"!=typeof t&&this.changed.dispatch(null,[t]),t},map:function(t,e){return this.data.map(t,e)},some:function(t,e){return this.data.some(t,e)},filter:function(t,e){return this.data.filter(t,e)},forEach:function(t,e){return this.data.forEach(t,e)}}),SL("collections").Loadable=SL.collections.Collection.extend({init:function(){this._super.apply(this,arguments),this.loadStatus="",this.loadStarted=new signals.Signal,this.loadCompleted=new signals.Signal,this.loadFailed=new signals.Signal},load:function(){},unload:function(){this.loadXHR&&(this.loadXHR.abort(),this.loadXHR=null),this.loadStatus="",this.clear()},onLoadStarted:function(){this.loadStatus="loading",this.loadStarted.dispatch()},onLoadCompleted:function(){this.loadStatus="loaded",this.loadCompleted.dispatch()},onLoadFailed:function(){this.loadStatus="failed",this.loadFailed.dispatch()},isLoading:function(){return"loading"===this.loadStatus},isLoaded:function(){return"loaded"===this.loadStatus},destroy:function(){this.loadStarted.dispose(),this.loadCompleted.dispose(),this.loadFailed.dispose(),this._super()}}),SL("collections").Paginatable=SL.collections.Loadable.extend({init:function(){this._super.apply(this,arguments)},load:function(t){return this.isLoading()?void 0:(this.listURL=t||this.crud.list,this.onLoadStarted(),new Promise(function(t,e){this.loadXHR=$.ajax({type:"GET",url:this.listURL,context:this}).done(function(e){this.totalResults=e.total,this.pagesLoaded=1,this.pagesTotal=1,e.total>e.results.length&&(this.pagesTotal=Math.ceil(e.total/e.results.length)),this.setData(e.results),this.loadXHR=null,this.onLoadCompleted(),t()}).fail(function(){this.loadXHR=null,this.onLoadFailed(),e()})}.bind(this)))},hasNextPage:function(){return this.pagesLoaded<this.pagesTotal},loadNextPage:function(){return this.hasNextPage()?new Promise(function(t,e){$.ajax({type:"GET",url:this.listURL+"?page="+(this.pagesLoaded+1),context:this}).done(function(e){this.pagesLoaded+=1,t(this.appendData(e.results))}).fail(function(){e()})}.bind(this)):Promise.resolve([])},getTotalResults:function(){return this.totalResults},getLoadedResults:function(){return this.size()}}),SL("collections.collab").Comments=SL.collections.Loadable.extend({init:function(t,e){this._super(t,e||SL.models.collab.Comment,{list:SL.config.AJAX_COMMENTS_LIST(SL.current_deck.get("id")),create:SL.config.AJAX_COMMENTS_CREATE(SL.current_deck.get("id")),"delete":SL.config.AJAX_COMMENTS_DELETE(SL.current_deck.get("id"))})},load:function(t){return this.isLoading()?void 0:(this.url=t||this.crud.list,this.onLoadStarted(),new Promise(function(t,e){this.loadXHR=$.ajax({type:"GET",url:this.url,context:this}).done(function(e){this.pagesLoaded=1,this.pagesTotal=1,e.total>e.results.length&&(this.pagesTotal=Math.ceil(e.total/e.results.length)),this.setData(e.results.reverse()),this.pageOffsetID=this.isEmpty()?null:this.first().get("id"),this.loadXHR=null,this.onLoadCompleted(),t()}).fail(function(){this.loadXHR=null,this.onLoadFailed(),e()})}.bind(this)))},hasNextPage:function(){return this.pagesLoaded<this.pagesTotal},loadNextPage:function(){return this.hasNextPage()?new Promise(function(t,e){$.ajax({type:"GET",url:this.url+"?page="+this.pagesLoaded+"&offset_id="+this.pageOffsetID,context:this}).done(function(e){this.pagesLoaded+=1,t(this.prependData(e.results.reverse()))}).fail(function(){e()})}.bind(this)):Promise.resolve([])},create:function(t,e){e=$.extend({url:this.crud.create},e),e.model?e.model.setState(SL.models.collab.Comment.STATE_SAVING):e.model=this.createModel(t.comment);var i=JSON.parse(JSON.stringify(t));return delete i.comment.user_id,delete i.comment.created_at,this._super(i,e).then(function(){e.model.setState(SL.models.collab.Comment.STATE_SAVED)}.bind(this),function(){e.model.setState(SL.models.collab.Comment.STATE_FAILED)}.bind(this)),Promise.resolve(e.model)},retryCreate:function(t){return this.create({comment:t.toJSON()},{model:t})}}),SL("collections.collab").DeckUsers=SL.collections.Loadable.extend({init:function(t,e,i){this._super(t,e||SL.models.collab.DeckUser,i||{list:SL.config.AJAX_DECKUSER_LIST(SLConfig.deck.id),create:SL.config.AJAX_DECKUSER_CREATE(SLConfig.deck.id)})},load:function(){return this.isLoading()?void 0:(this.onLoadStarted(),new Promise(function(t,e){$.ajax({type:"GET",url:this.crud.list,context:this}).done(function(e){this.setData(e.results),this.onLoadCompleted(),t()}).fail(function(){this.onLoadFailed(),e()})}.bind(this)))},hasMoreThanOneEditor:function(){return this.getEditors().length>1},hasMoreThanOnePresentEditor:function(){return this.getPresentEditors().length>1},setEditing:function(t){this.forEach(function(e){e.set("editing",e.get("user_id")===t)})},getByUserID:function(t){return this.getByProperties({user_id:t})},getEditors:function(){return this.filter(function(t){return t.canEdit()&&t.isActive()})},getPresentEditors:function(){return this.filter(function(t){return t.canEdit()&&t.isOnline()})}}),SL("collections").MediaTags=SL.collections.Loadable.extend({init:function(t,e,i){this._super(t,e||SL.models.MediaTag,i||{list:SL.config.AJAX_MEDIA_TAG_LIST,create:SL.config.AJAX_MEDIA_TAG_CREATE,update:SL.config.AJAX_MEDIA_TAG_UPDATE,"delete":SL.config.AJAX_MEDIA_TAG_DELETE,add_media:SL.config.AJAX_MEDIA_TAG_ADD_MEDIA,remove_media:SL.config.AJAX_MEDIA_TAG_REMOVE_MEDIA}),this.associationChanged=new signals.Signal},load:function(){this.isLoading()||(this.onLoadStarted(),$.ajax({type:"GET",url:this.crud.list,context:this}).done(function(t){this.setData(t.results),this.onLoadCompleted()}).fail(function(){this.onLoadFailed()}))},create:function(t,e){return this._super($.extend({tag:{name:this.getUniqueName("Tag","name",!0)}},t),e)},addTagTo:function(t,e){e.forEach(function(e){t.addMedia(e)}),this.associationChanged.dispatch(t),$.ajax({type:"POST",url:this.crud.add_media(t.get("id")),context:this,data:{media_ids:e.map(function(t){return t.get("id")})}}).fail(function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")})},removeTagFrom:function(t,e){e.forEach(function(e){t.removeMedia(e)}),this.associationChanged.dispatch(t),$.ajax({type:"DELETE",url:this.crud.remove_media(t.get("id")),context:this,data:{media_ids:e.map(function(t){return t.get("id")})}}).fail(function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")})}}),SL("collections").Media=SL.collections.Loadable.extend({init:function(t,e,i){this._super(t,e||SL.models.Media,i||{list:SL.config.AJAX_MEDIA_LIST,update:SL.config.AJAX_MEDIA_UPDATE,create:SL.config.AJAX_MEDIA_CREATE,"delete":SL.config.AJAX_MEDIA_DELETE})},load:function(){this.isLoading()||(this.page=1,this.pagedResults=[],this.onLoadStarted(),this.loadNextPage())},loadNextPage:function(){1===this.page||this.page<=this.totalPages?$.ajax({type:"GET",url:this.crud.list+"?page="+this.page,context:this}).done(function(t){this.totalPages||(this.totalPages=Math.ceil(t.total/t.results.length)),this.pagedResults=this.pagedResults.concat(t.results),this.page+=1,this.loadNextPage()}).fail(function(){this.onLoadFailed()}):(this.setData(this.pagedResults),this.onLoadCompleted())},createSearchFilter:function(t){if(!t||""===t)return function(){return!1};var e=new RegExp(t,"i");return function(t){return e.test(t.get("label"))}},getImages:function(){return this.filter(SL.models.Media.IMAGE.filter)},getVideos:function(){return this.filter(SL.models.Media.VIDEO.filter)}}),SL("collections").TeamInvites=SL.collections.Paginatable.extend({init:function(t,e){this._super(t,e||SL.models.Model,{list:SL.config.AJAX_TEAM_INVITATIONS_LIST})}}),SL("collections").TeamMediaTags=SL.collections.MediaTags.extend({init:function(t){this._super(t,SL.models.MediaTag,{list:SL.config.AJAX_TEAM_MEDIA_TAG_LIST,create:SL.config.AJAX_TEAM_MEDIA_TAG_CREATE,update:SL.config.AJAX_TEAM_MEDIA_TAG_UPDATE,"delete":SL.config.AJAX_TEAM_MEDIA_TAG_DELETE,add_media:SL.config.AJAX_TEAM_MEDIA_TAG_ADD_MEDIA,remove_media:SL.config.AJAX_TEAM_MEDIA_TAG_REMOVE_MEDIA})},createModelInstance:function(t){return this._super(t,this.crud)}}),SL("collections").TeamMedia=SL.collections.Media.extend({init:function(t){this._super(t,SL.models.Media,{list:SL.config.AJAX_TEAM_MEDIA_LIST,create:SL.config.AJAX_TEAM_MEDIA_CREATE,update:SL.config.AJAX_TEAM_MEDIA_UPDATE,"delete":SL.config.AJAX_TEAM_MEDIA_DELETE})},createModelInstance:function(t){return this._super(t,this.crud)}}),SL("collections").TeamMembers=SL.collections.Paginatable.extend({init:function(t,e){this._super(t,e||SL.models.User,{list:SL.config.AJAX_TEAM_MEMBERS_LIST})}}),SL("models").Model=Class.extend({init:function(t){this.watchlist={},this.setData(t)},setData:function(t){this.data=t||{}},getData:function(){return this.data},setAll:function(t){for(var e in t)this.set(e,t[e])},set:function(t,e){this.data[t]=e,this.watchlist[t]&&this.watchlist[t].dispatch(e)},get:function(t){if("string"==typeof t&&/\./.test(t)){for(var e=t.split("."),i=this.data;e.length&&i;)t=e.shift(),i=i[t];return i}return this.data[t]},has:function(t){var e=this.get(t);return!!e||e===!1||0===e},watch:function(t,e){this.watchlist[t]||(this.watchlist[t]=new signals.Signal),this.watchlist[t].add(e)},unwatch:function(t,e){this.watchlist[t]&&this.watchlist[t].remove(e)},toJSON:function(){return JSON.parse(JSON.stringify(this.data))},destroy:function(){for(var t in this.watchlist)this.watchlist[t].dispose(),delete this.watchlist[t]}}),SL("models").AccessToken=SL.models.Model.extend({init:function(t){this._super(t)},save:function(t){var e={access_token:{}};return t?t.forEach(function(t){e.access_token[t]=this.get(t)}.bind(this)):e.access_token=this.toJSON(),$.ajax({url:SL.config.AJAX_ACCESS_TOKENS_UPDATE(this.get("deck_id"),this.get("id")),type:"PUT",data:e})},destroy:function(){return $.ajax({url:SL.config.AJAX_ACCESS_TOKENS_DELETE(this.get("deck_id"),this.get("id")),type:"DELETE"})},clone:function(){return new SL.models.AccessToken(JSON.parse(JSON.stringify(this.data)))}}),SL("models.collab").Comment=SL.models.Model.extend({init:function(t){this._super(t),this.state=this.has("id")?SL.models.collab.Comment.STATE_SAVED:SL.models.collab.Comment.STATE_SAVING,this.stateChanged=new signals.Signal},setState:function(t){this.state=t,this.stateChanged.dispatch(this)},getState:function(){return this.state},getDisplayName:function(){return this.get("name")||this.get("username")},clone:function(){return new SL.models.collab.Comment(JSON.parse(JSON.stringify(this.data)))},save:function(t){var e={comment:{}};return t?t.forEach(function(t){e.comment[t]=this.get(t)}.bind(this)):e.comment=this.toJSON(),$.ajax({url:SL.config.AJAX_COMMENTS_UPDATE(SL.current_deck.get("id"),this.get("id")),type:"PUT",data:e})},destroy:function(){return $.ajax({url:SL.config.AJAX_COMMENTS_DELETE(SL.current_deck.get("id"),this.get("id")),type:"DELETE"})}}),SL.models.collab.Comment.STATE_SAVED="saved",SL.models.collab.Comment.STATE_SAVING="saving",SL.models.collab.Comment.STATE_FAILED="failed",SL("models.collab").DeckUser=SL.models.Model.extend({init:function(t){this._super(t),this.has("status")||this.set("status",SL.models.collab.DeckUser.STATUS_DISCONNECTED)},getDisplayName:function(){return this.get("name")||this.get("username")},canComment:function(){return!0},canEdit:function(){return-1!==[SL.models.collab.DeckUser.ROLE_OWNER,SL.models.collab.DeckUser.ROLE_ADMIN,SL.models.collab.DeckUser.ROLE_EDITOR].indexOf(this.get("role"))},isAdmin:function(){return-1!==[SL.models.collab.DeckUser.ROLE_OWNER,SL.models.collab.DeckUser.ROLE_ADMIN].indexOf(this.get("role"))},isOnline:function(){return this.get("status")&&this.get("status")!==SL.models.collab.DeckUser.STATUS_DISCONNECTED},isIdle:function(){return this.get("status")===SL.models.collab.DeckUser.STATUS_IDLE},isEditing:function(){return this.get("editing")===!0},isActive:function(){return this.get("active")===!0},isCurrentUser:function(){return this.get("user_id")===SL.current_user.get("id")},clone:function(){return new SL.models.collab.DeckUser(JSON.parse(JSON.stringify(this.data)))},save:function(t){var e={user:{}};return t?t.forEach(function(t){e.user[t]=this.get(t)}.bind(this)):e.user=this.toJSON(),$.ajax({url:SL.config.AJAX_DECKUSER_UPDATE(SL.current_deck.get("id"),this.get("user_id")),type:"PUT",data:e})},destroy:function(){return $.ajax({url:SL.config.AJAX_DECKUSER_DELETE(SL.current_deck.get("id"),this.get("user_id")),type:"DELETE"})}}),SL.models.collab.DeckUser.ROLE_OWNER="owner",SL.models.collab.DeckUser.ROLE_ADMIN="admin",SL.models.collab.DeckUser.ROLE_EDITOR="editor",SL.models.collab.DeckUser.ROLE_VIEWER="viewer",SL.models.collab.DeckUser.STATUS_DISCONNECTED="disconnected",SL.models.collab.DeckUser.STATUS_VIEWING="viewing",SL.models.collab.DeckUser.STATUS_IDLE="idle",SL("models").Customer=SL.models.Model.extend({init:function(t){this._super(t)},isTrial:function(){return"trialing"===this.get("subscription.status")},hasActiveSubscription:function(){return this.has("subscription")&&!this.get("subscription.cancel_at_period_end")},hasCoupon:function(){return this.has("subscription")&&this.has("subscription.coupon_code")},getNextInvoiceDate:function(){return this.get("next_charge")},getNextInvoiceSum:function(){return(parseFloat(this.get("next_charge_amount"))/100).toFixed(2)},clone:function(){return new SL.models.Customer(JSON.parse(JSON.stringify(this.data)))}}),SL("models").Deck=SL.models.Model.extend({init:function(t){this._super(t),$.extend(this,this.data),this.user=new SL.models.User(this.data.user),this.user_settings=new SL.models.UserSettings(this.data.user.settings)},isPaid:function(){return this.data.user?!!this.data.user.paid:!1},isPro:function(){return this.data.user?!!this.data.user.pro:!1},isVisibilityAll:function(){return this.get("visibility")===SL.models.Deck.VISIBILITY_ALL},isVisibilitySelf:function(){return this.get("visibility")===SL.models.Deck.VISIBILITY_SELF},isVisibilityTeam:function(){return this.get("visibility")===SL.models.Deck.VISIBILITY_TEAM},belongsTo:function(t){return this.get("user.id")===t.get("id")},getURL:function(t){t=$.extend({protocol:document.location.protocol,token:null,view:null},t);var e=this.get("user.username"),i=this.get("slug")||this.get("id"),n=t.protocol+"//"+document.location.host+SL.routes.DECK(e,i);return t.view&&(n+="/"+t.view),t.token&&(n+="?token="+t.token.get("token")),n},clone:function(){return new SL.models.Deck(JSON.parse(JSON.stringify(this.data)))}}),SL("models").Deck.VISIBILITY_SELF="self",SL("models").Deck.VISIBILITY_TEAM="team",SL("models").Deck.VISIBILITY_ALL="all",SL("models").MediaTag=SL.models.Model.extend({init:function(t,e){this._super(t),this.crud=$.extend({update:SL.config.AJAX_MEDIA_TAG_UPDATE,"delete":SL.config.AJAX_MEDIA_TAG_DELETE},e)},createFilter:function(){var t=this;return function(e){return t.hasMedia(e)}},hasMedia:function(t){return-1!==this.data.medias.indexOf(t.get("id"))},addMedia:function(t){this.hasMedia(t)||this.data.medias.push(t.get("id"))},removeMedia:function(t){for(var e=t.get("id"),i=0;i<this.data.medias.length;i++)this.data.medias[i]===e&&(this.data.medias.splice(i,1),i--)},clone:function(){return new SL.models.MediaTag(JSON.parse(JSON.stringify(this.data)))},save:function(t){var e={tag:{}};return t?t.forEach(function(t){e.tag[t]=this.get(t)}.bind(this)):e.tag=this.toJSON(),$.ajax({url:this.crud.update(this.get("id")),type:"PUT",data:e})},destroy:function(){return $.ajax({url:this.crud["delete"](this.get("id")),type:"DELETE"})}}),SL("models").Media=SL.models.Model.extend({uploadStatus:"",uploadFile:null,init:function(t,e,i,n){this._super(t),this.crud=$.extend({create:SL.config.AJAX_MEDIA_CREATE,update:SL.config.AJAX_MEDIA_UPDATE,"delete":SL.config.AJAX_MEDIA_DELETE},e),i?(this.uploadStatus=SL.models.Media.STATUS_UPLOAD_WAITING,this.uploadFile=i,this.uploadFilename=n):this.uploadStatus=SL.models.Media.STATUS_UPLOADED,this.uploadStarted=new signals.Signal,this.uploadProgressed=new signals.Signal,this.uploadCompleted=new signals.Signal,this.uploadFailed=new signals.Signal},upload:function(){/\.svg$/i.test(this.uploadFile.name)&&window.FileReader?(SL.analytics.trackEditor("Media: SVG upload started"),this.reader=new window.FileReader,this.reader.addEventListener("abort",this.uploadValidated.bind(this)),this.reader.addEventListener("error",this.uploadValidated.bind(this)),this.reader.addEventListener("load",function(t){var e=t.target.result;e&&e.length&&(e=e.replace(/\<(\?xml|(\!DOCTYPE[^\>\[]+(\[[^\]]+)?))+[^>]+\>/g,""));var i=$("<div>"+e+"</div>").find("svg").get(0);if(i){$(i).parent().find("*").contents().each(function(){8===this.nodeType&&$(this).remove()}),$(i).find("script").remove(),$(i).removeAttr("content"),$(i).find("[unicode]").each(function(){this.setAttribute("unicode",SL.util.escapeHTMLEntities(this.getAttribute("unicode")))});var n=i.getAttribute("width"),s=i.getAttribute("height"),o=i.hasAttribute("xmlns"),a=i.hasAttribute("viewBox");if(hasWidthAndHeight=n&&s,o||i.setAttribute("xmlns","http://www.w3.org/2000/svg"),hasWidthAndHeight&&(/[^\d]/g.test(n)||/[^\d]/g.test(s))&&(i.setAttribute("width",parseFloat(n)),i.setAttribute("height",parseFloat(s))),!a&&hasWidthAndHeight&&(i.setAttribute("viewBox",[0,0,i.getAttribute("width"),i.getAttribute("height")].join(" ")),a=!0),!hasWidthAndHeight&&a){var r=i.getAttribute("viewBox").split(" ");4===r.length&&(i.setAttribute("width",r[2]),i.setAttribute("height",r[3]),hasWidthAndHeight=!0)}if(a&&hasWidthAndHeight){var l='<?xml version="1.0"?>\n'+i.parentNode.innerHTML;this.uploadFilename=this.uploadFile.name||"image.svg",this.uploadFile=new Blob([l],{type:"image/svg+xml"}),this.uploadValidated()}else this.uploadStatus=SL.models.Media.STATUS_UPLOAD_FAILED,this.uploadFailed.dispatch("SVG error: missing viewBox or width/height"),SL.analytics.trackEditor("Media: SVG upload error","missing viewBox or w/h")}else this.uploadStatus=SL.models.Media.STATUS_UPLOAD_FAILED,this.uploadFailed.dispatch("Invalid SVG: missing &lt;svg&gt; element"),SL.analytics.trackEditor("Media: SVG upload error","missing svg element");this.reader=null}.bind(this)),this.reader.readAsText(this.uploadFile,"UTF-8")):this.uploadValidated()},uploadValidated:function(){return this.uploader?!1:(this.uploader=new SL.helpers.FileUploader({file:this.uploadFile,filename:this.uploadFilename,service:this.crud.create,timeout:6e4}),this.uploader.progressed.add(this.onUploadProgress.bind(this)),this.uploader.succeeded.add(this.onUploadSuccess.bind(this)),this.uploader.failed.add(this.onUploadError.bind(this)),this.uploader.upload(),this.uploadStatus=SL.models.Media.STATUS_UPLOADING,void this.uploadStarted.dispatch())},onUploadProgress:function(t){this.uploadProgressed.dispatch(t)},onUploadSuccess:function(t){this.uploader.destroy(),this.uploader=null;for(var e in t)this.set(e,t[e]);this.uploadStatus=SL.models.Media.STATUS_UPLOADED,this.uploadCompleted.dispatch()},onUploadError:function(){this.uploader.destroy(),this.uploader=null,this.uploadStatus=SL.models.Media.STATUS_UPLOAD_FAILED,this.uploadFailed.dispatch()},isWaitingToUpload:function(){return this.uploadStatus===SL.models.Media.STATUS_UPLOAD_WAITING},isUploading:function(){return this.uploadStatus===SL.models.Media.STATUS_UPLOADING},isUploaded:function(){return this.uploadStatus===SL.models.Media.STATUS_UPLOADED},isUploadFailed:function(){return this.uploadStatus===SL.models.Media.STATUS_UPLOAD_FAILED},isImage:function(){return/^image\//.test(this.get("content_type"))},isSVG:function(){return/^image\/svg/.test(this.get("content_type"))},isVideo:function(){return/^video\//.test(this.get("content_type"))},clone:function(){return new SL.models.Media(JSON.parse(JSON.stringify(this.data)))},save:function(t){var e={media:{}};return t?t.forEach(function(t){e.media[t]=this.get(t)}.bind(this)):e.media=this.toJSON(),$.ajax({url:this.crud.update(this.get("id")),type:"PUT",data:e})},destroy:function(){return this.uploadFile=null,this.uploadStarted&&this.uploadStarted.dispose(),this.uploadProgressed&&this.uploadProgressed.dispose(),this.uploadCompleted&&this.uploadCompleted.dispose(),this.uploadFailed&&this.uploadFailed.dispose(),this.uploader&&(this.uploader.destroy(),this.uploader=null),$.ajax({url:this.crud["delete"](this.get("id")),type:"DELETE"})}}),SL.models.Media.STATUS_UPLOAD_WAITING="waiting",SL.models.Media.STATUS_UPLOADING="uploading",SL.models.Media.STATUS_UPLOADED="uploaded",SL.models.Media.STATUS_UPLOAD_FAILED="upload-failed",SL.models.Media.IMAGE={id:"image",filter:function(t){return t.isImage()}},SL.models.Media.SVG={id:"svg",filter:function(t){return t.isSVG()}},SL.models.Media.VIDEO={id:"video",filter:function(t){return t.isVideo()}},SL("models").Team=SL.models.Model.extend({init:function(t){if(this._super(t),"object"==typeof this.data.themes)for(var e=0,i=this.data.themes.length;i>e;e++)this.data.themes[e]=new SL.models.Theme(this.data.themes[e]);this.set("themes",new SL.collections.Collection(this.data.themes))},hasThemes:function(){var t=this.get("themes");return t&&t.size()>0},getDefaultTheme:function(){return this.get("themes").getByProperties({id:this.get("default_theme_id")})},getCostPerUser:function(){var t=this.get("account_billing_period"),e=this.get("account_cost_per_user");return"yearly"===t?"$"+e+"/year":"monthly"===t?"$"+e+"/month":"N/A"},isManuallyUpgraded:function(){return!!this.get("manually_upgraded")},save:function(t){var e={team:{}};return t?t.forEach(function(t){e.team[t]=this.get(t)
+}.bind(this)):e.team=this.toJSON(),$.ajax({url:SL.config.AJAX_UPDATE_TEAM,type:"PUT",data:e})},clone:function(){return new SL.models.Team(JSON.parse(JSON.stringify(this.data)))}}),SL("models").Template=SL.models.Model.extend({init:function(t){this._super(t)},isAvailableForTheme:function(t){return t.hasSlideTemplate(this.get("id"))||this.isAvailableForAllThemes()},isAvailableForAllThemes:function(){var t=this.get("id");return!SL.current_user.getThemes().some(function(e){return e.hasSlideTemplate(t)})}}),SL("models").ThemeSnippet=SL.models.Model.extend({init:function(t){this._super(t),this.has("title")||this.set("title",""),this.has("template")||this.set("template","")},templatize:function(t){var e=this.get("template");return e&&(e=e.split(SL.models.ThemeSnippet.TEMPLATE_SELECTION_TAG).join(""),t.forEach(function(t){e=e.replace(t.string,t.value||t.defaultValue)})),e},getTemplateVariables:function(){var t=this.get("template");if(t){t=t.split(SL.models.ThemeSnippet.TEMPLATE_SELECTION_TAG).join("");var e=t.match(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_REGEX);if(e)return e=e.map(function(t){var e=t.split(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_DIVIDER),i={string:t,label:e[0]||"",defaultValue:e[1]||""};return i.label=i.label.trim(),i.defaultValue=i.defaultValue.trim(),i.label=i.label.replace(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_OPENER,""),i.label=i.label.replace(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_CLOSER,""),i.defaultValue=i.defaultValue.replace(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_OPENER,""),i.defaultValue=i.defaultValue.replace(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_CLOSER,""),i})}return[]},templateHasVariables:function(){return this.getTemplateVariables().length>0},templateHasSelection:function(){var t=this.get("template");return t?t.indexOf(SL.models.ThemeSnippet.TEMPLATE_SELECTION_TAG)>-1:!1},isEmpty:function(){return!this.get("title")&&!this.get("template")}}),SL.models.ThemeSnippet.TEMPLATE_VARIABLE_OPENER="{{",SL.models.ThemeSnippet.TEMPLATE_VARIABLE_CLOSER="}}",SL.models.ThemeSnippet.TEMPLATE_VARIABLE_DIVIDER="::",SL.models.ThemeSnippet.TEMPLATE_VARIABLE_REGEX=/\{\{.*?\}\}/gi,SL.models.ThemeSnippet.TEMPLATE_SELECTION_TAG="{{selection}}",SL("models").Theme=SL.models.Model.extend({init:function(t){this._super(t),this.formatData(),this.loading=!1},load:function(t){return this.loading=!0,t="string"==typeof t?t:SL.config.AJAX_THEMES_READ(this.get("id")),$.ajax({type:"GET",url:t,context:this}).done(function(t){$.extend(this.data,t),this.formatData()}).always(function(){this.loading=!1})},formatData:function(){this.has("name")||this.set("name","Untitled"),this.has("font")||this.set("font",SL.config.DEFAULT_THEME_FONT),this.has("color")||this.set("color",SL.config.DEFAULT_THEME_COLOR),this.has("transition")||this.set("transition",SL.config.DEFAULT_THEME_TRANSITION),this.has("background_transition")||this.set("background_transition",SL.config.DEFAULT_THEME_BACKGROUND_TRANSITION),this.data.slide_template_ids instanceof SL.collections.Collection||this.set("slide_template_ids",new SL.collections.Collection(this.data.slide_template_ids)),this.data.snippets instanceof SL.collections.Collection||("string"==typeof this.data.snippets&&this.data.snippets.length>0&&(this.data.snippets=JSON.parse(this.data.snippets)),this.set("snippets",new SL.collections.Collection(this.data.snippets,SL.models.ThemeSnippet))),this.data.palette instanceof Array||("string"==typeof this.data.palette&&this.data.palette.length>0?(this.data.palette=this.data.palette.split(","),this.data.palette=this.data.palette.map(function(t){return t.trim()})):this.data.palette=[])},hasSlideTemplate:function(t){return this.get("slide_template_ids").contains(t)},addSlideTemplate:function(t){var e=this.get("slide_template_ids");return t.forEach(function(t){e.contains(t)||e.push(t)}),$.ajax({type:"POST",url:SL.config.AJAX_THEME_ADD_SLIDE_TEMPLATE(this.get("id")),context:this,data:{slide_template_ids:t}})},removeSlideTemplate:function(t){var e=this.get("slide_template_ids");return t.forEach(function(t){e.remove(t)}),$.ajax({type:"DELETE",url:SL.config.AJAX_THEME_REMOVE_SLIDE_TEMPLATE(this.get("id")),context:this,data:{slide_template_ids:t}})},hasThumbnail:function(){return!!this.get("thumbnail_url")},hasJavaScript:function(){return!!this.get("js")},hasPalette:function(){return this.get("palette").length>0},isFontDeprecated:function(){var t=this.get("font");return SL.config.THEME_FONTS.some(function(e){return e.id===t&&e.deprecated===!0})},isTransitionDeprecated:function(){var t=this.get("transition");return SL.config.THEME_TRANSITIONS.some(function(e){return e.id===t&&e.deprecated===!0})},isBackgroundTransitionDeprecated:function(){var t=this.get("background_transition");return SL.config.THEME_BACKGROUND_TRANSITIONS.some(function(e){return e.id===t&&e.deprecated===!0})},isLoading:function(){return this.loading},loadCustomFonts:function(){SL.fonts&&(this.has("font_typekit")&&SL.fonts.loadTypekitFont(this.get("font_typekit")),this.has("font_google")&&SL.fonts.loadGoogleFont(this.get("font_google")))},clone:function(){return new SL.models.Theme(JSON.parse(JSON.stringify(this.toJSON())))},toJSON:function(){return{id:this.get("id"),name:this.get("name"),center:this.get("center"),rolling_links:this.get("rolling_links"),font:this.get("font"),color:this.get("color"),transition:this.get("transition"),background_transition:this.get("background_transition"),font_typekit:this.get("font_typekit"),font_google:this.get("font_google"),html:this.get("html"),less:this.get("less"),css:this.get("css"),js:this.get("js"),snippets:this.has("snippets")?JSON.stringify(this.get("snippets").toJSON()):null,palette:this.has("palette")?this.get("palette").join(","):null}}}),SL("models").Theme.fromDeck=function(t){return new SL.models.Theme({id:t.theme_id,name:"",center:t.center,rolling_links:t.rolling_links,font:t.theme_font,color:t.theme_color,transition:t.transition,background_transition:t.background_transition,font_typekit:t.font_typekit,font_google:t.font_google,snippets:"",palette:[]})},SL("models").UserMembership=SL.models.Model.extend({init:function(t){this._super(t)},isAdmin:function(){return this.get("role")===SL.models.UserMembership.ROLE_ADMIN},isOwner:function(){return this.get("role")===SL.models.UserMembership.ROLE_OWNER},clone:function(){return new SL.models.UserMembership(JSON.parse(JSON.stringify(this.data)))}}),SL.models.UserMembership.ROLE_OWNER="owner",SL.models.UserMembership.ROLE_ADMIN="admin",SL.models.UserMembership.ROLE_MEMBER="member",SL("models").UserPrivileges=SL.models.Model.extend({init:function(t,e){this._super(t,e),this.user=e},privateDecks:function(){return this.user.isPaid()},privateLinks:function(){return this.user.isPro()},customCSS:function(){return this.user.isPro()},hideEmbedFooter:function(){return this.user.isPaid()}}),SL("models").UserSettings=SL.models.Model.extend({init:function(t){this._super(t),this.has("present_controls")||this.set("present_controls",SL.config.PRESENT_CONTROLS_DEFAULT),this.has("present_upsizing")||this.set("present_upsizing",SL.config.PRESENT_UPSIZING_DEFAULT)},save:function(t){var e={user_settings:{}};return t?t.forEach(function(t){e.user_settings[t]=this.get(t)}.bind(this)):e.user_settings=this.toJSON(),$.ajax({url:SL.config.AJAX_UPDATE_USER_SETTINGS,type:"PUT",data:e})},clone:function(){return new SL.models.UserSettings(JSON.parse(JSON.stringify(this.data)))}}),SL("models").User=Class.extend({init:function(t){this.data=t||{},$.extend(this,this.data),this.settings=new SL.models.UserSettings(this.data.settings),this.privileges=new SL.models.UserPrivileges(this.data,this),this.data.membership&&(this.membership=new SL.models.UserMembership(this.data.membership))},isPaid:function(){return this.paid},isLite:function(){return!!this.lite},isPro:function(){return!!this.pro},isEnterprise:function(){return!!this.enterprise},isEnterpriseManager:function(){return this.hasMembership()&&(this.membership.isAdmin()||this.membership.isOwner())},hasMembership:function(){return!!this.membership},isMemberOfCurrentTeam:function(){return SL.current_team&&SL.current_team.get("id")===this.get("team_id")?!0:!1},isManuallyUpgraded:function(){return!!this.manually_upgraded},get:function(t){return this[t]},set:function(t,e){this[t]=e},has:function(t){var e=this.get(t);return!!e||e===!1||0===e},hasThemes:function(){return SL.current_team?SL.current_team.hasThemes():void 0},getThemes:function(){return SL.current_team?SL.current_team.get("themes"):new SL.collections.Collection},hasDefaultTheme:function(){return!!this.getDefaultTheme()},getDefaultTheme:function(){var t=this.getThemes();return t.getByProperties(SL.current_team?{id:SL.current_team.get("default_theme_id")}:{id:this.default_theme_id})},getProfileURL:function(){return"/"+this.username},getProfilePictureURL:function(){return this.thumbnail_url},getNameOrSlug:function(){return this.name||this.username}}),SL("data").templates={NEW_DECK_TEMPLATE:{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 250px;">','<div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text">',"<h1>Title Text</h1>","</div>","</div>","</section>"].join("")},DEFAULT_TEMPLATES:[{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 270px;">','<div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text">',"<h1>Title Text</h1>","</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 190px;">','<div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text">',"<h1>Title Text</h1>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 255px;" data-layout-method="belowPreviousBlock">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Subtitle">',"<h2>Subtitle</h2>","</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 190px;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text">',"<h2>Title Text</h2>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 264px;" data-layout-method="belowPreviousBlock">','<div class="sl-block-content">',"<ul>","<li>Bullet One</li>","<li>Bullet Two</li>","<li>Bullet Three</li>","</ul>","</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 410px; left: 49px; top: 106px; height: auto;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text" style="text-align: left;">',"<h2>Title Text</h2>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 410px; left: 49px; top: 200px; height: auto;">','<div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Lorem ipsum dolor sit amet, consectetur adipiscing elit. Proin urna odio, aliquam vulputate faucibus id, elementum lobortis felis. Mauris urna dolor, placerat ac sagittis quis." style="text-align: left;">',"<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Proin urna odio, aliquam vulputate faucibus id, elementum lobortis felis. Mauris urna dolor, placerat ac sagittis quis.</p>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 410px; left: 499px; top: 106px; height: auto;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text" style="text-align: left;">',"<h2>Title Text</h2>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 410px; left: 499px; top: 200px; height: auto;">','<div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Lorem ipsum dolor sit amet, consectetur adipiscing elit. Proin urna odio, aliquam vulputate faucibus id, elementum lobortis felis. Mauris urna dolor, placerat ac sagittis quis." style="text-align: left;">',"<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Proin urna odio, aliquam vulputate faucibus id, elementum lobortis felis. Mauris urna dolor, placerat ac sagittis quis.</p>","</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 900px; left: 30px; top: 58px; height: auto;">','<div class="sl-block-content" data-placeholder-tag="h1" style="font-size: 200%; text-align: left;">',"<h1>One<br>Two<br>Three</h1>","</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 79px; top: 50px;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text">',"<h2>Title Text</h2>","</div>","</div>",'<div class="sl-block" data-block-type="image" style="width: 700px; height: 475px; left: 129px; top: 144px;">','<div class="sl-block-content">','<div class="editing-ui sl-block-overlay sl-block-placeholder"></div>',"</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 430px; left: 23px; top: 87px;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text" style="text-align: left;">',"<h2>Title Text</h2>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 430px; left: 23px; top: 161px;" data-layout-method="belowPreviousBlock">','<div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Lorem ipsum dolor sit amet, consectetur adipiscing elit. Morbi nec metus justo. Aliquam erat volutpat." style="z-index: 13; text-align: left;">',"<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Morbi nec metus justo. Aliquam erat volutpat.</p>","</div>","</div>",'<div class="sl-block" data-block-type="image" style="width: 454px; height: 641px; left: 479px; top: 29px;">','<div class="sl-block-content">','<div class="editing-ui sl-block-overlay sl-block-placeholder"></div>',"</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="image" style="width: 700px; height: 475px; left: 130px; top: 65px;">','<div class="sl-block-content">','<div class="editing-ui sl-block-overlay sl-block-placeholder"></div>',"</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 575px;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text">',"<h2>Title Text</h2>","</div>","</div>","</section>"].join("")}],LAYOUT_METHODS:{belowPreviousBlock:function(t,e){var i=e.prev().get(0);i&&e.css("top",i.offsetTop+i.offsetHeight)}},getNewDeckTemplate:function(){return new SL.models.Template(SL.data.templates.NEW_DECK_TEMPLATE)},getDefaultTemplates:function(){return new SL.collections.Collection(SL.data.templates.DEFAULT_TEMPLATES,SL.models.Template)},userTemplatesLoaded:!1,userTemplatesLoading:!1,userTemplatesCallbacks:[],getUserTemplates:function(t){t=t||function(){},SL.data.templates.userTemplatesLoading===!1&&SL.data.templates.userTemplatesLoaded===!1?(SL.data.templates.userTemplatesLoading=!0,SL.data.templates.userTemplatesCallbacks.push(t),$.ajax({type:"GET",url:SL.config.AJAX_SLIDE_TEMPLATES_LIST,context:this}).done(function(t){SL.data.templates.userTemplates=new SL.collections.Collection(t.results,SL.models.Template),SL.data.templates.userTemplatesLoaded=!0,SL.data.templates.userTemplatesLoading=!1,SL.data.templates.userTemplatesCallbacks.forEach(function(t){t.call(null,SL.data.templates.userTemplates)}),SL.data.templates.userTemplatesCallbacks.length=0}).fail(function(){SL.data.templates.userTemplatesLoading=!1,SL.notify(SL.locale.get("TEMPLATE_LOAD_ERROR"),"negative")})):SL.data.templates.userTemplatesLoading?SL.data.templates.userTemplatesCallbacks.push(t):t.call(null,SL.data.templates.userTemplates)},teamTemplatesLoaded:!1,teamTemplatesLoading:!1,teamTemplatesCallbacks:[],getTeamTemplates:function(t){SL.current_user.isEnterprise()&&(t=t||function(){},SL.data.templates.teamTemplatesLoading===!1&&SL.data.templates.teamTemplatesLoaded===!1?(SL.data.templates.teamTemplatesLoading=!0,SL.data.templates.teamTemplatesCallbacks.push(t),$.ajax({type:"GET",url:SL.config.AJAX_TEAM_SLIDE_TEMPLATES_LIST,context:this}).done(function(t){SL.data.templates.teamTemplates=new SL.collections.Collection(t.results,SL.models.Template),SL.data.templates.teamTemplatesLoaded=!0,SL.data.templates.teamTemplatesLoading=!1,SL.data.templates.teamTemplatesCallbacks.forEach(function(t){t.call(null,SL.data.templates.teamTemplates)}),SL.data.templates.teamTemplatesCallbacks.length=0}).fail(function(){SL.data.templates.teamTemplatesLoading=!1,SL.notify(SL.locale.get("TEMPLATE_LOAD_ERROR"),"negative")})):SL.data.templates.teamTemplatesLoading?SL.data.templates.teamTemplatesCallbacks.push(t):t.call(null,SL.data.templates.teamTemplates))},layoutTemplate:function(t,e){t.find(".sl-block").each(function(i,n){n=$(n);var s=n.attr("data-layout-method");s&&"function"==typeof SL.data.templates.LAYOUT_METHODS[s]&&(e||n.removeAttr("data-layout-method"),SL.data.templates.LAYOUT_METHODS[s](t,n))})},templatize:function(t,e){t=$(t),e=$.extend({placeholderText:!1,zIndex:!0},e);var i=SL.editor.controllers.Serialize.getSlideAsString(t,{templatize:!0,inner:!0}),n=$("<section>"+i+"</section>");return n.children().each(function(t,i){i=$(i),i.css({"min-width":"","min-height":""});var n=i.find(".sl-block-content");if(e.placeholderText&&"text"===i.attr("data-block-type")&&1===n.children().length){var s=$(n.children()[0]);s.is("h1, h2")?(s.html("Title Text"),n.attr("data-placeholder-text","Title Text")):s.is("p")&&n.attr("data-placeholder-text",s.text().trim())}e.zIndex===!1&&n.css("z-index","")}),["class","data-autoslide","data-transition","data-transition-speed","data-background","data-background-color","data-background-image","data-background-size","data-background-position"].forEach(function(e){t.attr(e)&&n.attr(e,t.attr(e))}),n.removeClass("past present future"),n.prop("outerHTML").trim()},generateFullSizeImageBlock:function(t,e,i,n,s){var o=Math.min(n/e,s/i),a=e*o,r=i*o,l=Math.round((SL.config.SLIDE_WIDTH-a)/2),c=Math.round((SL.config.SLIDE_HEIGHT-r)/2);return['<div class="sl-block" data-block-type="image" style="width: '+a+"px; height: "+r+"px; left: "+l+"px; top: "+c+'px;">','<div class="sl-block-content">','<img src="'+t+'" style="" data-natural-width="'+e+'" data-natural-height="'+i+'"/>',"</div>","</div>"].join("")}},SL("data").tokens={get:function(t,e){e=e||{},this._addCallbacks(t,e.success,e.error),"object"==typeof this.cache[t]?this._triggerSuccessCallback(t,this.cache[t]):"loading"!==this.cache[t]&&(this.cache[t]="loading",$.ajax({type:"GET",context:this,url:SL.config.AJAX_ACCESS_TOKENS_LIST(t)}).done(function(e){var i=new SL.collections.Collection(e.results,SL.models.AccessToken);this.cache[t]=i,this._triggerSuccessCallback(t,i)}).fail(function(e){delete this.cache[t],this._triggerErrorCallback(t,e.status)}))},create:function(t){return new Promise(function(e,i){SL.data.tokens.get(t,{success:function(n){$.ajax({type:"POST",context:this,url:SL.config.AJAX_ACCESS_TOKENS_CREATE(t),data:{access_token:{name:n.getUniqueName("Link","name",!0)}}}).done(function(t){n.create(t).then(e,i)}).fail(i)}.bind(this),error:function(){console.warn("Failed to load token collection for deck "+t),i()}.bind(this)})}.bind(this))},cache:{},callbacks:{},_addCallbacks:function(t,e,i){this.callbacks[t]||(this.callbacks[t]={success:[],error:[]}),e&&this.callbacks[t].success.push(e),i&&this.callbacks[t].error.push(i)},_triggerSuccessCallback:function(t,e){var i=this.callbacks[t];if(i){for(;i.success.length;)i.success.pop().call(null,e);i.success=[],i.error=[]}},_triggerErrorCallback:function(t,e){var i=this.callbacks[t];if(i){for(;i.error.length;)i.error.pop().call(null,e);i.success=[],i.error=[]}}},SL.util={noop:function(){},getQuery:function(){var t={};return location.search.replace(/[A-Z0-9\-]+?=([\w%\-]*)/gi,function(e){t[e.split("=").shift()]=unescape(e.split("=").pop())}),t},getMetaKeyName:function(){return SL.util.device.isMac()?"&#8984":"CTRL"},escapeHTMLEntities:function(t){return t=t||"",t=t.split("<").join("&lt;"),t=t.split(">").join("&gt;")},unescapeHTMLEntities:function(t){return(t||"").replace(/&lt;/g,"<").replace(/&gt;/g,">").replace(/&amp;/g,"&").replace(/&cent;/g,"\xa2").replace(/&pound;/g,"\xa3").replace(/&yen;/g,"\xa5").replace(/&euro;/g,"\u20ac").replace(/&copy;/g,"\xa9").replace(/&reg;/g,"\xae").replace(/&nbsp;/g," ")},toArray:function(t){for(var e=[],i=0,n=t.length;n>i;i++)e.push(t[i]);return e},parseCSSTransform:function(t){var e={};return(t||"").split(" ").forEach(function(t){t=t.trim().split("(");var i=t[0],n=t[1];n&&(n=n.split(",").map(function(t){return parseFloat(t.trim())})),i&&n&&(i=i.trim(),e[i]=1===n.length?n[0]:n)}),e},skipCSSTransitions:function(t,e){t=$(t?t:"html");var i=typeof t.get(0);("undefined"===i||"number"===i)&&console.warn("Bad target for skipCSSTransitions."),t.addClass("no-transition"),setTimeout(function(){t.removeClass("no-transition")},e||1)},setupReveal:function(t){if("undefined"!=typeof Reveal){var e={controls:!0,progress:!0,history:!1,mouseWheel:!1,margin:.05,autoSlideStoppable:!0,dependencies:[{src:SL.config.ASSET_URLS["reveal-plugins/markdown/marked.js"],condition:function(){return!!document.querySelector(".reveal [data-markdown]")}},{src:SL.config.ASSET_URLS["reveal-plugins/markdown/markdown.js"],condition:function(){return!!document.querySelector(".reveal [data-markdown]")}},{src:SL.config.ASSET_URLS["reveal-plugins/highlight/highlight.js"],async:!0,condition:function(){return!!document.querySelector(".reveal pre code")},callback:function(){hljs.initHighlighting(),hljs.initHighlightingOnLoad()}}]};if(SLConfig&&SLConfig.deck&&(e.autoSlide=SLConfig.deck.auto_slide_interval||0,e.rollingLinks=SLConfig.deck.rolling_links,e.center=SLConfig.deck.center,e.loop=SLConfig.deck.should_loop,e.rtl=SLConfig.deck.rtl,e.showNotes=SLConfig.deck.share_notes,e.slideNumber=SLConfig.deck.slide_number,e.transition=SLConfig.deck.transition||"default",e.backgroundTransition=SLConfig.deck.background_transition),$.extend(e,t),SL.util.deck.injectNotes(),Reveal.initialize(e),Reveal.addEventListener("ready",function(){window.STATUS=window.STATUS||{},window.STATUS.REVEAL_IS_READY=!0,$("html").addClass("reveal-is-ready")}),t&&t.openLinksInTabs&&this.openLinksInTabs($(".reveal .slides")),t&&t.trackEvents){var i=[];Reveal.addEventListener("slidechanged",function(){var t=Reveal.getProgress();t>=.5&&!i[0]&&(i[0]=!0,SL.analytics.trackPresenting("Presentation progress: 50%")),t>=1&&!i[1]&&(i[1]=!0,SL.analytics.trackPresenting("Presentation progress: 100%")),SL.analytics.trackCurrentSlide()})}}},openLinksInTabs:function(t){t&&t.find("a").each(function(){var t=$(this),e=t.attr("href");/^#/gi.test(e)===!0||this.hasAttribute("download")?t.removeAttr("target"):/http|www/gi.test(e)?t.attr("target","_blank"):t.attr("target","_top")})},openPopupWindow:function(t,e,i,n){var s=window.innerWidth/2-i/2,o=window.innerHeight/2-n/2;"number"==typeof window.screenX&&(s+=window.screenX,o+=window.screenY);var a=window.open(t,e,"toolbar=no, location=no, directories=no, status=no, menubar=no, scrollbars=no, resizable=no, copyhistory=no, width="+i+", height="+n+", top="+o+", left="+s);return a.moveTo(s,o),a},prefixSelectorsInStyle:function(t,e){var i=[];SL.util.toArray(t.sheet.cssRules).forEach(function(t){if(1===t.type&&t.selectorText&&t.cssText){var n=t.cssText;n=n.replace(t.selectorText,""),n=n.trim(),n=n.slice(1,n.length-1),n=n.trim(),n=n.split(";").map(function(t){return t=t.trim(),""===t?"":"\n "+t}).join(";");var s=t.selectorText.split(",").map(function(t){return t=t.trim(),0===t.indexOf(e)?t:e+t}).join(", ");i.push(s+" {"+n+"\n}")}else 7===t.type&&t.cssText&&i.push(t.cssText)}),t.innerHTML="\n"+i.join("\n\n")+"\n"},layoutReveal:function(t,e){if(clearInterval(this.revealLayoutInterval),clearTimeout(this.revealLayoutTimeout),1===arguments.length)this.revealLayoutTimeout=setTimeout(Reveal.layout,t);else{if(2!==arguments.length)throw"Illegal arguments, expected (duration[, fps])";this.revealLayoutInterval=setInterval(Reveal.layout,e),this.revealLayoutTimeout=setTimeout(function(){clearInterval(this.revealLayoutInterval)}.bind(this),t)}},getRevealSlideBounds:function(t,e){t=t||SL.editor.controllers.Markup.getCurrentSlide();var i=t.offset(),n=Reveal.getScale(),s=i.left*n,o=i.top*n;if(e){var a=$(".projector").offset();a&&(s-=a.left,o-=a.top)}return{x:s,y:o,width:t.outerWidth()*n,height:t.outerHeight()*n}},getRevealSlidesBounds:function(t){var e=$(".reveal .slides"),i=e.offset(),n=Reveal.getScale(),s=i.left*n,o=i.top*n;if(t){var a=$(".projector").offset();a&&(s-=a.left,o-=a.top)}return{x:s,y:o,width:e.outerWidth()*n,height:e.outerHeight()*n}},getRevealElementOffset:function(t,e){t=$(t);var i={x:0,y:0};if(t.parents("section").length)for(;t.length&&!t.is("section");)i.x+=t.get(0).offsetLeft,i.y+=t.get(0).offsetTop,e&&(i.x-=parseInt(t.css("margin-left"),10),i.y-=parseInt(t.css("margin-top"),10)),t=$(t.get(0).offsetParent);return i},getRevealElementGlobalOffset:function(t){var e=$(t),i=e.closest(".reveal"),n={x:0,y:0};if(e.length&&i.length){var s=Reveal.getConfig(),o=Reveal.getScale(),a=i.get(0).getBoundingClientRect(),r={x:a.left+a.width/2,y:a.top+a.height/2},l=s.width*o,c=s.height*o;n.x=r.x-l/2,n.y=r.y-c/2;var d=e.closest(".slides section");d.length&&(n.y-=d.scrollTop()*o);var h=SL.util.getRevealElementOffset(e);n.x+=h.x*o,n.y+=h.y*o}return n},getRevealCounterScale:function(){return window.Reveal?2-Reveal.getScale():1},globalToRevealCoordinate:function(t,e){var i=SL.util.getRevealSlideBounds(),n=SL.util.getRevealCounterScale();return{x:(t-i.x)*n,y:(e-i.y)*n}},globalToProjectorCoordinate:function(t,e){var i={x:t,y:e},n=$(".projector").offset();return n&&(i.x-=n.left,i.y-=n.top),i},hideAddressBar:function(){if(SL.util.device.IS_PHONE&&!/crios/gi.test(navigator.userAgent)){var t=function(){setTimeout(function(){window.scrollTo(0,1)},10)};$(window).on("orientationchange",function(){t()}),t()}},callback:function(){"function"==typeof arguments[0]&&arguments[0].apply(null,[].slice.call(arguments,1))},getPlaceholderImage:function(t){var e="";return t&&"function"==typeof window.btoa&&(e=window.btoa(Math.random().toString()).replace(/=/g,"")),"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7"+e},isTypingEvent:function(t){return $(t.target).is('input:not([type="file"]), textarea, [contenteditable]')},isTyping:function(){var t=document.activeElement&&"inherit"!==document.activeElement.contentEditable,e=document.activeElement&&document.activeElement.tagName&&/input|textarea/i.test(document.activeElement.tagName);return t||e},setAceEditorDefaults:function(t){t.setTheme("ace/theme/monokai"),t.setDisplayIndentGuides(!0),t.setShowPrintMargin(!1),t.renderer.setScrollMargin(10,0),t.$blockScrolling=1/0}},SL.util.user={isLoggedIn:function(){return"object"==typeof SLConfig&&"object"==typeof SLConfig.current_user}},SL.util.device={HAS_TOUCH:!!("ontouchstart"in window),IS_PHONE:/iphone|ipod|android|windows\sphone/gi.test(navigator.userAgent),IS_TABLET:/ipad/gi.test(navigator.userAgent),isMac:function(){return/Mac/.test(navigator.platform)},isWindows:function(){return/Win/g.test(navigator.platform)},isLinux:function(){return/Linux/g.test(navigator.platform)},isIE:function(){return/MSIE\s[0-9]/gi.test(navigator.userAgent)||/Trident\/7.0;(.*)rv:\d\d/.test(navigator.userAgent)},isChrome:function(){return/chrome/gi.test(navigator.userAgent)},isSafari:function(){return/safari/gi.test(navigator.userAgent)&&!SL.util.device.isChrome()},isSafariDesktop:function(){return SL.util.device.isSafari()&&!SL.util.device.isChrome()&&!SL.util.device.IS_PHONE&&!SL.util.device.IS_TABLET},isOpera:function(){return!!window.opera},isFirefox:function(){return/firefox\/\d+\.?\d+/gi.test(navigator.userAgent)},isPhantomJS:function(){return/PhantomJS/gi.test(navigator.userAgent)},supportedByEditor:function(){return Modernizr.history&&Modernizr.csstransforms&&!SL.util.device.isOpera()},getScrollBarWidth:function(){var t=$("<div>").css({width:"100px",height:"100px",overflow:"scroll",position:"absolute",top:"-9999px"});t.appendTo(document.body);var e=t.prop("offsetWidth")-t.prop("clientWidth");return t.remove(),e}},SL.util.trig={distanceBetween:function(t,e){var i=t.x-e.x,n=t.y-e.y;return Math.sqrt(i*i+n*n)},intersection:function(t,e){return{width:Math.max(0,Math.min(t.x+t.width,e.x+e.width)-Math.max(t.x,e.x)),height:Math.max(0,Math.min(t.y+t.height,e.y+e.height)-Math.max(t.y,e.y))}},intersects:function(t,e,i){"undefined"==typeof i&&(i=0);var n=SL.util.trig.intersection(t,e);return n.width>t.width*i&&n.height>t.height*i},isPointWithinRect:function(t,e,i){return t>i.x&&t<i.x+i.width&&e>i.y&&e<i.y+i.height},findLineIntersection:function(t,e,i,n){var s={x:e.x-t.x,y:e.y-t.y},o={x:n.x-i.x,y:n.y-i.y},a=(-s.y*(t.x-i.x)+s.x*(t.y-i.y))/(-o.x*s.y+s.x*o.y),r=(o.x*(t.y-i.y)-o.y*(t.x-i.x))/(-o.x*s.y+s.x*o.y);return a>=0&&1>=a&&r>=0&&1>=r?{x:t.x+r*s.x,y:t.y+r*s.y}:null}},SL.util.string={URL_REGEX:/((https?\:\/\/)|(www\.)|(\/\/))(\S+)(\w{2,4})(:[0-9]+)?(\/|\/([\w#!:.?+=&%@!\-\/]))?/i,SCRIPT_TAG_REGEX:/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,uniqueIDCount:0,uniqueID:function(t){return SL.util.string.uniqueIDCount+=1,(t||"")+SL.util.string.uniqueIDCount+"-"+Date.now()},slug:function(t){return"string"==typeof t?(t=SL.util.string.trim(t),t=t.toLowerCase(),t=t.replace(/-/g," "),t=t.replace(/[^\w\s]/g,""),t=t.replace(/\s{2,}/g," "),t=t.replace(/\s/g,"-")):""},trim:function(t){return SL.util.string.trimRight(SL.util.string.trimLeft(t))},trimLeft:function(t){return"string"==typeof t?t.replace(/^\s+/,""):""},trimRight:function(t){return"string"==typeof t?t.replace(/\s+$/,""):""},linkify:function(t){return t&&(t=t.replace(/((https?\:\/\/)|(www\.))(\S+)(\w{2,4})(:[0-9]+)?(\/|\/([\w#!:.?+=&%@!\-\/]))?/gi,function(t){var e=t;return e.match("^https?://")||(e="http://"+e),'<a href="'+e+'">'+t+"</a>"})),t},pluralize:function(t,e,i){return i?t+e:t},toTitleCase:function(t){return t.replace(/\w\S*/g,function(t){return t.charAt(0).toUpperCase()+t.substr(1).toLowerCase()})},getCustomClassesFromLESS:function(t){var e=(t||"").match(/\/\/=[a-z0-9-_ \t]{2,}(?=\n)?/gi);return e?e.map(function(t){return t=t.replace("//=",""),t=t.trim(),t=t.toLowerCase(),t=t.replace(/\s/g,"-")}):[]}},SL.util.math={limitDecimals:function(t,e){var i=Math.pow(10,e);return Math.round(t*i)/i}},SL.util.validate={name:function(){return[]},slug:function(t){t=t||"";var e=[];return t.length<2&&e.push("At least 2 characters"),/\s/gi.test(t)&&e.push("No spaces please"),/^[\w-_]+$/gi.test(t)||e.push("Can only contain: A-Z, 0-9, - and _"),e},username:function(t){return SL.util.validate.slug(t)},team_slug:function(t){return SL.util.validate.slug(t)},password:function(t){t=t||"";var e=[];return t.length<6&&e.push("At least 6 characters"),e},email:function(t){t=t||"";var e=[];return/^[A-Z0-9._%+\-]+@[A-Z0-9.\-]+\.[A-Z]{2,}$/gi.test(t)||e.push("Please enter a valid email"),e},twitterhandle:function(t){t=t||"";var e=[];return t.length>15&&e.push("15 characters max"),/\s/gi.test(t)&&e.push("No spaces please"),/^[\w-_]+$/gi.test(t)||e.push("Can only contain: A-Z, 0-9 and _"),e},url:function(t){t=t||"";var e=[];return t.length<4&&e.push("Please enter a valid URL"),/\s/gi.test(t)&&e.push("No spaces please"),e},decktitle:function(t){t=t||"";var e=[];return 0===t.length&&e.push("Can not be empty"),e},deckslug:function(t){t=t||"";var e=[];return 0===t.length&&e.push("Can not be empty"),e},google_analytics_id:function(t){t=t||"";var e=[];return/\bUA-\d{4,20}-\d{1,10}\b/gi.test(t)||e.push("Please enter a valid ID"),e},google_domain:function(t){t=t||"";var e=[];return/\./gi.test(t)||e.push("Please enter a valid domain"),e},none:function(){return[]}},SL.util.dom={scrollIntoViewIfNeeded:function(t){t&&("function"==typeof t.scrollIntoViewIfNeeded?t.scrollIntoViewIfNeeded.apply(t,[].slice.call(arguments,1)):"function"==typeof t.scrollIntoView&&t.scrollIntoView())},preventTouchOverflowScrolling:function(t){t=$(t);var e,i,n;t.get(0).addEventListener("touchstart",function(t){e=this.scrollTop>0,i=this.scrollTop<this.scrollHeight-this.clientHeight,n=t.pageY}),t.get(0).addEventListener("touchmove",function(t){var s=t.pageY>n,o=!s;n=t.pageY,s&&e||o&&i?t.stopPropagation():t.preventDefault()})},insertCSRF:function(t,e){"undefined"==typeof e&&(e=$('meta[name="csrf-token"]').attr("content")),e&&(t.find('input[name="authenticity_token"]').remove(),t.append('<input name="authenticity_token" type="hidden" value="'+e+'" />'))},calculateStyle:function(t){window.getComputedStyle($(t).get(0)).opacity
+}},SL.util.html={indent:function(t){t=t.replace(/<br>/gi,"<br/>"),t=t.replace(/(<img("[^"]*"|[^>])+)/gi,"$1/");var e=vkbeautify.xml(t);return e=e.replace(/<pre>[\n\r\t\s]+<code/gi,"<pre><code"),e=e.replace(/<\/code>[\n\r\t\s]+<\/pre>/gi,"</code></pre>")},ATTR_SRC_NORMAL:"src",ATTR_SRC_SILENCED:"data-silenced-src",ATTR_SRC_NORMAL_REGEX:" src=",ATTR_SRC_SILENCED_REGEX:" data-silenced-src=",muteSources:function(t){return(t||"").replace(new RegExp(SL.util.html.ATTR_SRC_NORMAL_REGEX,"gi"),SL.util.html.ATTR_SRC_SILENCED_REGEX)},unmuteSources:function(t){return(t||"").replace(new RegExp(SL.util.html.ATTR_SRC_SILENCED_REGEX,"gi"),SL.util.html.ATTR_SRC_NORMAL_REGEX)},trimCode:function(t){$(t).find("pre code").each(function(){var t=$(this).parent("pre"),e=t.html(),i=$.trim(e);e!==i&&t.html(i)})},removeAttributes:function(t,e){t=$(t);var i=$.map(t.get(0).attributes,function(t){return t.name});"function"==typeof e&&(i=i.filter(e)),$.each(i,function(e,i){t.removeAttr(i)})},removeClasses:function(t,e){if(t=$(t),"function"==typeof e){var i=(t.attr("class")||"").split(" ").filter(e);t.removeClass(i.join(" "))}else t.attr("class","")},findScriptTags:function(t){var e=document.createElement("div");e.innerHTML=t;var i=SL.util.toArray(e.getElementsByTagName("script"));return i.map(function(t){return t.outerHTML})},removeScriptTags:function(t){var e=document.createElement("div");e.innerHTML=t;var i=SL.util.toArray(e.getElementsByTagName("script"));return i.forEach(function(t){t.parentNode.removeChild(t)}),e.innerHTML},createSpinner:function(t){return t=$.extend({lines:12,radius:8,length:6,width:3,color:"#fff",zIndex:"auto",left:"0",top:"0",className:""},t),new Spinner(t)},generateSpinners:function(){$(".spinner").each(function(t,e){if(e.hasAttribute("data-spinner-state")===!1){e.setAttribute("data-spinner-state","spinning");var i={};e.hasAttribute("data-spinner-color")&&(i.color=e.getAttribute("data-spinner-color")),e.hasAttribute("data-spinner-lines")&&(i.lines=parseInt(e.getAttribute("data-spinner-lines"),10)),e.hasAttribute("data-spinner-width")&&(i.width=parseInt(e.getAttribute("data-spinner-width"),10)),e.hasAttribute("data-spinner-radius")&&(i.radius=parseInt(e.getAttribute("data-spinner-radius"),10)),e.hasAttribute("data-spinner-length")&&(i.length=parseInt(e.getAttribute("data-spinner-length"),10));var n=SL.util.html.createSpinner(i);n.spin(e)}})},createDeckThumbnail:function(t){var t={DECK_URL:t.user.username+"/"+t.slug,DECK_VIEWS:"number"==typeof t.view_count?t.view_count:"N/A",DECK_THUMB_URL:t.thumbnail_url||SL.config.DEFAULT_DECK_THUMBNAIL,USER_URL:"/"+t.user.username,USER_NAME:t.user.name||t.user.username,USER_THUMB_URL:t.user.thumbnail_url||SL.config.DEFAULT_USER_THUMBNAIL},e=SL.config.DECK_THUMBNAIL_TEMPLATE;for(var i in t)e=e.replace("{{"+i+"}}",t[i]);return $(e)}},SL.util.deck={idCounter:1,sortInjectedStyles:function(){var t=$("head");$("#theme-css-output").appendTo(t),$("#user-css-output").appendTo(t)},afterSlidesChanged:function(){this.generateIdentifiers(),this.generateSlideNumbers()},generateIdentifiers:function(t){$(t||".reveal .slides section").each(function(){(this.hasAttribute("data-id")===!1||0===this.getAttribute("data-id").length)&&this.setAttribute("data-id",CryptoJS.MD5(["slide",SL.current_user.get("id"),SL.current_deck.get("id"),Date.now(),SL.util.deck.idCounter++].join("-")).toString())}),this.generateSlideNumbers()},generateSlideNumbers:function(){this.slideNumberMap={},$(".reveal .slides>section[data-id]").each(function(t,e){t+=1,e=$(e),e.hasClass("stack")?e.find(">section[data-id]").each(function(e,i){e+=1,i=$(i),this.slideNumberMap[i.attr("data-id")]=t+(e>1?"."+e:"")}.bind(this)):this.slideNumberMap[e.attr("data-id")]=t}.bind(this))},getSlideNumber:function(t){return this.slideNumberMap||this.generateSlideNumbers(),this.slideNumberMap[this.getSlideID(t)]},getSlideID:function(t){return"string"==typeof t?t:t&&"function"==typeof t.getAttribute?t.getAttribute("data-id"):t&&"function"==typeof t.attr?t.attr("data-id"):void 0},getSlideIndicesFromIdentifier:function(t){var e=$('.reveal .slides section[data-id="'+t+'"]');return e.length?Reveal.getIndices(e.get(0)):null},injectNotes:function(){SLConfig.deck&&SLConfig.deck.notes&&[].forEach.call(document.querySelectorAll(".reveal .slides section"),function(t){var e=SLConfig.deck.notes[t.getAttribute("data-id")];e&&"string"==typeof e&&t.setAttribute("data-notes",e)})},getBackgroundColor:function(){var t=$(".reveal-viewport");if(t.length){var e=t.css("background-color");if(window.Reveal&&window.Reveal.isReady()){var i=window.Reveal.getIndices(),n=window.Reveal.getSlideBackground(i.h,i.v);if(n){var s=n.style.backgroundColor;s&&window.tinycolor(s).getAlpha()>0&&(e=s)}}if(e)return e}return"#ffffff"},getBackgroundContrast:function(){return SL.util.color.getContrast(SL.util.deck.getBackgroundColor())},getBackgroundBrightness:function(){return SL.util.color.getBrightness(SL.util.deck.getBackgroundColor())},navigateToSlide:function(t){if(t){var e=Reveal.getIndices(t);Reveal.slide(e.h,e.v)}},replaceHTML:function(t){SL.util.skipCSSTransitions($(".reveal"),1);var e=Reveal.getState();$(".reveal .slides").get(0).innerHTML=t,Reveal.setState(e),Reveal.sync(),this.afterSlidesChanged()}},SL.util.color={getContrast:function(t){var e=window.tinycolor(t).toRgb(),i=(299*e.r+587*e.g+114*e.b)/1e3;return i/255},getBrightness:function(t){var e=window.tinycolor(t).toRgb(),i=e.r/255*.3+e.g/255*.59+(e.b/255+.11);return i/2},getImageColor:function(t,e){return new Promise(function(i,n){var s=document.createElement("img");s.addEventListener("load",function(){var t,o=document.createElement("canvas"),a=o.getContext&&o.getContext("2d"),r={r:0,g:0,b:0,a:0};a||n();var l=o.height=s.naturalHeight||s.offsetHeight||s.height,c=o.width=s.naturalWidth||s.offsetWidth||s.width;a.drawImage(s,0,0);try{t=a.getImageData(0,0,c,l)}catch(d){n()}var h=4,u=t.data.length,p=0;if("number"!=typeof e&&(e=8,"number"==typeof u))for(;u/e>5e4;)e+=8;for(;(h+=4*e)<u;)++p,r.r+=t.data[h],r.g+=t.data[h+1],r.b+=t.data[h+2],r.a+=t.data[h+3];r.r=~~(r.r/p),r.g=~~(r.g/p),r.b=~~(r.b/p),r.a=~~(r.a/p),r.a=r.a/255,i(r)}),s.addEventListener("error",function(){n()}),s.setAttribute("crossorigin","anonymous"),s.setAttribute("src",t)})}},SL.util.anim={collapseListItem:function(t,e,i){t=$(t),t.addClass("no-transition"),t.css({overflow:"hidden"}),t.animate({opacity:0,height:0,minHeight:0,paddingTop:0,paddingBottom:0,marginTop:0,marginBottom:0},{duration:i||500,complete:e})}},SL.util.social={getFacebookShareLink:function(t,e,i,n){return"http://www.facebook.com/sharer.php?s=100&p[title]="+encodeURIComponent(e)+"&p[summary]="+encodeURIComponent(i)+"&p[url]="+t+"&p[images][0]="+n},getTwitterShareLink:function(t,e){return"http://twitter.com/share?text="+encodeURIComponent(e)+"&url="+encodeURIComponent(t)+"&via=slides"},getGoogleShareLink:function(t){return"https://plus.google.com/share?url="+encodeURIComponent(t)}},SL.util.selection={clear:function(){window.getSelection&&(window.getSelection().empty?window.getSelection().empty():window.getSelection().removeAllRanges&&window.getSelection().removeAllRanges())},moveCursorToEnd:function(t){if(t){t.focus();var e=document.createRange();e.selectNodeContents(t),e.collapse(!1),selection=window.getSelection(),selection.removeAllRanges(),selection.addRange(e)}},selectText:function(t){var e,i;document.body.createTextRange?(e=document.body.createTextRange(),e.moveToElementText(t),e.select()):window.getSelection&&(i=window.getSelection(),e=document.createRange(),e.selectNodeContents(t),i.removeAllRanges(),i.addRange(e))},getSelectedElement:function(){var t=window.getSelection();return t&&t.anchorNode?t.anchorNode.parentNode:null},getSelectedTags:function(){var t=SL.util.selection.getSelectedElement(),e=[];if(t)for(;t;)e.push(t.nodeName.toLowerCase()),t=t.parentNode;return e},getSelectedHTML:function(){var t;if(document.selection&&document.selection.createRange)return t=document.selection.createRange(),t.htmlText;if(window.getSelection){var e=window.getSelection();if(e.rangeCount>0){t=e.getRangeAt(0);var i=t.cloneContents(),n=document.createElement("div");return n.appendChild(i),n.innerHTML}}return""}},"undefined"!=typeof window.Spinner&&"undefined"!=typeof SL.util&&SL.util.html.generateSpinners(),SL.activity={init:function(){this.initialized||(this.initialized=!0,this.history=[Date.now()],this.listeners=[],this.bind(),setInterval(this.checkListeners.bind(this),500))},bind:function(){this.onUserInput=$.throttle(this.onUserInput.bind(this),100),document.addEventListener("mousedown",this.onUserInput),document.addEventListener("mousemove",this.onUserInput),document.addEventListener("touchstart",this.onUserInput),document.addEventListener("touchmove",this.onUserInput),document.addEventListener("keydown",this.onUserInput),window.addEventListener("scroll",this.onUserInput),window.addEventListener("mousewheel",this.onUserInput)},checkListeners:function(){this.listeners.forEach(function(t){this.hasBeenInactiveFor(t.duration)?t.active===!0&&(t.active=!1,"function"==typeof t.inactiveCallback&&t.inactiveCallback()):t.active===!1&&(t.active=!0,"function"==typeof t.activeCallback&&t.activeCallback())},this)},hasBeenInactiveFor:function(t){return Date.now()-this.history[0]>t},register:function(t,e,i){this.initialized||this.init(),this.listeners.push({active:!this.hasBeenInactiveFor(t),duration:t,activeCallback:e,inactiveCallback:i})},onUserInput:function(){this.history.unshift(Date.now()),this.history.splice(1e3)}},SL.analytics={CATEGORY_OTHER:"other",CATEGORY_EDITOR:"editor",CATEGORY_THEMING:"theming",CATEGORY_PRESENTING:"presenting",CATEGORY_COLLABORATION:"collaboration",_track:function(t,e,i){"undefined"!=typeof window.ga&&ga("send","event",t,e,i)},_trackPageView:function(t,e){e=e||document.title,"undefined"!=typeof window.ga&&ga(function(){for(var i=ga.getAll(),n=0;n<i.length;++n)i[n].send("pageview",{page:t,title:e})})},track:function(t,e){this._track(SL.analytics.CATEGORY_OTHER,t,e)},trackEditor:function(t,e){this._track(SL.analytics.CATEGORY_EDITOR,t,e)},trackTheming:function(t,e){this._track(SL.analytics.CATEGORY_THEMING,t,e)},trackPresenting:function(t,e){this._track(SL.analytics.CATEGORY_PRESENTING,t,e)},trackCollaboration:function(t,e){this._track(SL.analytics.CATEGORY_COLLABORATION,t,e)},trackCurrentSlide:function(t){if(window.Reveal){var e=window.Reveal.getIndices(),t=window.location.pathname+"/"+e.h;"number"==typeof e.v&&e.v>0&&(t+="/"+e.v);var i=$(Reveal.getCurrentSlide()).find("h1, h2, h3").first().text().trim();(!i||i.length<2)&&(i="Untitled"),this._trackPageView(t,i)}}},SL.config={SLIDE_WIDTH:960,SLIDE_HEIGHT:700,LOGIN_STATUS_INTERVAL:6e4,UNSAVED_CHANGES_INTERVAL:1500,AUTOSAVE_INTERVAL:4e3,DECK_SAVE_TIMEOUT:25e3,DECK_TITLE_MAXLENGTH:200,MEDIA_LABEL_MAXLENGTH:200,SPEAKER_NOTES_MAXLENGTH:1e4,COLLABORATION_IDLE_TIMEOUT:24e4,COLLABORATION_RESET_WRITING_TIMEOUT:15e3,COLLABORATION_SEND_WRITING_INTERVAL:5e3,COLLABORATION_COMMENT_MAXLENGTH:1e3,MAX_IMAGE_UPLOAD_SIZE:1e4,MAX_IMPORT_UPLOAD_SIZE:1e5,IMPORT_SOCKET_TIMEOUT:24e4,PRESENT_CONTROLS_DEFAULT:!0,PRESENT_UPSIZING_DEFAULT:!0,PRESENT_UPSIZING_MAX_SCALE:10,DEFAULT_SLIDE_TRANSITION_DURATION:800,DEFAULT_THEME_COLOR:"white-blue",DEFAULT_THEME_FONT:"montserrat",DEFAULT_THEME_TRANSITION:"slide",DEFAULT_THEME_BACKGROUND_TRANSITION:"slide",AUTO_SLIDE_OPTIONS:[2,4,6,8,10,15,20,30,40],RESERVED_SLIDE_CLASSES:["past","present","future","disabled","overflowing"],FRAGMENT_STYLES:[{id:"",title:"Fade in"},{id:"fade-down",title:"Fade in from above"},{id:"fade-up",title:"Fade in from below"},{id:"fade-right",title:"Fade in from left"},{id:"fade-left",title:"Fade in from right"},{id:"fade-out",title:"Fade out"},{id:"current-visible",title:"Fade in then out"}],THEME_COLORS:[{id:"white-blue"},{id:"sand-blue"},{id:"beige-brown"},{id:"silver-green"},{id:"silver-blue"},{id:"sky-blue"},{id:"blue-yellow"},{id:"cobalt-orange"},{id:"asphalt-orange"},{id:"forest-yellow"},{id:"mint-beige"},{id:"sea-yellow"},{id:"yellow-black"},{id:"coral-blue"},{id:"grey-blue"},{id:"black-blue"},{id:"black-mint"},{id:"black-orange"}],THEME_FONTS:[{id:"montserrat",title:"Montserrat"},{id:"league",title:"League"},{id:"opensans",title:"Open Sans"},{id:"josefine",title:"Josefine"},{id:"palatino",title:"Palatino"},{id:"news",title:"News"},{id:"helvetica",title:"Helvetica"},{id:"merriweather",title:"Merriweather"},{id:"asul",title:"Asul"},{id:"sketch",title:"Sketch"},{id:"quicksand",title:"Quicksand"},{id:"overpass",title:"Overpass v1",deprecated:!0},{id:"overpass2",title:"Overpass"}],THEME_TRANSITIONS:[{id:"slide",title:"Slide"},{id:"linear",title:"Linear",deprecated:!0},{id:"fade",title:"Fade"},{id:"none",title:"None"},{id:"default",title:"Convex"},{id:"concave",title:"Concave"},{id:"zoom",title:"Zoom"},{id:"cube",title:"Cube",deprecated:!0},{id:"page",title:"Page",deprecated:!0}],THEME_BACKGROUND_TRANSITIONS:[{id:"slide",title:"Slide"},{id:"fade",title:"Fade"},{id:"none",title:"None"},{id:"convex",title:"Convex"},{id:"concave",title:"Concave"},{id:"zoom",title:"Zoom"}],BLOCKS:new SL.collections.Collection([{type:"text",factory:"Text",label:"Text",icon:"type"},{type:"image",factory:"Image",label:"Image",icon:"picture"},{type:"shape",factory:"Shape",label:"Shape",icon:"shapes"},{type:"line",factory:"Line",label:"Line",icon:""},{type:"iframe",factory:"Iframe",label:"Iframe",icon:"browser"},{type:"table",factory:"Table",label:"Table",icon:"table"},{type:"code",factory:"Code",label:"Code",icon:"file-css"},{type:"math",factory:"Math",label:"Math",icon:"divide"},{type:"snippet",factory:"Snippet",label:"snippet",icon:"file-xml",hidden:!0}]),DEFAULT_DECK_THUMBNAIL:"https://s3.amazonaws.com/static.slid.es/images/default-deck-thumbnail.png",DEFAULT_USER_THUMBNAIL:"https://s3.amazonaws.com/static.slid.es/images/default-profile-picture.png",DECK_THUMBNAIL_TEMPLATE:['<li class="deck-thumbnail">','<div class="deck-image" style="background-image: url({{DECK_THUMB_URL}})">','<a class="deck-link" href="{{DECK_URL}}"></a>',"</div>",'<footer class="deck-details">','<a class="author" href="{{USER_URL}}">','<span class="picture" style="background-image: url({{USER_THUMB_URL}})"></span>','<span class="name">{{USER_NAME}}</span>',"</a>",'<div class="stats">','<div>{{DECK_VIEWS}}<span class="icon i-eye"></span></div>',"</div>","</footer>","</li>"].join(""),AJAX_SEARCH:"/api/v1/search.json",AJAX_SEARCH_ORGANIZATION:"/api/v1/team/search.json",AJAX_GET_DECK:function(t){return"/api/v1/decks/"+t+".json"},AJAX_CREATE_DECK:function(){return"/api/v1/decks.json"},AJAX_UPDATE_DECK:function(t){return"/api/v1/decks/"+t+".json"},AJAX_PUBLISH_DECK:function(t){return"/api/v1/decks/"+t+"/publish.json"},AJAX_GET_DECK_DATA:function(t){return"/api/v1/decks/"+t+"/data.json"},AJAX_MAKE_DECK_COLLABORATIVE:function(t){return"/api/v1/decks/"+t+"/make_collaborative.json"},AJAX_GET_DECKS_HTML:"/users/decks.html",AJAX_GET_DECKS_TRASHED_HTML:"/users/decks.html?trashed=true",AJAX_TRASH_DECK:function(t){return"/api/v1/decks/"+t+"/trash.json"},AJAX_RECOVER_DECK:function(t){return"/api/v1/decks/"+t+"/recover.json"},AJAX_DESTROY_DECK:function(t){return"/api/v1/decks/"+t+".json"},AJAX_GET_DECK_VERSIONS:function(t){return"/api/v1/decks/"+t+"/revisions.json"},AJAX_PREVIEW_DECK_VERSION:function(t,e,i){return"/"+t+"/"+e+"/preview?revision="+i},AJAX_RESTORE_DECK_VERSION:function(t,e){return"/api/v1/decks/"+t+"/revisions/"+e+"/restore.json"},AJAX_EXPORT_DECK:function(t,e){return"/"+t+"/"+e+"/export"},AJAX_THUMBNAIL_DECK:function(t){return"/api/v1/decks/"+t+"/thumbnails.json"},AJAX_FORK_DECK:function(t){return"/api/v1/decks/"+t+"/fork.json"},AJAX_SHARE_DECK_VIA_EMAIL:function(t){return"/api/v1/decks/"+t+"/deck_shares.json"},AJAX_KUDO_DECK:function(t){return"/api/v1/decks/"+t+"/kudos/kudo.json"},AJAX_UNKUDO_DECK:function(t){return"/api/v1/decks/"+t+"/kudos/unkudo.json"},AJAX_EXPORT_START:function(t){return"/api/v1/decks/"+t+"/exports.json"},AJAX_EXPORT_LIST:function(t){return"/api/v1/decks/"+t+"/exports.json"},AJAX_EXPORT_STATUS:function(t,e){return"/api/v1/decks/"+t+"/exports/"+e+".json"},AJAX_PDF_IMPORT_NEW:"/api/v1/imports.json",AJAX_PDF_IMPORT_UPLOADED:function(t){return"/api/v1/imports/"+t+".json"},AJAX_DROPBOX_CONNECT:"/settings/dropbox/authorize",AJAX_DROPBOX_DISCONNECT:"https://www.dropbox.com/account/security#apps",AJAX_DROPBOX_SYNC_DECK:function(t){return"/api/v1/decks/"+t+"/export.json"},AJAX_UPDATE_TEAM:"/api/v1/team.json",AJAX_LOOKUP_TEAM:"/api/v1/team/lookup.json",AJAX_TEAM_MEMBER_SEARCH:"/api/v1/team/users/search.json",AJAX_TEAM_MEMBERS_LIST:"/api/v1/team/users.json",AJAX_TEAM_MEMBER_CREATE:"/api/v1/team/users.json",AJAX_TEAM_MEMBER_UPDATE:function(t){return"/api/v1/team/users/"+t+".json"},AJAX_TEAM_MEMBER_DELETE:function(t){return"/api/v1/team/users/"+t+".json"},AJAX_TEAM_MEMBER_REACTIVATE:function(t){return"/api/v1/team/users/"+t+"/reactivate.json"},AJAX_TEAM_MEMBER_DEACTIVATE:function(t){return"/api/v1/team/users/"+t+"/deactivate.json"},AJAX_TEAM_INVITATIONS_LIST:"/api/v1/team/invitations.json",AJAX_TEAM_INVITATIONS_CREATE:"/api/v1/team/invitations.json",AJAX_TEAM_INVITATIONS_DELETE:function(t){return"/api/v1/team/invitations/"+t+".json"},AJAX_TEAM_INVITATIONS_RESEND:function(t){return"/api/v1/team/invitations/"+t+"/resend.json"},AJAX_THEMES_LIST:"/api/v1/themes.json",AJAX_THEMES_CREATE:"/api/v1/themes.json",AJAX_THEMES_READ:function(t){return"/api/v1/themes/"+t+".json"},AJAX_THEMES_UPDATE:function(t){return"/api/v1/themes/"+t+".json"},AJAX_THEMES_DELETE:function(t){return"/api/v1/themes/"+t+".json"},AJAX_DECK_THEME:function(t){return"/api/v1/decks/"+t+"/theme.json"},AJAX_THEME_ADD_SLIDE_TEMPLATE:function(t){return"/api/v1/themes/"+t+"/add_slide_template.json"},AJAX_THEME_REMOVE_SLIDE_TEMPLATE:function(t){return"/api/v1/themes/"+t+"/remove_slide_template.json"},AJAX_ACCESS_TOKENS_LIST:function(t){return"/api/v1/decks/"+t+"/access_tokens.json"},AJAX_ACCESS_TOKENS_CREATE:function(t){return"/api/v1/decks/"+t+"/access_tokens.json"},AJAX_ACCESS_TOKENS_UPDATE:function(t,e){return"/api/v1/decks/"+t+"/access_tokens/"+e+".json"},AJAX_ACCESS_TOKENS_DELETE:function(t,e){return"/api/v1/decks/"+t+"/access_tokens/"+e+".json"},AJAX_ACCESS_TOKENS_PASSWORD_AUTH:function(t){return"/access_tokens/"+t+".json"},AJAX_SLIDE_TEMPLATES_LIST:"/api/v1/slide_templates.json",AJAX_SLIDE_TEMPLATES_CREATE:"/api/v1/slide_templates.json",AJAX_SLIDE_TEMPLATES_UPDATE:function(t){return"/api/v1/slide_templates/"+t+".json"},AJAX_SLIDE_TEMPLATES_DELETE:function(t){return"/api/v1/slide_templates/"+t+".json"},AJAX_TEAM_SLIDE_TEMPLATES_LIST:"/api/v1/team/slide_templates.json",AJAX_TEAM_SLIDE_TEMPLATES_CREATE:"/api/v1/team/slide_templates.json",AJAX_TEAM_SLIDE_TEMPLATES_UPDATE:function(t){return"/api/v1/team/slide_templates/"+t+".json"},AJAX_TEAM_SLIDE_TEMPLATES_DELETE:function(t){return"/api/v1/team/slide_templates/"+t+".json"},AJAX_GET_USER:function(t){return"/api/v1/users/"+t+".json"},AJAX_LOOKUP_USER:"/api/v1/users/lookup.json",AJAX_SERVICES_USER:"/api/v1/users/services.json",AJAX_UPDATE_USER:"/users.json",AJAX_GET_USER_SETTINGS:"/api/v1/user_settings.json",AJAX_UPDATE_USER_SETTINGS:"/api/v1/user_settings.json",AJAX_SUBSCRIPTIONS:"/subscriptions",AJAX_ACCOUNT_DETAILS:"/account/details.json",AJAX_SUBSCRIPTION_DETAILS:"/account/subscription.json",AJAX_SUBSCRIPTIONS_PRINT_RECEIPT:function(t){return"/account/receipts/"+t},AJAX_SUBSCRIPTIONS_REACTIVATE:"/subscriptions/reactivate",AJAX_TEAMS_CREATE:"/teams.json",AJAX_TEAMS_REACTIVATE:"/subscriptions/reactivate.json",AJAX_CHECK_STATUS:"/api/v1/status.json",AJAX_MEDIA_LIST:"/api/v1/media.json",AJAX_MEDIA_CREATE:"/api/v1/media.json",AJAX_MEDIA_UPDATE:function(t){return"/api/v1/media/"+t+".json"},AJAX_MEDIA_DELETE:function(t){return"/api/v1/media/"+t+".json"},AJAX_MEDIA_TAG_LIST:"/api/v1/tags.json",AJAX_MEDIA_TAG_CREATE:"/api/v1/tags.json",AJAX_MEDIA_TAG_UPDATE:function(t){return"/api/v1/tags/"+t+".json"},AJAX_MEDIA_TAG_DELETE:function(t){return"/api/v1/tags/"+t+".json"},AJAX_MEDIA_TAG_ADD_MEDIA:function(t){return"/api/v1/tags/"+t+"/add_media.json"},AJAX_MEDIA_TAG_REMOVE_MEDIA:function(t){return"/api/v1/tags/"+t+"/remove_media.json"},AJAX_TEAM_MEDIA_LIST:"/api/v1/team/media.json",AJAX_TEAM_MEDIA_CREATE:"/api/v1/team/media.json",AJAX_TEAM_MEDIA_UPDATE:function(t){return"/api/v1/team/media/"+t+".json"},AJAX_TEAM_MEDIA_DELETE:function(t){return"/api/v1/team/media/"+t+".json"},AJAX_TEAM_MEDIA_TAG_LIST:"/api/v1/team/tags.json",AJAX_TEAM_MEDIA_TAG_CREATE:"/api/v1/team/tags.json",AJAX_TEAM_MEDIA_TAG_UPDATE:function(t){return"/api/v1/team/tags/"+t+".json"},AJAX_TEAM_MEDIA_TAG_DELETE:function(t){return"/api/v1/team/tags/"+t+".json"},AJAX_TEAM_MEDIA_TAG_ADD_MEDIA:function(t){return"/api/v1/team/tags/"+t+"/add_media.json"},AJAX_TEAM_MEDIA_TAG_REMOVE_MEDIA:function(t){return"/api/v1/team/tags/"+t+"/remove_media.json"},AJAX_DECKUSER_LIST:function(t){return"/api/v1/decks/"+t+"/users.json"},AJAX_DECKUSER_READ:function(t,e){return"/api/v1/decks/"+t+"/users/"+e+".json"},AJAX_DECKUSER_CREATE:function(t){return"/api/v1/decks/"+t+"/users/invite.json"},AJAX_DECKUSER_UPDATE:function(t,e){return"/api/v1/decks/"+t+"/users/"+e+".json"},AJAX_DECKUSER_DELETE:function(t,e){return"/api/v1/decks/"+t+"/users/"+e+".json"},AJAX_DECKUSER_BECOME_EDITOR:function(t,e){return"/api/v1/decks/"+t+"/users/"+e+"/become_editor.json"},AJAX_DECKUSER_UPDATE_LAST_SEEN_AT:function(t){return"/api/v1/decks/"+t+"/users/update_last_seen_at.json"},AJAX_COMMENTS_LIST:function(t,e){return"/api/v1/decks/"+t+"/comments.json"+(e?"?slide_hash="+e:"")},AJAX_COMMENTS_CREATE:function(t){return"/api/v1/decks/"+t+"/comments.json"},AJAX_COMMENTS_UPDATE:function(t,e){return"/api/v1/decks/"+t+"/comments/"+e+".json"},AJAX_COMMENTS_DELETE:function(t,e){return"/api/v1/decks/"+t+"/comments/"+e+".json"},STREAM_ENGINE_HOST:window.location.protocol+"//stream2.slides.com",STREAM_ENGINE_LIVE_NAMESPACE:"live",STREAM_ENGINE_EDITOR_NAMESPACE:"editor",APP_HOST:"slides.com",S3_HOST:"https://s3.amazonaws.com/media-p.slid.es",GOOGLE_FONTS_LIST:"https://www.googleapis.com/webfonts/v1/webfonts?key=AIzaSyAD1SV55vtPn4d37DWGvPg8iUKhMj2Epzo",ASSET_URLS:{"offline-v2.css":"//assets.slid.es/assets/offline-v2-b27d1218f363380257f5322c1db3db81.css","homepage-background.jpg":"//assets.slid.es/assets/homepage-background-b002e480a9b1026f07a1a3d066404640.jpg","reveal-plugins/markdown/marked.js":"//assets.slid.es/assets/reveal-plugins/markdown/marked-285d0e546e608bca75e0c8af0d6b44cd.js","reveal-plugins/markdown/markdown.js":"//assets.slid.es/assets/reveal-plugins/markdown/markdown-769f9bfbb5d81257779bf0353cc6ecd4.js","reveal-plugins/highlight/highlight.js":"//assets.slid.es/assets/reveal-plugins/highlight/highlight-9efb98b823ef2e51598faabaa51da5be.js"}},SL.config.V1={DEFAULT_THEME_COLOR:"grey-blue",DEFAULT_THEME_FONT:"league",DEFAULT_THEME_TRANSITION:"linear",DEFAULT_THEME_BACKGROUND_TRANSITION:"fade",THEME_COLORS:[{id:"grey-blue"},{id:"black-mint"},{id:"black-orange"},{id:"forest-yellow"},{id:"lila-yellow"},{id:"asphalt-orange"},{id:"sky-blue"},{id:"beige-brown"},{id:"sand-grey"},{id:"silver-green"},{id:"silver-blue"},{id:"cobalt-orange"},{id:"white-blue"},{id:"mint-beige"},{id:"sea-yellow"},{id:"coral-blue"}],THEME_FONTS:[{id:"league",title:"League"},{id:"opensans",title:"Open Sans"},{id:"josefine",title:"Josefine"},{id:"palatino",title:"Palatino"},{id:"news",title:"News"},{id:"montserrat",title:"Montserrat"},{id:"helvetica",title:"Helvetica"},{id:"asul",title:"Asul"},{id:"merriweather",title:"Merriweather"},{id:"sketch",title:"Sketch"},{id:"quicksand",title:"Quicksand"},{id:"overpass",title:"Overpass v1",deprecated:!0},{id:"overpass2",title:"Overpass"}]},SL.draganddrop={init:function(){this.listeners=new SL.collections.Collection,this.onDragStart=this.onDragStart.bind(this),this.onDragOver=this.onDragOver.bind(this),this.onDragOut=this.onDragOut.bind(this),this.onDrop=this.onDrop.bind(this),this.isListening=!1,this.isInternalDrag=!1},subscribe:function(t){this.listeners.push(t),this.bind()},unsubscribe:function(t){this.listeners.remove(t),this.listeners.isEmpty()&&this.unbind()},dispatch:function(t,e){var i=this.listeners.last();i&&i[t](e)},bind:function(){this.isListening===!1&&(this.isListening=!0,$(document.documentElement).on("dragstart",this.onDragStart).on("dragover dragenter",this.onDragOver).on("dragleave",this.onDragOut).on("drop",this.onDrop))},unbind:function(){this.isListening===!0&&(this.isListening=!1,$(document.documentElement).off("dragstart",this.onDragStart).off("dragover dragenter",this.onDragOver).off("dragleave",this.onDragOut).off("drop",this.onDrop))},onDragStart:function(t){t.preventDefault(),this.isInternalDrag=!0},onDragOver:function(t){this.isInternalDrag||(t.preventDefault(),this.dispatch("onDragOver",t))},onDragOut:function(t){this.isInternalDrag||(t.preventDefault(),this.dispatch("onDragOut",t))},onDrop:function(t){return this.isInternalDrag?void 0:(t.stopPropagation(),t.preventDefault(),this.isInternalDrag=!1,this.dispatch("onDrop",t),!1)}},SL.fonts={INIT_TIMEOUT:5e3,FONTS_URL:SLConfig.fonts_url||"https://s3.amazonaws.com/static.slid.es/fonts/",FAMILIES:{montserrat:{id:"montserrat",name:"Montserrat",path:"montserrat/montserrat.css"},opensans:{id:"opensans",name:"Open Sans",path:"opensans/opensans.css"},lato:{id:"lato",name:"Lato",path:"lato/lato.css"},asul:{id:"asul",name:"Asul",path:"asul/asul.css"},josefinsans:{id:"josefinsans",name:"Josefin Sans",path:"josefinsans/josefinsans.css"},league:{id:"league",name:"League Gothic",path:"league/league_gothic.css"},merriweathersans:{id:"merriweathersans",name:"Merriweather Sans",path:"merriweathersans/merriweathersans.css"},overpass:{id:"overpass",name:"Overpass",path:"overpass/overpass.css"},overpass2:{id:"overpass2",name:"Overpass 2",path:"overpass2/overpass2.css"},quicksand:{id:"quicksand",name:"Quicksand",path:"quicksand/quicksand.css"},cabinsketch:{id:"cabinsketch",name:"Cabin Sketch",path:"cabinsketch/cabinsketch.css"},newscycle:{id:"newscycle",name:"News Cycle",path:"newscycle/newscycle.css"},oxygen:{id:"oxygen",name:"Oxygen",path:"oxygen/oxygen.css"}},PACKAGES:{asul:["asul"],helvetica:[],josefine:["josefinsans","lato"],league:["league","lato"],merriweather:["merriweathersans","oxygen"],news:["newscycle","lato"],montserrat:["montserrat","opensans"],opensans:["opensans"],overpass:["overpass"],overpass2:["overpass2"],palatino:[],quicksand:["quicksand","opensans"],sketch:["cabinsketch","oxygen"]},init:function(){if(this._isReady=!1,this.ready=new signals.Signal,this.loaded=new signals.Signal,this.fontactive=new signals.Signal,this.fontinactive=new signals.Signal,this.debugMode=!!SL.util.getQuery().debug,$("link[data-application-font]").each(function(){var t=$(this).attr("data-application-font");SL.fonts.FAMILIES[t]&&(SL.fonts.FAMILIES[t].loaded=!0)}),SLConfig&&SLConfig.deck){var t=this.loadDeckFont([SLConfig.deck.theme_font||SL.config.DEFAULT_THEME_FONT],{active:this.onInitialFontsActive.bind(this),inactive:this.onInitialFontsInactive.bind(this)});t?this.initTimeout=setTimeout(function(){this.debugMode&&console.log("SL.fonts","timed out"),this.finishLoading()}.bind(this),SL.fonts.INIT_TIMEOUT):this.finishLoading()}else this.finishLoading()},load:function(t,e){var i=$.extend({classes:!1,fontactive:this.onFontActive.bind(this),fontinactive:this.onFontInactive.bind(this),custom:{families:[],urls:[]}},e);return t.forEach(function(t){var e=SL.fonts.FAMILIES[t];e?e.loaded?"function"==typeof i.fontactive&&i.fontactive(e.name):(e.loaded=!0,i.custom.families.push(e.name),i.custom.urls.push(SL.fonts.FONTS_URL+e.path)):console.warn('Could not find font family with id "'+t+'"')}),SLConfig&&SLConfig.deck&&(SLConfig.deck.font_typekit&&(i.typekit={id:SLConfig.deck.font_typekit}),SLConfig.deck.font_google&&(i.google=i.google||{families:[]},i.google.families=i.google.families.concat(SL.fonts.parseGoogleFontFamilies(SLConfig.deck.font_google)))),SLConfig&&SLConfig.theme&&(SLConfig.theme.font_typekit&&(i.typekit={id:SLConfig.theme.font_typekit}),SLConfig.theme.font_google&&(i.google=i.google||{families:[]},i.google.families=i.google.families.concat(SL.fonts.parseGoogleFontFamilies(SLConfig.theme.font_google)))),this.debugMode&&console.log("SL.fonts.load",i.custom.families),i.custom.families.length||i.typekit||i.google?(WebFont.load(i),!0):!1},loadAll:function(t){var e=[];for(var i in SL.fonts.FAMILIES)e.push(i);this.load(e,t)},loadDeckFont:function(t,e){var i=SL.fonts.PACKAGES[t];return i?SL.fonts.load(i,e):!1},loadGoogleFont:function(t){WebFont.load({google:{families:SL.fonts.parseGoogleFontFamilies(t)}})},loadTypekitFont:function(t){WebFont.load({typekit:{id:t}})},parseGoogleFontFamilies:function(t){return t=(t||"").trim().split(", "),t=t.map(function(t){return t.trim().replace(/(^,)|(,$)/gi,"")}),t=t.filter(function(t){return"string"==typeof t&&t.length>0})},unload:function(t){t.forEach(function(t){var e=SL.fonts.FAMILIES[t];e&&(e.loaded=!1,$('link[href="'+SL.fonts.FONTS_URL+e.path+'"]').remove())})},finishLoading:function(){clearTimeout(this.initTimeout),$("html").addClass("fonts-are-ready"),this._isReady===!1&&(this._isReady=!0,this.ready.dispatch()),this.loaded.dispatch()},getPackageIDs:function(){return Object.keys(SL.fonts.PACKAGES)},getFamilyByName:function(t){for(var e in SL.fonts.FAMILIES){var i=SL.fonts.FAMILIES[e];if(t===i.name)return i}},isPackageLoaded:function(t){var e=SL.fonts.PACKAGES[t];return e?0===e.length?!0:e.every(function(t){var e=SL.fonts.FAMILIES[t];return e.active||e.inactive}):!0},isReady:function(){return this._isReady},onFontActive:function(t){var e=SL.fonts.getFamilyByName(t);e&&(e.active=!0),this.fontactive.dispatch(e)},onFontInactive:function(t){var e=SL.fonts.getFamilyByName(t);e&&(e.inactive=!0),this.fontinactive.dispatch(e)},onInitialFontsActive:function(){this.finishLoading()},onInitialFontsInactive:function(){this.finishLoading()}},SL.keyboard={init:function(){this.keyupConsumers=new SL.collections.Collection,this.keydownConsumers=new SL.collections.Collection,$(document).on("keydown",this.onDocumentKeyDown.bind(this)),$(document).on("keyup",this.onDocumentKeyUp.bind(this))},keydown:function(t){this.keydownConsumers.push(t)},keyup:function(t){this.keyupConsumers.push(t)},release:function(t){this.keydownConsumers.remove(t),this.keyupConsumers.remove(t)},onDocumentKeyDown:function(t){for(var e,i=this.keydownConsumers.size(),n=!1;e=this.keydownConsumers.at(--i);)if(!e(t)){n=!0;break}return n?(t.preventDefault(),t.stopImmediatePropagation(),!1):void 0},onDocumentKeyUp:function(t){for(var e,i=this.keyupConsumers.size(),n=!1;e=this.keyupConsumers.at(--i);)if(!e(t)){n=!0;break}return n?(t.preventDefault(),t.stopImmediatePropagation(),!1):void 0}},SL.locale={GENERIC_ERROR:["Oops, something went wrong","We ran into an unexpected error","Something's wong, can you try that again?"],WARN_UNSAVED_CHANGES:"You have unsaved changes, save first?",CLOSE:"Close",PREVIOUS:"Previous",NEXT:"Next",DECK_SAVE_SUCCESS:"Saved successfully",DECK_SAVE_ERROR:"Failed to save",NEW_SLIDE_TITLE:"Title",LEAVE_UNSAVED_DECK:"You will lose your unsaved changes.",LEAVE_UNSAVED_THEME:"You will lose your unsaved changes.",DOWNGRADE_TO_FREE_CONFIRM:"Your account will be downgraded to the Free plan at the end of the current billing period.",DOWNGRADE_TO_FREE_SUCCESS:"Subscription canceled",DECK_RESTORE_CONFIRM:"Are you sure you want to revert to this version from {#time}?",DECK_TRASH_CONFIRM:'Are you sure you want to delete "{#title}"?',DECK_TRASH_SUCCESS:"Moved to trash",DECK_TRASH_ERROR:"Failed to delete",DECK_DESTROY_CONFIRM:'Are you sure you want to permanently delete "{#title}"?',DECK_DESTROY_SUCCESS:"Deck deleted",DECK_DESTROY_ERROR:"Failed to delete",DECK_RECOVER_CONFIRM:'Are you sure you want to recover "{#title}"?',DECK_RECOVER_SUCCESS:"Deck recovered",DECK_RECOVER_ERROR:"Failed to recover",DECK_VISIBILITY_CHANGE_SELF:'<div><span class="icon i-lock-stroke"></span></div><h3>Private</h3><p>Only visible to you</p>',DECK_VISIBILITY_CHANGE_TEAM:'<div><span class="icon i-users"></span></div><h3>Internal</h3><p>Visible to your team</p>',DECK_VISIBILITY_CHANGE_ALL:'<div><span class="icon i-globe"></span></div><h3>Public</h3><p>Visible to the world</p>',DECK_VISIBILITY_CHANGED_SELF:"Your deck is now private",DECK_VISIBILITY_CHANGED_TEAM:"Your deck is now internal",DECK_VISIBILITY_CHANGED_ALL:"Your deck is now public",DECK_VISIBILITY_CHANGED_ERROR:"Failed to change visibility",DECK_EDIT_INVALID_TITLE:"Please enter a valid title",DECK_EDIT_INVALID_SLUG:"Please enter a valid URL",DECK_DELETE_SLIDE_CONFIRM:"Are you sure you want to remove this slide?",DECK_IMPORT_HTML_CONFIRM:"All existing content will be replaced, continue?",EXPORT_PDF_BUTTON:"Download PDF",EXPORT_PDF_BUTTON_WORKING:"Creating PDF...",EXPORT_PDF_ERROR:"An error occured while exporting your PDF.",EXPORT_PPT_BUTTON:"Download PPTX",EXPORT_PPT_BUTTON_WORKING:"Creating PPTX...",EXPORT_PPT_ERROR:"An error occured while exporting to PowerPoint.",EXPORT_ZIP_BUTTON:"Download ZIP",EXPORT_ZIP_BUTTON_WORKING:"Creating ZIP...",EXPORT_ZIP_ERROR:"An error occured while exporting your ZIP.",FORM_ERROR_REQUIRED:"Required",FORM_ERROR_USERNAME_TAKEN:["That one's already taken :(","Sorry, that's taken too"],FORM_ERROR_ORGANIZATION_SLUG_TAKEN:["That one's already taken :(","Sorry, that's taken too"],BILLING_DETAILS_ERROR:"An error occured while fetching your billing details, please try again.",BILLING_DETAILS_NOHISTORY:"You haven't made any payments yet.",THEME_CREATE:"New theme",THEME_CREATE_ERROR:"Failed to create theme",THEME_SAVE_SUCCESS:"Theme saved",THEME_SAVE_ERROR:"Failed to save theme",THEME_REMOVE_CONFIRM:"Are you sure you want to delete this theme?",THEME_REMOVE_SUCCESS:"Theme removed successfully",THEME_REMOVE_ERROR:"Failed to remove theme",THEME_LIST_LOAD_ERROR:"Failed to load themes",THEME_LIST_EMPTY:"Once you have created one or more themes they'll be listed here. Click the New Theme button to get started with your first theme.",THEME_DEFAULT_SAVE_SUCCESS:"Default theme was changed",THEME_DEFAULT_SAVE_ERROR:"Failed to change default theme",THEME_DELETE_TOOLTIP:"Delete",THEME_EDIT_TOOLTIP:"Edit",THEME_MAKE_DEFAULT_TOOLTIP:"Make this the default theme",THEME_IS_DEFAULT_TOOLTIP:"This is the default theme",THEME_SNIPPET_DELETE_CONFIRM:"Are you sure you want to delete this snippet?",TEMPLATE_LOAD_ERROR:"Failed to load slide templates",TEMPLATE_CREATE_SUCCESS:"Template saved!",TEMPLATE_CREATE_ERROR:"Failed to save template",TEMPLATE_DELETE_CONFIRM:"Are you sure you want to delete this template?",SEARCH_PAGINATION_PAGE:"Page",SEARCH_NO_RESULTS_FOR:'No results for "{#term}"',SEARCH_SERVER_ERROR:"Failed to fetch search results",SEARCH_NO_TERM_ERROR:"Please enter a search term",MEDIA_TAG_DELETE_CONFIRM:"Are you sure you want to permanently delete this tag?",MEDIA_TAG_DELETE_SUCCESS:"Tag deleted",MEDIA_TAG_DELETE_ERROR:"Failed to delete",COLLABORATOR_REMOVE_CONFIRM:"Are you sure you want to remove this user?",counter:{},get:function(t,e){var i=SL.locale[t];
+if("object"==typeof i&&i.length&&(this.counter[t]="number"==typeof this.counter[t]?(this.counter[t]+1)%i.length:0,i=i[this.counter[t]]),"object"==typeof e)for(var n in e)i=i.replace("{#"+n+"}",e[n]);return"string"==typeof i?i:""}},function(t){var e={};e.sync=function(){$("[data-placement]").each(function(){var t=$(this),i=t.attr("data-placement");"function"==typeof e[i]?e[i](t):console.log('No matching layout found for "'+i+'"')})},e.hcenter=function(t){var e=t.parent();e&&t.css("left",(e.width()-t.outerWidth())/2)},e.vcenter=function(t){var e=t.parent();e&&t.css("top",(e.height()-t.outerHeight())/2)},e.center=function(t){var e=t.parent();if(e){var i=e.width(),n=e.height(),s=t.outerWidth(),o=t.outerHeight();t.css({left:(i-s)/2,top:(n-o)/2})}},e.sync(),$(t).on("resize",e.sync),t.Placement=e}(window),SL.pointer={down:!1,downTimeout:-1,init:function(){$(document).on("mousedown",this.onMouseDown.bind(this)),$(document).on("mouseleave",this.onMouseLeave.bind(this)),$(document).on("mouseup",this.onMouseUp.bind(this))},isDown:function(){return this.down},onMouseDown:function(){clearTimeout(this.downTimeout),this.down=!0,this.downTimeout=setTimeout(function(){this.down=!1}.bind(this),3e4)},onMouseLeave:function(){clearTimeout(this.downTimeout),this.down=!1},onMouseUp:function(){clearTimeout(this.downTimeout),this.down=!1}},SL.routes={PRICING:"/pricing",CHANGELOG:"/changelog",SIGN_IN:"/users/sign_in",SIGN_OUT:"/users/sign_out",NEW_TEAM:"/teams/new",BRAND_KIT:"/about#logo",SUBSCRIPTIONS_NEW:"/account/upgrade",SUBSCRIPTIONS_EDIT_CARD:"/account/update_billing",SUBSCRIPTIONS_EDIT_PERIOD:"/account/update_billing_period",USER:function(t){return"/"+t},USER_EDIT:"/users/edit",DECK:function(t,e){return"/"+t+"/"+e},DECK_NEW:function(t){return"/"+t+"/new"},DECK_EDIT:function(t,e){return"/"+t+"/"+e+"/edit"},DECK_REVIEW:function(t,e){return"/"+t+"/"+e+"/review"},DECK_EMBED:function(t,e){return"/"+t+"/"+e+"/embed"},DECK_LIVE:function(t,e){return"/"+t+"/"+e+"/live"},THEME_EDITOR:"/themes",BILLING_DETAILS:"/account/billing",TEAM:function(t){return window.location.protocol+"//"+t.get("slug")+"."+SL.config.APP_HOST},TEAM_EDIT:function(t){return SL.routes.TEAM(t)+"/edit"},TEAM_EDIT_MEMBERS:function(t){return SL.routes.TEAM(t)+"/edit_members"}},SL.session={enforce:function(){this.enforced||(this.enforced=!0,this.hasLoggedOut=!1,this.loginInterval=setInterval(this.check.bind(this),SL.config.LOGIN_STATUS_INTERVAL))},check:function(){$.get(SL.config.AJAX_CHECK_STATUS).done(function(t){t&&t.user_signed_in?this.onLoggedIn():this.onLoggedOut()}.bind(this))},onLoggedIn:function(){this.hasLoggedOut&&(this.hasLoggedOut=!1,SL.popup.close(SL.components.popup.SessionExpired))},onLoggedOut:function(){this.hasLoggedOut||(this.hasLoggedOut=!0,SL.popup.open(SL.components.popup.SessionExpired))}},SL.settings={STORAGE_KEY:"slides-settings",STORAGE_VERSION:1,EDITOR_AUTO_HIDE:"editorAutoHide",EDITOR_AUTO_SAVE:"editorAutoSave",init:function(){this.settings={version:this.STORAGE_VERSION},this.changed=new signals.Signal,this.restore()},setDefaults:function(){"undefined"==typeof this.settings[this.EDITOR_AUTO_HIDE]&&(this.settings[this.EDITOR_AUTO_HIDE]=!1),"undefined"==typeof this.settings[this.EDITOR_AUTO_SAVE]&&(this.settings[this.EDITOR_AUTO_SAVE]=!0)},setValue:function(t,e){"object"==typeof t?$.extend(this.settings,t):this.settings[t]=e,this.save(),this.changed.dispatch([t])},getValue:function(t){return this.settings[t]},removeValue:function(t){"object"==typeof t&&t.length?t.forEach(function(t){delete this.settings[t]}.bind(this)):delete this.settings[t],this.save(),this.changed.dispatch([t])},restore:function(){if(Modernizr.localstorage){var t=localStorage.getItem(this.STORAGE_KEY);if(t){var e=JSON.parse(localStorage.getItem(this.STORAGE_KEY));e&&e.version===this.STORAGE_VERSION?(this.settings=e,this.setDefaults(),this.changed.dispatch()):(this.setDefaults(),this.save())}}this.setDefaults()},save:function(){Modernizr.localstorage&&localStorage.setItem(this.STORAGE_KEY,JSON.stringify(this.settings))}},SL.util.svg={NAMESPACE:"http://www.w3.org/2000/svg",SYMBOLS:{happy:'<path d="M16 32c8.837 0 16-7.163 16-16s-7.163-16-16-16-16 7.163-16 16 7.163 16 16 16zM16 3c7.18 0 13 5.82 13 13s-5.82 13-13 13-13-5.82-13-13 5.82-13 13-13zM16 18.711c3.623 0 7.070-0.963 10-2.654-0.455 5.576-4.785 9.942-10 9.942-5.215 0-9.544-4.371-10-9.947 2.93 1.691 6.377 2.658 10 2.658zM8 11c0-1.657 0.895-3 2-3s2 1.343 2 3c0 1.657-0.895 3-2 3-1.105 0-2-1.343-2-3zM20 11c0-1.657 0.895-3 2-3s2 1.343 2 3c0 1.657-0.895 3-2 3-1.105 0-2-1.343-2-3z"></path>',smiley:'<path d="M16 32c8.837 0 16-7.163 16-16s-7.163-16-16-16-16 7.163-16 16 7.163 16 16 16zM16 3c7.18 0 13 5.82 13 13s-5.82 13-13 13-13-5.82-13-13 5.82-13 13-13zM8 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM20 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM22.003 19.602l2.573 1.544c-1.749 2.908-4.935 4.855-8.576 4.855s-6.827-1.946-8.576-4.855l2.573-1.544c1.224 2.036 3.454 3.398 6.003 3.398s4.779-1.362 6.003-3.398z"></path>',wondering:'<path d="M16 32c8.837 0 16-7.163 16-16s-7.163-16-16-16-16 7.163-16 16 7.163 16 16 16zM16 3c7.18 0 13 5.82 13 13s-5.82 13-13 13-13-5.82-13-13 5.82-13 13-13zM23.304 18.801l0.703 2.399-13.656 4-0.703-2.399zM8 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM20 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2z"></path>',sad:'<path d="M16 32c8.837 0 16-7.163 16-16s-7.163-16-16-16-16 7.163-16 16 7.163 16 16 16zM16 3c7.18 0 13 5.82 13 13s-5.82 13-13 13-13-5.82-13-13 5.82-13 13-13zM8 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM20 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM9.997 24.398l-2.573-1.544c1.749-2.908 4.935-4.855 8.576-4.855 3.641 0 6.827 1.946 8.576 4.855l-2.573 1.544c-1.224-2.036-3.454-3.398-6.003-3.398-2.549 0-4.779 1.362-6.003 3.398z"></path>',"checkmark-circle":'<path d="M16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16zM13.52 23.383l-7.362-7.363 2.828-2.828 4.533 4.535 9.617-9.617 2.828 2.828-12.444 12.445z"></path>',"plus-circle":'<path d="M16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16zM24 18h-6v6h-4v-6h-6v-4h6v-6h4v6h6v4z"></path>',"minus-circle":'<path d="M16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16zM24 18h-16v-4h16v4z"></path>',"x-circle":'<path d="M16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16zM23.914 21.086l-2.828 2.828-5.086-5.086-5.086 5.086-2.828-2.828 5.086-5.086-5.086-5.086 2.828-2.828 5.086 5.086 5.086-5.086 2.828 2.828-5.086 5.086 5.086 5.086z"></path>',denied:'<path d="M16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16zM16 4c2.59 0 4.973 0.844 6.934 2.242l-16.696 16.688c-1.398-1.961-2.238-4.344-2.238-6.93 0-6.617 5.383-12 12-12zM16 28c-2.59 0-4.973-0.844-6.934-2.242l16.696-16.688c1.398 1.961 2.238 4.344 2.238 6.93 0 6.617-5.383 12-12 12z"></path>',clock:'<path d="M16 4c6.617 0 12 5.383 12 12s-5.383 12-12 12-12-5.383-12-12 5.383-12 12-12zM16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16v0zM21.422 18.578l-3.422-3.426v-7.152h-4.023v7.992c0 0.602 0.277 1.121 0.695 1.492l3.922 3.922 2.828-2.828z"></path>',"heart-stroke":'<path d="M23.113 6c2.457 0 4.492 1.82 4.836 4.188l-11.945 13.718-11.953-13.718c0.344-2.368 2.379-4.188 4.836-4.188 2.016 0 3.855 2.164 3.855 2.164l3.258 3.461 3.258-3.461c0 0 1.84-2.164 3.855-2.164zM23.113 2c-2.984 0-5.5 1.578-7.113 3.844-1.613-2.266-4.129-3.844-7.113-3.844-4.903 0-8.887 3.992-8.887 8.891v0.734l16.008 18.375 15.992-18.375v-0.734c0-4.899-3.984-8.891-8.887-8.891v0z"></path>',"heart-fill":'<path d="M16 5.844c-1.613-2.266-4.129-3.844-7.113-3.844-4.903 0-8.887 3.992-8.887 8.891v0.734l16.008 18.375 15.992-18.375v-0.734c0-4.899-3.984-8.891-8.887-8.891-2.984 0-5.5 1.578-7.113 3.844z"></path>',home:'<path d="M16 0l-16 16h4v16h24v-16h4l-16-16zM24 28h-6v-6h-4v6h-6v-14.344l8-5.656 8 5.656v14.344z"></path>',pin:'<path d="M17.070 2.93c-3.906-3.906-10.234-3.906-14.141 0-3.906 3.904-3.906 10.238 0 14.14 0.001 0 7.071 6.93 7.071 14.93 0-8 7.070-14.93 7.070-14.93 3.907-3.902 3.907-10.236 0-14.14zM10 14c-2.211 0-4-1.789-4-4s1.789-4 4-4 4 1.789 4 4-1.789 4-4 4z"></path>',user:'<path d="M12 16c-6.625 0-12 5.375-12 12 0 2.211 1.789 4 4 4h16c2.211 0 4-1.789 4-4 0-6.625-5.375-12-12-12zM6 6c0-3.314 2.686-6 6-6s6 2.686 6 6c0 3.314-2.686 6-6 6-3.314 0-6-2.686-6-6z"></path>',mail:'<path d="M15.996 15.457l16.004-7.539v-3.918h-32v3.906zM16.004 19.879l-16.004-7.559v15.68h32v-15.656z"></path>',star:'<path d="M22.137 19.625l9.863-7.625h-12l-4-12-4 12h-12l9.875 7.594-3.875 12.406 10.016-7.68 9.992 7.68z"></path>',bolt:'<path d="M32 0l-24 16 6 4-14 12 24-12-6-4z"></path>',sun:'<path d="M16.001 8c-4.418 0-8 3.582-8 8s3.582 8 8 8c4.418 0 7.999-3.582 7.999-8s-3.581-8-7.999-8v0zM14 2c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM4 6c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM2 14c1.105 0 2 0.895 2 2 0 1.107-0.895 2-2 2s-2-0.893-2-2c0-1.105 0.895-2 2-2zM4 26c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM14 30c0-1.109 0.895-2 2-2 1.108 0 2 0.891 2 2 0 1.102-0.892 2-2 2-1.105 0-2-0.898-2-2zM24 26c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM30 18c-1.104 0-2-0.896-2-2 0-1.107 0.896-2 2-2s2 0.893 2 2c0 1.104-0.896 2-2 2zM24 6c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2z"></path>',moon:'<path d="M24.633 22.184c-8.188 0-14.82-6.637-14.82-14.82 0-2.695 0.773-5.188 2.031-7.363-6.824 1.968-11.844 8.187-11.844 15.644 0 9.031 7.32 16.355 16.352 16.355 7.457 0 13.68-5.023 15.648-11.844-2.18 1.254-4.672 2.028-7.367 2.028z"></path>',cloud:'<path d="M24 10c-0.379 0-0.738 0.061-1.102 0.111-1.394-2.465-3.972-4.111-6.898-4.111-2.988 0-5.566 1.666-6.941 4.1-0.352-0.047-0.704-0.1-1.059-0.1-4.41 0-8 3.588-8 8 0 4.414 3.59 8 8 8h16c4.41 0 8-3.586 8-8 0-4.412-3.59-8-8-8zM24 22h-16c-2.207 0-4-1.797-4-4 0-2.193 1.941-3.885 4.004-3.945 0.008 0.943 0.172 1.869 0.5 2.744l3.746-1.402c-0.168-0.444-0.25-0.915-0.25-1.397 0-2.205 1.793-4 4-4 1.293 0 2.465 0.641 3.199 1.639-1.929 1.461-3.199 3.756-3.199 6.361h4c0-2.205 1.793-4 4-4s4 1.795 4 4c0 2.203-1.793 4-4 4z"></path>',rain:'<path d="M23.998 6c-0.375 0-0.733 0.061-1.103 0.111-1.389-2.465-3.969-4.111-6.895-4.111-2.987 0-5.565 1.666-6.94 4.1-0.353-0.047-0.705-0.1-1.060-0.1-4.41 0-8 3.588-8 8s3.59 8 8 8h15.998c4.414 0 8-3.588 8-8s-3.586-8-8-8zM23.998 18h-15.998c-2.207 0-4-1.795-4-4 0-2.193 1.941-3.885 4.004-3.945 0.009 0.943 0.172 1.869 0.5 2.744l3.746-1.402c-0.168-0.444-0.25-0.915-0.25-1.397 0-2.205 1.793-4 4-4 1.293 0 2.465 0.641 3.199 1.639-1.928 1.461-3.199 3.756-3.199 6.361h4c0-2.205 1.795-4 3.998-4 2.211 0 4 1.795 4 4s-1.789 4-4 4zM3.281 29.438c-0.75 0.75-1.969 0.75-2.719 0s-0.75-1.969 0-2.719 5.438-2.719 5.438-2.719-1.969 4.688-2.719 5.438zM11.285 29.438c-0.75 0.75-1.965 0.75-2.719 0-0.75-0.75-0.75-1.969 0-2.719 0.754-0.75 5.438-2.719 5.438-2.719s-1.965 4.688-2.719 5.438zM19.28 29.438c-0.75 0.75-1.969 0.75-2.719 0s-0.75-1.969 0-2.719 5.437-2.719 5.437-2.719-1.968 4.688-2.718 5.438z"></path>',umbrella:'<path d="M16 0c-8.82 0-16 7.178-16 16h4c0-0.826 0.676-1.5 1.5-1.5 0.828 0 1.5 0.674 1.5 1.5h4c0-0.826 0.676-1.5 1.5-1.5 0.828 0 1.5 0.674 1.5 1.5v10c0 1.102-0.895 2-2 2-1.102 0-2-0.898-2-2h-4c0 3.309 2.695 6 6 6 3.312 0 6-2.691 6-6v-10c0-0.826 0.676-1.5 1.5-1.5 0.828 0 1.498 0.674 1.498 1.5h4c0-0.826 0.68-1.5 1.5-1.5 0.828 0 1.5 0.674 1.5 1.5h4c0-8.822-7.172-16-15.998-16z"></path>',eye:'<path d="M16 4c-8.836 0-16 11.844-16 11.844s7.164 12.156 16 12.156 16-12.156 16-12.156-7.164-11.844-16-11.844zM16 24c-4.418 0-8-3.582-8-8s3.582-8 8-8 8 3.582 8 8-3.582 8-8 8zM12 16c0-2.209 1.791-4 4-4s4 1.791 4 4c0 2.209-1.791 4-4 4-2.209 0-4-1.791-4-4z"></path>',ribbon:'<path d="M8 20c-1.41 0-2.742-0.289-4-0.736v12.736l4-4 4 4v-12.736c-1.258 0.447-2.59 0.736-4 0.736zM0 8c0-4.418 3.582-8 8-8s8 3.582 8 8c0 4.418-3.582 8-8 8-4.418 0-8-3.582-8-8z"></path>',iphone:'<path d="M16 0h-8c-4.418 0-8 3.582-8 8v16c0 4.418 3.582 8 8 8h8c4.418 0 8-3.582 8-8v-16c0-4.418-3.582-8-8-8zM12 30.062c-1.139 0-2.062-0.922-2.062-2.062s0.924-2.062 2.062-2.062 2.062 0.922 2.062 2.062-0.923 2.062-2.062 2.062zM20 24h-16v-16c0-2.203 1.795-4 4-4h8c2.203 0 4 1.797 4 4v16z"></path>',camera:'<path d="M16 20c0-2.209 1.791-4 4-4s4 1.791 4 4c0 2.209-1.791 4-4 4-2.209 0-4-1.791-4-4zM28 8l-3.289-6.643c-0.27-0.789-1.016-1.357-1.899-1.357h-5.492c-0.893 0-1.646 0.582-1.904 1.385l-3.412 6.615h-8.004c-2.209 0-4 1.791-4 4v20h32v-20c0-2.209-1.789-4-4-4zM6 16c-1.105 0-2-0.895-2-2s0.895-2 2-2 2 0.895 2 2-0.895 2-2 2zM20 28c-4.418 0-8-3.582-8-8s3.582-8 8-8 8 3.582 8 8-3.582 8-8 8z"></path>',cog:'<path d="M32 17.969v-4l-4.781-1.992c-0.133-0.375-0.273-0.738-0.445-1.094l1.93-4.805-2.829-2.828-4.762 1.961c-0.363-0.176-0.734-0.324-1.117-0.461l-2.027-4.75h-4l-1.977 4.734c-0.398 0.141-0.781 0.289-1.16 0.469l-4.754-1.91-2.828 2.828 1.938 4.711c-0.188 0.387-0.34 0.781-0.485 1.188l-4.703 2.011v4l4.707 1.961c0.145 0.406 0.301 0.801 0.488 1.188l-1.902 4.742 2.828 2.828 4.723-1.945c0.379 0.18 0.766 0.324 1.164 0.461l2.023 4.734h4l1.98-4.758c0.379-0.141 0.754-0.289 1.113-0.461l4.797 1.922 2.828-2.828-1.969-4.773c0.168-0.359 0.305-0.723 0.438-1.094l4.782-2.039zM15.969 22c-3.312 0-6-2.688-6-6s2.688-6 6-6 6 2.688 6 6-2.688 6-6 6z"></path>',lock:'<path d="M14 0c-5.508 0-9.996 4.484-9.996 10v2h-4.004v14c0 3.309 2.691 6 6 6h12c3.309 0 6-2.691 6-6v-16c0-5.516-4.488-10-10-10zM11.996 24c-1.101 0-1.996-0.895-1.996-2s0.895-2 1.996-2c1.105 0 2 0.895 2 2s-0.894 2-2 2zM20 12h-11.996v-2c0-3.309 2.691-6 5.996-6 3.309 0 6 2.691 6 6v2z"></path>',unlock:'<path d="M14.004 0c-5.516 0-9.996 4.484-9.996 10h3.996c0-3.309 2.688-6 6-6 3.305 0 5.996 2.691 5.996 6v2h-20v14c0 3.309 2.695 6 6 6h12c3.305 0 6-2.691 6-6v-16c0-5.516-4.488-10-9.996-10zM12 24c-1.102 0-2-0.895-2-2s0.898-2 2-2c1.109 0 2 0.895 2 2s-0.891 2-2 2z"></path>',fork:'<path d="M20 0v3.875c0 1.602-0.625 3.109-1.754 4.238l-11.316 11.254c-1.789 1.785-2.774 4.129-2.883 6.633h-4.047l6 6 6-6h-3.957c0.105-1.438 0.684-2.773 1.711-3.805l11.316-11.25c1.891-1.89 2.93-4.398 2.93-7.070v-3.875h-4zM23.953 26c-0.109-2.504-1.098-4.848-2.887-6.641l-2.23-2.215-2.836 2.821 2.242 2.23c1.031 1.027 1.609 2.367 1.715 3.805h-3.957l6 6 6-6h-4.047z"></path>',paperclip:'<path d="M17.293 15.292l-2.829-2.829-4 4c-1.953 1.953-1.953 5.119 0 7.071 1.953 1.953 5.118 1.953 7.071 0l10.122-9.879c3.123-3.124 3.123-8.188 0-11.313-3.125-3.124-8.19-3.124-11.313 0l-11.121 10.88c-4.296 4.295-4.296 11.26 0 15.557 4.296 4.296 11.261 4.296 15.556 0l6-6-2.829-2.829-5.999 6c-2.733 2.732-7.166 2.732-9.9 0-2.733-2.732-2.733-7.166 0-9.899l11.121-10.881c1.562-1.562 4.095-1.562 5.656 0 1.563 1.563 1.563 4.097 0 5.657l-10.121 9.879c-0.391 0.391-1.023 0.391-1.414 0s-0.391-1.023 0-1.414l4-4z"></path>',facebook:'<path d="M17.996 32h-5.996v-16h-4v-5.514l4-0.002-0.007-3.248c0-4.498 1.22-7.236 6.519-7.236h4.412v5.515h-2.757c-2.064 0-2.163 0.771-2.163 2.209l-0.008 2.76h4.959l-0.584 5.514-4.37 0.002-0.004 16z"></path>',twitter:'<path d="M32 6.076c-1.177 0.522-2.443 0.875-3.771 1.034 1.355-0.813 2.396-2.099 2.887-3.632-1.269 0.752-2.674 1.299-4.169 1.593-1.198-1.276-2.904-2.073-4.792-2.073-3.626 0-6.565 2.939-6.565 6.565 0 0.515 0.058 1.016 0.17 1.496-5.456-0.274-10.294-2.888-13.532-6.86-0.565 0.97-0.889 2.097-0.889 3.301 0 2.278 1.159 4.287 2.921 5.465-1.076-0.034-2.088-0.329-2.974-0.821-0.001 0.027-0.001 0.055-0.001 0.083 0 3.181 2.263 5.834 5.266 6.437-0.551 0.15-1.131 0.23-1.73 0.23-0.423 0-0.834-0.041-1.235-0.118 0.835 2.608 3.26 4.506 6.133 4.559-2.247 1.761-5.078 2.81-8.154 2.81-0.53 0-1.052-0.031-1.566-0.092 2.905 1.863 6.356 2.95 10.064 2.95 12.076 0 18.679-10.004 18.679-18.68 0-0.285-0.006-0.568-0.019-0.849 1.283-0.926 2.396-2.082 3.276-3.398z"></path>',earth:'<path d="M27.314 4.686c3.022 3.022 4.686 7.040 4.686 11.314s-1.664 8.292-4.686 11.314c-3.022 3.022-7.040 4.686-11.314 4.686s-8.292-1.664-11.314-4.686c-3.022-3.022-4.686-7.040-4.686-11.314s1.664-8.292 4.686-11.314c3.022-3.022 7.040-4.686 11.314-4.686s8.292 1.664 11.314 4.686zM25.899 25.9c1.971-1.971 3.281-4.425 3.821-7.096-0.421 0.62-0.824 0.85-1.073-0.538-0.257-2.262-2.335-0.817-3.641-1.621-1.375 0.927-4.466-1.802-3.941 1.276 0.81 1.388 4.375-1.858 2.598 1.079-1.134 2.050-4.145 6.592-3.753 8.946 0.049 3.43-3.504 0.715-4.729-0.422-0.824-2.279-0.281-6.262-2.434-7.378-2.338-0.102-4.344-0.314-5.25-2.927-0.545-1.87 0.58-4.653 2.584-5.083 2.933-1.843 3.98 2.158 6.731 2.232 0.854-0.894 3.182-1.178 3.375-2.18-1.805-0.318 2.29-1.517-0.173-2.199-1.358 0.16-2.234 1.409-1.512 2.467-2.632 0.614-2.717-3.809-5.247-2.414-0.064 2.206-4.132 0.715-1.407 0.268 0.936-0.409-1.527-1.594-0.196-1.379 0.654-0.036 2.854-0.807 2.259-1.325 1.225-0.761 2.255 1.822 3.454-0.059 0.866-1.446-0.363-1.713-1.448-0.98-0.612-0.685 1.080-2.165 2.573-2.804 0.497-0.213 0.973-0.329 1.336-0.296 0.752 0.868 2.142 1.019 2.215-0.104-1.862-0.892-3.915-1.363-6.040-1.363-3.051 0-5.952 0.969-8.353 2.762 0.645 0.296 1.012 0.664 0.39 1.134-0.483 1.439-2.443 3.371-4.163 3.098-0.893 1.54-1.482 3.238-1.733 5.017 1.441 0.477 1.773 1.42 1.464 1.736-0.734 0.64-1.185 1.548-1.418 2.541 0.469 2.87 1.818 5.515 3.915 7.612 2.644 2.644 6.16 4.1 9.899 4.1s7.255-1.456 9.899-4.1z"></path>',globe:'<path d="M15 2c-8.284 0-15 6.716-15 15s6.716 15 15 15c8.284 0 15-6.716 15-15s-6.716-15-15-15zM23.487 22c0.268-1.264 0.437-2.606 0.492-4h3.983c-0.104 1.381-0.426 2.722-0.959 4h-3.516zM6.513 12c-0.268 1.264-0.437 2.606-0.492 4h-3.983c0.104-1.381 0.426-2.722 0.959-4h3.516zM21.439 12c0.3 1.28 0.481 2.62 0.54 4h-5.979v-4h5.439zM16 10v-5.854c0.456 0.133 0.908 0.355 1.351 0.668 0.831 0.586 1.625 1.488 2.298 2.609 0.465 0.775 0.867 1.638 1.203 2.578h-4.852zM10.351 7.422c0.673-1.121 1.467-2.023 2.298-2.609 0.443-0.313 0.895-0.535 1.351-0.668v5.854h-4.852c0.336-0.94 0.738-1.803 1.203-2.578zM14 12v4h-5.979c0.059-1.38 0.24-2.72 0.54-4h5.439zM2.997 22c-0.533-1.278-0.854-2.619-0.959-4h3.983c0.055 1.394 0.224 2.736 0.492 4h-3.516zM8.021 18h5.979v4h-5.439c-0.3-1.28-0.481-2.62-0.54-4zM14 24v5.854c-0.456-0.133-0.908-0.355-1.351-0.668-0.831-0.586-1.625-1.488-2.298-2.609-0.465-0.775-0.867-1.638-1.203-2.578h4.852zM19.649 26.578c-0.673 1.121-1.467 2.023-2.298 2.609-0.443 0.312-0.895 0.535-1.351 0.668v-5.854h4.852c-0.336 0.94-0.738 1.802-1.203 2.578zM16 22v-4h5.979c-0.059 1.38-0.24 2.72-0.54 4h-5.439zM23.98 16c-0.055-1.394-0.224-2.736-0.492-4h3.516c0.533 1.278 0.855 2.619 0.959 4h-3.983zM25.958 10h-2.997c-0.582-1.836-1.387-3.447-2.354-4.732 1.329 0.636 2.533 1.488 3.585 2.54 0.671 0.671 1.261 1.404 1.766 2.192zM5.808 7.808c1.052-1.052 2.256-1.904 3.585-2.54-0.967 1.285-1.771 2.896-2.354 4.732h-2.997c0.504-0.788 1.094-1.521 1.766-2.192zM4.042 24h2.997c0.583 1.836 1.387 3.447 2.354 4.732-1.329-0.636-2.533-1.488-3.585-2.54-0.671-0.671-1.261-1.404-1.766-2.192zM24.192 26.192c-1.052 1.052-2.256 1.904-3.585 2.54 0.967-1.285 1.771-2.896 2.354-4.732h2.997c-0.504 0.788-1.094 1.521-1.766 2.192z"></path>',"thin-arrow-up":'<path d="M27.414 12.586l-10-10c-0.781-0.781-2.047-0.781-2.828 0l-10 10c-0.781 0.781-0.781 2.047 0 2.828s2.047 0.781 2.828 0l6.586-6.586v19.172c0 1.105 0.895 2 2 2s2-0.895 2-2v-19.172l6.586 6.586c0.39 0.39 0.902 0.586 1.414 0.586s1.024-0.195 1.414-0.586c0.781-0.781 0.781-2.047 0-2.828z"></path>',"thin-arrow-down":'<path d="M4.586 19.414l10 10c0.781 0.781 2.047 0.781 2.828 0l10-10c0.781-0.781 0.781-2.047 0-2.828s-2.047-0.781-2.828 0l-6.586 6.586v-19.172c0-1.105-0.895-2-2-2s-2 0.895-2 2v19.172l-6.586-6.586c-0.391-0.39-0.902-0.586-1.414-0.586s-1.024 0.195-1.414 0.586c-0.781 0.781-0.781 2.047 0 2.828z"></path>',"thin-arrow-up-left":'<path d="M4 18c0 1.105 0.895 2 2 2s2-0.895 2-2v-7.172l16.586 16.586c0.781 0.781 2.047 0.781 2.828 0 0.391-0.391 0.586-0.902 0.586-1.414s-0.195-1.024-0.586-1.414l-16.586-16.586h7.172c1.105 0 2-0.895 2-2s-0.895-2-2-2h-14v14z"></path>',"thin-arrow-up-right":'<path d="M26.001 4c-0 0-0.001 0-0.001 0h-11.999c-1.105 0-2 0.895-2 2s0.895 2 2 2h7.172l-16.586 16.586c-0.781 0.781-0.781 2.047 0 2.828 0.391 0.391 0.902 0.586 1.414 0.586s1.024-0.195 1.414-0.586l16.586-16.586v7.172c0 1.105 0.895 2 2 2s2-0.895 2-2v-14h-1.999z"></path>',"thin-arrow-left":'<path d="M12.586 4.586l-10 10c-0.781 0.781-0.781 2.047 0 2.828l10 10c0.781 0.781 2.047 0.781 2.828 0s0.781-2.047 0-2.828l-6.586-6.586h19.172c1.105 0 2-0.895 2-2s-0.895-2-2-2h-19.172l6.586-6.586c0.39-0.391 0.586-0.902 0.586-1.414s-0.195-1.024-0.586-1.414c-0.781-0.781-2.047-0.781-2.828 0z"></path>',"thin-arrow-right":'<path d="M19.414 27.414l10-10c0.781-0.781 0.781-2.047 0-2.828l-10-10c-0.781-0.781-2.047-0.781-2.828 0s-0.781 2.047 0 2.828l6.586 6.586h-19.172c-1.105 0-2 0.895-2 2s0.895 2 2 2h19.172l-6.586 6.586c-0.39 0.39-0.586 0.902-0.586 1.414s0.195 1.024 0.586 1.414c0.781 0.781 2.047 0.781 2.828 0z"></path>',"thin-arrow-down-left":'<path d="M18 28c1.105 0 2-0.895 2-2s-0.895-2-2-2h-7.172l16.586-16.586c0.781-0.781 0.781-2.047 0-2.828-0.391-0.391-0.902-0.586-1.414-0.586s-1.024 0.195-1.414 0.586l-16.586 16.586v-7.172c0-1.105-0.895-2-2-2s-2 0.895-2 2v14h14z"></path>',"thin-arrow-down-right":'<path d="M28 14c0-1.105-0.895-2-2-2s-2 0.895-2 2v7.172l-16.586-16.586c-0.781-0.781-2.047-0.781-2.828 0-0.391 0.391-0.586 0.902-0.586 1.414s0.195 1.024 0.586 1.414l16.586 16.586h-7.172c-1.105 0-2 0.895-2 2s0.895 2 2 2h14v-14z"></path>'},boundingBox:function(t){var e;if($(t).parents("body").length)e=t.getBBox();else{var i=t.parentNode,n=document.createElementNS(SL.util.svg.NAMESPACE,"svg");n.setAttribute("width","0"),n.setAttribute("height","0"),n.setAttribute("style","visibility: hidden; position: absolute; left: 0; top: 0;"),n.appendChild(t),document.body.appendChild(n),e=t.getBBox(),i?i.appendChild(t):n.removeChild(t),document.body.removeChild(n)}return e},pointsToPolygon:function(t){for(var e=[];t.length>=2;)e.push(t.shift()+","+t.shift());return e.join(" ")},rect:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"rect");return i.setAttribute("width",t),i.setAttribute("height",e),i},ellipse:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"ellipse");return i.setAttribute("rx",t/2),i.setAttribute("ry",e/2),i.setAttribute("cx",t/2),i.setAttribute("cy",e/2),i},triangleUp:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([t/2,0,t,e,0,e])),i},triangleDown:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([0,0,t,0,t/2,e])),i},triangleLeft:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([0,e/2,t,0,t,e])),i},triangleRight:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([t,e/2,0,e,0,0])),i},arrowUp:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([.5*t,0,t,.5*e,.7*t,.5*e,.7*t,e,.3*t,e,.3*t,.5*e,0,.5*e,.5*t,0])),i},arrowDown:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([.5*t,e,t,.5*e,.7*t,.5*e,.7*t,0,.3*t,0,.3*t,.5*e,0,.5*e,.5*t,e])),i},arrowLeft:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([t,.3*e,.5*t,.3*e,.5*t,0,0,.5*e,.5*t,e,.5*t,.7*e,t,.7*e,t,.3*e])),i},arrowRight:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([0,.3*e,.5*t,.3*e,.5*t,0,t,.5*e,.5*t,e,.5*t,.7*e,0,.7*e])),i},polygon:function(t,e,i){var n=document.createElementNS(SL.util.svg.NAMESPACE,"polygon"),s=[];if(3===i)s=[t/2,0,t,e,0,e];else if(i>3)for(var o=t/2,a=e/2,r=0;i>r;r++){var l=o+o*Math.cos(2*Math.PI*r/i),c=a+a*Math.sin(2*Math.PI*r/i);l=Math.round(10*l)/10,c=Math.round(10*c)/10,s.push(l),s.push(c)}return n.setAttribute("points",SL.util.svg.pointsToPolygon(s)),n},symbol:function(t){var e=document.createElementNS(SL.util.svg.NAMESPACE,"g"),i=SL.util.svg.SYMBOLS[t];return i&&(e.innerSVG=SL.util.svg.SYMBOLS[t]),e}},SL.visibility={init:function(){this.changed=new signals.Signal,"undefined"!=typeof document.hidden?(this.hiddenProperty="hidden",this.visibilityChangeEvent="visibilitychange"):"undefined"!=typeof document.msHidden?(this.hiddenProperty="msHidden",this.visibilityChangeEvent="msvisibilitychange"):"undefined"!=typeof document.webkitHidden&&(this.hiddenProperty="webkitHidden",this.visibilityChangeEvent="webkitvisibilitychange"),this.supported="boolean"==typeof document[this.hiddenProperty],this.supported&&this.bind()},isVisible:function(){return this.supported?!document[this.hiddenProperty]:!0},isHidden:function(){return this.supported?document[this.hiddenProperty]:!1},bind:function(){document.addEventListener(this.visibilityChangeEvent,this.onVisibilityChange.bind(this))},onVisibilityChange:function(){this.changed.dispatch()}},SL.warnings={STORAGE_KEY:"slides-last-warning-id",MESSAGE_ID:23,init:function(){this.showMessage()},showMessage:function(){if(this.hasMessage()&&!this.hasExpired()&&SL.util.user.isLoggedIn()&&Modernizr.localstorage){var t=parseInt(localStorage.getItem(this.STORAGE_KEY),10)||0;if(t<this.MESSAGE_ID){var e=SL.notify(this.MESSAGE_TEXT,{optional:!1});e.destroyed.add(this.hideMessage.bind(this))}}},hideMessage:function(){Modernizr.localstorage&&localStorage.setItem(this.STORAGE_KEY,this.MESSAGE_ID)},hasMessage:function(){return!!this.MESSAGE_TEXT},hasExpired:function(){return this.MESSAGE_EXPIRY?moment().diff(moment(this.MESSAGE_EXPIRY))>0:!1}},SL("helpers").FileUploader=Class.extend({init:function(t){if(this.options=$.extend({formdata:!0,contentType:!1,external:!1,method:"POST"},t),"undefined"==typeof this.options.file||"undefined"==typeof this.options.service)throw"File and service must be defined for FileUploader task.";this.timeout=-1,this.uploading=!1,this.onUploadSuccess=this.onUploadSuccess.bind(this),this.onUploadProgress=this.onUploadProgress.bind(this),this.onUploadError=this.onUploadError.bind(this),this.failed=new signals.Signal,this.succeeded=new signals.Signal,this.progressed=new signals.Signal},upload:function(){if(this.uploading=!0,clearTimeout(this.timeout),"number"==typeof this.options.timeout&&(this.timeout=setTimeout(this.onUploadError,this.options.timeout)),this.xhr=new XMLHttpRequest,this.xhr.onload=function(){if(this.options.external===!0)this.onUploadSuccess();else if(422===this.xhr.status||500===this.xhr.status)this.onUploadError();else{try{var t=JSON.parse(this.xhr.responseText)}catch(e){return this.onUploadError()}this.onUploadSuccess(t)}}.bind(this),this.xhr.onerror=this.onUploadError,this.xhr.upload.onprogress=this.onUploadProgress,this.xhr.open(this.options.method,this.options.service,!0),this.options.contentType){var t="string"==typeof this.options.contentType?this.options.contentType:this.options.file.type;t&&this.xhr.setRequestHeader("Content-Type",t)}if(this.options.formdata){var e=new FormData;this.options.filename?e.append("file",this.options.file,this.options.filename):e.append("file",this.options.file);var i=this.options.csrf||document.querySelector('meta[name="csrf-token"]');i&&!this.options.external&&e.append("authenticity_token",i.getAttribute("content")),this.xhr.send(e)}else this.xhr.send(this.options.file)},isUploading:function(){return this.uploading},onUploadSuccess:function(t){clearTimeout(this.timeout),this.uploading=!1,this.succeeded.dispatch(t)},onUploadProgress:function(t){t.lengthComputable&&this.progressed.dispatch(t.loaded/t.total)},onUploadError:function(){clearTimeout(this.timeout),this.uploading=!1,this.failed.dispatch()},destroy:function(){if(clearTimeout(this.timeout),this.xhr){var t=function(){};this.xhr.onload=t,this.xhr.onerror=t,this.xhr.upload.onprogress=t,this.xhr.abort()}this.succeeded.dispose(),this.progressed.dispose(),this.failed.dispose()}}),SL.helpers.Fullscreen={enter:function(t){t=t||document.body;var e=t.requestFullScreen||t.webkitRequestFullscreen||t.webkitRequestFullScreen||t.mozRequestFullScreen||t.msRequestFullscreen;e&&e.apply(t)},exit:function(){var t=document.exitFullscreen||document.msExitFullscreen||document.mozCancelFullScreen||document.webkitExitFullscreen;t&&t.apply(document)},toggle:function(){SL.helpers.Fullscreen.isActive()?SL.helpers.Fullscreen.exit():SL.helpers.Fullscreen.enter()},isEnabled:function(){return!!(document.fullscreenEnabled||document.mozFullscreenEnabled||document.msFullscreenEnabled||document.webkitFullscreenEnabled)},isActive:function(){return!!(document.fullscreenElement||document.msFullscreenElement||document.mozFullScreenElement||document.webkitFullscreenElement)}},SL("helpers").ImageUploader=Class.extend({init:function(t){this.options=$.extend({service:SL.config.AJAX_MEDIA_CREATE,timeout:9e4},t),this.onUploadSuccess=this.onUploadSuccess.bind(this),this.onUploadProgress=this.onUploadProgress.bind(this),this.onUploadError=this.onUploadError.bind(this),this.progressed=new signals.Signal,this.succeeded=new signals.Signal,this.failed=new signals.Signal},upload:function(t,e){return t&&t.type.match(/image.*/)?"number"==typeof t.size&&t.size/1024>SL.config.MAX_IMAGE_UPLOAD_SIZE.maxsize?void SL.notify("No more than "+Math.round(MAX_IMAGE_UPLOAD_SIZE/1e3)+"mb please","negative"):(this.fileUploader&&this.fileUploader.destroy(),this.fileUploader=new SL.helpers.FileUploader({file:t,filename:e||this.options.filename,service:this.options.service,timeout:this.options.timeout}),this.fileUploader.succeeded.add(this.onUploadSuccess),this.fileUploader.progressed.add(this.onUploadProgress),this.fileUploader.failed.add(this.onUploadError),void this.fileUploader.upload()):void SL.notify("Only image files, please")},isUploading:function(){return!(!this.fileUploader||!this.fileUploader.isUploading())},onUploadSuccess:function(t){t&&"string"==typeof t.url?this.succeeded.dispatch(t.url):this.failed.dispatch(),this.fileUploader.destroy(),this.fileUploader=null},onUploadProgress:function(t){this.progressed.dispatch(t)},onUploadError:function(){this.failed.dispatch(),this.fileUploader.destroy(),this.fileUploader=null},destroy:function(){this.succeeded.dispose(),this.progressed.dispose(),this.failed.dispose(),this.fileUploader&&this.fileUploader.destroy()}}),SL.helpers.PageLoader={show:function(t){t=$.extend({style:null,message:null},t);var e=$(".page-loader");0===e.length&&(e=$(['<div class="page-loader">','<div class="page-loader-inner hidden">','<p class="page-loader-message"></p>','<div class="page-loader-spinner spinner"></div>',"</div>","</div>"].join("")).appendTo(document.body),setTimeout(function(){e.find(".page-loader-inner").removeClass("hidden")},1)),t.container&&e.appendTo(t.container),t.message&&e.find(".page-loader-message").html(t.message),t.style&&e.attr("data-style",t.style),clearTimeout(this.hideTimeout),e.removeClass("frozen"),e.addClass("visible")},hide:function(){$(".page-loader").removeClass("visible"),clearTimeout(this.hideTimeout),this.hideTimeout=setTimeout(function(){$(".page-loader").addClass("frozen")}.bind(this),1e3)},waitForFonts:function(t){SL.fonts.isReady()===!1&&(this.show(t),SL.fonts.ready.add(this.hide))}},SL("helpers").PollJob=Class.extend({init:function(t){this.options=$.extend({interval:1e3,timeout:Number.MAX_VALUE,retries:Number.MAX_VALUE},t),this.interval=-1,this.running=!1,this.poll=this.poll.bind(this),this.ended=new signals.Signal,this.polled=new signals.Signal},start:function(){this.running=!0,this.pollStart=Date.now(),this.pollTimes=0,clearInterval(this.interval),this.interval=setInterval(this.poll,this.options.interval)},stop:function(){this.running=!1,clearInterval(this.interval)},poll:function(){this.pollTimes++,Date.now()-this.pollStart>this.options.timeout||this.pollTimes>this.options.retries?(this.stop(),this.ended.dispatch()):this.polled.dispatch()}}),SL("helpers").StreamEditor=Class.extend({init:function(t){this.options=$.extend({},t),this.statusChanged=new signals.Signal,this.reconnecting=new signals.Signal,this.messageReceived=new signals.Signal,this.debugMode=!!SL.util.getQuery().debug},connect:function(){if(this.socket)this.isConnected()||(this.log("manual reconnect",t),this.socket.io.close(),this.socket.io.open());else{var t=SL.config.STREAM_ENGINE_HOST+"/"+SL.config.STREAM_ENGINE_EDITOR_NAMESPACE;this.log("connecting to",t),this.socket=io.connect(t,{reconnectionDelayMax:1e4}),this.socket.on("connect",this.onSocketConnect.bind(this)),this.socket.on("reconnect_attempt",this.onSocketReconnectAttempt.bind(this)),this.socket.on("reconnect_failed",this.onSocketReconnectFailed.bind(this)),this.socket.on("reconnect",this.onSocketReconnect.bind(this)),this.socket.on("disconnect",this.onSocketDisconnect.bind(this)),this.socket.on("message",this.onSocketMessage.bind(this))
+}return this.isConnected()?Promise.resolve():new Promise(function(t,e){var i=function(){t(),this.socket.removeEventListener("connect",i),this.socket.removeEventListener("connect_error",n)}.bind(this),n=function(){e(),this.socket.removeEventListener("connect",i),this.socket.removeEventListener("connect_error",n)}.bind(this);this.socket.on("connect",i),this.socket.on("connect_error",n)}.bind(this))},broadcast:function(t){this.emit("broadcast",JSON.stringify(t))},emit:function(){this.log("emit",arguments),this.socket.emit.apply(this.socket,arguments)},log:function(){if(this.debugMode&&"function"==typeof console.log.apply){var t=["Stream:"].concat(Array.prototype.slice.call(arguments));console.log.apply(console,t)}},setStatus:function(t){this.status!==t&&(this.status=t,this.statusChanged.dispatch(this.status))},isConnected:function(){return this.socket.connected===!0},onSocketMessage:function(t){try{var e=JSON.parse(t.data)}catch(i){this.log("unable to parse streamed socket message as JSON.")}this.log("message",e),this.messageReceived.dispatch(e)},onSocketConnect:function(){this.log("connected"),this.emit("subscribe",{deck_id:this.options.deckID,user_id:SL.current_user.get("id"),slide_id:this.options.slideID}),this.setStatus(SL.helpers.StreamEditor.STATUS_CONNECTED)},onSocketDisconnect:function(){this.log("disconnected"),this.setStatus(SL.helpers.StreamEditor.STATUS_DISCONNECTED)},onSocketReconnectAttempt:function(){this.setStatus(SL.helpers.StreamEditor.STATUS_RECONNECTING),this.reconnecting.dispatch(this.socket.io.backoff.duration())},onSocketReconnectFailed:function(){this.log("reconnect failed"),this.setStatus(SL.helpers.StreamEditor.STATUS_RECONNECT_FAILED)},onSocketReconnect:function(){this.log("reconnected"),this.setStatus(SL.helpers.StreamEditor.STATUS_RECONNECTED)}}),SL.helpers.StreamEditor.STATUS_CONNECTED="connected",SL.helpers.StreamEditor.STATUS_RECONNECTED="reconnected",SL.helpers.StreamEditor.STATUS_RECONNECT_FAILED="reconnect_failed",SL.helpers.StreamEditor.STATUS_DISCONNECTED="disconnected",SL.helpers.StreamEditor.singleton=function(){return this._instance||(this._instance=new SL.helpers.StreamEditor({deckID:SLConfig.deck.id,slideID:SL.util.deck.getSlideID(Reveal.getCurrentSlide())})),this._instance},SL("helpers").StreamLive=Class.extend({init:function(t){this.options=$.extend({reveal:window.Reveal,showErrors:!0,subscriber:!0,publisher:!1,publisherID:Date.now()+"-"+Math.round(1e6*Math.random()),deckID:SL.current_deck.get("id")},t),this.ready=new signals.Signal,this.stateChanged=new signals.Signal,this.statusChanged=new signals.Signal,this.subscribersChanged=new signals.Signal,this.socketIsDisconnected=!1,this.debugMode=!!SL.util.getQuery().debug},connect:function(){this.options.publisher?this.setupPublisher():this.setupSubscriber()},setupPublisher:function(){this.publish=this.publish.bind(this),this.publishable=!0,this.options.reveal.addEventListener("slidechanged",this.publish),this.options.reveal.addEventListener("fragmentshown",this.publish),this.options.reveal.addEventListener("fragmenthidden",this.publish),this.options.reveal.addEventListener("overviewshown",this.publish),this.options.reveal.addEventListener("overviewhidden",this.publish),this.options.reveal.addEventListener("paused",this.publish),this.options.reveal.addEventListener("resumed",this.publish),$.ajax({url:"/api/v1/decks/"+this.options.deckID+"/stream.json",type:"GET",context:this}).done(function(t){this.log("found existing stream"),this.setState(JSON.parse(t.state),!0),this.setupSocket(),this.ready.dispatch()}).error(function(){this.log("no existing stream, publishing state"),this.publish(function(){this.setupSocket(),this.ready.dispatch()}.bind(this))})},setupSubscriber:function(){$.ajax({url:"/api/v1/decks/"+this.options.deckID+"/stream.json",type:"GET",context:this}).done(function(t){this.log("found existing stream"),this.setStatus(SL.helpers.StreamLive.STATUS_NONE),this.setState(JSON.parse(t.state),!0),this.setupSocket(),this.ready.dispatch()}).error(function(){this.retryStartTime=Date.now(),this.setStatus(SL.helpers.StreamLive.STATUS_WAITING_FOR_PUBLISHER),this.log("no existing stream, retrying in "+SL.helpers.StreamLive.CONNECTION_RETRY_INTERVAL/1e3+"s"),setTimeout(this.setupSubscriber.bind(this),SL.helpers.StreamLive.CONNECTION_RETRY_INTERVAL)})},setupSocket:function(){if(this.options.subscriber){var t=SL.config.STREAM_ENGINE_HOST+"/"+SL.config.STREAM_ENGINE_LIVE_NAMESPACE;this.log("socket attempting to connect to",t),this.socket=io.connect(t,{reconnectionDelayMax:1e4}),this.socket.on("connect",this.onSocketConnected.bind(this)),this.socket.on("connect_error",this.onSocketDisconnected.bind(this)),this.socket.on("disconnect",this.onSocketDisconnected.bind(this)),this.socket.on("reconnect_attempt",this.onSocketReconnectAttempt.bind(this)),this.socket.on("reconnect_failed",this.onSocketReconnectFailed.bind(this)),this.socket.on("message",this.onSocketStateMessage.bind(this)),this.socket.on("subscribers",this.onSocketSubscribersMessage.bind(this))}},publish:function(t,e){if(this.publishable){var i=this.options.reveal.getState();if(i.publisher_id=this.options.publisherID,i=$.extend(i,e),this.socketIsDisconnected===!0)return this.publishAfterReconnect=!0,void this.log("publish stalled while disconnected");this.log("publish",i.publisher_id),$.ajax({url:"/api/v1/decks/"+this.options.deckID+"/stream.json",type:"PUT",data:{state:JSON.stringify(i)},success:t})}},log:function(){if(this.debugMode&&"function"==typeof console.log.apply){var t="Stream ("+(this.options.publisher?"publisher":"subscriber")+"):",e=[t].concat(Array.prototype.slice.call(arguments));console.log.apply(console,e)}},setState:function(t,e){this.publishable=!1,e&&$(".reveal").addClass("no-transition"),this.options.reveal.setState(t),this.stateChanged.dispatch(t),setTimeout(function(){this.publishable=!0,e&&$(".reveal").removeClass("no-transition")}.bind(this),1)},setStatus:function(t){this.status!==t&&(this.status=t,this.statusChanged.dispatch(this.status))},getRetryStartTime:function(){return this.retryStartTime},isPublisher:function(){return this.options.publisher},showConnectionError:function(){this.disconnectTimeout=setTimeout(function(){this.connectionError||(this.connectionError=new SL.components.RetryNotification("Lost connection to server"),this.connectionError.startCountdown(0),this.connectionError.destroyed.add(function(){this.connectionError=null}.bind(this)),this.connectionError.retryClicked.add(function(){this.connectionError.startCountdown(0),this.socket.io.close(),this.socket.io.open()}.bind(this)))}.bind(this),1e4)},hideConnectionError:function(){clearTimeout(this.disconnectTimeout),this.connectionError&&this.connectionError.hide()},onSocketStateMessage:function(t){try{var e=JSON.parse(t.data);e.publisher_id!=this.options.publisherID&&(this.log("sync","from: "+e.publisher_id,"to: "+this.options.publisherID),this.setState(e))}catch(i){this.log("unable to parse streamed deck state as JSON.")}this.setStatus(SL.helpers.StreamLive.STATUS_NONE)},onSocketSubscribersMessage:function(t){this.subscribersChanged.dispatch(t.subscribers)},onSocketConnected:function(){this.log("socket connected"),this.socket.emit("subscribe",{deck_id:this.options.deckID,publisher:this.options.publisher}),this.socketIsDisconnected===!0&&(this.socketIsDisconnected=!1,this.log("socket connection regained"),this.setStatus(SL.helpers.StreamLive.STATUS_NONE),this.publishAfterReconnect===!0&&(this.publishAfterReconnect=!1,this.log("publishing stalled state"),this.publish())),this.hideConnectionError()},onSocketReconnectAttempt:function(){this.connectionError&&this.connectionError.startCountdown(this.socket.io.backoff.duration())},onSocketReconnectFailed:function(){this.connectionError&&this.connectionError.disableCountdown()},onSocketDisconnected:function(){this.socketIsDisconnected===!1&&(this.socketIsDisconnected=!0,this.log("socket connection lost"),this.setStatus(SL.helpers.StreamLive.STATUS_CONNECTION_LOST),this.options.showErrors&&this.showConnectionError())}}),SL.helpers.StreamLive.CONNECTION_RETRY_INTERVAL=2e4,SL.helpers.StreamLive.STATUS_NONE="",SL.helpers.StreamLive.STATUS_CONNECTION_LOST="connection_lost",SL.helpers.StreamLive.STATUS_WAITING_FOR_PUBLISHER="waiting_for_publisher",SL.helpers.ThemeController={paint:function(t,e){e=e||{};var i=$(".reveal-viewport");if(0===i.length||"undefined"==typeof window.Reveal)return!1;if(this.cleanup(),i.addClass("theme-font-"+t.get("font")),i.addClass("theme-color-"+t.get("color")),Reveal.configure($.extend({center:t.get("center"),rolling_links:t.get("rolling_links"),transition:t.get("transition"),backgroundTransition:t.get("background_transition")},e)),t.get("html")){var n=$("#theme-html-output");n.length?n.html(t.get("html")):$(".reveal").append('<div id="theme-html-output">'+t.get("html")+"</div>")}else $("#theme-html-output").remove();if("string"==typeof e.globalCSS)if(e.globalCSS.length){var s=$("#global-css-output");s.length?s.html(e.globalCSS):$("head").append('<style id="global-css-output">'+e.globalCSS+"</style>")}else $("#global-css-output").remove();if(t.get("css")){var o=$("#theme-css-output");o.length?o.html(t.get("css")):$("head").append('<style id="theme-css-output">'+t.get("css")+"</style>")}else $("#theme-css-output").remove();if(e.js!==!1)if(t.get("js")){var a=$("#theme-js-output");a.text()!==t.get("js")&&(a.remove(),$("body").append(["<",'script id="theme-js-output">',t.get("js"),"<","/script",">"].join("")))}else $("#theme-js-output").remove();SL.util.deck.sortInjectedStyles(),SL.fonts.loadDeckFont(t.get("font"))},cleanup:function(){var t=$(".reveal-viewport"),e=$(".reveal");t.attr("class",t.attr("class").replace(/theme\-(font|color)\-([a-z0-9-])*/gi,"")),SL.config.THEME_TRANSITIONS.forEach(function(t){e.removeClass(t.id)})}},SL.popup={items:[],singletons:[],open:function(t,e){for(var i,n=0;n<SL.popup.singletons.length;n++)if(SL.popup.singletons[n].factory===t){i=SL.popup.singletons[n].instance;break}return i||(i=new t(e),i.isSingleton()&&SL.popup.singletons.push({factory:t,instance:i})),i.open(e),SL.popup.items.push({instance:i,factory:t}),$("html").addClass("popup-open"),i},openOne:function(t,e){for(var i=0;i<SL.popup.items.length;i++)if(t===SL.popup.items[i].factory)return SL.popup.items[i].instance;return this.open(t,e)},close:function(t){SL.popup.items.concat().forEach(function(e){t&&t!==e.factory||e.instance.close(!0)})},isOpen:function(t){for(var e=0;e<SL.popup.items.length;e++)if(!t||t===SL.popup.items[e].factory)return!0;return!1},unregister:function(t){for(var e=0;e<SL.popup.items.length;e++)SL.popup.items[e].instance===t&&(removedValue=SL.popup.items.splice(e,1),e--);0===SL.popup.items.length&&$("html").removeClass("popup-open")}},SL("components.popup").Popup=Class.extend({WINDOW_PADDING:.01,USE_ABSOLUTE_POSITIONING:SL.util.device.IS_PHONE||SL.util.device.IS_TABLET,init:function(t){this.options=$.extend({title:"",titleItem:"",header:!0,headerActions:[{label:"Close",className:"grey",callback:this.close.bind(this)}],width:"auto",height:"auto",singleton:!1,closeOnEscape:!0,closeOnClickOutside:!0},t),this.options.additionalHeaderActions&&(this.options.headerActions=this.options.additionalHeaderActions.concat(this.options.headerActions)),this.closed=new signals.Signal,this.render(),this.bind(),this.layout()},render:function(){this.domElement=$('<div class="sl-popup" data-id="'+this.TYPE+'">'),this.domElement.appendTo(document.body),this.innerElement=$('<div class="sl-popup-inner">'),this.innerElement.appendTo(this.domElement),this.options.header&&this.renderHeader(),this.bodyElement=$('<div class="sl-popup-body">'),this.bodyElement.appendTo(this.innerElement)},renderHeader:function(){this.headerElement=$(['<header class="sl-popup-header">','<h3 class="sl-popup-header-title">'+this.options.title+"</h3>","</header>"].join("")),this.headerElement.appendTo(this.innerElement),this.headerTitleElement=this.headerElement.find(".sl-popup-header-title"),this.options.titleItem&&(this.headerTitleElement.append('<span class="sl-popup-header-title-item"></span>'),this.headerTitleElement.find(".sl-popup-header-title-item").text(this.options.titleItem)),this.options.headerActions&&this.options.headerActions.length&&(this.headerActionsElement=$('<div class="sl-popup-header-actions">').appendTo(this.headerElement),this.options.headerActions.forEach(function(t){"divider"===t.type?$('<div class="divider"></div>').appendTo(this.headerActionsElement):$('<button class="button l '+t.className+'">'+t.label+"</button>").appendTo(this.headerActionsElement).on("vclick",function(e){t.callback(e),e.preventDefault()})}.bind(this)))},bind:function(){this.onKeyDown=this.onKeyDown.bind(this),this.onWindowResize=this.onWindowResize.bind(this),this.onBackgroundClicked=this.onBackgroundClicked.bind(this),this.domElement.on("vclick",this.onBackgroundClicked)},layout:function(){if(this.innerElement.css({width:this.options.width,height:this.options.height}),this.options.height){var t=this.headerElement?this.headerElement.outerHeight():0;this.headerElement&&"number"==typeof this.options.height?this.bodyElement.css("height",this.options.height-t):this.bodyElement.css("height","auto");var e=window.innerHeight;this.bodyElement.css("max-height",e-t-e*this.WINDOW_PADDING*2)}if(this.headerElement){var i=this.headerElement.width(),n=this.headerActionsElement.outerWidth();this.headerTitleElement.css("max-width",i-n-30)}if(this.USE_ABSOLUTE_POSITIONING){var s=$(window);this.domElement.css({position:"absolute",height:Math.max($(window).height(),$(document).height())}),this.innerElement.css({position:"absolute",transform:"none",top:s.scrollTop()+(s.height()-this.innerElement.outerHeight())/2,left:s.scrollLeft()+(s.width()-this.innerElement.outerWidth())/2,maxWidth:s.width()-window.innerWidth*this.WINDOW_PADDING*2})}},open:function(t){this.domElement.appendTo(document.body),clearTimeout(this.closeTimeout),this.closeTimeout=null,this.options=$.extend(this.options,t),SL.keyboard.keydown(this.onKeyDown),$(window).on("resize",this.onWindowResize),setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1)},close:function(t){this.closeTimeout||(t?this.closeConfirmed():this.checkUnsavedChanges(this.closeConfirmed.bind(this)))},closeConfirmed:function(){SL.keyboard.release(this.onKeyDown),$(window).off("resize",this.onWindowResize),this.domElement.removeClass("visible"),SL.popup.unregister(this),this.closeTimeout=setTimeout(function(){this.domElement.detach(),this.isSingleton()||this.destroy()}.bind(this),500),this.closed.dispatch()},checkUnsavedChanges:function(t){t()},isSingleton:function(){return this.options.singleton},onBackgroundClicked:function(t){$(t.target).is(this.domElement)&&(this.options.closeOnClickOutside&&this.close(),t.preventDefault())},onWindowResize:function(){this.layout()},onKeyDown:function(t){return 27===t.keyCode?(this.options.closeOnEscape&&this.close(),!1):!0},destroy:function(){SL.popup.unregister(this),this.options=null,this.closed.dispose(),this.domElement.remove()}}),SL("components.popup").CustomFonts=SL.components.popup.Popup.extend({TYPE:"custom-fonts",init:function(t){this._super($.extend({title:"Load custom fonts",deck:null,theme:null,width:600,closeOnClickOutside:!0,headerActions:[{label:"Cancel",className:"outline",callback:this.close.bind(this)},{label:"Save",className:"positive",callback:this.onSaveClicked.bind(this)}]},t)),this.loadGoogleFontList()},render:function(){return this._super(),this.bodyElement.append($(['<div class="sl-form">','<div class="unit typekit-settings">','<h4 class="form-label">Typekit</h4>','<p class="unit-description">Specify a <a href="https://typekit.com/" target="_blank">Typekit</a> kit ID to load for this presentation.</p>','<input type="text" maxlength="255" placeholder="Kit ID">',"</div>",'<div class="unit google-settings">','<h4 class="form-label">Google Fonts</h4>','<p class="unit-description">A list of comma separated font families to load from <a href="https://fonts.google.com/" target="_blank">Google Fonts</a>. Font weights can be indicated with a colon after the font family, for example: Open Sans:300,700</p>','<input type="text" maxlength="255" placeholder="Droid Sans, Droid Serif:bold">','<p class="status"></p>',"</div>","<div>"].join(""))),this.options.deck||this.options.theme?(this.googleStatus=this.bodyElement.find(".google-settings .status"),this.typekitInput=this.bodyElement.find(".typekit-settings input"),this.googleInput=this.bodyElement.find(".google-settings input"),this.googleInput.on("input",this.onGoogleInput.bind(this)),this.options.theme?(this.typekitInput.val(this.options.theme.get("font_typekit")||""),this.googleInput.val(this.options.theme.get("font_google")||"")):(this.typekitInput.val(this.options.deck.get("font_typekit")||""),this.googleInput.val(this.options.deck.get("font_google")||"")),void this.validateGoogleFonts()):void this.bodyElement.html("Configuration error. Missing deck/theme model.")},loadGoogleFontList:function(){window.SLGoogleFontList?this.setupGoogleFontAutocomplete():$.get(SL.config.GOOGLE_FONTS_LIST).done(function(t){window.SLGoogleFontList=t.items.map(function(t){return{family:t.family,variants:t.variants.join(", ")}}),this.setupGoogleFontAutocomplete()}.bind(this))},searchGoogleFontList:function(t){var e=[];if(t&&t.length>0){for(var i=window.SLGoogleFontList,n=0,s=i.length;s>n;n++){var o=i[n];-1!==o.family.search(new RegExp(t,"i"))&&e.push({value:o.family,label:'<div class="value">'+o.family+'</div><div class="description">'+o.variants+"</div>"})}e=e.slice(0,10)}return Promise.resolve(e)},setupGoogleFontAutocomplete:function(){this.googleFontAutocomplete=new SL.components.form.Autocomplete(this.googleInput,this.searchGoogleFontList.bind(this),{className:"light-grey",offsetY:1}),this.googleFontAutocomplete.confirmed.add(this.onGoogleInput.bind(this))},onSaveClicked:function(t){this.saveLoader||($(t.target).addClass("ladda-button").attr({"data-style":"expand-right","data-spinner-size":"26"}),this.saveLoader=Ladda.create(t.target)),this.saveLoader.start(),this.saveAndClose()},saveAndClose:function(){var t=this.typekitInput.val()||"",e=this.googleInput.val()||"";this.options.theme?(this.saveLoader.stop(),this.options.theme.setAll({font_typekit:t,font_google:e}),this.close(!0)):$.ajax({url:SL.config.AJAX_UPDATE_DECK(this.options.deck.get("id")),type:"PUT",context:this,data:{deck:{font_typekit:t,font_google:e}}}).done(function(){this.options.deck.setAll({font_typekit:t,font_google:e}),t.length&&SL.fonts.loadTypekitFont(t),e.length&&SL.fonts.loadGoogleFont(e),this.close(!0)}).fail(function(){SL.notify("An error occured while saving","negative")}).always(function(){this.saveLoader.stop()})},validateGoogleFonts:function(){var t=SL.fonts.parseGoogleFontFamilies(this.googleInput.val()||""),e=t.length+" "+SL.util.string.pluralize("font","s",t.length>1)+": ";e+=t.map(function(t){return'<span class="status-item">'+t+"</span>"}).join(""),this.googleStatus.html(e),this.googleStatus.toggleClass("visible",t.length>0)},destroy:function(){this.saveLoader&&this.saveLoader.remove(),this._super()},onGoogleInput:function(){this.validateGoogleFonts()}}),SL("components.popup").DeckOutdated=SL.components.popup.Popup.extend({TYPE:"deck-outdated",init:function(t){this._super($.extend({title:"Newer version available",width:500,closeOnClickOutside:!1,headerActions:[{label:"Ignore",className:"outline",callback:this.close.bind(this)},{label:"Reload",className:"positive",callback:this.onReloadClicked.bind(this)}]},t))},render:function(){this._super(),this.bodyElement.html(["<p>A more recent version of this presentation is available on the server. This can happen when the presentation is saved from another browser or device.</p>","<p>We recommend reloading the page to get the latest version. If you're sure your local changes are the latest, please ignore this message.</p>"].join(""))},onReloadClicked:function(){window.location.reload()},destroy:function(){this._super()}}),SL("components.popup").EditHTML=SL.components.popup.Popup.extend({TYPE:"edit-html",init:function(t){this._super($.extend({title:"Edit HTML",width:1200,height:750,headerActions:[{label:"Cancel",className:"outline",callback:this.close.bind(this)},{label:"Save",className:"positive",callback:this.saveAndClose.bind(this)}]},t)),this.saved=new signals.Signal},render:function(){this._super(),this.bodyElement.html('<div id="ace-html" class="editor"></div>'),this.editor&&"function"==typeof this.editor.destroy&&(this.editor.destroy(),this.editor=null);try{this.editor=ace.edit("ace-html"),SL.util.setAceEditorDefaults(this.editor),this.editor.getSession().setMode("ace/mode/html")}catch(t){console.log("An error occurred while initializing the Ace editor.")}this.editor.getSession().setValue(this.options.html||""),this.editor.focus()},saveAndClose:function(){this.saved.dispatch(this.getHTML()),this.close(!0)},checkUnsavedChanges:function(t){this.getHTML()===this.options.html||this.cancelPrompt?t():(this.cancelPrompt=SL.prompt({title:"Discard unsaved changes?",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Discard</h3>",selected:!0,className:"negative",callback:t}]}),this.cancelPrompt.destroyed.add(function(){this.cancelPrompt=null}.bind(this)))},getHTML:function(){return this.editor.getSession().getValue()},destroy:function(){this.editor&&"function"==typeof this.editor.destroy&&(this.editor.destroy(),this.editor=null),this.saved&&(this.saved.dispose(),this.saved=null),this._super()}}),SL("components.popup").EditSlideHTML=SL.components.popup.EditHTML.extend({TYPE:"edit-slide-html",init:function(t){SL.current_user.privileges.customCSS()&&(t.additionalHeaderActions=[{label:"Slide classes",className:"outline",callback:this.onSlideClassesClicked.bind(this)},{type:"divider"}]),t.html=SL.util.html.indent(SL.editor.controllers.Serialize.getSlideAsString(t.slide,{inner:!0,lazy:!1,exclude:".math-output"})),this._super(t)},readSlideClasses:function(){return this.options.slide.className.split(" ").filter(function(t){return-1===SL.config.RESERVED_SLIDE_CLASSES.indexOf(t)}).join(" ")},writeSlideClasses:function(t){t=t||"",t=t.trim().replace(/\s{2,}/g," ");var e=this.options.slide.className.split(" ").filter(function(t){return-1!==SL.config.RESERVED_SLIDE_CLASSES.indexOf(t)});e=e.concat(t.split(" ")),this.options.slide.className=e.join(" ")},onSlideClassesClicked:function(t){var e=SL.prompt({anchor:t.currentTarget,title:"Slide classes",subtitle:"Specify class names which will be added to the slide wrapper. Useful for targeting from the CSS editor.",type:"input",confirmLabel:"Save",data:{value:this.readSlideClasses(),placeholder:"Classes...",width:400,confirmBeforeDiscard:!0}});e.confirmed.add(function(t){this.writeSlideClasses(t)}.bind(this))}}),SL("components.popup").InsertSnippet=SL.components.popup.Popup.extend({TYPE:"insert-snippet",init:function(t){this._super($.extend({title:"Insert",titleItem:'"'+t.snippet.get("title")+'"',width:500,headerActions:[{label:"Cancel",className:"outline",callback:this.close.bind(this)},{label:"Insert",className:"positive",callback:this.insertAndClose.bind(this)}]},t)),this.snippetInserted=new signals.Signal},render:function(){this._super(),this.variablesElement=$('<div class="variables sl-form"></div>'),this.variablesElement.appendTo(this.bodyElement),this.variables=this.options.snippet.getTemplateVariables(),this.variables.forEach(function(t){var e=$(['<div class="unit">',"<label>"+t.label+"</label>",'<input type="text" value="'+t.defaultValue+'">',"</div>"].join("")).appendTo(this.variablesElement);e.find("input").data("variable",t)}.bind(this)),this.variablesElement.find("input").first().focus().select()},insertAndClose:function(){this.variablesElement.find("input").each(function(t,e){e=$(e),e.data("variable").value=e.val()}),this.snippetInserted.dispatch(this.options.snippet.templatize(this.variables)),this.close()},onKeyDown:function(t){return 13===t.keyCode?(this.insertAndClose(),!1):this._super(t)},destroy:function(){this.snippetInserted.dispose(),this._super()}}),SL("components.popup").Revision=SL.components.popup.Popup.extend({TYPE:"revision",init:function(t){this._super($.extend({revisionURL:null,revisionTimeAgo:null,title:"Revision",titleItem:"from "+t.revisionTimeAgo,width:900,height:700,headerActions:[{label:"Open in new tab",className:"outline",callback:this.onOpenExternalClicked.bind(this)},{label:"Restore",className:"grey",callback:this.onRestoreClicked.bind(this)},{label:"Close",className:"grey",callback:this.close.bind(this)}]},t)),this.restoreRequested=new signals.Signal,this.externalRequested=new signals.Signal},render:function(){this._super(),this.bodyElement.html(['<div class="spinner centered"></div>','<div class="deck"></div>'].join("")),this.bodyElement.addClass("loading"),SL.util.html.generateSpinners();var t=$("<iframe>",{src:this.options.revisionURL,load:function(){this.bodyElement.removeClass("loading")}.bind(this)});t.appendTo(this.bodyElement.find(".deck"))},onRestoreClicked:function(t){this.restoreRequested.dispatch(t)},onOpenExternalClicked:function(t){this.externalRequested.dispatch(t)},destroy:function(){this.bodyElement.find(".deck iframe").attr("src",""),this.bodyElement.find(".deck").empty(),this.restoreRequested.dispose(),this.externalRequested.dispose(),this._super()}}),SL("components.popup").SessionExpired=SL.components.popup.Popup.extend({TYPE:"session-expired",init:function(t){this._super($.extend({title:"Session expired",width:500,closeOnEscape:!1,closeOnClickOutside:!1,headerActions:[{label:"Ignore",className:"outline negative",callback:this.close.bind(this)},{label:"Retry",className:"positive",callback:this.onRetryClicked.bind(this)}]},t))},render:function(){this._super(),this.bodyElement.html(["<p>You are no longer signed in to Slides. This can happen when you leave the page idle for too long, log out in a different tab or go offline. To continue please:</p>","<ol>",'<li><a href="'+SL.routes.SIGN_IN+'" target="_blank" style="text-decoration: underline;">Sign in</a> to Slides from another browser tab.</li>',"<li>Come back to this tab and press the 'Retry' button.</li>","</ol>"].join(""))},onRetryClicked:function(){SL.editor&&1===SL.editor.Editor.VERSION?SL.view.checkLogin(!0):SL.session.check()},destroy:function(){this._super()}}),SL("components.collab").Collaboration=Class.extend({init:function(t){this.options=$.extend({container:document.body,editor:!1,fixed:!1,coverPage:!1,autofocusComment:!0},t),this.loaded=new signals.Signal,this.enabled=new signals.Signal,this.expanded=new signals.Signal,this.collapsed=new signals.Signal,this.flags={expanded:!1,enabled:!1,connected:!1},this.commentsWhileHidden=[],this.commentsWhileCollapsed=[],this.bind(),this.render(),this.setEnabled(!!SLConfig.deck.collaborative),this.options.fixed&&(SL.util.skipCSSTransitions($(this.domElement),1),this.domElement.addClass("fixed"),this.expand())},bind:function(){this.onKeyDown=this.onKeyDown.bind(this),this.onSlideChanged=this.onSlideChanged.bind(this),this.onStreamMessage=this.onStreamMessage.bind(this),this.onStreamStatusChanged=this.onStreamStatusChanged.bind(this),this.onSocketReconnecting=this.onSocketReconnecting.bind(this);var t=$(".reveal .slides section:not(.stack)").length,e=1e3*Math.ceil(t/4);this.onStreamDeckContentChanged=$.throttle(this.onStreamDeckContentChanged,e)},render:function(){this.domElement=$('<div class="sl-collab loading">'),this.domElement.appendTo(this.options.container),this.options.coverPage&&!this.options.fixed&&(this.coverElement=$('<div class="sl-collab-cover">'),this.coverElement.on("vclick",this.collapse.bind(this)),this.coverElement.appendTo(this.domElement)),this.innerElement=$('<div class="sl-collab-inner">'),this.innerElement.appendTo(this.domElement),this.bodyElement=$('<div class="sl-collab-body">'),this.bodyElement.appendTo(this.innerElement),this.overlayElement=$('<div class="sl-collab-overlay">'),this.overlayElement.appendTo(this.innerElement),this.overlayContent=$('<div class="sl-collab-overlay-inner">'),this.overlayContent.appendTo(this.overlayElement),this.menu=new SL.components.collab.Menu(this),this.menu.appendTo(this.domElement)},load:function(){this.usersCollection||(this.showLoadingOverlay(),this.usersCollection=new SL.collections.collab.DeckUsers,this.usersCollection.load().then(this.afterLoad.bind(this),function(){this.usersCollection=null,this.showErrorOverlay("Failed to load collaborators",this.load.bind(this))}.bind(this)))},afterLoad:function(){return this.usersCollection.isEmpty()?void this.showErrorOverlay("No collaborators found for this deck."):(this.usersCollection.replaced.add(function(){this.cachedCurrentDeckUser=null}.bind(this)),void this.connect())},connect:function(){return this.hasBoundStreamEvents||(this.hasBoundStreamEvents=!0,SL.helpers.StreamEditor.singleton().statusChanged.add(this.onStreamStatusChanged),SL.helpers.StreamEditor.singleton().messageReceived.add(this.onStreamMessage),SL.helpers.StreamEditor.singleton().reconnecting.add(this.onSocketReconnecting)),this.isConnected()?void 0:(this.showLoadingOverlay(),SL.helpers.StreamEditor.singleton().connect().then(function(){},function(){this.onSocketConnectionFailed()}.bind(this)))},afterConnect:function(){this.isConnected()||(this.flags.connected=!0,this.renderContent(),SL.activity.register(SL.config.COLLABORATION_IDLE_TIMEOUT,this.onUserActive.bind(this),this.onUserInactive.bind(this)),SL.visibility.changed.add(this.onVisibilityChanged.bind(this)),this.hideOverlay(),this.isEnabled()?this.options.autofocusComment&&this.comments.focus():(this.setEnabled(!0),this.users.showInvitePrompt(this.menu.getPrimaryButton()),this.users.inviteSent.addOnce(this.expand.bind(this))),this.handover&&this.handover.refresh(),this.isInEditor()&&this.currentUserIsEditing()?this.reloadCurrentUser().then(function(){this.currentUserIsEditing()?this.finishLoading():this.redirectToReview()}.bind(this),function(){this.finishLoading()}.bind(this)):this.isInEditor()&&!this.currentUserIsEditing()?this.redirectToReview():this.finishLoading())},finishLoading:function(){this.domElement.removeClass("loading"),this.loaded.dispatch()},reload:function(){this.isConnected()&&(this.showLoadingOverlay("Reloading..."),this.usersCollection.load().then(function(){this.redirectToReviewUnlessEditor()===!1&&(this.users.renderUsers(),SL.helpers.StreamEditor.singleton().emit("broadcast-all-user-states"),this.comments&&this.comments.reload(),this.handover&&this.handover.refresh(),this.hideOverlay())}.bind(this),function(){this.showErrorOverlay("Failed to load collaborators",this.reload.bind(this))}.bind(this)))},reloadCurrentUser:function(){return new Promise(function(t,e){$.ajax({type:"GET",url:SL.config.AJAX_DECKUSER_READ(SL.current_deck.get("id"),SL.current_user.get("id")),context:this}).done(function(e){var i=this.usersCollection.getByProperties({user_id:e.user_id});i&&i.setAll(e),t()}).fail(e)}.bind(this))},renderContent:function(){this.users=new SL.components.collab.Users(this,{users:this.usersCollection}),this.users.appendTo(this.menu.innerElement),this.comments=new SL.components.collab.Comments(this,{users:this.usersCollection}),this.comments.appendTo(this.bodyElement),this.notifications=new SL.components.collab.Notifications(this,{users:this.usersCollection}),this.notifications.appendTo(this.domElement),this.isInEditor()||(this.handover=new SL.components.collab.Handover(this,{users:this.usersCollection}),this.handover.appendTo(this.options.container))},expand:function(){this.flags.expanded=!0,this.domElement.addClass("expanded"),SL.keyboard.keydown(this.onKeyDown),this.expanded.dispatch()},collapse:function(){this.options.fixed||(this.commentsWhileCollapsed.length=0,this.flags.expanded=!1,this.domElement.removeClass("expanded"),SL.keyboard.release(this.onKeyDown),this.collapsed.dispatch())},toggle:function(){this.isExpanded()?this.collapse():this.expand()},isExpanded:function(){return this.flags.expanded},setEnabled:function(t){this.flags.enabled=t,this.domElement.toggleClass("enabled",t),t?(Reveal.addEventListener("slidechanged",this.onSlideChanged),this.enabled.dispatch()):Reveal.removeEventListener("slidechanged",this.onSlideChanged)},isEnabled:function(){return this.flags.enabled},isConnected:function(){return this.flags.connected},makeDeckCollaborative:function(){this.isEnabled()||$.ajax({type:"POST",url:SL.config.AJAX_MAKE_DECK_COLLABORATIVE(SL.current_deck.get("id")),context:this}).done(function(){SLConfig.deck.collaborative=!0,this.load()}).fail(function(){this.showErrorOverlay("Failed to enable collaboration",this.makeDeckCollaborative.bind(this))})},showHandoverRequestReceived:function(t){var e="handover-"+t.get("user_id"),i=$(["<div>","<p><strong>"+t.get("username")+"</strong> would like to edit but only on person can edit at a time.</p>",'<button class="button half-width approve-button grey">Let them edit</button>','<button class="button half-width deny-button outline">Dismiss</button>',"</div>"].join(""));
+i.find(".approve-button").on("vclick",function(){this.becomeEditor(t),this.notifications.hide(e)}.bind(this)),i.find(".deny-button").on("vclick",function(){SL.helpers.StreamEditor.singleton().broadcast({type:"collaboration:handover-denied",user_id:t.get("user_id"),denied_by_user_id:SL.current_user.get("id")}),this.notifications.hide(e)}.bind(this)),this.notifications.show(i,{id:e,optional:!1,sender:t})},showHandoverRequestPending:function(t){var e="handover-pending",i=$(["<div>","<p>You have asked to edit this deck. Waiting to hear back from <strong>"+t.getDisplayName()+"</strong>...</p>",'<button class="button outline cancel-button">Cancel</button>',"</div>"].join(""));i.find(".cancel-button").on("vclick",function(t){t.preventDefault(),SL.helpers.StreamEditor.singleton().broadcast({type:"collaboration:handover-request-canceled",user_id:SL.current_user.get("id")}),this.notifications.hide(e)}.bind(this)),this.notifications.show(i,{id:e,optional:!1,icon:"i-question-mark"})},showLoadingOverlay:function(t){t=t||"Loading...",this.overlayElement.addClass("visible"),this.overlayContent.empty().html('<p class="message">'+t+"</p>"),this.flashOverlay()},showErrorOverlay:function(t,e){this.overlayElement.addClass("visible"),this.overlayContent.empty().html(['<div class="exclamation">!</div>','<p class="message">'+t+"</p>",'<button class="button outline">Try again</button>'].join("")),this.overlayContent.find("button").on("vclick",e),this.flashOverlay()},flashOverlay:function(){clearTimeout(this.flashOverlayTimeout),this.overlayContent.addClass("flash"),this.flashOverlayTimeout=setTimeout(function(){this.overlayContent.removeClass("flash")}.bind(this),1e3)},hideOverlay:function(){this.overlayElement.removeClass("visible")},updatePageTitle:function(){var t="";this.commentsWhileHidden.length&&(t+="("+this.commentsWhileHidden.length+") "),t+=this.isInEditor()?"Edit: ":"Review: ",t+=SL.current_deck.get("title"),document.title=t},currentUserIsEditing:function(){var t=this.getCurrentDeckUser();return!(!t||!t.isEditing())},getCurrentDeckUser:function(){return!this.cachedCurrentDeckUser&&this.usersCollection&&(this.cachedCurrentDeckUser=this.usersCollection.getByUserID(SL.current_user.get("id"))),this.cachedCurrentDeckUser},getCollapsedWidth:function(){return 60},becomeEditor:function(t){return t=t||this.getCurrentDeckUser(),new Promise(function(e,i){$.ajax({type:"POST",url:SL.config.AJAX_DECKUSER_BECOME_EDITOR(SL.current_deck.get("id"),t.get("user_id")),context:this}).done(function(){this.usersCollection.setEditing(t.get("user_id")),e(),this.currentUserIsEditing()?this.redirectToEdit():this.redirectToReview()}).fail(function(){SL.notify("Failed to change editors"),i()})}.bind(this))},isInEditor:function(){return this.options.editor},redirectToEdit:function(){if(!this.isInEditor()){SL.helpers.PageLoader.show({message:"Loading"});var t=window.location.hash||"";window.location=SL.routes.DECK_EDIT(SL.current_deck.get("user").username,SL.current_deck.get("slug"))+t}},redirectToReview:function(t){this.isInEditor()&&(SL.helpers.PageLoader.show({message:t||"Loading"}),SL.view.redirect(SL.routes.DECK_REVIEW(SL.current_deck.get("user").username,SL.current_deck.get("slug")),!0))},redirectToReviewUnlessEditor:function(){if(this.isInEditor()&&!this.currentUserIsEditing()){var t=5,e="Someone else started editing.<br>Redirecting in "+t+" seconds...";return SL.helpers.PageLoader.show({message:e}),setTimeout(function(){this.redirectToReview(e)}.bind(this),1e3*t),!0}return!1},onKeyDown:function(t){return 27!==t.keyCode||this.options.fixed?!0:(this.collapse(),!1)},onSlideChanged:function(t){var e=Reveal.getCurrentSlide().getAttribute("data-id");e&&SL.helpers.StreamEditor.singleton().emit("slide-change",e),this.comments&&this.isExpanded()&&this.comments.onSlideChanged(t),this.users&&this.users.layout()},onStreamStatusChanged:function(t){t===SL.helpers.StreamEditor.STATUS_CONNECTED?this.onSocketConnected():t===SL.helpers.StreamEditor.STATUS_DISCONNECTED?this.onSocketDisconnected():t===SL.helpers.StreamEditor.STATUS_RECONNECT_FAILED?this.onSocketReconnectFailed():t===SL.helpers.StreamEditor.STATUS_RECONNECTED&&this.onSocketReconnected()},onStreamMessage:function(t){if(t){var e=t.type.split(":")[0],i=t.type.split(":")[1];"collaboration"===e&&("comment-added"===i?this.onStreamCommentAdded(t):"comment-updated"===i?this.onStreamCommentUpdated(t):"comment-removed"===i?this.onStreamCommentRemoved(t):"user-typing"===i?this.onStreamUserTyping(t):"user-typing-stopped"===i?this.onStreamUserTypingStopped(t):"user-added"===i?this.onStreamUserAdded(t):"user-updated"===i?this.onStreamUserUpdated(t):"user-removed"===i?this.onStreamUserRemoved(t):"presence-changed"===i?this.onStreamPresenceChanged(t):"editor-changed"===i?this.onStreamEditorChanged(t):"handover-requested"===i?this.onStreamHandoverRequested(t):"handover-request-canceled"===i?this.onStreamHandoverRequestCanceled(t):"handover-denied"===i?this.onStreamHandoverDenied(t):"deck-content-changed"===i?this.onStreamDeckContentChanged(t):"deck-settings-changed"===i&&this.onStreamDeckSettingsChanged(t)),this.redirectToReviewUnlessEditor()}},onStreamCommentAdded:function(t){this.comments.addCommentFromStream(t.comment)&&(this.isExpanded()||(this.commentsWhileCollapsed.push(t.comment.id),this.menu.setUnreadComments(this.commentsWhileCollapsed.length)),SL.visibility.isHidden()&&(this.commentsWhileHidden.push(t.comment.id),this.updatePageTitle()))},onStreamCommentUpdated:function(t){this.comments.updateCommentFromStream(t.comment)},onStreamCommentRemoved:function(t){this.comments.removeCommentFromStream(t.comment.id);var e=this.commentsWhileCollapsed.indexOf(t.comment.id);-1!==e&&(this.commentsWhileCollapsed.splice(e,1),this.menu.setUnreadComments(this.commentsWhileCollapsed.length))},onStreamUserTyping:function(t){var e=this.usersCollection.getByProperties({user_id:t.user_id});e&&(e.set("typing",!0),this.comments.refreshTypingIndicators(),clearTimeout(e.typingTimeout),e.typingTimeout=setTimeout(function(){e.set("typing",!1),this.comments.refreshTypingIndicators()}.bind(this),SL.config.COLLABORATION_RESET_WRITING_TIMEOUT))},onStreamUserTypingStopped:function(t){var e=this.usersCollection.getByProperties({user_id:t.user_id});e&&(e.set("typing",!1),this.comments.refreshTypingIndicators(),clearTimeout(e.typingTimeout))},onStreamUserAdded:function(t){this.users.addUserFromStream(t.user)},onStreamUserUpdated:function(t){var e=this.usersCollection.getByProperties({user_id:t.user.user_id});if(e){var i=e.toJSON();e.setAll(t.user),i.active||e.get("active")!==!0||this.users.renderUser(e),e.get("user_id")===SL.current_user.get("id")&&(i.role!==e.get("role")&&this.reload(),this.handover&&this.handover.refresh())}},onStreamUserRemoved:function(t){if(t.user.user_id)if(t.user.user_id===SL.current_user.get("id")){var e=5,i="You were removed from this deck.<br>Redirecting in "+e+" seconds...";SL.helpers.PageLoader.show({message:i}),setTimeout(function(){window.location=SL.routes.USER(SL.current_user.get("username"))}.bind(this),1e3*e)}else this.users.removeUserFromStream(t.user.user_id)},onStreamPresenceChanged:function(t){var e=this.usersCollection.getByProperties({user_id:t.user_id});e&&(t.status&&e.set("status",t.status),t.slide_id&&e.set("slide_id",t.slide_id),this.users.refreshPresence(e),e.isOnline()===!1&&(e.get("typing")&&(e.set("typing",!1),this.comments.refreshTypingIndicators()),this.notifications.hide("handover-"+t.user_id),e.isEditing()&&this.notifications.hide("handover-pending")&&this.becomeEditor()),this.handover&&this.handover.refresh())},onStreamEditorChanged:function(t){t.user.user_id&&(this.usersCollection.setEditing(t.user.user_id),this.currentUserIsEditing()?this.redirectToEdit():this.redirectToReview())},onStreamHandoverRequested:function(t){if(this.currentUserIsEditing()){var e=this.usersCollection.getByProperties({user_id:t.user_id});e&&this.showHandoverRequestReceived(e)}},onStreamHandoverRequestCanceled:function(t){this.notifications.hide("handover-"+t.user_id)},onStreamHandoverDenied:function(t){if(SL.current_user.get("id")===t.user_id){var e=this.usersCollection.getByProperties({user_id:t.denied_by_user_id});e&&(this.notifications.hide("handover-pending"),this.notifications.show("<strong>"+e.getDisplayName()+"</strong> turned down your request to edit. Try again later.",{sender:e}))}},onStreamDeckContentChanged:function(){this.isInEditor()||(this.reloadDeckContentXHR&&this.reloadDeckContentXHR.abort(),this.reloadDeckContentXHR=$.ajax({url:SL.config.AJAX_GET_DECK_DATA(SL.current_deck.get("id")),type:"GET",context:this}).done(function(t){var e=t.deck.data;this.isInEditor()?SL.editor.controllers.Markup.replaceHTML(e):SL.util.deck.replaceHTML(e),this.handover.refreshSlideNumbers(),this.comments.refreshSlideNumbers()}.bind(this)).always(function(){this.reloadDeckContentXHR=null}.bind(this)))},onStreamDeckSettingsChanged:function(){this.isInEditor()||(this.reloadDeckSettingsXHR&&this.reloadDeckSettingsXHR.abort(),this.reloadDeckSettingsXHR=$.ajax({url:SL.config.AJAX_GET_DECK(SL.current_deck.get("id")),type:"GET",context:this}).done(function(t){var e=JSON.parse(JSON.stringify(SLConfig.deck));for(var i in t)"object"==typeof t[i]&&delete t[i];$.extend(SLConfig.deck,t);var n=SL.models.Theme.fromDeck(SLConfig.deck);SL.helpers.ThemeController.paint(n,{center:!1}),Reveal.configure({rtl:SLConfig.deck.rtl,loop:SLConfig.deck.should_loop,slideNumber:SLConfig.deck.slide_number}),SLConfig.deck.theme_id!==e.theme_id&&console.warn("Theme changed!"),SLConfig.deck.slug!==e.slug&&window.history&&"function"==typeof window.history.replaceState&&window.history.replaceState(null,SLConfig.deck.title,SL.routes.DECK_REVIEW(SLConfig.deck.user.username,SLConfig.deck.slug)+window.location.hash),SLConfig.deck.title!==e.title&&this.updatePageTitle()}.bind(this)).always(function(){this.reloadDeckSettingsXHR=null}.bind(this)))},onUserActive:function(){SL.helpers.StreamEditor.singleton().emit("active"),this.notifications.hide("editor-is-idle"),this.notifications.release(),$.post(SL.config.AJAX_DECKUSER_UPDATE_LAST_SEEN_AT(SL.current_deck.get("id")))},onUserInactive:function(){SL.helpers.StreamEditor.singleton().emit("idle"),this.currentUserIsEditing()&&this.usersCollection.hasMoreThanOnePresentEditor()&&(this.notifications.show("You're idle. While away, collaborators are allowed to take over editing.",{id:"editor-is-idle",optional:!1,icon:"i-clock"}),this.notifications.hold())},onVisibilityChanged:function(){SL.visibility.isVisible()&&(this.commentsWhileHidden.length=0,this.updatePageTitle())},onSocketConnectionFailed:function(){this.connectionError||(this.connectionError=new SL.components.RetryNotification('<strong>Sorry, we\u2019re having trouble connecting.</strong><br>If the problem persists, contact us <a href="http://help.slides.com" target="_blank">here</a>.',{type:"negative"}),this.connectionError.startCountdown(0),this.connectionError.destroyed.add(function(){this.connectionError=null}.bind(this)),this.connectionError.retryClicked.add(function(){this.connectionError.startCountdown(0),SL.helpers.StreamEditor.singleton().connect().then(SL.util.noop,SL.util.noop)}.bind(this)))},onSocketConnected:function(){clearTimeout(this.disconnectTimeout),this.connectionError&&this.connectionError.destroy(),this.connectionError&&this.connectionError.hide(),this.domElement.removeClass("disconnected"),this.isConnected()?this.reload():this.afterConnect()},onSocketDisconnected:function(){clearTimeout(this.disconnectTimeout),this.disconnectTimeout=setTimeout(function(){this.domElement.addClass("disconnected"),this.comments.blur(),this.users.dismissPrompts(),this.connectionError||(this.connectionError=new SL.components.RetryNotification("Lost connection to server",{type:"negative"}),this.connectionError.startCountdown(0),this.connectionError.destroyed.add(function(){this.connectionError=null}.bind(this)),this.connectionError.retryClicked.add(function(){this.connectionError.startCountdown(0),SL.helpers.StreamEditor.singleton().connect().then(SL.util.noop,SL.util.noop)}.bind(this)))}.bind(this),6e3)},onSocketReconnecting:function(t){this.connectionError&&this.connectionError.startCountdown(t)},onSocketReconnectFailed:function(){this.connectionError&&this.connectionError.disableCountdown()},onSocketReconnected:function(){clearTimeout(this.disconnectTimeout)},destroy:function(){this.menu&&this.menu.destroy(),this.users&&this.users.destroy(),this.comments&&this.comments.destroy(),this.handover&&this.handover.destroy(),this.options=null,this.domElement.remove()}}),SL("components.collab").CommentThread=Class.extend({init:function(t,e){this.id=t,this.options=e,this.comments=new SL.collections.collab.Comments,this.strings={loadMoreComments:"Load older comments",loadingMoreComments:"Loading..."},this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-collab-comment-thread empty"></div>'),this.domElement.attr("data-thread-id",this.id),this.domElement.data("thread",this),this.loadMoreButton=$('<button class="load-more-button">'+this.strings.loadMoreComments+"</button>"),this.loadMoreButton.on("vclick",this.onLoadMoreClicked.bind(this)),this.loadMoreButton.appendTo(this.domElement)},renderComment:function(t,e){if(e=e||{},!t.rendered){t.rendered=!0;var i=this.options.users.getByUserID(t.get("user_id"));"undefined"==typeof i&&(i=new SL.models.collab.DeckUser({username:"unknown"}));var n=moment(t.get("created_at")),s=n.format("h:mm A"),o=n.format("MMM Do")+" at "+n.format("h:mm:ss A"),a=i?i.get("first_name"):"N/A";a=(a||"").toLowerCase();var r=$(['<div class="sl-collab-comment">','<div class="comment-sidebar">','<div class="avatar" style="background-image: url(\''+i.get("thumbnail_url")+"')\" />","</div>",'<div class="comment-body">','<span class="author">'+a+"</span>",'<div class="meta">','<span class="meta-time" data-tooltip="'+o+'">'+s+"</span>","</div>",'<p class="message"></p>',"</div>","</div>"].join(""));r.data("model",t),this.refreshComment(r),this.refreshSlideNumber(r),SL.util.device.IS_PHONE||SL.util.device.IS_TABLET||this.renderCommentOptions(r,t),t.stateChanged.add(this.onCommentStateChanged.bind(this,r)),e.prepend?this.domElement.prepend(r):this.domElement.append(r),this.checkOverflow()}},renderCommentOptions:function(t,e){var i=this.getCommentPrivileges(e);if(i.canDelete||i.canEdit){var n=$('<button class="button options-button icon disable-when-disconnected"></button>').appendTo(t.find(".comment-sidebar"));i.canDelete&&i.canEdit?(n.addClass("i-cog"),n.on("click",this.onCommentOptionsClicked.bind(this,t))):i.canDelete?(n.addClass("i-trash-stroke"),n.on("click",this.onDeleteComment.bind(this,t))):i.canEdit&&(n.addClass("i-i-pen-alt2"),n.on("click",this.onEditComment.bind(this,t)))}},refreshComment:function(t){if(t){var e=t.data("model");e&&(t.find(".message").text(e.get("message")),t.attr("data-id",e.get("id")),t.attr("data-state",e.getState()))}},refreshCommentByID:function(t){this.refreshComment(this.getCommentByID(t))},refreshSlideNumbers:function(){this.options.slideNumbers&&this.domElement.find(".sl-collab-comment").each(function(t,e){this.refreshSlideNumber($(e))}.bind(this))},refreshSlideNumber:function(t){if(this.options.slideNumbers){var e=SL.util.deck.getSlideNumber(t.data("model").get("slide_hash"));if(e){var i="slide "+e,n=t.find(".meta-slide-number");n.length?n.text(i):t.find(".meta").prepend('<button class="meta-slide-number" data-tooltip="Click to view slide">'+i+"</button>")}else t.find(".meta-slide-number").remove()}},appendTo:function(t){this.domElement.appendTo(t)},bind:function(){this.comments.loadStarted.add(this.onLoadStarted.bind(this)),this.comments.loadCompleted.add(this.onLoadCompleted.bind(this)),this.comments.loadFailed.add(this.onLoadFailed.bind(this)),this.comments.changed.add(this.onCommentsChanged.bind(this)),this.viewSlideCommentsClicked=new signals.Signal,this.layout=this.layout.bind(this),this.onWindowResize=this.onWindowResize.bind(this),this.domElement.delegate(".meta-slide-number","vclick",this.onSlideNumberClicked.bind(this)),SL.util.dom.preventTouchOverflowScrolling(this.domElement)},show:function(t){t=t||{},this.getID()===SL.components.collab.Comments.DECK_THREAD?this.comments.isLoaded()||this.comments.isLoading()?(this.refresh(),this.scrollToLatestComment()):this.load():this.load(t.slide_hash||Reveal.getCurrentSlide().getAttribute("data-id")),$(window).on("resize",this.onWindowResize)},hide:function(){$(window).off("resize",this.onWindowResize)},load:function(t){var e=SL.config.AJAX_COMMENTS_LIST(SL.current_deck.get("id"),t);this.slideHash=t,this.domElement.find(".sl-collab-comment").remove(),this.comments.unload(),this.domElement.addClass("empty"),this.comments.load(e).then(SL.util.noop,SL.util.noop)},reload:function(){this.getID()===SL.components.collab.Comments.DECK_THREAD?this.load():this.load(this.slideHash||Reveal.getCurrentSlide().getAttribute("data-id"))},refresh:function(){this.checkIfEmpty(),this.checkOverflow(),this.checkPagination()},layout:function(){this.checkOverflow()},checkIfEmpty:function(){if(this.comments.isLoaded())if(this.comments.isEmpty()){var t=this.getID()===SL.components.collab.Comments.SLIDE_THREAD?"No comments on this slide":"Nothing here yet.<br>Be the first to comment.";this.getPlaceholder().html('<div class="icon i-comment-stroke"></div><p>'+t+"</p>")}else this.hidePlaceholder(),this.domElement.removeClass("empty")},checkPagination:function(){this.loadMoreButton.toggleClass("visible",!this.comments.isLoading()&&this.comments.isLoaded()&&this.comments.hasNextPage())},checkOverflow:function(){this.domElement.toggleClass("overflowing",this.domElement.prop("scrollHeight")>this.domElement.prop("offsetHeight"))},hidePlaceholder:function(){this.placeholder&&(this.placeholder.remove(),this.placeholder=null)},getCommentPrivileges:function(t){var e={canEdit:!1,canDelete:!1},i=this.options.users.getByUserID(SL.current_user.get("id")),n=this.options.users.getByUserID(t.get("user_id"));if(n&&i){var s=i.get("user_id")===n.get("user_id"),o=i.get("role")===SL.models.collab.DeckUser.ROLE_ADMIN||i.get("role")===SL.models.collab.DeckUser.ROLE_OWNER;s?(e.canEdit=!0,e.canDelete=!0):o&&(e.canDelete=!0)}return e},scrollToLatestComment:function(){this.domElement.scrollTop(this.domElement.prop("scrollHeight"))},scrollToLatestCommentUnlessScrolled:function(){return this.getScrollOffset()<600?(this.scrollToLatestComment(),!0):!1},commentExists:function(t){return this.getComments().getByID(t.id)?!0:SL.current_user.get("id")===t.user_id?this.getTemporaryComments().some(function(e){return e.get("user_id")===t.user_id&&e.get("message")===t.message}):!1},getScrollOffset:function(){var t=this.domElement.get(0);return t.scrollHeight-t.offsetHeight-t.scrollTop},getPlaceholder:function(){return this.placeholder||(this.placeholder=$('<div class="placeholder">'),this.placeholder.appendTo(this.domElement)),this.placeholder},getComments:function(){return this.comments},getTemporaryComments:function(){return this.comments.filter(function(t){return!t.has("id")})},getCommentByID:function(t){return this.domElement.find('.sl-collab-comment[data-id="'+t+'"]')},getSlideHash:function(){return this.slideHash},getID:function(){return this.id},onLoadStarted:function(){this.getPlaceholder().html('<div class="spinner centered" data-spinner-color="#999"></div>'),SL.util.html.generateSpinners()},onLoadCompleted:function(){this.comments.forEach(this.renderComment.bind(this)),this.refresh(),this.scrollToLatestComment()},onLoadFailed:function(){this.getPlaceholder().html('<p class="error">Failed to load comments.</p>')},onWindowResize:function(){this.scrollToLatestComment(),this.layout()},onCommentsChanged:function(t,e){t&&t.length&&t.forEach(this.renderComment.bind(this)),e&&e.length&&e.forEach(function(t){this.getCommentByID(t.get("id")).remove()}.bind(this)),this.refresh()},onCommentStateChanged:function(t,e){var i=e.getState();t.attr("data-id",e.get("id")),t.attr("data-state",i),i===SL.models.collab.Comment.STATE_FAILED?0===t.find(".retry").length&&(t.append(['<div class="retry">','<span class="retry-info">Failed to send</span>','<button class="button outline retry-button">Retry</button>',"</div>"].join("")),t.find(".retry-button").on("click",function(){this.comments.retryCreate(e)}.bind(this)),this.scrollToLatestCommentUnlessScrolled()):t.find(".retry").remove()},onCommentOptionsClicked:function(t){var e=new SL.components.Menu({anchor:t.find(".options-button"),anchorSpacing:15,alignment:"l",destroyOnHide:!0,options:[{label:"Edit",icon:"pen-alt2",callback:this.onEditComment.bind(this,t)},{label:"Delete",icon:"trash-fill",callback:this.onDeleteComment.bind(this,t)}]});e.show()},onEditComment:function(t){var e=t.data("model"),i=SL.prompt({anchor:t.find(".options-button"),alignment:"l",title:"Edit comment",type:"input",confirmLabel:"Save",data:{value:e.get("message"),placeholder:"Comment...",multiline:!0}});i.confirmed.add(function(i){"string"==typeof i&&i.trim().length>0&&(e.set("message",i),e.save(["message"]).done(this.refreshComment.bind(this,t)))}.bind(this)),SL.analytics.trackCollaboration("Edit comment")},onDeleteComment:function(t){var e=t.data("model");SL.prompt({anchor:t.find(".options-button"),alignment:"l",title:"Are you sure you want to delete this comment?",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Delete</h3>",selected:!0,className:"negative",callback:function(){this.comments.remove(e),e.destroy()}.bind(this)}]}),SL.analytics.trackCollaboration("Delete comment")},onLoadMoreClicked:function(){this.loadMoreButton.prop("disabled",!0).text(this.strings.loadingMoreComments),this.comments.loadNextPage().then(function(t){var e=this.domElement.scrollTop(),i=this.domElement.prop("scrollHeight");t.reverse().forEach(function(t){this.renderComment(t,{prepend:!0})}.bind(this));var n=this.domElement.prop("scrollHeight");this.domElement.scrollTop(n-i+e),this.checkPagination()}.bind(this)).catch(function(){SL.notify("Failed to load comments","negative")}.bind(this)).then(function(){this.loadMoreButton.prop("disabled",!1).text(this.strings.loadMoreComments),this.loadMoreButton.prependTo(this.domElement)}.bind(this))},onSlideNumberClicked:function(t){var e=$(t.target).closest(".sl-collab-comment");e.length&&e.data("model")&&this.viewSlideCommentsClicked.dispatch(e.data("model").get("slide_hash"))},destroy:function(){this.viewSlideCommentsClicked.dispose(),this.domElement.remove()}}),SL("components.collab").Comments=Class.extend({init:function(t,e){this.controller=t,this.options=e,this.render(),this.bind(),this.getCurrentThread()||this.showThread(SL.components.collab.Comments.DECK_THREAD),this.refreshCommentInput(),this.refreshCurrentSlide(),this.getCurrentThread().scrollToLatestComment(),this.layout()},render:function(){this.domElement=$('<div class="sl-collab-page sl-collab-comments"></div>'),this.renderHeader(),this.bodyElement=$('<div class="sl-collab-page-body sl-collab-comments-body">'),this.bodyElement.appendTo(this.domElement),this.footerElement=$('<footer class="sl-collab-page-footer">'),this.footerElement.appendTo(this.domElement),this.renderThreads(),this.renderCommentForm()},renderHeader:function(){this.headerElement=$('<header class="sl-collab-page-header sl-collab-comments-header"></header>'),this.headerElement.appendTo(this.domElement),this.headerElement.html(['<div class="header-tab selected" data-thread-id="deck">All comments</div>','<div class="header-tab header-tab-slide" data-thread-id="slide">Current slide</div>'].join("")),this.headerElement.find(".header-tab").on("vclick",function(t){this.showThread($(t.currentTarget).attr("data-thread-id")),SL.util.device.IS_PHONE||SL.util.device.IS_TABLET||this.commentInput.focus()}.bind(this))},renderThreads:function(){this.threads={},this.threads.deck=new SL.components.collab.CommentThread(SL.components.collab.Comments.DECK_THREAD,{users:this.options.users,slideNumbers:!0}),this.threads.deck.viewSlideCommentsClicked.add(this.onViewSlideCommentsClicked.bind(this)),this.threads.deck.appendTo(this.bodyElement),this.threads.slide=new SL.components.collab.CommentThread(SL.components.collab.Comments.SLIDE_THREAD,{users:this.options.users}),this.threads.slide.appendTo(this.bodyElement)},renderCommentForm:function(){this.commentForm=$('<form action="#" class="sl-collab-comment-form sl-form disable-when-disconnected" novalidate>'),this.commentForm.on("submit",this.onCommentSubmit.bind(this)),this.commentInput=$(SL.util.device.IS_PHONE||SL.util.device.IS_TABLET?'<input type="text" autocapitalize="sentences" class="comment-input" placeholder="Add a comment..." required maxlength="'+SL.config.COLLABORATION_COMMENT_MAXLENGTH+'" />':'<textarea class="comment-input" placeholder="Add a comment..." required maxlength="'+SL.config.COLLABORATION_COMMENT_MAXLENGTH+'"></textarea>'),this.commentInput.on("keydown",this.onCommentKeyDown.bind(this)),this.commentInput.on("input",this.onCommentChanged.bind(this)),this.commentInput.on("focus",this.onCommentInputFocus.bind(this)),this.commentInput.appendTo(this.commentForm),this.commentInputFooter=$('<div class="comment-footer"></div>'),this.commentInputFooter.appendTo(this.commentForm),this.commentTyping=$('<div class="comment-typing"></div>'),this.commentTyping.appendTo(this.commentInputFooter),this.commentSubmitButton=$('<input class="comment-submit" type="submit" value="Send" />'),this.commentSubmitButton.on("vclick",this.submitComment.bind(this)),this.commentSubmitButton.appendTo(this.commentInputFooter),this.commentInputFooter.append('<div class="clear"></div>'),this.commentForm.appendTo(this.footerElement)},bind:function(){this.layout=this.layout.bind(this),this.startTyping=this.startTyping.bind(this),this.stopTyping=this.stopTyping.bind(this),$(window).on("resize",this.layout),this.controller.expanded.add(this.onCollaborationExpanded.bind(this)),this.controller.isInEditor()&&SL.editor.controllers.Markup.slidesChanged.add(this.refreshSlideNumbers.bind(this))},appendTo:function(t){this.domElement.appendTo(t)},layout:function(){this.checkOverflow()},reload:function(){this.threads.deck.reload();var t=this.getCurrentThread();t&&t.getID()===SL.components.collab.Comments.SLIDE_THREAD&&t.reload()},focus:function(){this.commentInput.focus()},blur:function(){this.commentInput.blur()},checkOverflow:function(){this.domElement.toggleClass("overflowing",this.bodyElement.prop("scrollHeight")>this.bodyElement.prop("offsetHeight"))},showCommentNotification:function(t){var e=this.options.users.getByUserID(t.get("user_id"));if(e&&e.get("user_id")!==SL.current_user.get("id")){var i="<strong>"+e.getDisplayName()+"</strong>",n=SL.util.deck.getSlideNumber(t.get("slide_hash"));n&&(i+='<span class="slide-number">slide '+n+"</span>"),i+="<br>"+t.get("message"),this.controller.notifications.show(i,{sender:e,callback:function(){this.showSlideComments(t.get("slide_hash")),this.commentInput.focus()}.bind(this)})}},showSlideComments:function(t){this.controller.isExpanded()===!1&&this.controller.expand();var e=$('.reveal .slides section[data-id="'+t+'"]').get(0);SL.util.deck.navigateToSlide(e);var i=this.getCurrentThread();i&&i.getID()!==SL.components.collab.Comments.SLIDE_THREAD&&(this.showThread(SL.components.collab.Comments.SLIDE_THREAD,{slide_hash:t}),SL.util.device.IS_PHONE||SL.util.device.IS_TABLET||this.commentInput.focus())},showThread:function(t,e){var i=this.getCurrentThread(),n=this.bodyElement.find('[data-thread-id="'+t+'"]'),s=n.data("thread");s&&(i&&i!==s&&i.hide(),this.bodyElement.find(".sl-collab-comment-thread").removeClass("visible"),n.addClass("visible"),this.headerElement.find(".header-tab").removeClass("selected"),this.headerElement.find('.header-tab[data-thread-id="'+t+'"]').addClass("selected"),s.show(e))},getCurrentThread:function(){return this.domElement.find(".sl-collab-comment-thread.visible").data("thread")},addCommentFromStream:function(t){if(t.id||console.warn("Can not insert comment without ID"),!this.threads.deck.commentExists(t)){var e=this.controller.isExpanded(),i=this.threads.deck.getComments().createModel(t),n=!1;return this.getCurrentThread().getID()===SL.components.collab.Comments.DECK_THREAD?n=this.threads.deck.scrollToLatestCommentUnlessScrolled():this.getCurrentThread().getID()===SL.components.collab.Comments.SLIDE_THREAD&&t.slide_hash&&t.slide_hash===this.getCurrentThread().getSlideHash()&&!this.getCurrentThread().commentExists(t)&&(this.threads.slide.getComments().createModel(t),n=this.threads.slide.scrollToLatestCommentUnlessScrolled()),e&&n||this.showCommentNotification(i),!0}return!1},updateCommentFromStream:function(t){t.id||console.warn("Can not update comment without ID");var e=this.threads.deck.getComments().getByID(t.id);if(e){for(var i in t)e.set(i,t[i]);this.threads.deck.refreshCommentByID(e.get("id")),this.getCurrentThread().getID()===SL.components.collab.Comments.SLIDE_THREAD&&this.threads.slide.refreshCommentByID(e.get("id"))}},removeCommentFromStream:function(t){return this.threads.deck.getComments().removeByProperties({id:t})},refreshCommentInput:function(){this.commentInput.attr("rows",2);var t=Math.ceil(parseFloat(this.commentInput.css("line-height"))),e=this.commentInput.prop("scrollHeight"),i=this.commentInput.prop("clientHeight"),n=10;e>i&&this.commentInput.attr("rows",Math.min(Math.floor(e/t),n)),this.getCurrentThread().scrollToLatestCommentUnlessScrolled(t*n)},refreshTyping:function(){var t=this.commentInput.val();t?this.startTyping():this.stopTyping()},startTyping:function(){var t=Date.now();this.typing=!0,(!this.lastTypingEvent||t-this.lastTypingEvent>SL.config.COLLABORATION_SEND_WRITING_INTERVAL)&&(this.lastTypingEvent=t,SL.helpers.StreamEditor.singleton().broadcast({type:"collaboration:user-typing",user_id:SL.current_user.get("id")}))},stopTyping:function(){this.typing&&(this.typing=!1,this.lastTypingEvent=null,SL.helpers.StreamEditor.singleton().broadcast({type:"collaboration:user-typing-stopped",user_id:SL.current_user.get("id")}))},refreshTypingIndicators:function(){var t=this.options.users.filter(function(t){return t.get("typing")===!0});0===t.length?this.commentTyping.empty().removeAttr("data-tooltip"):1===t.length?this.commentTyping.html("<strong>"+t[0].getDisplayName()+"</strong> is typing").removeAttr("data-tooltip"):t.length>1&&(this.commentTyping.html("<strong>"+t.length+" people</strong> are typing"),this.commentTyping.attr("data-tooltip",t.map(function(t){return t.getDisplayName()}).join("<br>")))},refreshCurrentSlide:function(){var t=this.getCurrentThread();t&&t.getID()===SL.components.collab.Comments.SLIDE_THREAD&&this.showThread(SL.components.collab.Comments.SLIDE_THREAD,{slide_hash:Reveal.getCurrentSlide().getAttribute("data-id")});var e=SL.util.deck.getSlideNumber(Reveal.getCurrentSlide());e&&this.headerElement.find(".header-tab-slide").text("Slide "+e)},refreshSlideNumbers:function(){this.threads.deck.refreshSlideNumbers()},submitComment:function(){var t=this.commentInput.val();t=t.trim(),t=t.replace(/(\n|\r){3,}/gim,"\n\n"),t.length&&(this.getCurrentThread().getComments().create({comment:{slide_hash:Reveal.getCurrentSlide().getAttribute("data-id"),message:t,user_id:SL.current_user.get("id"),created_at:Date.now()}}),this.commentInput.val(""),this.stopTyping(),this.refreshCommentInput(),this.getCurrentThread().scrollToLatestComment())},onCommentSubmit:function(t){this.submitComment(),t.preventDefault()},onCommentKeyDown:function(t){13!==t.keyCode||t.shiftKey||(this.submitComment(),t.preventDefault(),t.stopPropagation())},onCommentChanged:function(){this.refreshCommentInput(),this.refreshTyping()},onCommentInputFocus:function(){this.refreshTyping()},onViewSlideCommentsClicked:function(t){this.showSlideComments(t)},onSlideChanged:function(){this.refreshCurrentSlide()},onCollaborationExpanded:function(){this.refreshCurrentSlide(),setTimeout(this.focus.bind(this),100)},destroy:function(){this.threads.deck.destroy(),this.threads.slide.destroy(),this.options=null,this.domElement.remove()}}),SL.components.collab.Comments.DECK_THREAD="deck",SL.components.collab.Comments.SLIDE_THREAD="slide",SL("components.collab").Handover=Class.extend({init:function(t,e){this.controller=t,this.options=e,this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-collab-handover">'),this.editButtonWrapper=$('<div class="edit-button-wrapper">').appendTo(this.domElement),this.editButton=$('<div class="edit-button">'),this.editButton.append('<span class="label">Edit </span><span class="icon i-pen-alt2"></span>'),this.editButton.appendTo(this.editButtonWrapper),this.user=$('<div class="user"></div>'),this.userAvatar=$('<div class="user-avatar"></div>').appendTo(this.user),this.userDescription=$('<div class="user-description"></div>').appendTo(this.user),this.userStatus=$('<div class="user-status"></div>').appendTo(this.userDescription),this.userSlide=$('<div class="user-slide"></div>').appendTo(this.userDescription)
+},appendTo:function(t){this.domElement.appendTo(t)},bind:function(){this.editButtonWrapper.on("vclick",this.onEditClicked.bind(this))},refresh:function(){this.controller.getCurrentDeckUser().isEditing()||!this.controller.getCurrentDeckUser().canEdit()?(this.editButtonWrapper.removeClass("visible"),this.editButtonWrapper.removeAttr("data-tooltip"),this.user.remove()):(this.editButtonWrapper.addClass("visible"),this.currentEditor=this.options.users.getByProperties({editing:!0}),this.currentEditor&&this.currentEditor.isOnline()?(this.currentAvatarURL!==this.currentEditor.get("thumbnail_url")&&(this.currentAvatarURL=this.currentEditor.get("thumbnail_url"),this.userAvatar.css("background-image",'url("'+this.currentAvatarURL+'")')),0===this.user.parent().length&&this.user.appendTo(this.editButtonWrapper),this.refreshSlideNumbers(),this.currentEditor.isIdle()?(this.editButtonWrapper.attr("data-tooltip","<strong>"+this.currentEditor.get("username")+"</strong> is editing but has been idle for a while.<br>Click to start editing."),this.userStatus.html('<span class="username">'+this.currentEditor.get("username")+"</span> is idle"),this.user.addClass("idle")):(this.editButtonWrapper.attr("data-tooltip","Ask <strong>"+this.currentEditor.get("username")+"</strong> to make you the active editor"),this.userStatus.html('<span class="username">'+this.currentEditor.get("username")+"</span> is editing"),this.user.removeClass("idle"))):(this.user.remove(),this.editButtonWrapper.removeAttr("data-tooltip")))},refreshSlideNumbers:function(){if(this.currentEditor){var t=SL.util.deck.getSlideNumber(this.currentEditor.get("slide_id"));t?this.userSlide.addClass("visible").html("slide "+t).data("data-slide-id",this.currentEditor.get("slide_id")).attr("data-tooltip","Click to view slide"):this.userSlide.removeClass("visible")}},onEditClicked:function(t){if($(t.target).closest(".user-slide").length){var e=this.userSlide.data("data-slide-id"),i=$('.reveal .slides section[data-id="'+e+'"]').get(0);i&&SL.util.deck.navigateToSlide(i)}else if(!this.controller.getCurrentDeckUser().isEditing()){var n=this.options.users.getByProperties({editing:!0});n&&n.isOnline()&&!n.isIdle()?(SL.helpers.StreamEditor.singleton().broadcast({type:"collaboration:handover-requested",user_id:SL.current_user.get("id")}),this.controller.showHandoverRequestPending(n)):this.controller.becomeEditor()}},destroy:function(){this.domElement.remove()}}),SL("components.collab").Menu=Class.extend({init:function(t,e){this.controller=t,this.options=e,this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-collab-menu">'),this.innerElement=$('<div class="sl-collab-menu-inner">'),this.innerElement.appendTo(this.domElement),this.renderProfile()},renderProfile:function(){this.enableButton=$('<div class="sl-collab-menu-item sl-collab-menu-enable ladda-button" data-style="zoom-in" data-spinner-color="#444" data-tooltip="Add a collaborator" data-tooltip-alignment="l">'),this.enableButton.append('<span class="users-icon icon i-users"></span>'),this.enableButton.appendTo(this.innerElement),this.toggleButton=$('<div class="sl-collab-menu-item sl-collab-menu-toggle">'),this.toggleButton.append('<div class="users-icon icon i-users"></div>'),this.toggleButton.append('<div class="close-icon icon i-x"></div>'),this.toggleButton.appendTo(this.innerElement),this.unreadComments=$('<div class="unread-comments" data-tooltip="Unread comments" data-tooltip-alignment="l">'),this.unreadComments.appendTo(this.toggleButton)},appendTo:function(t){this.domElement.appendTo(t)},bind:function(){this.onEnableClicked=this.onEnableClicked.bind(this),this.onToggleClicked=this.onToggleClicked.bind(this),this.enableButton.on("vclick",this.onEnableClicked),this.toggleButton.on("vclick",this.onToggleClicked),this.controller.enabled.add(this.onCollaborationEnabled.bind(this)),this.controller.expanded.add(this.onCollaborationExpanded.bind(this))},setUnreadComments:function(t){0===t?this.clearUnreadComments():this.unreadComments.text(t).addClass("visible")},clearUnreadComments:function(){this.unreadComments.removeClass("visible")},destroy:function(){this.domElement.remove()},getPrimaryButton:function(){return this.toggleButton},onEnableClicked:function(t){this.enableButton.off("vclick",this.onEnableClicked),this.enableLoader=Ladda.create(this.enableButton.get(0)),this.enableLoader.start(),SL.view.isNewDeck()?SL.view.save(function(){this.controller.makeDeckCollaborative()}.bind(this)):this.controller.makeDeckCollaborative(),t.preventDefault()},onToggleClicked:function(t){this.controller.toggle(),t.preventDefault()},onCollaborationEnabled:function(){this.enableLoader&&(this.enableLoader.stop(),this.enableLoader=null)},onCollaborationExpanded:function(){this.clearUnreadComments()}}),SL("components.collab").Notifications=Class.extend({init:function(t,e){this.controller=t,this.options=e,this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-collab-notifications">')},bind:function(){this.domElement.delegate(".sl-collab-notification.optional","mouseenter",this.onNotificationMouseEnter.bind(this)),this.domElement.delegate(".sl-collab-notification.optional","vclick",this.onNotificationClick.bind(this))},appendTo:function(t){this.domElement.appendTo(t)},show:function(t,e){e=$.extend({optional:!0,duration:5e3},e);var i;e.id&&(i=this.getNotificationByID(e.id)),i&&0!==i.length||(i=this.addNotification(t,e),e.optional&&(this.holding?i.addClass("on-hold"):this.hideAfter(i,e.duration)))},hide:function(t){var e=this.getNotificationByID(t);return e.length?(this.removeNotification(e),!0):!1},hideAfter:function(t,e){setTimeout(function(){t.addClass("hide"),setTimeout(this.removeNotification.bind(this,t),500)}.bind(this),e)},hold:function(){this.holding=!0},release:function(){this.holding=!1;var t=this.domElement.find(".sl-collab-notification.on-hold").get().reverse();t.forEach(function(t,e){this.hideAfter($(t),5e3+1e3*e)},this)},addNotification:function(t,e){var i=$('<div class="sl-collab-notification" />').data("options",e).toggleClass("optional",e.optional).prependTo(this.domElement),t=$('<div class="message" />').append(t).appendTo(i);return i.toggleClass("multiline",t.height()>24),e.sender?$('<div class="status-picture" />').css("background-image",'url("'+e.sender.get("thumbnail_url")+'")').prependTo(i):$('<div class="status-icon icon" />').addClass(e.icon||"i-info").prependTo(i),e.id&&i.attr("data-id",e.id),this.layout(),setTimeout(function(){i.addClass("show")},1),i},removeNotification:function(t){t.removeData(),t.remove(),this.layout()},getNotificationByID:function(t){return this.domElement.find(".sl-collab-notification[data-id="+t+"]")},layout:function(){var t=0;this.domElement.find(".sl-collab-notification").each(function(e,i){i.style.top=t+"px",t+=i.offsetHeight+10})},destroy:function(){this.domElement.remove()},onNotificationMouseEnter:function(t){var e=$(t.currentTarget);0===e.find(".dismiss").length&&$('<div class="dismiss"><span class="icon i-x"></span></div>').appendTo(e)},onNotificationClick:function(t){var e=$(t.currentTarget);if(0===$(t.target).closest(e.find(".dismiss")).length){var i=e.data("options").callback;"function"==typeof i&&i.call()}this.removeNotification(e)}}),SL("components.collab").Users=Class.extend({init:function(t,e){this.controller=t,this.options=e,this.inviteSent=new signals.Signal,this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-collab-users disable-when-disconnected">'),this.userList=$('<div class="sl-collab-users-list">').appendTo(this.domElement),this.slideGroup=$('<div class="sl-collab-users-group">').appendTo(this.userList),this.slideGroup.append('<div class="icon i-eye"></div>'),this.slideGroup.find(".icon").attr({"data-tooltip":"People who are viewing the current slide","data-tooltip-alignment":"l"}),this.inviteButton=$('<div class="sl-collab-users-invite" data-tooltip="Add a collaborator" data-tooltip-alignment="l"></div>'),this.inviteButton.html('<span class="icon i-plus"></span>'),this.inviteButton.on("vclick",this.onInviteClicked.bind(this)),this.inviteButton.appendTo(this.domElement),this.renderUsers()},renderUsers:function(){this.domElement.toggleClass("admin",this.controller.getCurrentDeckUser().isAdmin()),this.layoutPrevented=!0,this.userList.find(".sl-collab-user").remove(),this.options.users.forEach(this.renderUser.bind(this)),this.layoutPrevented=!1,this.layout()},renderUser:function(t){if(t.get("user_id")!==SL.current_user.get("id")&&t.get("active")!==!1){t._watchingActive||(t._watchingActive=!0,t.watch("active",function(){t.isActive()?this.onUsersChanged([t]):this.onUsersChanged(null,[t])}.bind(this)));var e=this.getUserByID(t.get("user_id"));return 0===e.length&&(e=$("<div/>",{"class":"sl-collab-user","data-user-id":t.get("user_id")}),e.html('<div class="picture" style="background-image: url(\''+t.get("thumbnail_url")+"')\" />"),e.data("model",t),e.on("mouseenter",this.onUserMouseEnter.bind(this)),e.appendTo(this.userList)),this.refreshPresence(t),e}},renderRoleSelector:function(){var t=$(['<select class="sl-select role-selector">','<option value="'+SL.models.collab.DeckUser.ROLE_EDITOR+'">Editor \u2013 Can comment and edit</option>','<option value="'+SL.models.collab.DeckUser.ROLE_VIEWER+'">Viewer \u2013 Can comment</option>',"</select>"].join(""));return SL.current_deck.get("user.enterprise")&&t.prepend('<option value="'+SL.models.collab.DeckUser.ROLE_ADMIN+'">Admin \u2013 Can comment, edit and manage users</option>'),t},renderInviteForm:function(){this.inviteForm||(this.inviteForm=$('<div class="sl-collab-invite-form sl-form">'),this.inviteEmail=$('<input class="invite-email" type="text" placeholder="Email address..." />'),this.inviteEmail.on("input",this.onEmailInput.bind(this)),this.inviteEmail.appendTo(this.inviteForm),this.inviteRole=this.renderRoleSelector(),this.inviteRole.appendTo(this.inviteForm),this.inviteOptions=$('<div class="invite-options">'),this.inviteOptions.appendTo(this.inviteForm),this.inviteFooter=$(['<footer class="footer">','<button class="button l outline cancel-button">Cancel</button>','<button class="button l confirm-button">Send</button>',"</footer>"].join("")),this.inviteFooter.find(".cancel-button").on("vclick",this.onInviteCancelClicked.bind(this)),this.inviteFooter.find(".confirm-button").on("vclick",this.onInviteConfirmClicked.bind(this)),this.inviteFooter.appendTo(this.inviteForm),SL.current_user.isEnterprise()&&(this.inviteEmailAutocomplete=new SL.components.form.Autocomplete(this.inviteEmail,this.searchTeamMembers.bind(this),{className:"light-grey",offsetY:1}),this.inviteEmailAutocomplete.confirmed.add(this.onEmailInput.bind(this)))),this.inviteEmail.val(""),this.inviteOptions.empty(),this.inviteRole.find("[hidden]").prop("hidden",!1),this.inviteRole.find('[value="'+SL.models.collab.DeckUser.ROLE_EDITOR+'"]').prop("selected",!0),this.inviteRole.prop("disabled",!1);var t=SL.current_deck.user;if(SL.current_deck.isVisibilityAll()||!t.isPaid()||t.isEnterprise()){if(t.isEnterprise()&&SL.current_user.isEnterpriseManager()){this.inviteOptions.append("<p>Want this person to be able to access internal presentations and create decks of their own?</p>");var e=$(['<div class="unit sl-checkbox outline">','<input id="team-invite-checkbox" class="team-invite-checkbox" type="checkbox" />','<label for="team-invite-checkbox">Add to team</label>',"</div>"].join("")).appendTo(this.inviteOptions);this.inviteToTeamLabel=e.find("label"),this.inviteToTeamInput=e.find("input"),SL.current_team.isManuallyUpgraded()||this.inviteToTeamLabel.html("Add to team for "+SL.current_team.getCostPerUser())}}else{var i=this.options.users.getEditors().length-1,n=SL.current_deck.get("deck_user_editor_limit")||50,s=n-i;i>=n?(this.inviteRole.find('[value="'+SL.models.collab.DeckUser.ROLE_EDITOR+'"]').prop("hidden",!0),this.inviteRole.find('[value="'+SL.models.collab.DeckUser.ROLE_VIEWER+'"]').prop("selected",!0),this.inviteRole.prop("disabled",!0),this.inviteOptions.html("You can't invite any more editors to this deck on your current plan, but you can add any number of viewers. Please <a href=\""+SL.routes.PRICING+'" target="_blank">upgrade</a> to add more editors.')):this.inviteOptions.html('You can invite <span class="semibold">'+s+"</span> more "+SL.util.string.pluralize("editor","s",s>1)+".")}return this.inviteForm},renderEditForm:function(t){this.editForm||(this.editForm=$('<div class="sl-collab-edit-form sl-form">'),this.editRole=this.renderRoleSelector(),this.editRole.appendTo(this.editForm),this.editFooter=$(['<footer class="footer">','<button class="button l negative delete-button" style="float: left;">Remove</button>','<button class="button l outline cancel-button">Cancel</button>','<button class="button l confirm-button">Save</button>',"</footer>"].join("")),this.editFooter.find(".delete-button").on("vclick",this.onEditDeleteClicked.bind(this)),this.editFooter.find(".cancel-button").on("vclick",this.onEditCancelClicked.bind(this)),this.editFooter.find(".confirm-button").on("vclick",this.onEditConfirmClicked.bind(this)),this.editFooter.appendTo(this.editForm)),this.editRole.find('[value="'+t.get("role")+'"]').prop("selected",!0),this.editRole.prop("disabled",!1);var e=SL.current_deck.user;if(!SL.current_deck.isVisibilityAll()&&e.isPaid()&&!e.isEnterprise()){var i=this.options.users.getEditors().length-1,n=SL.current_deck.get("deck_user_editor_limit")||50;i>=n&&t.get("role")===SL.models.collab.DeckUser.ROLE_VIEWER&&this.editRole.prop("disabled",!0)}return this.editForm},bind:function(){this.options.users.changed.add(this.onUsersChanged.bind(this)),this.domElement.delegate(".sl-collab-user","vclick",this.onUserClicked.bind(this)),this.layout=this.layout.bind(this),this.controller.expanded.add(this.layout),this.controller.collapsed.add(this.layout),$(window).on("resize",$.throttle(this.layout,300))},appendTo:function(t){this.domElement.appendTo(t)},refreshPresence:function(t){var e=this.getUserByID(t.get("user_id"));e&&e.length&&(e.removeClass("intro-animation"),e.toggleClass("online",t.isOnline()),e.toggleClass("idle",t.isIdle()),this.layout())},layout:function(){if(this.layoutPrevented)return!1;var t=62;this.domElement.css("max-height",window.innerHeight-t);var e=this.userList.find(".sl-collab-user.online").get(),i=this.userList.find(".sl-collab-user:not(.online)").get(),n=30,s=26,o=16,a=10;if(this.slideGroup.removeClass("visible"),e.length){var r=SL.util.deck.getSlideID(Reveal.getCurrentSlide()),l=0,c=4;e=e.filter(function(t){return $(t).data("model").get("slide_id")===r?(t.style.transform="translateY("+a+"px)",a+=s,l+=1,!1):!0}),l>0&&(this.slideGroup.css({top:c,height:a+2*c}).addClass("visible"),a+=o+6),e.length&&(e.forEach(function(t){t.style.transform="translateY("+a+"px)",a+=s}),a+=o)}i.length&&(this.controller.isExpanded()?(i.forEach(function(t){t.style.transform="translateY("+a+"px)",a+=s}),a+=o):i.forEach(function(t){t.style.transform="translateY("+a+"px)"})),this.inviteButton&&(this.inviteButton.get(0).style.transform="translateY("+a+"px)",a+=n+o),this.userList.css("height",a)},addUserFromStream:function(t){t.user_id||console.warn("Can not insert collaborator without ID");var e=this.options.users.getByProperties({user_id:t.user_id});e?(e.setAll(t),e.set("active",!0)):this.options.users.createModel(t)},removeUserFromStream:function(t){var e=this.options.users.getByProperties({user_id:t});e&&e.set("active",!1)},getUserByID:function(t){return this.domElement.find('.sl-collab-user[data-user-id="'+t+'"]')},showInvitePrompt:function(t){this.invitePrompt||(this.invitePrompt=SL.prompt({anchor:t||this.inviteButton,alignment:"l",type:"custom",title:"Add a collaborator",html:this.renderInviteForm(),destroyAfterConfirm:!1,confirmOnEnter:!0}),this.invitePrompt.confirmed.add(function(){this.inviteEmail.blur(),this.confirmInvitePrompt().then(function(){this.inviteSent.dispatch(),this.invitePrompt&&this.invitePrompt.destroy()}.bind(this),function(){})}.bind(this)),this.invitePrompt.destroyed.add(function(){this.inviteForm.detach(),this.invitePrompt=null}.bind(this)),this.inviteEmail.focus())},confirmInvitePrompt:function(){var t=this.inviteEmail.val().trim(),e=this.inviteRole.val(),i=!(!this.inviteToTeamInput||!this.inviteToTeamInput.val());return new Promise(function(n,s){if(/^[A-Z0-9._%+\-]+@[A-Z0-9.\-]+\.[A-Z]{2,}$/gi.test(t)){this.invitePrompt.showOverlay("neutral","Inviting "+t,'<div class="spinner" data-spinner-color="#333"></div>'),SL.util.html.generateSpinners();var o={user:{email:t,role:e}};i&&(o.user.add_to_team=!0);var a={url:SL.config.AJAX_DECKUSER_CREATE(SLConfig.deck.id),createModel:!1},r=this.options.users.getByProperties({email:t});r&&(a.model=r),this.options.users.create(o,a).then(function(){this.invitePrompt.showOverlay("positive","Invite sent!",'<span class="icon i-checkmark"></span>',2e3).then(n)}.bind(this),function(){this.invitePrompt.showOverlay("negative","Failed to send invite. Please try again.",'<span class="icon i-x"></span>',2e3).then(s),this.inviteEmail.focus().select()}.bind(this))}else SL.notify("Please enter a valid email","negative"),this.inviteEmail.focus().select(),s()}.bind(this))},showEditPrompt:function(t){if(!this.editPrompt){var e=t.data("model");if(e.get("role")===SL.models.collab.DeckUser.ROLE_OWNER)return;this.editUserElement=t,this.editUserModel=e,this.editPrompt=SL.prompt({anchor:t,alignment:"l",type:"custom",title:e.get("email"),html:this.renderEditForm(e),destroyAfterConfirm:!1,confirmOnEnter:!0}),this.editPrompt.confirmed.add(function(){this.confirmEditPrompt().then(function(){this.editPrompt&&this.editPrompt.destroy()}.bind(this))}.bind(this)),this.editPrompt.destroyed.add(function(){this.editForm.detach(),this.editPrompt=null}.bind(this))}},confirmEditPrompt:function(){var t=this.editUserModel;return new Promise(function(e,i){var n=this.editRole.val();n&&n!==t.get("role")?(this.editPrompt.showOverlay("neutral","Saving",'<div class="spinner" data-spinner-color="#333"></div>'),SL.util.html.generateSpinners(),t.set("role",n),t.save(["role"]).then(function(){e()}.bind(this),function(){this.editPrompt.showOverlay("negative","Failed to save changes. Please try again.",'<span class="icon i-x"></span>',2e3).then(i)}.bind(this))):e()}.bind(this))},searchTeamMembers:function(t){return this.searchTeamMembersXHR&&this.searchTeamMembersXHR.abort(),this.searchTeamMemberEmailCache||(this.searchTeamMemberEmailCache={}),new Promise(function(e,i){this.searchTeamMembersXHR=$.ajax({type:"POST",url:SL.config.AJAX_TEAM_MEMBER_SEARCH,context:this,data:{q:t}}).done(function(t){var i=t.results;i=i.filter(function(t){return t.id!==SL.current_user.get("id")}),i.forEach(function(t){this.searchTeamMemberEmailCache[t.email]=!0}.bind(this)),i=i.slice(0,5).map(function(t){return{value:t.email,label:'<div class="label">'+t.name+'</div><div class="value">'+t.email+"</div>"}}),e(i)}).fail(i)}.bind(this))},dismissPrompts:function(){this.editPrompt&&this.editPrompt.destroy(),this.invitePrompt&&this.invitePrompt.destroy()},onUsersChanged:function(t,e){t&&t.forEach(function(t){var e=this.renderUser(t);e&&(setTimeout(function(){e.addClass("intro-animation")},1),this.layout())}.bind(this)),e&&e.forEach(function(t){var e=$('.sl-collab-user[data-user-id="'+t.get("user_id")+'"]');SL.util.anim.collapseListItem(e,function(){e.remove(),this.layout()}.bind(this),300)},this)},onInviteClicked:function(t){t.preventDefault(),this.showInvitePrompt()},onInviteCancelClicked:function(){this.invitePrompt&&this.invitePrompt.cancel()},onInviteConfirmClicked:function(){this.invitePrompt&&this.invitePrompt.confirm()},onEditCancelClicked:function(){this.editPrompt&&this.editPrompt.cancel()},onEditConfirmClicked:function(){this.editPrompt&&this.editPrompt.confirm()},onEditDeleteClicked:function(){this.editPrompt&&this.editPrompt.destroy();var t=this.editUserModel;SL.prompt({anchor:this.editUserElement,title:SL.locale.get("COLLABORATOR_REMOVE_CONFIRM"),alignment:"l",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Remove</h3>",selected:!0,className:"negative",callback:function(){t.destroy().then(function(){t.set("active",!1)})}.bind(this)}]})},onEmailInput:function(){this.inviteOptions&&this.searchTeamMemberEmailCache&&(this.searchTeamMemberEmailCache[this.inviteEmail.val().trim()]?this.inviteOptions.addClass("disabled"):this.inviteOptions.removeClass("disabled"))},onUserClicked:function(t){this.controller.getCurrentDeckUser().isAdmin()&&this.showEditPrompt($(t.currentTarget)),t.preventDefault()},onUserMouseEnter:function(t){var e=$(t.currentTarget),i=e.data("model");if(i){var n=[i.getDisplayName()+'<span class="sl-collab-tooltip-status" data-status="'+i.get("status")+'"></span>','<span style="opacity: 0.70;">'+i.get("email")+"</span>"].join("<br>");SL.tooltip.show(n,{alignment:"l",anchor:e}),e.one("mouseleave",SL.tooltip.hide.bind(SL.tooltip))}},destroy:function(){this.inviteEmailAutocomplete&&this.inviteEmailAutocomplete.destroy(),this.options=null,this.domElement.remove()}}),SL("components").ContextMenu=Class.extend({init:function(t){this.config=$.extend({anchorSpacing:5,minWidth:0,options:[]},t),this.config.anchor=$(this.config.anchor),this.show=this.show.bind(this),this.hide=this.hide.bind(this),this.layout=this.layout.bind(this),this.onContextMenu=this.onContextMenu.bind(this),this.onDocumentKeydown=this.onDocumentKeydown.bind(this),this.onDocumentMouseDown=this.onDocumentMouseDown.bind(this),this.shown=new signals.Signal,this.hidden=new signals.Signal,this.destroyed=new signals.Signal,this.domElement=$('<div class="sl-context-menu">'),this.config.anchor.on("contextmenu",this.onContextMenu)},render:function(){this.listElement=$('<div class="sl-context-menu-list">').appendTo(this.domElement),this.listElement.css("minWidth",this.config.minWidth+"px"),this.arrowElement=$('<div class="sl-context-menu-arrow">').appendTo(this.domElement)},renderList:function(){this.config.options.forEach(function(t){if("divider"===t.type)$('<div class="sl-context-menu-divider">').appendTo(this.listElement);else{var e;e=$("string"==typeof t.url?'<a class="sl-context-menu-item" href="'+t.url+'">':'<div class="sl-context-menu-item">'),e.data("item-data",t),e.html('<span class="label">'+t.label+"</span>"),e.appendTo(this.listElement),e.on("click",function(t){var e=$(t.currentTarget).data("item-data").callback;"function"==typeof e&&e.apply(null,[this.contextMenuEvent]),this.hide()}.bind(this)),t.icon&&e.append('<span class="icon i-'+t.icon+'"></span>'),t.attributes&&e.attr(t.attributes)}}.bind(this))},bind:function(){SL.keyboard.keydown(this.onDocumentKeydown),$(document).on("mousedown touchstart pointerdown",this.onDocumentMouseDown)},unbind:function(){SL.keyboard.release(this.onDocumentKeydown),$(document).off("mousedown touchstart pointerdown",this.onDocumentMouseDown)},layout:function(t,e){var i=this.config.anchorSpacing,n=$(window).scrollLeft(),s=$(window).scrollTop(),o=this.domElement.outerWidth(),a=this.domElement.outerHeight(),r=o/2,l=a/2,c=8,d=t,h=e-a/2;t+i+c+o<window.innerWidth?(this.domElement.attr("data-alignment","r"),d+=c+i,r=-c):(this.domElement.attr("data-alignment","l"),d-=o+c+i,r=o),d=Math.min(Math.max(d,n+i),window.innerWidth+n-o-i),h=Math.min(Math.max(h,s+i),window.innerHeight+s-a-i),this.domElement.css({left:d,top:h}),this.arrowElement.css({left:r,top:l})},focus:function(t){var e=this.listElement.find(".focus");if(e.length){var i=t>0?e.nextAll(".sl-context-menu-item").first():e.prevAll(".sl-context-menu-item").first();i.length&&(e.removeClass("focus"),i.addClass("focus"))}else this.listElement.find(".sl-context-menu-item").first().addClass("focus")},show:function(){this.rendered||(this.rendered=!0,this.render(),this.renderList()),this.listElement.find(".sl-context-menu-item").each(function(t,e){var i=$(e),n=i.data("item-data");i.toggleClass("hidden","function"==typeof n.filter&&!n.filter())}.bind(this)),this.listElement.find(".sl-context-menu-item:not(.hidden)").length&&(this.domElement.removeClass("visible").appendTo(document.body),setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1),this.bind(),this.layout(this.contextMenuEvent.clientX,this.contextMenuEvent.clientY),this.shown.dispatch(this.contextMenuEvent))},hide:function(){this.listElement.find(".focus").removeClass("focus"),this.domElement.detach(),this.unbind(),this.hidden.dispatch()},isVisible:function(){return this.domElement.parent().length>0},destroy:function(){this.shown.dispose(),this.hidden.dispose(),this.destroyed.dispatch(),this.destroyed.dispose(),this.domElement.remove(),this.unbind(),this.config=null},onDocumentKeydown:function(t){if(27===t.keyCode&&(this.hide(),t.preventDefault()),13===t.keyCode){var e=this.listElement.find(".focus");e.length&&(e.trigger("click"),t.preventDefault())}else 38===t.keyCode?(this.focus(-1),t.preventDefault()):40===t.keyCode?(this.focus(1),t.preventDefault()):9===t.keyCode&&t.shiftKey?(this.focus(-1),t.preventDefault()):9===t.keyCode&&(this.focus(1),t.preventDefault())},onContextMenu:function(t){t.preventDefault(),this.contextMenuEvent=t,this.show()},onDocumentMouseDown:function(t){var e=$(t.target);this.isVisible()&&0===e.closest(this.domElement).length&&this.hide()}}),SL("components.decksharer").DeckSharer=SL.components.popup.Popup.extend({TYPE:"decksharer",MODE_PUBLIC:{id:"public",width:560,height:380,heightEmail:"auto"},MODE_UPGRADE_OR_PUBLISH:{id:"upgrade-or-publish",width:800,height:560,heightEmail:"auto"},MODE_PRIVATE:{id:"private",width:800,height:560,heightEmail:730},MODE_INTERNAL:{id:"internal",width:560,height:"auto",heightEmail:"auto"},init:function(t){var e=t.deck,i=e.belongsTo(SL.current_user);this.mode=i&&(e.isVisibilitySelf()||e.isVisibilityTeam())&&!SL.current_user.privileges.privateLinks()?this.MODE_UPGRADE_OR_PUBLISH:i&&(e.isVisibilitySelf()||e.isVisibilityTeam())?this.MODE_PRIVATE:!i&&e.isVisibilityTeam()?this.MODE_INTERNAL:this.MODE_PUBLIC,this._super($.extend({title:"Share",titleItem:'"'+e.get("title")+'"',width:this.mode.width,height:this.mode.height},t))},switchMode:function(t){this.mode=t,this.bodyElement.empty(),this.renderMode(),this.options.width=this.mode.width,this.options.height=this.mode.height,this.layout()},render:function(){this._super(),this.renderMode()},renderMode:function(){this.mode.id===this.MODE_UPGRADE_OR_PUBLISH.id?this.renderUpgradeOrPublish():this.mode.id===this.MODE_PRIVATE.id?this.renderPrivate():this.mode.id===this.MODE_INTERNAL.id?this.renderInternal():this.renderPublic()},renderPublic:function(){this.shareOptions=new SL.components.decksharer.ShareOptions(this.options.deck,this.options),this.shareOptions.pageChanged.add(this.layout.bind(this)),this.shareOptions.appendTo(this.bodyElement)},renderInternal:function(){this.bodyElement.append('<p class="decksharer-share-warning">This deck is internal and can only be shared with and viewed by other team members.</p>'),this.shareOptions=new SL.components.decksharer.ShareOptions(this.options.deck,$.extend(this.options,{embedEnabled:!1})),this.shareOptions.pageChanged.add(this.layout.bind(this)),this.shareOptions.appendTo(this.bodyElement)},renderPrivate:function(){this.placeholderElement=$(['<div class="decksharer-placeholder">','<div class="decksharer-placeholder-inner">','<div class="spinner" data-spinner-color="#999"></div>',"</div>","</div>"].join("")),this.placeholderElement.appendTo(this.bodyElement),SL.util.html.generateSpinners(),SL.data.tokens.get(this.options.deck.get("id"),{success:function(t){this.tokens=t,this.tokenList=new SL.components.decksharer.TokenList(this.options.deck,this.tokens),this.tokenList.appendTo(this.bodyElement),this.tokenList.tokenSelected.add(this.onTokenSelected.bind(this)),this.tokenList.tokensEmptied.add(this.onTokensEmptied.bind(this)),0===this.tokens.size()?this.renderTokenPlaceholder():this.tokenList.selectDefault()}.bind(this),error:function(t){this.destroy(),401===t?SL.notify("It looks like you're no longer signed in to Slides. Please open a new tab and sign in.","negative"):SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}.bind(this)})},renderUpgradeOrPublish:function(){this.placeholderElement=$(['<div class="decksharer-placeholder">','<div class="decksharer-placeholder-inner">','<div class="left">','<div class="lock-icon icon i-lock-stroke"></div>',"</div>",'<div class="right">',"<h2>Upgrade required</h2>","<p>You can't share privately on your current plan. Please upgrade your account to gain access to private links, password protection and more.</p>",'<a class="button upgrade-button l" href="'+SL.routes.PRICING+'">View plans</a>','<button class="button publish-button ladda-button l outline" data-style="zoom-out" data-spinner-color="#222">Make my deck public</button>',"</div>","</div>","</div>"].join("")),this.placeholderElement.appendTo(this.bodyElement);var t=this.placeholderElement.find(".publish-button");t.on("vclick",function(){$.ajax({type:"POST",url:SL.config.AJAX_PUBLISH_DECK(this.options.deck.get("id")),context:this,data:{visibility:SL.models.Deck.VISIBILITY_ALL}}).then(function(){var e=t.data("data");e&&e.stop(),this.options.deck.set("visibility",SL.models.Deck.VISIBILITY_ALL),this.switchMode(this.MODE_PUBLIC),SL.notify("Published successfully")},function(){var e=t.data("data");e&&e.stop(),SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")})}.bind(this)),Ladda.bind(t.get(0))},layout:function(){var t=this.tokenOptions?this.tokenOptions.shareOptions:this.shareOptions;this.options.height=t&&t.getPageID()===SL.components.decksharer.ShareOptions.EMAIL_PAGE_ID?this.mode.heightEmail:this.mode.height,this._super()},resetContentArea:function(){this.tokenOptions&&(this.tokenOptions.destroy(),this.tokenOptions=null),this.placeholderElement&&(this.placeholderElement.addClass("hidden"),setTimeout(this.placeholderElement.remove.bind(this.placeholderElement),300),this.placeholderElement=null)},renderTokenPlaceholder:function(){this.domElement.addClass("is-empty"),this.resetContentArea();var t=this.options.deck.isVisibilityTeam()?"This deck is internal":"This deck is private";this.placeholderElement=$(['<div class="decksharer-placeholder">','<div class="decksharer-placeholder-inner">','<div class="left">','<div class="lock-icon icon i-lock-stroke"></div>',"</div>",'<div class="right">',"<h2>"+t+"</h2>","<p>To share it you'll need to create a private link.</p>",'<button class="button create-button xl ladda-button" data-style="zoom-out">Create private link</button>',"</div>","</div>","</div>"].join("")),this.placeholderElement.appendTo(this.bodyElement),this.placeholderElement.find(".create-button").on("vclick",function(){this.tokenList.create()}.bind(this)),Ladda.bind(this.placeholderElement.find(".create-button").get(0)),this.layout()},renderTokenOptions:function(t){this.domElement.removeClass("is-empty");var e=!this.tokenOptions;this.resetContentArea(),this.tokenOptions=new SL.components.decksharer.TokenOptions(this.options.deck,t,this.options),this.tokenOptions.appendTo(this.bodyElement,e),this.tokenOptions.tokenRenamed.add(this.tokenList.setTokenLabel.bind(this.tokenList)),this.tokenOptions.shareOptions.pageChanged.add(this.layout.bind(this)),this.layout()},onTokenSelected:function(t){this.renderTokenOptions(t)},onTokensEmptied:function(){this.renderTokenPlaceholder()},destroy:function(){this.shareOptions&&(this.shareOptions.destroy(),this.shareOptions=null),this.tokenList&&(this.tokenList.destroy(),this.tokenList=null),this.options.deck=null,this.tokens=null,this._super()}}),SL("components.decksharer").ShareOptions=Class.extend({USE_READONLY:!SL.util.device.IS_PHONE&&!SL.util.device.IS_TABLET,init:function(t,e){this.deck=t,this.options=$.extend({token:null,linkEnabled:!0,embedEnabled:!0,emailEnabled:!0},e),this.onLinkInputMouseDown=this.onLinkInputMouseDown.bind(this),this.onEmbedOutputMouseDown=this.onEmbedOutputMouseDown.bind(this),this.onEmbedStyleChanged=this.onEmbedStyleChanged.bind(this),this.onEmbedSizeChanged=this.onEmbedSizeChanged.bind(this),this.width=SL.components.decksharer.ShareOptions.DEFAULT_WIDTH,this.height=SL.components.decksharer.ShareOptions.DEFAULT_HEIGHT,this.style="",this.pageChanged=new signals.Signal,this.render(),this.generate()},render:function(){this.domElement=$('<div class="decksharer-share-options">'),this.tabsElement=$('<div class="decksharer-share-options-tabs">').appendTo(this.domElement),this.pagesElement=$('<div class="decksharer-share-options-pages">').appendTo(this.domElement),this.options.deckView?(this.tabsElement.hide(),this.renderDeckViewLink(),this.showPage(SL.components.decksharer.ShareOptions.LINK_PAGE_ID)):(this.options.linkEnabled&&this.renderLink(),this.options.embedEnabled&&this.renderEmbed(),this.options.emailEnabled&&SL.util.user.isLoggedIn()&&this.renderEmail(),this.tabsElement.find(".decksharer-share-options-tab").on("vclick",function(t){var e=$(t.currentTarget).attr("data-id");
+this.showPage(e),SL.analytics.track("Decksharer: Tab clicked",e)}.bind(this)),this.showPage(this.tabsElement.find(".decksharer-share-options-tab").first().attr("data-id")))},renderLink:function(){this.tabsElement.append('<div class="decksharer-share-options-tab" data-id="'+SL.components.decksharer.ShareOptions.LINK_PAGE_ID+'">Link</div>'),this.pagesElement.append(['<div class="decksharer-share-options-page sl-form" data-id="link">','<div class="unit link-unit">',"<label>Presentation link</label>","</div>","</div>"].join("")),this.renderLinkInput();var t=this.pagesElement.find(".decksharer-share-options-page"),e=window.Reveal&&window.Reveal.isReady()?window.Reveal.getIndices():null;e&&(e.h>0||e.v>0)&&(t.append(['<div class="unit sl-checkbox outline">','<input id="deeplink-checkbox" type="checkbox" class="deeplink-input" />','<label for="deeplink-checkbox">Link to current slide</label>',"</div>"].join("")),this.deeplinkInput=this.pagesElement.find('[data-id="link"] .deeplink-input'),this.deeplinkInput.on("change",this.onDeeplinkToggled.bind(this))),t.append(['<div class="unit sl-checkbox outline">','<input id="fullscreen-checkbox" type="checkbox" class="fullscreen-input" />','<label for="fullscreen-checkbox">Fullscreen</label>',"</div>"].join("")),this.fullscreenInput=this.pagesElement.find('[data-id="link"] .fullscreen-input'),this.fullscreenInput.on("change",this.onLinkFullscreenToggled.bind(this)),2===t.find(".sl-checkbox").length&&t.append($('<div class="half-units">').append(t.find(".sl-checkbox")))},renderLinkInput:function(){this.USE_READONLY?(this.linkInput=$('<input type="text" class="link-input" readonly="readonly" />'),this.linkInput.on("mousedown",this.onLinkInputMouseDown),this.linkInput.appendTo(this.pagesElement.find('[data-id="link"] .link-unit'))):(this.linkAnchor=$('<a href="#" class="input-field">'),this.linkAnchor.appendTo(this.pagesElement.find('[data-id="link"] .link-unit')))},renderDeckViewLink:function(){this.pagesElement.append(['<div class="decksharer-share-options-page sl-form" data-id="link">','<div class="unit link-unit">',"<label>Presentation link</label>","</div>","</div>"].join("")),"live"===this.options.deckView&&(this.pagesElement.find('[data-id="link"] .link-unit label').text("Live presentation link"),this.pagesElement.find('[data-id="link"] .link-unit').append('<p class="unit-description">This links lets viewers follow the presentation in real-time.</p>')),this.renderLinkInput()},renderEmbed:function(){this.tabsElement.append('<div class="decksharer-share-options-tab" data-id="'+SL.components.decksharer.ShareOptions.EMBED_PAGE_ID+'">Embed</div>');var t='<option value="dark" selected>Dark</option><option value="light">Light</option>';SL.current_user.privileges.hideEmbedFooter()&&(t+='<option value="hidden">Hidden</option>'),this.pagesElement.append(['<div class="decksharer-share-options-page sl-form" data-id="embed">','<div class="embed-options">','<div class="unit">',"<label>Width:</label>",'<input type="text" name="width" maxlength="4" />',"</div>",'<div class="unit">',"<label>Height:</label>",'<input type="text" name="height" maxlength="4" />',"</div>",'<div class="unit">',"<label>Footer style:</label>",'<select class="sl-select" name="style">',t,"</select>","</div>","</div>",'<textarea name="output"></textarea>',"</div>"].join("")),this.embedElement=this.pagesElement.find('[data-id="embed"]'),this.embedStyleElement=this.embedElement.find("select[name=style]"),this.embedWidthElement=this.embedElement.find("input[name=width]"),this.embedHeightElement=this.embedElement.find("input[name=height]"),this.embedOutputElement=this.embedElement.find("textarea"),this.embedStyleElement.on("change",this.onEmbedStyleChanged),this.embedWidthElement.on("input",this.onEmbedSizeChanged),this.embedHeightElement.on("input",this.onEmbedSizeChanged),this.USE_READONLY?(this.embedOutputElement.attr("readonly","readonly"),this.embedOutputElement.on("mousedown",this.onEmbedOutputMouseDown)):this.embedOutputElement.on("input",this.generate.bind(this)),this.embedWidthElement.val(this.width),this.embedHeightElement.val(this.height)},renderEmail:function(){this.tabsElement.append('<div class="decksharer-share-options-tab" data-id="'+SL.components.decksharer.ShareOptions.EMAIL_PAGE_ID+'">Email</div>'),this.pagesElement.append(['<div class="decksharer-share-options-page" data-id="email">','<div class="sl-form">','<div class="unit" data-validate="none" data-required>',"<label>From</label>",'<input type="text" class="email-from" placeholder="Your Name" maxlength="255" />',"</div>",'<div class="unit" data-validate="none" data-required>',"<label>To</label>",'<input type="text" class="email-to" placeholder="john@example.com, jane@example.com" maxlength="2500" />',"</div>",'<div class="unit text" data-validate="none" data-required>',"<label>Message</label>",'<p class="unit-description">A link to the deck is automatically included after the message.</p>','<textarea class="email-body" rows="3" maxlength="2500"></textarea>',"</div>",'<div class="submit-wrapper">','<button type="submit" class="button positive l ladda-button email-submit" data-style="zoom-out">Send</button>',"</div>","</div>",'<div class="email-success">','<div class="email-success-icon icon i-checkmark"></div>','<p class="email-success-description">Email sent!</p>',"</div>","</div>"].join("")),this.emailElement=this.pagesElement.find('[data-id="email"]'),this.emailSuccess=this.emailElement.find(".email-success"),this.emailForm=this.emailElement.find(".sl-form"),this.emailFromElement=this.emailForm.find(".email-from"),this.emailToElement=this.emailForm.find(".email-to"),this.emailBodyElement=this.emailForm.find(".email-body"),this.emailSubmitButton=this.emailForm.find(".email-submit"),this.emailFormUnits=[],this.emailForm.find(".unit[data-validate]").each(function(t,e){this.emailFormUnits.push(new SL.components.FormUnit(e))}.bind(this)),this.emailSubmitButton.on("vclick",this.onEmailSubmitClicked.bind(this)),this.emailSubmitLoader=Ladda.create(this.emailSubmitButton.get(0))},appendTo:function(t){this.domElement.appendTo(t)},showPage:function(t){this.tabsElement.find(".decksharer-share-options-tab").removeClass("is-selected"),this.pagesElement.find(".decksharer-share-options-page").removeClass("is-selected"),this.tabsElement.find('[data-id="'+t+'"]').addClass("is-selected"),this.pagesElement.find('[data-id="'+t+'"]').addClass("is-selected"),this.pageChanged.dispatch(t)},getPageID:function(){return this.tabsElement.find(".is-selected").attr("data-id")},generate:function(){var t=this.getShareURLs();if(this.embedOutputElement){var e='<iframe src="'+t.embed+'" width="'+this.width+'" height="'+this.height+'" scrolling="no" frameborder="0" webkitallowfullscreen mozallowfullscreen allowfullscreen></iframe>';this.embedOutputElement.text(e)}var i=this.fullscreenInput&&this.fullscreenInput.is(":checked")?t.fullscreen:t.show;if(this.deeplinkInput&&this.deeplinkInput.is(":checked")){var n=window.Reveal.getIndices();n.h>0&&n.v>0?i+="#/"+n.h+"/"+n.v:n.h>0&&(i+="#/"+n.h)}this.linkInput&&this.linkInput.val(i),this.linkAnchor&&this.linkAnchor.attr("href",i).text(i),this.emailElement&&(SL.current_user&&this.emailFromElement.val(SL.current_user.getNameOrSlug()),this.emailBodyElement.val(this.deck.has("title")&&"deck"!==this.deck.get("title")?'Check out this deck "'+this.deck.get("title")+'"':"Check out this deck"))},getShareURLs:function(){var t={show:this.deck.getURL({protocol:"http:",view:this.options.deckView}),fullscreen:this.deck.getURL({protocol:"http:",view:"fullscreen"}),embed:this.deck.getURL({protocol:"",view:"embed"})},e=[];return this.options.token&&this.options.token.has("token")&&e.push("token="+this.options.token.get("token")),t.show+=e.length?"?"+e.join("&"):"",t.fullscreen+=e.length?"?"+e.join("&"):"","string"==typeof this.style&&this.style.length>0&&e.push("style="+this.style),t.embed+=e.length?"?"+e.join("&"):"",t},onEmbedOutputMouseDown:function(t){t.preventDefault(),this.embedOutputElement.focus().select(),SL.analytics.track("Decksharer: Embed code selected")},onLinkInputMouseDown:function(t){t.preventDefault(),$(t.target).focus().select(),SL.analytics.track("Decksharer: URL selected")},onDeeplinkToggled:function(){this.generate(),SL.analytics.track("Decksharer: Deeplink toggled")},onLinkFullscreenToggled:function(){this.generate(),SL.analytics.track("Decksharer: URL fullscreen toggled")},onEmbedSizeChanged:function(){this.width=parseInt(this.embedWidthElement.val(),10)||1,this.height=parseInt(this.embedHeightElement.val(),10)||1,this.generate()},onEmbedStyleChanged:function(){this.style=this.embedStyleElement.val(),this.generate()},onEmailSubmitClicked:function(t){var e=this.emailFormUnits.every(function(t){return t.beforeSubmit()});if(e&&!this.emailXHR){SL.analytics.track("Decksharer: Submit email");var i=this.emailFromElement.val(),n=this.emailToElement.val(),s=this.emailBodyElement.val();this.emailSubmitLoader.start(),n=n.split(","),n=n.map(function(t){return t.trim()}),n=n.join(",");var o={deck_share:{emails:n,from:i,body:s}};this.options.token&&(o.deck_share.access_token_id=this.options.token.get("id")),this.emailXHR=$.ajax({url:SL.config.AJAX_SHARE_DECK_VIA_EMAIL(this.deck.get("id")),type:"POST",context:this,data:o}).done(function(){this.emailSuccess.addClass("visible"),setTimeout(function(){this.emailSuccess.removeClass("visible"),this.emailToElement.val(""),this.emailBodyElement.val(""),this.generate()}.bind(this),3e3),SL.analytics.track("Decksharer: Submit email success")}).fail(function(){SL.notify("Failed to send email","negative"),SL.analytics.track("Decksharer: Submit email error")}).always(function(){this.emailXHR=null,this.emailSubmitLoader.stop()})}t.preventDefault()},destroy:function(){this.pageChanged.dispose(),this.deck=null,this.domElement.remove()}}),SL.components.decksharer.ShareOptions.DEFAULT_WIDTH=576,SL.components.decksharer.ShareOptions.DEFAULT_HEIGHT=420,SL.components.decksharer.ShareOptions.LINK_PAGE_ID="link",SL.components.decksharer.ShareOptions.EMBED_PAGE_ID="embed",SL.components.decksharer.ShareOptions.EMAIL_PAGE_ID="email",SL("components.decksharer").TokenList=Class.extend({init:function(t,e){this.deck=t,this.tokens=e,this.tokenSelected=new signals.Signal,this.tokensEmptied=new signals.Signal,this.render()},render:function(){this.domElement=$('<div class="decksharer-token-list">'),this.listItems=$('<div class="decksharer-token-list-items">').appendTo(this.domElement),this.createButton=$(['<div class="decksharer-token-list-create ladda-button" data-style="zoom-out" data-spinner-color="#222">','<span class="icon i-plus"></span>',"</div>"].join("")),this.createButton.on("vclick",this.create.bind(this)),this.createButton.appendTo(this.domElement),this.createButtonLoader=Ladda.create(this.createButton.get(0)),this.tokens.forEach(this.renderToken.bind(this)),this.scrollShadow=new SL.components.ScrollShadow({parentElement:this.domElement,contentElement:this.listItems,footerElement:this.createButton,resizeContent:!1})},renderToken:function(t){var e=t.get("deck_view_count")||0,i=e+" "+SL.util.string.pluralize("view","s",1!==e),n=$(['<div class="decksharer-token-list-item" data-id="'+t.get("id")+'">','<span class="label"></span>','<div class="meta">','<span class="views">'+i+"</span>",'<span class="icon i-x delete" data-tooltip="Delete link"></span>',"</div>","</div>"].join(""));n.appendTo(this.listItems),n.on("vclick",function(e){if($(e.target).closest(".delete").length>0){SL.prompt({anchor:n,alignment:"r",title:"Are you sure you want to delete this link? It will stop working for anyone you have already shared it with.",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Delete</h3>",selected:!0,className:"negative",callback:function(){this.remove(t,n)}.bind(this)}]})}else this.select(t)}.bind(this)),this.setTokenLabel(t)},setTokenLabel:function(t,e){var i=this.listItems.find(".decksharer-token-list-item[data-id="+t.get("id")+"]");i.length&&(e||(e=t.get("name")||t.get("token")),i.find(".label").html(e))},appendTo:function(t){this.domElement.appendTo(t),this.scrollShadow.sync()},selectDefault:function(){this.select(this.tokens.first()),this.scrollShadow.sync()},select:function(t){if(t&&t!==this.selectedToken){var e=this.listItems.find(".decksharer-token-list-item[data-id="+t.get("id")+"]");e.length&&(this.listItems.find(".decksharer-token-list-item").removeClass("is-selected"),e.addClass("is-selected"),this.tokenSelected.dispatch(t),this.selectedToken=t)}},create:function(t){var e=0===this.tokens.size();t&&this.createButtonLoader.start(),SL.data.tokens.create(this.deck.get("id")).then(function(t){SL.analytics.track(e?"Decksharer: Created first token":"Decksharer: Created additional token"),this.renderToken(t),this.select(t),this.createButtonLoader.stop(),this.scrollShadow.sync()}.bind(this),function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),this.createButtonLoader.stop()}.bind(this))},remove:function(t,e){t.destroy().fail(function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}.bind(this)).done(function(){SL.util.anim.collapseListItem(e,function(){e.remove(),this.scrollShadow.sync()}.bind(this),300),this.tokens.remove(t),this.selectedToken===t&&(this.selectedToken=null,this.selectDefault()),0===this.tokens.size()&&this.tokensEmptied.dispatch(),SL.analytics.track("Decksharer: Deleted token")}.bind(this))},destroy:function(){this.createButtonLoader&&this.createButtonLoader.stop(),this.scrollShadow&&this.scrollShadow.destroy(),this.tokens=null,this.domElement.remove()}}),SL("components.decksharer").TokenOptions=Class.extend({init:function(t,e,i){this.deck=t,this.token=e,this.options=i,this.tokenRenamed=new signals.Signal,this.render(),this.bind()},render:function(){this.domElement=$('<div class="decksharer-token-options">'),this.innerElement=$('<div class="sl-form decksharer-token-options-inner">'),this.innerElement.appendTo(this.domElement),this.namePasswordElement=$('<div class="split-units">'),this.namePasswordElement.appendTo(this.innerElement),this.nameUnit=$(['<div class="unit">','<label class="form-label" for="token-name">Name</label>','<p class="unit-description">So you can tell your links apart.</p>','<input class="input-field" type="text" id="token-name" maxlength="255" />',"</div>"].join("")),this.nameUnit.appendTo(this.namePasswordElement),this.nameInput=this.nameUnit.find("input"),this.nameInput.val(this.token.get("name")),this.passwordUnit=$(['<div class="unit">','<label class="form-label" for="token-password">Password<span class="optional-label">(optional)</span></label>','<p class="unit-description">Viewers need to enter this.</p>','<input class="input-field" type="password" id="token-password" placeholder="&bull;&bull;&bull;&bull;&bull;&bull;" maxlength="255" />',"</div>"].join("")),this.passwordUnit.appendTo(this.namePasswordElement),this.passwordInput=this.passwordUnit.find("input"),this.passwordInput.val(this.token.get("password")),this.saveWrapper=$(['<div class="save-wrapper">','<button class="button l save-button ladda-button" data-style="expand-left" data-spinner-size="26">Save changes</button>',"</div>"].join("")),this.saveWrapper.appendTo(this.innerElement),this.saveButton=this.saveWrapper.find(".button"),this.saveButtonLoader=Ladda.create(this.saveButton.get(0)),this.shareOptions=new SL.components.decksharer.ShareOptions(this.deck,$.extend(this.options,{token:this.token})),this.shareOptions.appendTo(this.domElement)},bind:function(){this.saveChanges=this.saveChanges.bind(this),this.nameInput.on("input",this.onNameInput.bind(this)),this.passwordInput.on("input",this.onPasswordInput.bind(this)),this.saveButton.on("click",this.saveChanges)},appendTo:function(t,e){this.domElement.appendTo(t),e||SL.util.dom.calculateStyle(this.domElement),this.domElement.addClass("visible")},checkUnsavedChanges:function(){var t=this.token.get("name")||"",e=this.token.get("password")||"",i=this.nameInput.val(),n=this.passwordInput.val(),s=n!==e||i!==t;this.domElement.toggleClass("is-unsaved",s)},saveChanges:function(){this.nameInput.val()?(this.token.set("name",this.nameInput.val()),this.token.set("password",this.passwordInput.val()),this.saveButtonLoader.start(),this.token.save(["name","password"]).fail(function(){this.saveButtonLoader.stop(),SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}.bind(this)).done(function(){this.saveButtonLoader.stop(),this.domElement.removeClass("is-unsaved")}.bind(this))):SL.notify("Please give the link a name","negative")},onNameInput:function(){this.tokenRenamed.dispatch(this.token,this.nameInput.val()),this.checkUnsavedChanges()},onPasswordInput:function(){this.checkUnsavedChanges()},destroy:function(){this.tokenRenamed.dispatch(this.token),this.tokenRenamed.dispose(),this.shareOptions&&(this.shareOptions.destroy(),this.shareOptions=null),this.saveButtonLoader&&this.saveButtonLoader.stop(),this.deck=null,this.token=null,this.domElement.addClass("hidden"),setTimeout(this.domElement.remove.bind(this.domElement),500)}}),SL("components.form").Autocomplete=Class.extend({init:function(t,e,i){this.inputElement=t,this.searchMethod=e,this.confirmed=new signals.Signal,this.config=$.extend({offsetY:0,offsetX:0,className:null},i),this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-autocomplete">'),this.config.className&&this.domElement.addClass(this.config.className)},bind:function(){this.onDocumentKeydown=this.onDocumentKeydown.bind(this),this.showSuggestions=this.showSuggestions.bind(this),this.hideSuggestions=this.hideSuggestions.bind(this),this.layout=$.throttle(this.layout,500,this),this.onInput=$.throttle(this.onInput,500,this),this.inputElement.on("input",this.onInput),this.inputElement.on("focus",this.onInput),this.inputElement.on("blur",this.hideSuggestions),this.domElement.on("mousedown",this.onClick.bind(this))},layout:function(){var t=this.inputElement.get(0).getBoundingClientRect();this.domElement.css({top:t.bottom+this.config.offsetY,left:t.left+this.config.offsetX,width:t.width})},showSuggestions:function(t){var e=t.map(function(t,e){var i="sl-autocomplete-item"+(0===e?" focus":"");return"string"==typeof t&&(t={value:t,label:t}),'<div class="'+i+'" data-value="'+t.value+'">'+t.label+"</div>"});this.domElement.html(e.join("")),this.domElement.appendTo(document.body),this.layout(),$(window).on("resize",this.layout),SL.keyboard.keydown(this.onDocumentKeydown)},hideSuggestions:function(){this.domElement.detach(),$(window).off("resize",this.layout),SL.keyboard.release(this.onDocumentKeydown)},focus:function(t){var e=this.domElement.find(".focus");e.length||(e=this.domElement.find(".sl-autocomplete-item").first(),e.addClass("focus"));var i=t>0?e.next(".sl-autocomplete-item"):e.prev(".sl-autocomplete-item");i.length&&(e.removeClass("focus"),i.addClass("focus"))},setValue:function(t){this.inputElement.val(t),this.confirmed.dispatch(t)},getFocusedValue:function(){return this.domElement.find(".focus").attr("data-value")},destroy:function(){this.confirmed.dispose(),this.inputElement.off("input",this.onInput),this.hideSuggestions()},onInput:function(){this.searchMethod(this.inputElement.val()).then(function(t){t.length>0?this.inputElement.is(":focus")&&this.showSuggestions(t):this.hideSuggestions()}.bind(this),function(){this.hideSuggestions()}.bind(this))},onClick:function(t){var e=$(t.target).closest(".sl-autocomplete-item");e.length&&(this.setValue(e.attr("data-value")),this.hideSuggestions())},onDocumentKeydown:function(t){return 27===t.keyCode?(this.hideSuggestions(),!1):13===t.keyCode||9===t.keyCode?(this.setValue(this.getFocusedValue()),this.hideSuggestions(),!1):38===t.keyCode?(this.focus(-1),!1):40===t.keyCode?(this.focus(1),!1):!0}}),SL("components.form").Scripts=Class.extend({init:function(t){this.domElement=$(t),this.render(),this.readValues(),this.renderList()},render:function(){this.valueElement=this.domElement.find(".value-holder"),this.listElement=$('<ul class="list">'),this.listElement.delegate("li .remove","click",this.onListItemRemove.bind(this)),this.listElement.appendTo(this.domElement),this.inputWrapper=$('<div class="input-wrapper"></div>').appendTo(this.domElement),this.inputElement=$('<input type="text" placeholder="https://...">'),this.inputElement.on("keyup",this.onInputKeyUp.bind(this)),this.inputElement.appendTo(this.inputWrapper),this.submitElement=$('<div class="button outline">Add</div>'),this.submitElement.on("click",this.submitInput.bind(this)),this.submitElement.appendTo(this.inputWrapper),this.domElement.parents("form").first().on("submit",this.onFormSubmit.bind(this))},renderList:function(){this.listElement.empty(),this.values.forEach(function(t){this.listElement.append(['<li class="list-item" data-value="'+t+'">',t,'<span class="icon i-x remove"></span>',"</li>"].join(""))}.bind(this))},formatValues:function(){for(var t=0;t<this.values.length;t++)this.values[t]=SL.util.string.trim(this.values[t]),""===this.values[t]&&this.values.splice(t,1)},readValues:function(){this.values=(this.valueElement.val()||"").split(","),this.formatValues()},writeValues:function(){this.formatValues(),this.valueElement.val(this.values.join(","))},addValue:function(t){return t=t||"",0===t.search(/https\:\/\//gi)?(this.values.push(t),this.renderList(),this.writeValues(),!0):0===t.search(/http\:\/\//gi)?(SL.notify("Script must be loaded via HTTPS","negative"),!1):(SL.notify("Please enter a valid script URL","negative"),!1)},removeValue:function(t){if("string"==typeof t)for(var e=0;e<this.values.length;e++)this.values[e]===t&&this.values.splice(e,1);else"number"==typeof t&&this.values.splice(t,1);this.renderList(),this.writeValues()},submitInput:function(){this.addValue(this.inputElement.val())&&this.inputElement.val("")},onListItemRemove:function(t){var e=$(t.target).parent().index();"number"==typeof e&&this.removeValue(e)},onInputKeyUp:function(t){13===t.keyCode&&this.submitInput()},onFormSubmit:function(t){return this.inputElement.is(":focus")?(t.preventDefault(),!1):void 0}}),SL("components").FormUnit=Class.extend({init:function(t){this.domElement=$(t),this.inputElement=this.domElement.find("input, textarea").first(),this.errorElement=$('<div class="status error">'),this.errorIcon=$('<span class="icon">!</span>').appendTo(this.errorElement),this.errorMessage=$('<p class="message">!</p>').appendTo(this.errorElement),this.successText=this.domElement.attr("data-success-text"),this.successElement=$('<div class="status success">'),this.successIcon=$('<span class="icon i-checkmark"></span>').appendTo(this.successElement),this.successIcon.attr("data-tooltip",this.successText),this.validateType=this.domElement.attr("data-validate"),this.validateTimeout=-1,this.originalValue=this.inputElement.val(),this.originalError=this.domElement.attr("data-error-message"),this.asyncValidatedValue=null,this.clientErrors=[],this.serverErrors=[],this.inputElement.on("input",this.onInput.bind(this)),this.inputElement.on("change",this.onInputChange.bind(this)),this.inputElement.on("focus",this.onInputFocus.bind(this)),this.inputElement.on("blur",this.onInputBlur.bind(this)),this.inputElement.on("invalid",this.onInputInvalid.bind(this)),this.domElement.parents("form").first().on("submit",this.onFormSubmit.bind(this)),this.originalError?(this.domElement.removeClass("hidden"),this.validate(),this.inputElement.focus()):this.render(),this.domElement.data("controller",this)},validate:function(t){clearTimeout(this.validateTimeout);var e=this.inputElement.val();if("string"!=typeof e)return this.serverErrors=[],this.clientErrors=[],void this.render();if(e===this.originalValue&&(this.originalValue||"password"===this.validateType)&&this.originalError)this.clientErrors=[this.originalError];else if(e.length){var i=SL.util.validate[this.validateType];"function"==typeof i?this.clientErrors=i(e):console.log('Could not find validation method of type "'+this.validateType+'"')}else this.clientErrors=[],t&&this.isRequired()&&this.clientErrors.push(SL.locale.FORM_ERROR_REQUIRED);return this.validateAsync(),this.render(),0===this.clientErrors.length&&0===this.serverErrors.length},validateAsync:function(){if("username"===this.validateType){var t=SLConfig&&SLConfig.current_user?SLConfig.current_user.username:"",e=this.inputElement.val();0===SL.util.validate.username(e).length&&(t&&e===t?(this.asyncValidatedValue=t,this.serverErrors=[]):e!==this.asyncValidatedValue&&$.ajax({url:SL.config.AJAX_LOOKUP_USER,type:"GET",data:{id:e},context:this,statusCode:{204:function(){this.serverErrors=[SL.locale.get("FORM_ERROR_USERNAME_TAKEN")]},404:function(){this.serverErrors=[]}}}).complete(function(){this.render(),this.asyncValidatedValue=e}))}else if("team_slug"===this.validateType){var i=SL.current_team?SL.current_team.get("slug"):"",n=this.inputElement.val();0===SL.util.validate.team_slug(n).length&&(i&&n===i?(this.asyncValidatedValue=i,this.serverErrors=[]):n!==this.asyncValidatedValue&&$.ajax({url:SL.config.AJAX_LOOKUP_TEAM,type:"GET",data:{id:n},context:this,statusCode:{204:function(){this.serverErrors=[SL.locale.get("FORM_ERROR_ORGANIZATION_SLUG_TAKEN")]},404:function(){this.serverErrors=[]}}}).complete(function(){this.render(),this.asyncValidatedValue=n}))}},validateAfterTimeout:function(){if(clearTimeout(this.validateTimeout),!SL.util.device.IS_PHONE&&!SL.util.device.IS_TABLET){var t=600;(this.clientErrors.length||this.serverErrors.length)&&(t=300),this.validateTimeout=setTimeout(this.validate.bind(this),t)}},render:function(){var t=this.serverErrors.concat(this.clientErrors);this.domElement.toggleClass("has-error",t.length>0),t.length>0?(this.errorElement.appendTo(this.domElement),this.errorMessage.text(t[0]),setTimeout(function(){this.errorElement.addClass("visible")}.bind(this),1)):this.errorElement.removeClass("visible").remove(),0===t.length&&!this.isEmpty()&&this.successText?(this.successElement.appendTo(this.domElement),setTimeout(function(){this.successElement.addClass("visible")}.bind(this),1)):this.successElement.removeClass("visible").remove()},format:function(){if("username"===this.validateType||"team_slug"===this.validateType){var t=this.inputElement.val();t&&this.inputElement.val(this.inputElement.val().toLowerCase())}if("url"===this.validateType){var t=this.inputElement.val();t&&t.length>2&&/^http(s?):\/\//gi.test(t)===!1&&this.inputElement.val("http://"+t)}},focus:function(){this.inputElement.focus()},beforeSubmit:function(){return this.validate(!0),this.clientErrors.length>0||this.serverErrors.length>0?(this.focus(),!1):!0},renderImage:function(){var t=this.inputElement.get(0);if(t.files&&t.files[0]){var e=new FileReader;e.onload=function(t){var e=this.domElement.find("img"),i=t.target.result;e.length?e.attr("src",i):$('<img src="'+i+'">').appendTo(this.domElement.find(".image-uploader"))}.bind(this),e.readAsDataURL(t.files[0])}},isEmpty:function(){return 0===this.inputElement.val().length},isRequired:function(){return!this.domElement.hasClass("hidden")&&this.domElement.is("[data-required]")},isUnchanged:function(){return this.inputElement.val()===this.originalValue},onInput:function(){this.validateAfterTimeout()},onInputChange:function(t){this.domElement.hasClass("image")&&this.renderImage(t.target),this.validate()},onInputFocus:function(){this.domElement.addClass("focused")},onInputBlur:function(){this.format(),this.domElement.removeClass("focused")},onInputInvalid:function(){return this.beforeSubmit()},onFormSubmit:function(t){return this.beforeSubmit()===!1?(t.preventDefault(),!1):void 0}}),SL("components").Header=Class.extend({init:function(){this.domElement=$(".global-header"),this.renderLogo(),this.renderDropdown(),this.bind()},renderLogo:function(){if("/"===window.location.pathname){var t=this.domElement.find(".logo-animation");t.length&&new SL.components.Menu({anchor:t,anchorSpacing:10,alignment:"b",showOnHover:!0,options:[{label:"Download logo",url:SL.routes.BRAND_KIT}]})}},renderDropdown:function(){this.dropdown=SL.components.Header.createMainMenu(this.domElement.find(".profile-button .nav-item-anchor"))},bind:function(){this.domElement.hasClass("show-on-scroll")&&($(document).on("mousemove",this.onDocumentMouseMove.bind(this)),$(window).on("scroll",this.onWindowScroll.bind(this)))},onWindowScroll:function(){this.isScrolledDown=$(window).scrollTop()>30,this.domElement.toggleClass("show",this.isScrolledDown)},onDocumentMouseMove:function(t){if(!this.isScrolledDown){var e=t.clientY;e>0&&(20>e&&!this.isMouseOver?(this.domElement.addClass("show"),this.isMouseOver=!0):e>80&&this.isMouseOver&&0===$(t.target).parents(".global-header").length&&(this.domElement.removeClass("show"),this.isMouseOver=!1))}}}),SL.components.Header.createMainMenu=function(t){var e=[{label:"Profile",icon:"home",url:SL.routes.USER(SL.current_user.get("username"))},{label:"New deck",icon:"plus",url:SL.routes.DECK_NEW(SL.current_user.get("username"))}];if(SL.current_user.isEnterpriseManager()){e.push({label:"Themes",icon:"brush",url:SL.routes.THEME_EDITOR});var i={label:"Settings",icon:"cog",url:SL.routes.USER_EDIT};SL.current_team&&(i.submenu=[{label:"Account settings",url:SL.routes.USER_EDIT},{label:"Team settings",url:SL.routes.TEAM_EDIT(SL.current_team)},{label:"Team members",url:SL.routes.TEAM_EDIT_MEMBERS(SL.current_team)}],SL.current_team.isManuallyUpgraded()||i.submenu.push({label:"Billing details",url:SL.routes.BILLING_DETAILS})),e.push(i)}else e.push({label:"Settings",icon:"cog",url:SL.routes.USER_EDIT});SL.current_user.isManuallyUpgraded()||SL.current_user.isEnterprise()||e.push(SL.current_user.isPaid()?{label:"Billing",icon:"credit",url:SL.routes.BILLING_DETAILS}:{label:"Upgrade",icon:"star",url:SL.routes.PRICING});var n=$(".global-header .nav-item-changelog");return n.length&&(e.push({label:"What's new",url:SL.routes.CHANGELOG,iconHTML:'<span class="counter"><span class="counter-inner">'+n.attr("data-unread-count")+"</span></span>"}),t.find(".nav-item-burger").append('<span class="changelog-indicator"></span>'),t.one("mouseover",function(){$(this).find(".changelog-indicator").remove()})),e.push({label:"Log out",icon:"exit",url:SL.routes.SIGN_OUT,attributes:{rel:"nofollow","data-method":"delete"}}),new SL.components.Menu({anchor:t,anchorSpacing:10,alignment:"auto",minWidth:160,showOnHover:!0,options:e})},SL("components").Kudos=function(){function t(){$("[data-kudos-value][data-kudos-id]").each(function(t,e){var i=e.getAttribute("data-kudos-id");i&&!a[i]&&(a[i]=e.getAttribute("data-kudos-value"))}.bind(this)),$(".kudos-trigger[data-kudos-id]").on("click",function(t){var n=t.currentTarget;"true"===n.getAttribute("data-kudoed-by-user")?i(n.getAttribute("data-kudos-id")):e(n.getAttribute("data-kudos-id"))}.bind(this))}function e(t){n(t),$.ajax({type:"POST",url:SL.config.AJAX_KUDO_DECK(t),context:this}).fail(function(){s(t),SL.notify(SL.locale.get("GENERIC_ERROR"))})}function i(t){s(t),$.ajax({type:"DELETE",url:SL.config.AJAX_UNKUDO_DECK(t),context:this}).fail(function(){n(t),SL.notify(SL.locale.get("GENERIC_ERROR"))})}function n(t){var e=$('.kudos-trigger[data-kudos-id="'+t+'"]');e.attr("data-kudoed-by-user","true"),a[t]++,o(t,a[t]);var i=e.find(".kudos-icon");i.length&&(i.removeClass("bounce"),setTimeout(function(){i.addClass("bounce")},1))}function s(t){var e=$('.kudos-trigger[data-kudos-id="'+t+'"]');e.attr("data-kudoed-by-user","false"),a[t]--,o(t,a[t]),e.find(".kudos-icon").removeClass("bounce")}function o(t,e){"number"==typeof a[t]&&("number"==typeof e&&(a[t]=e),e=Math.max(a[t],0),$("[data-kudos-id][data-kudos-value]").each(function(t,i){i.setAttribute("data-kudos-value",e)}))}var a={};t()}(),SL("components.medialibrary").Filters=Class.extend({init:function(t,e,i){this.options=$.extend({editable:!0},i),this.media=t,this.media.changed.add(this.onMediaChanged.bind(this)),this.tags=e,this.tags.changed.add(this.onTagsChanged.bind(this)),this.tags.associationChanged.add(this.onTagAssociationChanged.bind(this)),this.filterChanged=new signals.Signal,this.onSearchInput=$.throttle(this.onSearchInput,300),this.render(),this.recount(),this.selectDefaultFilter(!0)},render:function(){this.domElement=$('<div class="media-library-filters">'),this.domElement.toggleClass("editable",this.options.editable),this.innerElement=$('<div class="media-library-filters-inner">').appendTo(this.domElement),this.scrollElement=this.innerElement,this.renderSearch(),this.renderTypes(),this.renderTags()},renderTypes:function(){this.renderType(SL.models.Media.IMAGE.id,function(){return!0},"All Images","All Images")},renderType:function(t,e,i,n){var s=$(['<div class="media-library-filter media-library-type-filter">','<span class="label">'+i+"</span>",'<span class="count"></span>',"</div>"].join(""));return s.attr({"data-id":t,"data-label":i,"data-exclusive-label":n}),s.on("vclick",this.onFilterClicked.bind(this)),s.data("filter",e),s.appendTo(this.innerElement),s
+},renderTags:function(){this.tagsElement=$(['<div class="media-library-tags media-drop-area">','<div class="tags-list"></div>',"</div>"].join("")),this.tagsElement.appendTo(this.innerElement),this.tagsList=this.tagsElement.find(".tags-list"),this.options.editable&&(this.tagsElement.append(['<div class="tags-create">','<div class="tags-create-inner ladda-button" data-style="expand-right" data-spinner-color="#666" data-spinner-size="28">New tag</div>',"</div>"].join("")),this.tagsElement.find(".tags-create").on("vclick",this.onCreateTagClicked.bind(this)),this.tagsCreateLoader=Ladda.create(this.tagsElement.find(".tags-create-inner").get(0))),this.tags.forEach(this.renderTag.bind(this)),this.sortTags()},renderTag:function(t){var e=$(['<div class="media-library-filter media-drop-target" data-id="'+t.get("id")+'">','<div class="front">','<span class="label-output">'+t.get("name")+"</span>",'<div class="controls-out">','<span class="count"></span>',"</div>","</div>","</div>","</div>"].join(""));return e.on("vclick",this.onTagClicked.bind(this)),e.data({model:t,filter:t.createFilter()}),this.options.editable?(e.find(".front").append(['<div class="controls-over">','<span class="controls-button edit-button">Edit</span>',"</div>"].join("")),e.append(['<div class="back">','<input class="label-input" value="'+t.get("name")+'" type="text">','<div class="controls">','<span class="controls-button delete-button negative icon i-trash-stroke"></span>','<span class="controls-button save-button">Save</span>',"</div>","</div>"].join("")),e.data("dropReceiver",function(e){this.tags.addTagTo(t,e)}.bind(this))):e.find(".controls-out").removeClass("controls-out").addClass("controls-permanent"),e.appendTo(this.tagsList),e},renderSearch:function(){this.searchElement=$(['<div class="media-library-filter media-library-search-filter" data-id="search">','<input class="search-input" type="text" placeholder="Search..." maxlength="50" />',"</div>"].join("")),this.searchElement.on("vclick",this.onSearchClicked.bind(this)),this.searchElement.data("filter",function(){return!1}),this.searchElement.appendTo(this.innerElement),this.searchInput=this.searchElement.find(".search-input"),this.searchInput.on("input",this.onSearchInput.bind(this))},recount:function(t){t=t||this.domElement.find(".media-library-filter"),t.each(function(t,e){var i=$(e),n=i.find(".count");n.length&&n.text(this.media.filter(i.data("filter")).length)}.bind(this))},appendTo:function(t){this.domElement.appendTo(t)},selectFilter:function(t,e){var i=this.domElement.find('.media-library-filter[data-id="'+t+'"]');this.domElement.find(".is-selected").removeClass("is-selected"),i.addClass("is-selected"),this.selectedFilter=i.data("filter"),this.selectedFilterData={},i.closest(this.tagsList).length?(this.selectedFilterData.type=SL.components.medialibrary.Filters.FILTER_TYPE_TAG,this.selectedFilterData.tag=i.data("model"),this.selectedFilterData.placeholder="No media has been added to this tag",this.options.editable&&(this.selectedFilterData.placeholder="This tag is empty. To add media, drag and drop it onto the tag in the sidebar.")):(this.selectedFilterData.type=SL.components.medialibrary.Filters.FILTER_TYPE_MEDIA,this.selectedFilterData.placeholder="There is no media of this type"),e||this.filterChanged.dispatch(this.selectedFilter,this.selectedFilterData)},selectDefaultFilter:function(t){this.selectFilter(this.domElement.find(".media-library-filter:not(.media-library-search-filter)").first().attr("data-id"),t)},showAllTypes:function(){this.domElement.find(".media-library-type-filter").each(function(){var t=$(this);t.css("display",""),t.find(".label").text(t.attr("data-label"))})},hideAllTypesExcept:function(t){this.domElement.find(".media-library-type-filter").each(function(){var e=$(this);e.attr("data-id")===t?(e.css("display",""),e.find(".label").text(e.attr("data-exclusive-label"))):(e.css("display","none"),e.find(".label").text(e.attr("data-label")))})},startEditingTag:function(t,e){if(this.tagsList.find(".is-editing").length)return!1;var i=(t.data("model"),t.find(".label-input"));this.domElement.addClass("is-editing"),e===!0&&(t.addClass("collapsed"),t.find(".label-output").empty(),setTimeout(function(){t.removeClass("collapsed")},1),this.scrollElement.animate({scrollTop:t.prop("offsetTop")+80-this.scrollElement.height()},300)),t.addClass("is-editing");var n=this.scrollElement.prop("scrollTop");i.focus().select(),this.scrollElement.prop("scrollTop",n),i.on("keydown",function(e){13===e.keyCode&&(e.preventDefault(),this.stopEditingTag(t))}.bind(this))},stopEditingTag:function(t,e){var i=t.data("model"),n=t.find(".label-input"),s=t.find(".label-output");this.domElement.removeClass("is-editing");var o=n.val();o&&!e&&(i.set("name",o),i.save(["name"])),s.text(i.get("name")),n.off("keydown"),setTimeout(function(){t.removeClass("is-editing")},1)},sortTags:function(){var t=this.tagsList.find(".media-library-filter").toArray();t.sort(function(t,e){return t=$(t).data("model").get("name").toLowerCase(),e=$(e).data("model").get("name").toLowerCase(),e>t?-1:t>e?1:0}),t.forEach(function(t){$(t).appendTo(this.tagsList)}.bind(this))},getTagElementByID:function(t){return this.tagsList.find('.media-library-filter[data-id="'+t+'"]')},confirmTagRemoval:function(t){var e=t.data("model");SL.prompt({anchor:t.find(".delete-button"),title:SL.locale.get("MEDIA_TAG_DELETE_CONFIRM"),type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Delete</h3>",selected:!0,className:"negative",callback:function(){SL.analytics.trackEditor("Media: Delete tag"),e.destroy().done(function(){this.domElement.removeClass("is-editing"),this.tags.remove(e),SL.notify(SL.locale.get("MEDIA_TAG_DELETE_SUCCESS"))}.bind(this)).fail(function(){SL.notify(SL.locale.get("MEDIA_TAG_DELETE_ERROR"),"negative")}.bind(this))}.bind(this)}]})},getSelectedFilterData:function(){return this.selectedFilterData},destroy:function(){this.filterChanged.dispose(),this.domElement.remove()},onMediaChanged:function(){this.recount()},onTagsChanged:function(t,e){t&&t.length&&t.forEach(function(t){this.startEditingTag(this.renderTag(t),!0)}.bind(this)),e&&e.length&&e.forEach(function(t){var e=this.tagsElement.find('[data-id="'+t.get("id")+'"]');this.stopEditingTag(e,!0),e.css({height:0,padding:0,opacity:0}),setTimeout(function(){e.remove()},300),e.hasClass("is-selected")&&this.selectDefaultFilter()}.bind(this))},onTagAssociationChanged:function(t){this.recount(this.getTagElementByID(t.get("id")))},onFilterClicked:function(t){this.selectFilter($(t.currentTarget).attr("data-id"))},onCreateTagClicked:function(){this.tagsCreateLoader.start(),this.tags.create().then(function(t){this.recount(this.getTagElementByID(t.get("id"))),this.tagsCreateLoader.stop()}.bind(this),function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),this.tagsCreateLoader.stop()}.bind(this)),SL.analytics.trackEditor("Media: Create tag")},onTagClicked:function(t){var e=$(t.target),i=e.closest(".media-library-filter");i.length&&(e.closest(".edit-button").length?this.startEditingTag(i):e.closest(".save-button").length?this.stopEditingTag(i):e.closest(".delete-button").length?this.confirmTagRemoval(i):i.hasClass("is-editing")||this.onFilterClicked(t))},onSearchClicked:function(){this.selectFilter(this.searchElement.attr("data-id"),!0),this.searchInput.focus(),this.onSearchInput(),SL.analytics.trackEditor("Media: Search clicked")},onSearchInput:function(){var t=this.searchInput.val();this.selectedFilter=this.media.createSearchFilter(t),this.selectedFilterData={type:SL.components.medialibrary.Filters.FILTER_TYPE_SEARCH,placeholder:"Please enter a search term"},this.searchElement.data("filter",this.selectedFilter),t.length>0&&(this.selectedFilterData.placeholder='No results for "'+t+'"'),this.filterChanged.dispatch(this.selectedFilter,this.selectedFilterData)}}),SL.components.medialibrary.Filters.FILTER_TYPE_MEDIA="media",SL.components.medialibrary.Filters.FILTER_TYPE_TAG="tag",SL.components.medialibrary.Filters.FILTER_TYPE_SEARCH="search",SL("components.medialibrary").ListDrag=Class.extend({init:function(){this.items=[],this.onMouseMove=this.onMouseMove.bind(this),this.onMouseUp=this.onMouseUp.bind(this)},reset:function(){this.items=[],this.ghostElement&&this.ghostElement.remove(),this.currentDropTarget=null,$(".media-drop-target").removeClass("drag-over"),$(".media-drop-area").removeClass("media-drop-area-active"),$(document).off("vmousemove",this.onMouseMove),$(document).off("vmouseup",this.onMouseUp)},startDrag:function(t,e,i){this.items=i;var n=e.offset();this.ghostOffset={x:n.left-t.clientX,y:n.top-t.clientY},this.ghostWidth=e.width(),this.ghostHeight=e.height(),this.ghostElement=$('<div class="media-library-drag-ghost">'),this.ghostElement.css({border:e.css("border"),backgroundImage:e.css("background-image"),backgroundSize:e.css("background-size"),backgroundPosition:e.css("background-position"),width:this.ghostWidth,height:this.ghostHeight,marginLeft:this.ghostOffset.x,marginTop:this.ghostOffset.y}),this.ghostElement.appendTo(document.body),i.length>1&&(this.ghostElement.append('<span class="count">'+i.length+"</span>"),this.ghostElement.attr("data-depth",Math.min(i.length,3))),this.dropTargets=$(".media-drop-target"),$(".media-drop-area").addClass("media-drop-area-active"),$(document).on("vmousemove",this.onMouseMove),$(document).on("vmouseup",this.onMouseUp)},stopDrag:function(){this.reset()},onMouseMove:function(t){t.preventDefault();var e=t.clientX,i=t.clientY,n="translate("+e+"px,"+i+"px)";this.ghostElement.css({webkitTransform:n,transform:n}),this.currentDropTarget=null,this.dropTargets.each(function(t,n){var s=$(n),o=n.getBoundingClientRect();e>o.left&&e<o.right&&i>o.top&&i<o.bottom?(s.addClass("drag-over"),this.currentDropTarget=s):s.removeClass("drag-over")}.bind(this))},onMouseUp:function(t){if(t.preventDefault(),this.currentDropTarget){this.currentDropTarget.data("dropReceiver").call(null,this.items),SL.analytics.trackEditor("Media: Drop items on tag");var e=this.ghostElement,i=this.currentDropTarget.get(0).getBoundingClientRect(),n=i.left+(i.width-this.ghostWidth)/2-this.ghostOffset.x,s=i.top+(i.height-this.ghostHeight)/2-this.ghostOffset.y,o="translate("+n+"px,"+s+"px) scale(0.2)";e.css({webkitTransition:"all 0.2s ease",transition:"all 0.2s ease",webkitTransform:o,transform:o,opacity:0}),setTimeout(function(){e.remove()},500),this.ghostElement=null}this.stopDrag()}}),SL("components.medialibrary").List=Class.extend({init:function(t,e,i){this.options=$.extend({editable:!0},i),this.media=t,this.media.changed.add(this.onMediaChanged.bind(this)),this.tags=e,this.tags.associationChanged.add(this.onTagAssociationChanged.bind(this)),this.items=[],this.filteredItems=[],this.selectedItems=new SL.collections.Collection,this.overlayPool=[],this.itemSelected=new signals.Signal,this.drag=new SL.components.medialibrary.ListDrag,this.render(),this.bind()},render:function(){this.domElement=$('<div class="media-library-list">'),this.trayElement=$(['<div class="media-library-tray">','<div class="status"></div>','<div class="button negative delete-button">Delete</div>','<div class="button outline white untag-button">Remove tag</div>','<div class="button outline white clear-button">Clear selection</div>',"</div>"].join("")),this.placeholderElement=$(['<div class="media-library-list-placeholder">',"Empty","</div>"].join("")),this.media.forEach(this.addItem.bind(this)),this.filteredItems=this.items},bind:function(){if(this.loadItemsInView=$.throttle(this.loadItemsInView,200),this.onMouseMove=this.onMouseMove.bind(this),this.onMouseUp=this.onMouseUp.bind(this),this.domElement.on("scroll",this.onListScrolled.bind(this)),this.trayElement.find(".delete-button").on("vclick",this.onDeleteSelectionClicked.bind(this)),this.trayElement.find(".untag-button").on("vclick",this.onUntagSelectionClicked.bind(this)),this.trayElement.find(".clear-button").on("vclick",this.onClearSelectionClicked.bind(this)),SL.util.device.IS_PHONE||SL.util.device.IS_TABLET){var t=new Hammer(this.domElement.get(0));t.on("tap",this.onMouseUp),t.on("press",function(t){var e=$(t.target).closest(".media-library-list-item").data("item");e&&(this.lastSelectedItem=e,this.toggleSelection(e)),t.preventDefault()}.bind(this))}else this.domElement.on("vmousedown",this.onMouseDown.bind(this))},layout:function(){var t=$(".media-library-list-item").first();this.cellWidth=t.outerWidth(!0),this.cellHeight=t.outerHeight(!0),this.columnCount=Math.floor(this.domElement.outerWidth()/this.cellWidth)},appendTo:function(t){this.domElement.appendTo(t),this.trayElement.appendTo(t),this.placeholderElement.appendTo(t),this.layout(),this.loadItemsInView()},addItem:function(t,e,i){var n=$('<div class="media-library-list-item"></div>'),s={model:t,element:n,elementNode:n.get(0),selected:!1,visible:!0};n.data("item",s),e===!0?(n.prependTo(this.domElement),this.items.unshift(s)):(n.appendTo(this.domElement),this.items.push(s)),i===!0&&(n.addClass("has-intro hidden"),setTimeout(function(){n.removeClass("hidden")},1))},removeItem:function(t){for(var e=this.items.length;--e>=0;){var i=this.items[e];i.model===t&&(i.model=null,i.element.remove(),this.items.splice(e,1))}},setPrimaryFilter:function(t){this.filterA=t,this.applyFilter()},clearPrimaryFilter:function(){this.filterA=null,this.applyFilter()},setSecondaryFilter:function(t,e){this.clearSelection(),this.filterB=t,this.filterBData=e,this.applyFilter(),this.setPlaceholderContent(e.placeholder),this.afterSelectionChange()},clearSecondaryFilter:function(){this.filterB=null,this.filterBData=null,this.applyFilter(),this.setPlaceholderContent("Empty")},applyFilter:function(){this.filteredItems=[];for(var t=0,e=this.items.length;e>t;t++){var i=this.items[t];this.filterA&&!this.filterA(i.model)||this.filterB&&!this.filterB(i.model)?(i.elementNode.style.display="none",i.visible=!1,this.detachOverlay(i)):(this.filteredItems.push(i),i.visible=!0,i.elementNode.style.display="")}this.domElement.scrollTop(0),this.loadItemsInView(),this.placeholderElement.toggleClass("visible",0===this.filteredItems.length)},loadItemsInView:function(){if(SL.tooltip.isVisible()&&SL.tooltip.hide(),this.filteredItems.length)for(var t,e,i=this.domElement.scrollTop(),n=100,s=this.domElement.outerHeight(),o=0,a=this.filteredItems.length;a>o;o++)t=this.filteredItems[o],e=Math.floor(o/this.columnCount)*this.cellHeight,e+this.cellHeight-i>-n&&s+n>e-i?(t.overlay||this.attachOverlay(t),t.elementNode.hasAttribute("data-thumb-loaded")||(t.elementNode.style.backgroundImage='url("'+t.model.get("thumb_url")+'")',t.elementNode.setAttribute("data-thumb-loaded","true"))):t.overlay&&!t.selected&&this.detachOverlay(t)},setPlaceholderContent:function(t){this.placeholderElement.html(this.media.isEmpty()?this.options.editable?"You haven't uploaded any media yet.<br>Use the upload button to the left or drag media from your desktop.":"No media has been uploaded yet.":t||"Empty")},attachOverlay:function(t){return t.overlay||!this.options.editable?!1:(0===this.overlayPool.length&&this.overlayPool.push($(['<div class="info-overlay">','<span class="info-overlay-action inline-button icon i-embed" data-tooltip="Insert SVG inline"></span>','<span class="info-overlay-action label-button icon i-type" data-tooltip="Rename"></span>','<span class="info-overlay-action select-button" data-tooltip="Select">','<span class="icon i-checkmark checkmark"></span>',"</span>","</div>"].join(""))),t.overlay=this.overlayPool.pop(),t.overlay.appendTo(t.element),void this.refreshOverlay(t))},refreshOverlay:function(t){if(t.overlay){var e=t.model.get("label");e&&""!==e||(e="Label"),t.overlay.attr("data-tooltip",e),t.model.isSVG()?(t.overlay.addClass("has-inline-option"),t.overlay.find(".inline-button").toggleClass("is-on",!!t.model.get("inline"))):t.overlay.removeClass("has-inline-option")}},detachOverlay:function(t){t&&t.overlay&&(this.overlayPool.push(t.overlay),t.overlay=null)},toggleSelection:function(t,e){t.visible&&(t.selected="boolean"==typeof e?e:!t.selected,t.selected?(t.element.addClass("is-selected"),this.selectedItems.push(t)):(t.element.removeClass("is-selected"),this.selectedItems.remove(t)),this.afterSelectionChange())},toggleSelectionThrough:function(t){if(this.lastSelectedItem){var e=!t.selected,i=this.lastSelectedItem.element.index(),n=t.element.index();if(n>i)for(var s=i+1;n>=s;s++)this.toggleSelection(this.items[s],e);else if(i>n)for(var s=n;i>s;s++)this.toggleSelection(this.items[s],e)}},clearSelection:function(){this.selectedItems.forEach(function(t){t.selected=!1,t.element.removeClass("is-selected")}.bind(this)),this.selectedItems.clear(),this.lastSelectedItem=null,this.afterSelectionChange()},afterSelectionChange:function(){var t=this.selectedItems.size();this.domElement.toggleClass("is-selecting",t>0),this.trayElement.toggleClass("visible",t>0),this.trayElement.find(".status").text(t+" "+SL.util.string.pluralize("item","s",1!==t)+" selected"),this.filterBData&&this.filterBData.type===SL.components.medialibrary.Filters.FILTER_TYPE_TAG?this.trayElement.find(".untag-button").show():this.trayElement.find(".untag-button").hide()},deleteSelection:function(){var t="Do you want to permanently delete this media from all existing presentations or remove it from the library?";this.selectedItems.size()>1&&(t="Do you want to permanently delete these items from all existing presentations or remove them from the library?"),SL.prompt({anchor:this.trayElement.find(".delete-button"),title:t,type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Remove from library</h3>",callback:function(){this.selectedItems.forEach(function(t){t.model.set("hidden",!0),t.model.save(["hidden"]).fail(function(){SL.notify("An error occurred, media was not removed","negative")}.bind(this)),this.media.remove(t.model)}.bind(this)),this.clearSelection()}.bind(this)},{html:"<h3>Delete permanently</h3>",selected:!0,className:"negative",callback:function(){this.selectedItems.forEach(function(t){t.model.destroy().fail(function(){SL.notify("An error occurred, media was not deleted","negative")}.bind(this)),this.media.remove(t.model)}.bind(this)),this.clearSelection()}.bind(this)}]}),SL.analytics.trackEditor("Media: Delete items")},editLabel:function(t){t.element.addClass("hover");var e=SL.prompt({anchor:t.element.find(".label-button"),title:"Rename",type:"input",confirmLabel:"Save",data:{value:t.model.get("label"),placeholder:"Label...",maxlength:SL.config.MEDIA_LABEL_MAXLENGTH,width:400}});e.confirmed.add(function(e){t.element.removeClass("hover"),e&&""!==e.trim()?(t.model.set("label",e),t.model.save(["label"]),this.refreshOverlay(t)):SL.notify("Label can't be empty","negative")}.bind(this)),e.canceled.add(function(){t.element.removeClass("hover")}.bind(this)),SL.analytics.trackEditor("Media: Edit item label")},toggleInline:function(t){t.model.set("inline",!t.model.get("inline")),t.model.save(["inline"]),this.refreshOverlay(t),SL.analytics.trackEditor("Media: Toggle inline SVG")},onMediaChanged:function(t,e){t&&t.length&&(t.forEach(function(t){this.addItem(t,!0,!0)}.bind(this)),this.applyFilter()),e&&e.length&&(e.forEach(this.removeItem.bind(this)),this.media.isEmpty()?this.applyFilter():this.loadItemsInView())},onTagAssociationChanged:function(t){var e=this.filterBData&&this.filterBData.type===SL.components.medialibrary.Filters.FILTER_TYPE_TAG&&this.filterBData.tag.get("id")===t.get("id");e&&this.applyFilter()},onMouseDown:function(t){2!==t.button&&(this.mouseDownTarget=$(t.target),this.mouseDownX=t.clientX,this.mouseDownY=t.clientY,this.domElement.on("vmousemove",this.onMouseMove),this.domElement.on("vmouseup",this.onMouseUp))},onMouseMove:function(t){var e=SL.util.trig.distanceBetween({x:this.mouseDownX,y:this.mouseDownY},{x:t.clientX,y:t.clientY});if(e>10&&this.options.editable){var i=this.mouseDownTarget.closest(".media-library-list-item").data("item");if(i){this.domElement.off("vmousemove",this.onMouseMove),this.domElement.off("vmouseup",this.onMouseUp);var n=[i.model];this.selectedItems.size()>0&&i.selected&&(n=this.selectedItems.map(function(t){return t.model})),this.drag.startDrag(t,i.element,n),SL.analytics.trackEditor("Media: Start drag",n.length>1?"multiple":"single")}}t.preventDefault()},onMouseUp:function(t){var e=$(t.target),i=e.closest(".media-library-list-item").data("item");i&&(this.selectedItems.size()>0||e.closest(".select-button").length?t.shiftKey?this.toggleSelectionThrough(i):(this.lastSelectedItem=i,this.toggleSelection(i)):e.closest(".label-button").length?this.editLabel(i):e.closest(".inline-button").length?this.toggleInline(i):this.itemSelected.dispatch(i.model)),this.domElement.off("vmousemove",this.onMouseMove),this.domElement.off("vmouseup",this.onMouseUp),t.preventDefault()},onListScrolled:function(){this.loadItemsInView()},onDeleteSelectionClicked:function(){this.deleteSelection()},onUntagSelectionClicked:function(){if(this.filterBData&&this.filterBData.type===SL.components.medialibrary.Filters.FILTER_TYPE_TAG){var t=this.selectedItems.map(function(t){return t.model});this.tags.removeTagFrom(this.filterBData.tag,t),this.applyFilter(),this.clearSelection()}},onClearSelectionClicked:function(){this.clearSelection()}}),SL("components.medialibrary").MediaLibraryPage=Class.extend({init:function(t,e,i){this.media=t,this.media.loadCompleted.add(this.onMediaLoaded.bind(this)),this.media.loadFailed.add(this.onMediaFailed.bind(this)),this.tags=e,this.tags.loadCompleted.add(this.onTagsLoaded.bind(this)),this.tags.loadFailed.add(this.onTagsFailed.bind(this)),this.tags.changed.add(this.onTagsChanged.bind(this)),this.options=$.extend({editable:!0,selectAfterUpload:!0},i),this.selected=new signals.Signal,this.render(),this.setupDragAndDrop()},load:function(){this.mediaLoaded=!1,this.tagsLoaded=!1,this.loadStatus&&this.loadStatus.remove(),this.loadStatus=$('<div class="media-library-load-status">').appendTo(this.domElement),this.loadStatus.html("Loading..."),this.media.load(),this.tags.load()},onMediaLoaded:function(){this.mediaLoaded=!0,this.tagsLoaded&&this.onMediaAndTagsLoaded()},onMediaFailed:function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),this.loadStatus.html('Failed to load media <button class="button outline retry">Try again</button>'),this.loadStatus.find(".retry").on("click",this.load.bind(this))},onTagsLoaded:function(){this.tagsLoaded=!0,this.mediaLoaded&&this.onMediaAndTagsLoaded()},onTagsFailed:function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),this.loadStatus.html('Failed to load tags <button class="button outline retry">Try again</button>'),this.loadStatus.find(".retry").on("click",this.load.bind(this))},onMediaAndTagsLoaded:function(){this.renderFilters(),this.renderUploader(),this.renderList(),this.refresh(),this.sidebarElement.addClass("visible"),this.contentElement.addClass("visible"),this.scrollShadow=new SL.components.ScrollShadow({parentElement:this.filters.domElement,contentElement:this.filters.innerElement,shadowSize:6,resizeContent:!1}),this.loadStatus.remove()},render:function(){this.domElement=$('<div class="media-library-page"></div>'),this.sidebarElement=$('<div class="media-library-sidebar">').appendTo(this.domElement),this.contentElement=$('<div class="media-library-content">').appendTo(this.domElement)},renderFilters:function(){this.filters=new SL.components.medialibrary.Filters(this.media,this.tags,{editable:this.isEditable()}),this.filters.filterChanged.add(this.onFilterChanged.bind(this)),this.filters.appendTo(this.sidebarElement)},renderUploader:function(){this.isEditable()&&(this.uploader=new SL.components.medialibrary.Uploader(this.media),this.uploader.uploadEnqueued.add(this.onUploadEnqueued.bind(this)),this.uploader.uploadStarted.add(this.onUploadStarted.bind(this)),this.uploader.uploadCompleted.add(this.onUploadCompleted.bind(this)),this.uploader.appendTo(this.sidebarElement))},renderList:function(){this.list=new SL.components.medialibrary.List(this.media,this.tags,{editable:this.isEditable()}),this.list.itemSelected.add(this.select.bind(this)),this.list.appendTo(this.contentElement)},setupDragAndDrop:function(){this.dragAndDropInstructions=$(['<div class="media-library-drag-instructions">','<div class="inner">',"Drop to upload media","</div>","</div>"].join("")),this.dragAndDropListener={onDragOver:function(){this.dragAndDropInstructions.appendTo(this.domElement)}.bind(this),onDragOut:function(){this.dragAndDropInstructions.remove()}.bind(this),onDrop:function(t){this.dragAndDropInstructions.remove();var e=t.originalEvent.dataTransfer.files;if(this.isSelecting())this.uploader.enqueue(e[0]);else for(var i=0;i<e.length;i++)this.uploader.enqueue(e[i]);SL.analytics.trackEditor("Media: Upload file","drop from desktop")}.bind(this)}},show:function(t){this.domElement.appendTo(t),this.domElement.removeClass("visible"),clearTimeout(this.showTimeout),this.showTimeout=setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1),this.bind()},hide:function(){this.unbind(),clearTimeout(this.showTimeout),this.domElement.detach()},bind:function(){SL.draganddrop.subscribe(this.dragAndDropListener)},unbind:function(){this.dragAndDropInstructions.remove(),SL.draganddrop.unsubscribe(this.dragAndDropListener)},configure:function(t){this.options=$.extend(this.options,t),this.refresh()},refresh:function(){this.media&&this.media.isLoaded()&&(this.list.clearSelection(),this.uploader&&this.uploader.configure({multiple:!this.isSelecting()||!this.options.selectAfterUpload}),this.isSelecting()?(this.list.setPrimaryFilter(this.options.select.filter),this.list.clearSecondaryFilter(),this.filters.hideAllTypesExcept(this.options.select.id),this.filters.selectFilter(this.options.select.id)):(this.filters.showAllTypes(),this.list.clearPrimaryFilter(),this.filters.selectDefaultFilter()),this.scrollShadow&&this.scrollShadow.sync())},layout:function(){var t=this.sidebarElement.width();this.contentElement.css({width:this.domElement.width()-t,left:t,paddingLeft:0}),this.list&&this.list.layout()},select:function(t){this.selected.dispatch(t)},isSelecting:function(){return!!this.options.select},isEditable:function(){return!!this.options.editable},onFilterChanged:function(t,e){this.list.setSecondaryFilter(t,e)},onUploadEnqueued:function(t){var e=this.filters.getSelectedFilterData();e.type===SL.components.medialibrary.Filters.FILTER_TYPE_TAG&&t.uploadCompleted.add(function(){this.tags.addTagTo(e.tag,[t])}.bind(this))},onUploadStarted:function(t){this.isSelecting()&&this.options.selectAfterUpload&&this.select(t)},onUploadCompleted:function(t){this.media.push(t)},onTagsChanged:function(){this.scrollShadow&&this.scrollShadow.sync()}}),SL("components.medialibrary").MediaLibrary=SL.components.popup.Popup.extend({TYPE:"media-library",init:function(t){this._super($.extend({title:"Media Library",width:1110,height:660,singleton:!0},t)),this.selected=new signals.Signal},render:function(){if(this._super(),this.innerElement.addClass("media-library"),this.userPage=new SL.components.medialibrary.MediaLibraryPage(new SL.collections.Media,new SL.collections.MediaTags),this.userPage.selected.add(this.onMediaSelected.bind(this)),this.userPage.load(),SL.current_user.isEnterprise()){var t=new SL.collections.TeamMedia;this.headerTabs=$(['<div class="media-library-header-tabs">','<div class="media-library-header-tab user-tab">Your Media</div>','<div class="media-library-header-tab team-tab" data-tooltip-alignment="r">Team Media</div>',"</div>"].join("")),this.userTab=this.headerTabs.find(".user-tab"),this.teamTab=this.headerTabs.find(".team-tab"),this.userTab.on("vclick",this.showUserPage.bind(this)),this.teamTab.on("vclick",this.showTeamPage.bind(this)),this.innerElement.addClass("has-header-tabs"),this.headerTitleElement.replaceWith(this.headerTabs),t.loadCompleted.add(function(){!SL.current_user.isEnterpriseManager()&&t.isEmpty()&&(this.teamTab.addClass("is-disabled"),this.teamTab.attr("data-tooltip","Your team doesn't have any shared media yet.<br>Only admins can upload team media."))}.bind(this)),t.loadFailed.add(function(){this.teamTab.attr("data-tooltip","Failed to load")}.bind(this)),this.teamPage=new SL.components.medialibrary.MediaLibraryPage(t,new SL.collections.TeamMediaTags,{editable:SL.current_user.isEnterpriseManager(),selectAfterUpload:!1}),this.teamPage.selected.add(this.onMediaSelected.bind(this)),this.teamPage.load()}this.showUserPage()},showUserPage:function(){this.currentPage=this.userPage,this.teamPage&&(this.teamPage.hide(),this.teamTab.removeClass("is-selected"),this.userTab.addClass("is-selected")),this.userPage.show(this.bodyElement),this.userPage.configure(this.options),this.refresh(),this.layout()},showTeamPage:function(){this.currentPage=this.teamPage,this.userPage.hide(),this.userTab.removeClass("is-selected"),this.teamPage.show(this.bodyElement),this.teamPage.configure(this.options),this.teamTab.addClass("is-selected"),this.refresh(),this.layout()},open:function(t){t=$.extend({select:null},t),this._super(t),this.currentPage.configure(t),this.currentPage.bind(),this.refresh(),this.layout()},close:function(){this._super.apply(this,arguments),this.selected.removeAll(),this.currentPage.unbind()},layout:function(){this._super.apply(this,arguments),this.currentPage.layout()},refresh:function(){this.currentPage.refresh()},isSelecting:function(){return!!this.options.select},onMediaSelected:function(t){this.isSelecting()?this.selected.dispatch(t):SL.editor.controllers.Blocks.add({type:"image",afterInit:function(e){e.setImageModel(t)}}),this.close()}}),SL("components.medialibrary").Uploader=Class.extend({MAX_CONCURRENT_UPLOADS:2,FILE_FORMATS:[{validator:/image.*/,maxSize:SL.config.MAX_IMAGE_UPLOAD_SIZE}],init:function(t){this.media=t,this.options={multiple:!0},this.queue=new SL.collections.Collection,this.render(),this.renderInput(),this.bind()},bind:function(){this.onUploadCompleted=this.onUploadCompleted.bind(this),this.onUploadFailed=this.onUploadFailed.bind(this),this.uploadEnqueued=new signals.Signal,this.uploadStarted=new signals.Signal,this.uploadCompleted=new signals.Signal},render:function(){this.domElement=$('<div class="media-library-uploader">'),this.uploadButton=$('<div class="media-library-uploader-button">Upload <span class="icon i-cloud-upload2"></span></div>'),this.uploadButton.appendTo(this.domElement),this.uploadList=$('<div class="media-library-uploader-list">'),this.uploadList.appendTo(this.domElement)},renderInput:function(){this.fileInput&&this.fileInput.remove(),this.fileInput=$('<input class="file-input" type="file">'),this.fileInput.on("change",this.onInputChanged.bind(this)),this.fileInput.appendTo(this.uploadButton),this.options.multiple?this.fileInput.attr("multiple","multiple"):this.fileInput.removeAttr("multiple","multiple")},configure:function(t){this.options=$.extend(this.options,t),this.renderInput()},appendTo:function(t){this.domElement.appendTo(t)},isUploading:function(){return this.queue.some(function(t){return t.isUploading()})},validateFile:function(t){var e="number"==typeof t.size?t.size/1024:0;return this.FILE_FORMATS.some(function(i){return t.type.match(i.validator)?i.maxSize&&e>i.maxSize?!1:!0:!1})},enqueue:function(t){if(this.queue.size()>=100)return SL.notify("Upload queue is full, please wait","negative"),!1;var e=new SL.models.Media(null,this.media.crud,t);e.uploaderElement=$(['<div class="media-library-uploader-item">','<div class="item-text">','<span class="status"><span class="icon i-clock"></span></span>','<span class="filename">'+(t.name||"untitled")+"</span>","</div>",'<div class="item-progress">','<span class="bar"></span>',"</div>","</div>"].join("")),e.uploaderElement.appendTo(this.uploadList),setTimeout(e.uploaderElement.addClass.bind(e.uploaderElement,"animate-in"),1),e.uploadCompleted.add(this.onUploadCompleted),e.uploadFailed.add(this.onUploadFailed),e.uploadProgressed.add(function(t){var i="scaleX("+t+")";e.uploaderElement.find(".bar").css({"-webkit-transform":i,"-moz-transform":i,transform:i})}.bind(this)),this.queue.push(e),this.uploadEnqueued.dispatch(e),this.checkQueue()},dequeue:function(t,e,i){var n=t.uploaderElement;n&&(t.uploaderElement=null,n.addClass(e),n.find(".status").html(i),setTimeout(function(){n.removeClass("animate-in").addClass("animate-out"),setTimeout(n.remove.bind(n),500)}.bind(this),2e3),this.queue.remove(t),t.isUploaded()&&this.uploadCompleted.dispatch(t))},checkQueue:function(){this.queue.forEach(function(t){t.isUploaded()?this.dequeue(t,"completed",'<span class="icon i-checkmark"></span>'):t.isUploadFailed()&&this.dequeue(t,"failed",'<span class="icon i-denied"></span>')}.bind(this));var t=0;this.queue.forEach(function(e){t<this.MAX_CONCURRENT_UPLOADS&&(e.isUploading()?t+=1:e.isWaitingToUpload()&&(e.upload(),e.uploaderElement.find(".status").html('<div class="upload-spinner"></div>'),t+=1,this.uploadStarted.dispatch(e)))
+}.bind(this)),this.domElement.toggleClass("is-uploading",t>0)},onUploadCompleted:function(){this.checkQueue()},onUploadFailed:function(t){SL.notify(t||"An error occurred while uploading your image.","negative"),this.checkQueue()},onInputChanged:function(t){var e=SL.util.toArray(this.fileInput.get(0).files);e=e.filter(this.validateFile.bind(this)),e.length?(e.forEach(this.enqueue.bind(this)),SL.analytics.trackEditor("Media: Upload file","file input")):SL.notify("Invalid file. We support <strong>PNG</strong>, <strong>JPG</strong>, <strong>GIF</strong> and <strong>SVG</strong> files up to <strong>10 MB</strong>","negative"),this.renderInput(),t.preventDefault()},destroy:function(){this.queue=null,this.uploadStarted.dispose(),this.uploadCompleted.dispose()}}),SL("components").Menu=Class.extend({init:function(t){if(this.config=$.extend({alignment:"auto",anchorSpacing:10,minWidth:0,offsetX:0,offsetY:0,options:[],showOnHover:!1,showOnHoverCondition:null,mouseLeaveDelay:150,destroyOnHide:!1,touch:/(iphone|ipod|ipad|android|windows\sphone)/gi.test(navigator.userAgent)},t),this.config.anchor=$(this.config.anchor),this.show=this.show.bind(this),this.hide=this.hide.bind(this),this.layout=this.layout.bind(this),this.toggle=this.toggle.bind(this),this.onMouseOver=this.onMouseOver.bind(this),this.onDocumentMouseMove=this.onDocumentMouseMove.bind(this),this.onDocumentMouseDown=this.onDocumentMouseDown.bind(this),this.onDocumentKeydown=this.onDocumentKeydown.bind(this),this.onAnchorFocus=this.onAnchorFocus.bind(this),this.onAnchorBlur=this.onAnchorBlur.bind(this),this.onAnchorFocusKeyDown=this.onAnchorFocusKeyDown.bind(this),this.submenus=[],this.destroyed=new signals.Signal,this.render(),this.renderList(),this.config.anchor.length)if(this.config.touch)this.config.anchor.addClass("menu-show-on-touch"),this.config.anchor.on("touchstart pointerdown",function(t){t.preventDefault(),this.toggle()}.bind(this)),this.config.anchor.on("click",function(t){t.preventDefault()}.bind(this));else{if(this.config.showOnHover){this.config.anchor.on("focus",this.onAnchorFocus),this.config.anchor.on("blur",this.onAnchorBlur),this.config.anchor.on("mouseover",this.onMouseOver);try{this.config.anchor.is(":hover")&&this.onMouseOver()}catch(e){}}this.config.anchor.on("click",this.toggle)}},render:function(){this.domElement=$('<div class="sl-menu">'),this.listElement=$('<div class="sl-menu-list">').appendTo(this.domElement),this.arrowElement=$('<div class="sl-menu-arrow">').appendTo(this.domElement),this.arrowFillElement=$('<div class="sl-menu-arrow-fill">').appendTo(this.arrowElement),this.hitareaElement=$('<div class="sl-menu-hitarea">').appendTo(this.domElement),this.listElement.css("minWidth",this.config.minWidth+"px")},renderList:function(){this.config.options.forEach(function(t){var e;"string"==typeof t.url?(e=$('<a class="sl-menu-item" href="'+t.url+'">'),"string"==typeof t.urlTarget&&e.attr("target",t.urlTarget)):e=$('<div class="sl-menu-item">'),e.html('<span class="label">'+t.label+"</span>"),e.data("callback",t.callback),e.appendTo(this.listElement),e.on("click",function(t){var e=$(t.currentTarget),i=e.data("callback");"function"==typeof i&&i.apply(null),this.hide()}.bind(this)),t.icon&&e.append('<span class="icon i-'+t.icon+'"></span>'),t.attributes&&e.attr(t.attributes),t.iconHTML&&e.append(t.iconHTML),t.submenu&&!this.config.touch&&this.submenus.push(new SL.components.Menu({anchor:e,anchorSpacing:10,alignment:t.submenuAlignment||"rl",minWidth:t.submenuWidth||160,showOnHover:!0,options:t.submenu}))}.bind(this)),this.listElement.find(".sl-menu-item:not(:last-child)").after('<div class="sl-menu-divider">')},bind:function(){this.config.showOnHover||SL.keyboard.keydown(this.onDocumentKeydown),$(window).on("resize scroll",this.layout),$(document).on("mousedown touchstart pointerdown",this.onDocumentMouseDown)},unbind:function(){this.config.showOnHover||SL.keyboard.release(this.onDocumentKeydown),SL.keyboard.release(this.onAnchorFocusKeyDown),$(window).off("resize scroll",this.layout),$(document).off("mousedown touchstart pointerdown",this.onDocumentMouseDown)},layout:function(){if(this.config.anchor.length){var t=this.config.anchor.offset(),e=this.config.anchorSpacing,i=this.config.alignment,n=$(window).scrollLeft(),s=$(window).scrollTop(),o=t.left+this.config.offsetX,a=t.top+this.config.offsetY,r=this.config.anchor.outerWidth(),l=this.config.anchor.outerHeight(),c=this.domElement.outerWidth(),d=this.domElement.outerHeight(),h=1,u=c/2,p=c/2,f=8;switch("auto"===i&&(i=t.top-(d+e+f)<s?"b":"t"),"rl"===i&&(i=t.left+r+e+f+c<window.innerWidth?"r":"l"),this.domElement.attr("data-alignment",i),i){case"t":o+=(r-c)/2,a-=d+e;break;case"b":o+=(r-c)/2,a+=l+e;break;case"l":o-=c+e,a+=(l-d)/2;break;case"r":o+=r+e,a+=(l-d)/2}switch(o=Math.min(Math.max(o,n+e),$(window).width()+n-c-e),a=Math.min(Math.max(a,s+e),window.innerHeight+s-d-e),i){case"t":u=t.left-o+r/2,p=d-2*h;break;case"b":u=t.left-o+r/2,p=-f;break;case"l":u=c-2*h,p=t.top-a+l/2;break;case"r":u=-f,p=t.top-a+l/2}this.domElement.css({left:Math.round(o),top:Math.round(a)}),this.arrowElement.css({left:Math.round(u),top:Math.round(p)}),this.hitareaElement.css({top:-e,right:-e,bottom:-e,left:-e})}},focus:function(t){var e=this.listElement.find(".focus");if(e.length){var i=t>0?e.nextAll(".sl-menu-item").first():e.prevAll(".sl-menu-item").first();i.length&&(e.removeClass("focus"),i.addClass("focus"))}else this.listElement.find(".sl-menu-item").first().addClass("focus")},show:function(){this.domElement.removeClass("visible").appendTo(document.body),setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1),this.config.anchor.addClass("menu-is-open"),this.layout(),this.bind()},hide:function(){this.listElement.find(".focus").removeClass("focus"),this.config.anchor.removeClass("menu-is-open"),this.domElement.detach(),this.unbind(),$(document).off("mousemove",this.onDocumentMouseMove),this.isMouseOver=!1,clearTimeout(this.hideTimeout),this.config.destroyOnHide===!0&&this.destroy()},toggle:function(){this.isVisible()?this.hide():this.show()},isVisible:function(){return this.domElement.parent().length>0},hasSubMenu:function(){return this.submenus.length>0},destroy:function(){this.destroyed.dispatch(),this.destroyed.dispose(),this.domElement.remove(),this.unbind(),this.config.anchor.off("click",this.toggle),this.config.anchor.off("hover",this.toggle),this.submenus.forEach(function(t){t.destroy()})},onDocumentKeydown:function(t){if(27===t.keyCode&&(this.hide(),t.preventDefault()),13===t.keyCode){var e=this.listElement.find(".focus");e.length&&(e.trigger("vclick"),t.preventDefault())}else 38===t.keyCode?(this.focus(-1),t.preventDefault()):40===t.keyCode?(this.focus(1),t.preventDefault()):9===t.keyCode&&t.shiftKey?(this.focus(-1),t.preventDefault()):9===t.keyCode&&(this.focus(1),t.preventDefault())},onMouseOver:function(){this.isMouseOver||SL.pointer.isDown()||("function"!=typeof this.config.showOnHoverCondition||this.config.showOnHoverCondition())&&($(document).on("mousemove",this.onDocumentMouseMove),this.hideTimeout=-1,this.isMouseOver=!0,this.show())},onDocumentMouseMove:function(t){var e=$(t.target),i=0===e.closest(this.domElement).length&&0===e.closest(this.config.anchor).length;this.hasSubMenu()&&(i=0===e.closest(".sl-menu").length&&0===e.closest(this.config.anchor).length),i?-1===this.hideTimeout&&(clearTimeout(this.hideTimeout),this.hideTimeout=setTimeout(this.hide,this.config.mouseLeaveDelay)):this.hideTimeout&&(clearTimeout(this.hideTimeout),this.hideTimeout=-1)},onDocumentMouseDown:function(t){var e=$(t.target);this.isVisible()&&0===e.closest(this.domElement).length&&0===e.closest(this.config.anchor).length&&this.hide()},onAnchorFocus:function(){this.isMouseOver||SL.keyboard.keydown(this.onAnchorFocusKeyDown)},onAnchorBlur:function(){SL.keyboard.release(this.onAnchorFocusKeyDown)},onAnchorFocusKeyDown:function(t){return this.isMouseOver||13!==t.keyCode&&32!==t.keyCode&&40!==t.keyCode?!0:(this.show(),this.focus(),SL.keyboard.release(this.onAnchorFocusKeyDown),!1)}}),SL("components").Meter=Class.extend({init:function(t){this.domElement=$(t),this.labelElement=$('<div class="label">').appendTo(this.domElement),this.progressElement=$('<div class="progress">').appendTo(this.domElement),this.read(),this.paint()},read:function(){switch(this.unit="",this.type=this.domElement.attr("data-type"),this.value=parseInt(this.domElement.attr("data-value"),10)||0,this.total=parseInt(this.domElement.attr("data-total"),10)||0,this.type){case"storage":var t=1024,e=1024*t,i=1024*e;this.value<e&&this.total<e&&(this.value=Math.round(this.value/t),this.total=Math.round(this.total/t),this.unit="KB"),this.value<i&&this.total<i?(this.value=Math.round(this.value/e),this.total=Math.round(this.total/e),this.unit="MB"):(this.value=(this.value/i).toFixed(2),this.total=(this.total/i).toFixed(2),this.unit="GB")}},paint:function(){var t=Math.min(Math.max(this.value/this.total,0),1)||0;this.labelElement.text(this.value+" / "+this.total+" "+this.unit),this.progressElement.width(100*t+"%"),0===this.total?this.domElement.attr("data-state","invalid"):t>.9?this.domElement.attr("data-state","negative"):t>.7?this.domElement.attr("data-state","warning"):this.domElement.attr("data-state","positive")}}),SL("components").Notification=Class.extend({init:function(t,e){this.html=t,this.options=$.extend({type:"",duration:2500+15*this.html.length,optional:!0},e),"negative"===this.options.type&&(this.options.duration=1.5*this.options.duration),this.destroyed=new signals.Signal,this.hideTimeout=-1,this.render(),this.bind(),this.show(),this.layout()},render:function(){0===$(".sl-notifications").length&&$(document.body).append('<div class="sl-notifications"></div>'),this.domElement=$('<p class="sl-notification">').html(this.html).addClass(this.options.type).appendTo($(".sl-notifications"))},bind:function(){this.hide=this.hide.bind(this),this.destroy=this.destroy.bind(this),this.options.optional&&(this.domElement.on("mouseenter",this.stopTimeout.bind(this)),this.domElement.on("mouseleave",this.startTimeout.bind(this)),this.domElement.on("click",this.destroy.bind(this)))},startTimeout:function(){this.stopTimeout(),this.hideTimeout=setTimeout(this.hide,this.options.duration)},stopTimeout:function(){clearTimeout(this.hideTimeout)},show:function(){this.isDestroyed!==!0&&setTimeout(function(){this.domElement.addClass("show"),this.options&&this.options.optional&&this.startTimeout()}.bind(this),1)},hide:function(){this.domElement.addClass("hide"),this.hideTimeout=setTimeout(this.destroy.bind(this),400),this.layout()},layout:function(){var t=0;$(".sl-notification:not(.hide)").get().reverse().forEach(function(e){t-=$(e).outerHeight()+10,e.style.top=t+"px"})},destroy:function(){clearTimeout(this.hideTimeout),this.isDestroyed=!0,this.options=null,this.domElement.remove(),this.layout(),this.destroyed.dispatch(),this.destroyed.dispose(),this.destroy=function(){}}}),SL.components.RetryNotification=SL.components.Notification.extend({init:function(t,e){e=$.extend({optional:!1},e),this._super(t,e),this.retryClicked=new signals.Signal},render:function(){this._super(),this.retryOptions=$('<div class="retry-options"></div>'),this.retryOptions.appendTo(this.domElement),this.retryMessage=$('<div class="retry-countdown"></div>'),this.retryButton=$('<button class="button white retry-button">Retry</button>'),this.retryButton.on("vclick",this.onRetryClicked.bind(this)),this.retryButton.appendTo(this.retryOptions)},bind:function(){this._super(),this.updateCountdown=this.updateCountdown.bind(this)},startCountdown:function(t){clearInterval(this.updateInterval),this.retryStart=Date.now(),this.retryDuration=t,this.updateInterval=setInterval(this.updateCountdown,250),this.updateCountdown(),this.retryMessage.prependTo(this.retryOptions),this.layout()},updateCountdown:function(){var t=this.retryDuration-(Date.now()-this.retryStart);t/=1e3,this.retryMessage.text(this.retryDuration<2e3||0>=t?"Retrying...":"Retrying in "+Math.ceil(t)+"s")},disableCountdown:function(){clearInterval(this.updateInterval),this.retryMessage.remove(),this.layout()},onRetryClicked:function(){this.retryClicked.dispatch()},destroy:function(){clearInterval(this.updateInterval),this.retryClicked&&(this.retryClicked.dispose(),this.retryClicked=null),this._super()}}),SL.notify=function(t,e){return $(".sl-notifications .sl-notification").last().html()===t&&$(".sl-notifications .sl-notification").last().remove(),"string"==typeof e&&(e={type:e}),new SL.components.Notification(t,e)},SL("components").Prompt=Class.extend({init:function(t){this.config=$.extend({type:"custom",data:null,anchor:null,title:null,subtitle:null,optional:!0,alignment:"auto",offsetX:0,offsetY:0,className:null,confirmOnEnter:!0,destroyAfterConfirm:!0,confirmLabel:"OK",cancelLabel:"Cancel",confirmButton:null,cancelButton:null,hoverTarget:null,hoverClass:"hover"},t),this.onBackgroundClicked=this.onBackgroundClicked.bind(this),this.onDocumentKeydown=this.onDocumentKeydown.bind(this),this.onPromptCancelClicked=this.onPromptCancelClicked.bind(this),this.onPromptConfirmClicked=this.onPromptConfirmClicked.bind(this),this.checkInputStatus=this.checkInputStatus.bind(this),this.layout=this.layout.bind(this),this.confirmed=new signals.Signal,this.canceled=new signals.Signal,this.destroyed=new signals.Signal,this.render()},render:function(){this.domElement=$('<div class="sl-prompt" data-type="'+this.config.type+'">'),this.innerElement=$('<div class="sl-prompt-inner">').appendTo(this.domElement),this.arrowElement=$('<div class="sl-prompt-arrow">').appendTo(this.innerElement),this.config.title&&(this.titleElement=$('<h3 class="title">').html(this.config.title).appendTo(this.innerElement)),this.config.subtitle&&(this.subtitleElement=$('<h4 class="subtitle">').html(this.config.subtitle).appendTo(this.innerElement),this.titleElement&&this.titleElement.addClass("has-subtitle")),this.config.className&&this.domElement.addClass(this.config.className),this.config.html&&this.innerElement.append(this.config.html),"select"===this.config.type?this.renderSelect():"list"===this.config.type?(this.renderList(),this.renderButtons(this.config.multiselect,"boolean"==typeof this.config.cancelButton?this.config.cancelButton:!this.config.multiselect)):"input"===this.config.type?(this.renderInput(),this.renderButtons(!0,!0)):"range"===this.config.type?(this.renderRange(),this.renderButtons(!0,!0)):this.renderButtons(this.config.confirmButton,this.config.cancelButton)},renderSelect:function(){this.config.data.forEach(function(t){var e=$('<a class="item button outline l">').html(t.html);e.data("callback",t.callback),e.appendTo(this.innerElement),e.on("vclick",function(t){var e=$(t.currentTarget).data("callback");"function"==typeof e&&e.apply(null),this.destroy(),t.preventDefault()}.bind(this)),t.focused===!0&&e.addClass("focus"),t.selected===!0&&e.addClass("selected"),"string"==typeof t.className&&(e.addClass(t.className),/(negative|positive)/g.test(t.className)&&e.removeClass("outline"))}.bind(this)),this.domElement.attr("data-length",this.config.data.length)},renderList:function(){this.listElement=$('<div class="list">').appendTo(this.innerElement),this.config.data.forEach(function(t){var e=$('<div class="item">');e.html('<span class="title">'+(t.title?t.title:t.value)+'</span><span class="checkmark icon i-checkmark"></span>'),e.data({callback:t.callback,value:t.value}),e.appendTo(this.listElement),e.on("click",function(e){var i=$(e.currentTarget),n=i.data("callback"),s=i.data("value");this.config.multiselect&&(i.toggleClass("selected"),t.exclusive?(i.addClass("selected"),i.siblings().removeClass("selected")):i.siblings().filter(".exclusive").removeClass("selected")),"function"==typeof n&&n.apply(null,[s,i.hasClass("selected")]),this.config.multiselect||(this.confirmed.dispatch(s),this.destroy())}.bind(this)),t.focused===!0&&e.addClass("focus"),t.selected===!0&&e.addClass("selected"),t.exclusive===!0&&e.addClass("exclusive"),"string"==typeof t.className&&e.addClass(t.className)}.bind(this))},renderInput:function(){this.config.data.multiline===!0?this.inputElement=$('<textarea cols="40" rows="8">'):(this.inputElement=$('<input type="text">'),"number"==typeof this.config.data.width&&(this.inputElement.css("width",this.config.data.width),this.titleElement&&this.titleElement.css("max-width",this.config.data.width),this.subtitleElement&&this.subtitleElement.css("max-width",this.config.data.width))),this.config.data.value&&this.inputElement.val(this.config.data.value),this.config.data.placeholder&&this.inputElement.attr("placeholder",this.config.data.placeholder),this.config.data.maxlength&&this.inputElement.attr("maxlength",this.config.data.maxlength),this.inputWrapperElement=$('<div class="input-wrapper">').append(this.inputElement),this.inputWrapperElement.appendTo(this.innerElement)},renderRange:function(){this.rangeInput=new SL.components.Range(this.config.data),this.rangeInput.appendTo(this.innerElement),"number"==typeof this.config.data.width&&(this.titleElement&&this.titleElement.css("max-width",this.config.data.width),this.subtitleElement&&this.subtitleElement.css("max-width",this.config.data.width))},renderButtons:function(t,e){var i=[];e&&this.config.optional&&this.config.cancelLabel&&i.push('<button class="button l outline prompt-cancel">'+this.config.cancelLabel+"</button>"),t&&this.config.confirmLabel&&i.push('<button class="button l prompt-confirm">'+this.config.confirmLabel+"</button>"),i.length&&(this.footerElement=$('<div class="footer">'+i.join("")+"</div>").appendTo(this.innerElement))},bind:function(){$(window).on("resize",this.layout),this.domElement.on("vclick",this.onBackgroundClicked),SL.keyboard.keydown(this.onDocumentKeydown),"hidden"!==$("html").css("overflow")&&$(window).on("scroll",this.layout),this.domElement.find(".prompt-cancel").on("vclick",this.onPromptCancelClicked),this.domElement.find(".prompt-confirm").on("vclick",this.onPromptConfirmClicked),this.inputElement&&this.inputElement.on("input",this.checkInputStatus)},unbind:function(){$(window).off("resize scroll",this.layout),this.domElement.off("vclick",this.onBackgroundClicked),SL.keyboard.release(this.onDocumentKeydown),this.domElement.find(".prompt-cancel").off("vclick",this.onPromptCancelClicked),this.domElement.find(".prompt-confirm").off("vclick",this.onPromptConfirmClicked),this.inputElement&&this.inputElement.off("input",this.checkInputStatus)},layout:function(){var t=10,e=$(window).width(),i=window.innerHeight;this.innerElement.css({"max-width":e-2*t,"max-height":i-2*t});var n=this.innerElement.outerWidth(),s=this.innerElement.outerHeight(),o=$(this.config.anchor);if(o.length){var a=o.offset(),r=15,l=this.config.alignment,c=$(window).scrollLeft(),d=$(window).scrollTop(),h=a.left-c,u=a.top-d;h+=this.config.offsetX,u+=this.config.offsetY;var p=o.outerWidth(),f=o.outerHeight(),m=n/2,g=n/2,v=10,b=!0;switch("auto"===l&&(l=a.top-(s+r+v)<d?"b":"t"),this.domElement.attr("data-alignment",l),l){case"t":h+=(p-n)/2,u-=s+r;break;case"b":h+=(p-n)/2,u+=f+r;break;case"l":h-=n+r,u+=(f-s)/2;break;case"r":h+=p+r,u+=(f-s)/2}var y=u;switch(h=Math.max(Math.min(h,e-n-t),t),u=Math.max(Math.min(u,i-s-t),t),h=Math.round(h),u=Math.round(u),"b"===l&&-f-v>u-y?b=!1:"t"===l&&u-y>f+v&&(b=!1),l){case"t":m=a.left-h-c+p/2,m=Math.max(Math.min(m,n-v),v),g=s;break;case"b":m=a.left-h-c+p/2,m=Math.max(Math.min(m,n-v),v),g=-v;break;case"l":m=n,g=a.top-u-d+f/2,g=Math.max(Math.min(g,s-v),v);break;case"r":m=-v,g=a.top-u-d+f/2,g=Math.max(Math.min(g,s-v),v)}this.innerElement.css({left:h,top:u}),this.arrowElement.css({left:m,top:g}).toggle(b)}else this.innerElement.css({left:Math.round((e-n)/2),top:Math.round(.4*(i-s))}),this.arrowElement.hide()},focus:function(t){var e=this.innerElement.find(".focus");if(e.length||(e=this.innerElement.find(".selected")),e.length){var i=t>0?e.next(".item"):e.prev(".item");i.length&&(e.removeClass("focus"),i.addClass("focus"))}else this.innerElement.find(".item").first().addClass("focus")},show:function(){var t=$(this.config.anchor);t.length&&t.addClass("focus"),$(this.config.hoverTarget).addClass(this.config.hoverClass),this.domElement.removeClass("visible").appendTo(document.body),setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1),this.layout(),this.bind(),this.inputElement&&(this.checkInputStatus(),this.inputElement.focus())},hide:function(){var t=$(this.config.anchor);t.length&&t.removeClass("focus"),$(this.config.hoverTarget).removeClass(this.config.hoverClass),this.domElement.detach(),this.unbind()},showOverlay:function(t,e,i,n){return clearTimeout(this.overlayTimeout),this.overlay||(this.overlay=$('<div class="sl-prompt-overlay">')),this.overlay.appendTo(this.innerElement),this.overlay.html(i+"<h3>"+e+"</h3>"),this.overlay.attr("data-status",t||"neutral"),this.overlay.addClass("visible"),new Promise(function(t){n?this.overlayTimeout=setTimeout(function(){this.overlay.removeClass("visible"),t()}.bind(this),n):t()}.bind(this))},getValue:function(){var t=void 0;return"input"===this.config.type?t=this.inputElement.val():"range"===this.config.type&&(t=this.rangeInput.getValue()),t},getDOMElement:function(){return this.domElement},cancel:function(){if("input"===this.config.type&&this.config.data.confirmBeforeDiscard){var t=this.config.data.value||"",e=this.getValue()||"";e!==t?SL.prompt({title:"Discard unsaved changes?",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Discard</h3>",selected:!0,className:"negative",callback:function(){this.canceled.dispatch(this.getValue()),this.destroy()}.bind(this)}]}):(this.canceled.dispatch(this.getValue()),this.destroy())}else this.canceled.dispatch(this.getValue()),this.destroy()},confirm:function(){this.confirmed.dispatch(this.getValue()),this.config.destroyAfterConfirm&&this.destroy()},checkInputStatus:function(){if(this.config.data.maxlength&&!this.config.data.maxlengthHidden){var t=this.inputWrapperElement.find(".input-status");0===t.length&&(t=$('<div class="input-status">').appendTo(this.inputWrapperElement));var e=this.inputElement.val().length,i=this.config.data.maxlength;t.text(e+"/"+i),t.toggleClass("negative",e>.95*i),this.config.data.multiline||this.inputElement.css("padding-right",t.outerWidth()+5)}},destroy:function(){this.destroyed.dispatch(),this.destroyed.dispose();var t=$(this.config.anchor);t.length&&t.removeClass("focus"),$(this.config.hoverTarget).removeClass(this.config.hoverClass),this.domElement.remove(),this.unbind(),this.confirmed.dispose(),this.canceled.dispose()},onBackgroundClicked:function(t){this.config.optional&&$(t.target).is(this.domElement)&&(this.cancel(),t.preventDefault())},onPromptCancelClicked:function(t){this.cancel(),t.preventDefault()},onPromptConfirmClicked:function(t){this.confirm(),t.preventDefault()},onDocumentKeydown:function(t){if(27===t.keyCode)return this.config.optional&&this.cancel(),t.preventDefault(),!1;if("select"===this.config.type||"list"===this.config.type)if(13===t.keyCode){var e=this.innerElement.find(".focus");0===e.length&&(e=this.innerElement.find(".selected")),e.length&&(e.trigger("click"),t.preventDefault())}else 37===t.keyCode||38===t.keyCode?(this.focus(-1),t.preventDefault()):39===t.keyCode||40===t.keyCode?(this.focus(1),t.preventDefault()):9===t.keyCode&&t.shiftKey?(this.focus(-1),t.preventDefault()):9===t.keyCode&&(this.focus(1),t.preventDefault());return"input"===this.config.type&&(13!==t.keyCode||this.config.data.multiline||this.onPromptConfirmClicked(t)),"custom"===this.config.type&&this.config.confirmOnEnter&&13===t.keyCode&&this.onPromptConfirmClicked(t),!0}}),SL.prompt=function(t){var e=new SL.components.Prompt(t);return e.show(),e},SL("components").Range=Class.extend({init:function(t){this.config=$.extend({value:0,width:300,minValue:0,maxValue:100,decimals:0,unit:null},t),this.valueRange=this.config.maxValue-this.config.minValue,this.stepSize=this.valueRange<1?this.valueRange/200:1,this.changing=!1,this.mouseDownValue=0,this.mouseDownX=0,this.render(),this.bind(),this.setValue(t.value,!1)},render:function(){this.domElement=$('<div class="sl-range"></div>'),this.domElement.width(this.config.width),this.progressElement=$('<div class="sl-range-progress">').appendTo(this.domElement),this.inputElement=$('<input class="sl-range-number input-field" type="text">').appendTo(this.domElement)},bind:function(){this.changed=new signals.Signal,this.changeStarted=new signals.Signal,this.changeEnded=new signals.Signal,this.onMouseDown=this.onMouseDown.bind(this),this.onMouseMove=this.onMouseMove.bind(this),this.onMouseUp=this.onMouseUp.bind(this),this.domElement.on("vmousedown",this.onMouseDown),this.inputElement.on("input",this.onInput.bind(this)),this.inputElement.on("keydown",this.onInputKeyDown.bind(this)),this.inputElement.on("focus",this.onInputFocused.bind(this)),this.inputElement.on("blur",this.onInputBlurred.bind(this))},appendTo:function(t){this.domElement.appendTo(t)},setValue:function(t,e,i){if(this.value=Math.max(Math.min(t,this.config.maxValue),this.config.minValue),this.value=this.roundValue(this.value),!i){var n=this.value;this.config.decimals>0&&(n=n.toFixed(this.config.decimals)),this.config.unit&&(n+=this.config.unit),this.inputElement.val(n)}var s=this.valueToPercent(this.value)/100;this.progressElement.css("transform","scaleX("+s+")"),e&&this.changed.dispatch(this.value)},getValue:function(){return this.value},roundValue:function(t){var e=Math.pow(10,this.config.decimals);return Math.round(t*e)/e},valueToPercent:function(t){var e=(t-this.config.minValue)/(this.config.maxValue-this.config.minValue)*100;return Math.max(Math.min(e,100),0)},isChanging:function(){return this.changing},onChangeStart:function(){this.isChanging()||(this.domElement.addClass("is-changing"),this.changing=!0,this.changeStarted.dispatch())},onChangeEnd:function(){this.isChanging()&&(this.domElement.removeClass("is-changing"),this.changing=!1,this.changeEnded.dispatch())},onMouseDown:function(t){this.inputElement.is(":focus")||t.preventDefault(),$(document).on("vmousemove",this.onMouseMove),$(document).on("vmouseup",this.onMouseUp),this.mouseDownX=t.clientX,this.mouseDownValue=this.getValue(),this.onChangeStart()},onMouseMove:function(t){this.domElement.addClass("is-scrubbing");var e=t.clientX-this.mouseDownX;1===this.stepSize&&this.valueRange<15?e*=.25:1===this.stepSize&&this.valueRange<30&&(e*=.5),this.setValue(this.mouseDownValue+e*this.stepSize,!0),this.changed.dispatch(this.getValue())},onMouseUp:function(t){$(document).off("vmousemove",this.onMouseMove),$(document).off("vmouseup",this.onMouseUp),this.domElement.hasClass("is-scrubbing")===!1?this.onClick(t):this.onChangeEnd(),this.domElement.removeClass("is-scrubbing")},onClick:function(){this.inputElement.focus()},onInput:function(){this.setValue(parseFloat(this.inputElement.val()),!0,!0)},onInputKeyDown:function(t){var e=0;38===t.keyCode?e=this.stepSize:40===t.keyCode&&(e=-this.stepSize),e&&(t.shiftKey&&(e*=10),this.setValue(this.getValue()+e,!0),t.preventDefault())},onInputFocused:function(){this.onChangeStart()},onInputBlurred:function(){this.onChangeEnd(),this.setValue(this.getValue(),!0)},destroy:function(){$(document).off("vmousemove",this.onMouseMove),$(document).off("vmouseup",this.onMouseUp),this.changed.dispose(),this.changeStarted.dispose(),this.changeEnded.dispose(),this.domElement.remove()}}),SL("components").Resizer=Class.extend({init:function(t,e){this.domElement=$(t),this.revealElement=this.domElement.closest(".reveal"),this.options=$.extend({padding:10,preserveAspectRatio:!1,useOverlay:!1},e),this.mouse={x:0,y:0},this.mouseStart={x:0,y:0},this.origin={x:0,y:0,width:0,height:0},this.resizing=!1,this.domElement.length?(this.onAnchorMouseDown=this.onAnchorMouseDown.bind(this),this.onDocumentMouseMove=this.onDocumentMouseMove.bind(this),this.onDocumentMouseUp=this.onDocumentMouseUp.bind(this),this.onElementDrop=this.onElementDrop.bind(this),this.layout=this.layout.bind(this),this.build(),this.bind(),this.layout()):console.warn("Resizer: invalid resize target.")},build:function(){this.options.useOverlay&&(this.overlay=$('<div class="editing-ui resizer-overlay"></div>').appendTo(document.body).hide()),this.anchorN=$('<div class="editing-ui resizer-anchor" data-direction="n"></div>').appendTo(document.body),this.anchorE=$('<div class="editing-ui resizer-anchor" data-direction="e"></div>').appendTo(document.body),this.anchorS=$('<div class="editing-ui resizer-anchor" data-direction="s"></div>').appendTo(document.body),this.anchorW=$('<div class="editing-ui resizer-anchor" data-direction="w"></div>').appendTo(document.body)},bind:function(){this.resizeStarted=new signals.Signal,this.resizeUpdated=new signals.Signal,this.resizeEnded=new signals.Signal,this.getAnchors().on("mousedown",this.onAnchorMouseDown),this.revealElement.on("drop",this.onElementDrop),$(document).on("keyup",this.layout),$(document).on("mouseup",this.layout),$(document).on("mousewheel",this.layout),$(document).on("DOMMouseScroll",this.layout),$(window).on("resize",this.layout)},layout:function(){if(!this.destroyIfDetached()){var t=SL.util.getRevealElementGlobalOffset(this.domElement),e=Reveal.getScale(),i=parseInt(this.domElement.css("margin-right"),10);marginBottom=parseInt(this.domElement.css("margin-bottom"),10);var n=t.x-this.options.padding,s=t.y-this.options.padding,o=(this.domElement.width()+i)*e+2*this.options.padding;height=(this.domElement.height()+marginBottom)*e+2*this.options.padding;var a=-this.anchorN.outerWidth()/2;this.anchorN.css({left:n+o/2+a,top:s+a}),this.anchorE.css({left:n+o+a,top:s+height/2+a}),this.anchorS.css({left:n+o/2+a,top:s+height+a}),this.anchorW.css({left:n+a,top:s+height/2+a}),this.overlay&&this.overlay.css({left:n,top:s,width:o,height:height})}},show:function(){this.getAnchors().addClass("visible"),this.layout()},hide:function(){this.getAnchors().removeClass("visible")},destroyIfDetached:function(){return 0===this.domElement.closest("body").length?(this.destroy(),!0):!1},getOptions:function(){return this.options},getAnchors:function(){return this.anchorN.add(this.anchorE).add(this.anchorS).add(this.anchorW)},isResizing:function(){return!!this.resizing},isDestroyed:function(){return!!this.destroyed},onAnchorMouseDown:function(t){var e=$(t.target).attr("data-direction");if(e){t.preventDefault(),this.resizeDirection=e,this.mouseStart.x=t.clientX,this.mouseStart.y=t.clientY;var i=SL.util.getRevealElementOffset(this.domElement);this.origin.x=i.x,this.origin.y=i.y,this.origin.width=this.domElement.width(),this.origin.height=this.domElement.height(),this.overlay&&this.overlay.show(),this.resizing=!0,$(document).on("mousemove",this.onDocumentMouseMove),$(document).on("mouseup",this.onDocumentMouseUp),this.resizeStarted.dispatch()}},onDocumentMouseMove:function(t){if(!this.destroyIfDetached()&&(this.mouse.x=t.clientX,this.mouse.y=t.clientY,this.resizing)){var e=Reveal.getScale(),i=(this.mouse.x-this.mouseStart.x)/e,n=(this.mouse.y-this.mouseStart.y)/e,s="",o="";switch(this.resizeDirection){case"e":s=Math.max(this.origin.width+i,1);break;case"w":s=Math.max(this.origin.width-i,1);break;case"s":o=Math.max(this.origin.height+n,1);break;case"n":o=Math.max(this.origin.height-n,1)}if(this.options.preserveAspectRatio?(""===s&&(s=this.origin.width*(o/this.origin.height)),""===o&&(o=this.origin.height*(s/this.origin.width))):(""===s&&(s=this.domElement.css("width")),""===o&&(o=this.domElement.css("height"))),"absolute"===this.domElement.css("position")&&("n"===this.resizeDirection||"w"===this.resizeDirection))switch(this.resizeDirection){case"w":this.domElement.css("left",Math.round(this.origin.x+i));break;case"n":this.domElement.css("top",Math.round(this.origin.y+n))}this.domElement.css({width:s?s:"",height:o?o:"",maxHeight:"none",maxWidth:"none"}),this.layout(),this.resizeUpdated.dispatch()}},onDocumentMouseUp:function(){this.resizing=!1,$(document).off("mousemove",this.onDocumentMouseMove),$(document).off("mouseup",this.onDocumentMouseUp),this.overlay&&this.overlay.hide(),this.resizeEnded.dispatch()},onElementDrop:function(){setTimeout(this.layout,1)},destroy:function(){this.destroyed||(this.destroyed=!0,this.resizeStarted.dispose(),this.resizeUpdated.dispose(),this.resizeEnded.dispose(),$(document).off("mousemove",this.onDocumentMouseMove),$(document).off("mouseup",this.onDocumentMouseUp),$(document).off("keyup",this.layout),$(document).off("mouseup",this.layout),$(document).off("mousewheel",this.layout),$(document).off("DOMMouseScroll",this.layout),$(window).off("resize",this.layout),this.revealElement.off("drop",this.onElementDrop),this.getAnchors().off("mousedown",this.onAnchorMouseDown),this.anchorN.remove(),this.anchorE.remove(),this.anchorS.remove(),this.anchorW.remove(),this.overlay&&this.overlay.remove())}}),SL.components.Resizer.delegateOnHover=function(t,e,i){function n(){c&&(c.destroy(),c=null,$(document).off("mousemove",a),$(document).off("mouseup",r))
+}function s(t,e){if(c&&c.isResizing())return!1;if(c&&d&&!d.is(t)&&n(),!c){var s={};$.extend(s,i),$.extend(s,e),d=$(t),c=new SL.components.Resizer(d,s),c.resizeUpdated.add(l),c.show(),$(document).on("mousemove",a),$(document).on("mouseup",r)}}function o(t){var e=$(t.currentTarget),i=null;e.data("resizer-options")&&(i=e.data("resizer-options")),e.data("target-element")&&(e=e.data("target-element")),s(e,i)}function a(t){if(c)if(c.isDestroyed())n();else if(!c.isResizing()){var e=Reveal.getScale(),i=SL.util.getRevealElementGlobalOffset(d),s=3*c.getOptions().padding,o={top:i.y-s,right:i.x+d.outerWidth(!0)*e+s,bottom:i.y+d.outerHeight(!0)*e+s,left:i.x-s};(t.clientX<o.left||t.clientX>o.right||t.clientY<o.top||t.clientY>o.bottom)&&n()}}function r(t){setTimeout(function(){a(t)},1)}function l(){h.dispatch(d)}t.delegate(e,"mouseover",o);var c=null,d=null,h=new signals.Signal;return{show:s,updated:h,layout:function(){c&&c.layout()},destroy:function(){n(),h.dispose(),t.undelegate(e,"mouseover",o)}}},SL("components").ScrollShadow=Class.extend({init:function(t){this.options=$.extend({threshold:20,shadowSize:10,resizeContent:!0},t),this.bind(),this.render(),this.layout()},bind:function(){this.layout=this.layout.bind(this),this.sync=this.sync.bind(this),this.onScroll=$.throttle(this.onScroll.bind(this),100),$(window).on("resize",this.layout),this.options.contentElement.on("scroll",this.onScroll)},render:function(){this.shadowTop=$('<div class="sl-scroll-shadow-top">').appendTo(this.options.parentElement),this.shadowBottom=$('<div class="sl-scroll-shadow-bottom">').appendTo(this.options.parentElement),this.shadowTop.height(this.options.shadowSize),this.shadowBottom.height(this.options.shadowSize)},layout:function(){var t=this.options.parentElement.height(),e=this.options.footerElement?this.options.footerElement.outerHeight():0,i=this.options.headerElement?this.options.headerElement.outerHeight():0;(this.options.resizeContent&&this.options.footerElement||this.options.headerElement)&&this.options.contentElement.css("height",t-e-i),this.sync()},sync:function(){var t=this.options.footerElement?this.options.footerElement.outerHeight():0,e=this.options.headerElement?this.options.headerElement.outerHeight():0,i=this.options.contentElement.scrollTop(),n=this.options.contentElement.prop("scrollHeight"),s=this.options.contentElement.outerHeight(),o=n>s+this.options.threshold,a=i/(n-s);this.shadowTop.css({opacity:o?a:0,top:e}),this.shadowBottom.css({opacity:o?1-a:0,bottom:t})},onScroll:function(){this.sync()},destroy:function(){$(window).off("resize",this.layout),this.options.contentElement.off("scroll",this.onScroll),this.options=null}}),SL("components").Search=Class.extend({init:function(t){this.config=t,this.searchForm=$(".search .search-form"),this.searchFormInput=this.searchForm.find(".search-term"),this.searchFormSubmit=this.searchForm.find(".search-submit"),this.searchResults=$(".search .search-results"),this.searchResultsHeader=this.searchResults.find("header"),this.searchResultsTitle=this.searchResults.find(".search-results-title"),this.searchResultsSorting=this.searchResults.find(".search-results-sorting"),this.searchResultsList=this.searchResults.find("ul"),this.searchFormLoader=Ladda.create(this.searchFormSubmit.get(0)),this.bind(),this.checkQuery()},bind:function(){this.searchForm.on("submit",this.onSearchFormSubmit.bind(this)),this.searchResultsSorting.find("input[type=radio]").on("click",this.onSearchSortingChange.bind(this))},checkQuery:function(){var t=SL.util.getQuery();t.search&&!this.searchFormInput.val()&&(this.searchFormInput.val(t.search),t.page?this.search(t.search,parseInt(t.page,10)):this.search(t.search))},renderSearchResults:function(t){if($(".search").removeClass("empty"),this.searchResults.show(),this.searchResultsList.empty(),this.renderSearchPagination(t),t.results&&t.results.length){this.searchResultsTitle.text(t.total+" "+SL.util.string.pluralize("result","s",t.total>1)+' for "'+this.searchTerm+'"');for(var e=0,i=t.results.length;i>e;e++){var n=t.results[e];n.user&&this.searchResultsList.append(SL.util.html.createDeckThumbnail(n))}}else this.searchResultsTitle.text(t.error||SL.locale.get("SEARCH_NO_RESULTS_FOR",{term:this.searchTerm}))},renderSearchPagination:function(t){"undefined"==typeof t.decks_per_page&&(t.decks_per_page=8);var e=Math.ceil(t.total/t.decks_per_page);this.searchPagination&&this.searchPagination.remove(),e>1&&(this.searchPagination=$('<div class="search-results-pagination"></div>').appendTo(this.searchResultsHeader),this.searchPagination.append('<span class="page">'+SL.locale.get("SEARCH_PAGINATION_PAGE")+" "+this.searchPage+"/"+e+"</span>"),this.searchPage>1&&this.searchPagination.append('<button class="button outline previous">'+SL.locale.get("PREVIOUS")+"</button>"),this.searchPagination.append('<button class="button outline next">'+SL.locale.get("NEXT")+"</button>"),this.searchPagination.find("button.previous").on("click",function(){this.search(this.searchTerm,Math.max(this.searchPage-1,1))}.bind(this)),this.searchPagination.find("button.next").on("click",function(){this.search(this.searchTerm,Math.min(this.searchPage+1,e))}.bind(this)))},search:function(t,e,i){if(this.searchTerm=t||this.searchFormInput.val(),this.searchPage=e||1,this.searchSort=i||this.searchSort,window.history&&"function"==typeof window.history.replaceState){var n="?search="+escape(this.searchTerm);e>1&&(n+="&page="+e),window.history.replaceState(null,null,"/explore"+n)}this.searchSort||(this.searchSort=this.searchResultsSorting.find("input[type=radio]:checked").val()),this.searchResultsSorting.find("input[type=radio]").prop("checked",!1),this.searchResultsSorting.find("input[type=radio][value="+this.searchSort+"]").prop("checked",!0),this.searchTerm?(this.searchFormLoader.start(),$.ajax({type:"GET",url:this.config.url,context:this,data:{q:this.searchTerm,page:this.searchPage,sort:this.searchSort}}).done(function(t){this.renderSearchResults(t)}).fail(function(){this.renderSearchResults({error:SL.locale.get("SEARCH_SERVER_ERROR")})}).always(function(){this.searchFormLoader.stop()})):SL.notify(SL.locale.get("SEARCH_NO_TERM_ERROR"))},sort:function(t){this.search(this.searchTerm,this.searchPage,t)},onSearchFormSubmit:function(t){return this.search(),t.preventDefault(),!1},onSearchSortingChange:function(){this.sort(this.searchResultsSorting.find("input[type=radio]:checked").val())}}),SL("components").TemplatesPage=Class.extend({init:function(t){this.options=t||{},this.templateSelected=new signals.Signal,this.render()},render:function(){this.domElement=$('<div class="page" data-page-id="'+this.options.id+'">'),this.actionList=$('<div class="action-list">').appendTo(this.domElement),this.templateList=$("<div>").appendTo(this.domElement),this.options.templates.forEach(this.renderTemplate.bind(this)),(this.isDefaultTemplates()||this.isTeamTemplates()&&this.getNumberOfVisibleTemplates()>0)&&(this.blankTemplate=this.renderBlankTemplate(),this.duplicateTemplate=this.renderDuplicateTemplate())},renderBlankTemplate:function(t){return t=$.extend({container:this.actionList,editable:!1},t),this.renderTemplate(new SL.models.Template({label:"Blank",html:""}),t)},renderDuplicateTemplate:function(t,e){return t=$.extend({container:this.actionList,editable:!1},t),this.renderTemplate(new SL.models.Template({label:"Duplicate",html:e||""}),t)},renderTemplate:function(t,e){e=$.extend({prepend:!1,editable:!0,container:this.templateList},e);var i=$('<div class="template-item">');i.html(['<div class="template-item-thumb themed">','<div class="template-item-thumb-content reveal reveal-thumbnail ready">','<div class="slides">',t.get("html"),"</div>",'<div class="backgrounds"></div>',"</div>","</div>"].join("")),i.data("template-model",t),i.on("vclick",this.onTemplateSelected.bind(this,i)),i.find(".slides>section").addClass("present"),i.find('.sl-block[data-block-type="code"] pre').addClass("hljs"),t.get("label")&&i.append('<span class="template-item-label">'+t.get("label")+"</span>"),e.replaceTemplate?e.replaceTemplate.replaceWith(i):e.replaceTemplateAt?e.container.find(".template-item").eq(e.replaceTemplateAt).replaceWith(i):e.prepend?e.container.prepend(i):e.container.append(i);var n=i.find("section").attr("data-background-color"),s=i.find("section").attr("data-background-image"),o=i.find("section").attr("data-background-size"),a=i.find("section").attr("data-background-position"),r=$('<div class="slide-background present template-item-thumb-background">');if(r.addClass(i.find(".template-item-thumb .reveal section").attr("class")),r.appendTo(i.find(".template-item-thumb .reveal>.backgrounds")),(n||s)&&(n&&r.css("background-color",n),s&&r.css("background-image",'url("'+s+'")'),o&&r.css("background-size",o),a&&r.css("background-position",a)),this.isEditable()&&e.editable){var l=$('<div class="template-item-options"></div>').appendTo(i),c=$('<div class="option"><span class="icon i-trash-stroke"></span></div>');if(c.attr("data-tooltip","Delete this template"),c.on("vclick",this.onTemplateDeleteClicked.bind(this,i)),c.appendTo(l),this.isTeamTemplates()&&SL.current_user.getThemes().size()>1){var d=$('<div class="option"><span class="icon i-ellipsis-v"></span></div>');d.attr("data-tooltip","Theme availability"),d.on("vclick",this.onTemplateThemeClicked.bind(this,i)),d.appendTo(l)}}return i},refresh:function(){this.duplicateTemplate&&this.duplicateTemplate.length&&(this.duplicateTemplate=this.renderDuplicateTemplate({replaceTemplate:this.duplicateTemplate},SL.data.templates.templatize(Reveal.getCurrentSlide()))),this.templateList.find(".placeholder").remove();var t=SL.view.getCurrentTheme(),e=this.domElement.find(".template-item");if(this.isTeamTemplates()&&e.each(function(e,i){var n=$(i),s=n.data("template-model").isAvailableForTheme(t);n.toggleClass(SL.current_user.isEnterpriseManager()?"semi-hidden":"hidden",!s)}.bind(this)),e=this.domElement.find(".template-item:not(.hidden)"),e.length)e.each(function(e,i){var n=$(i),s=(n.data("template-model"),n.find(".template-item-thumb"));s.attr("class",s.attr("class").replace(/theme\-(font|color)\-([a-z0-9-])*/gi,"")),s.addClass("theme-font-"+t.get("font")),s.addClass("theme-color-"+t.get("color")),s.find(".template-item-thumb-content img[data-src]").each(function(){this.setAttribute("src",this.getAttribute("data-src")),this.removeAttribute("data-src")}),SL.data.templates.layoutTemplate(s.find("section"),!0)}.bind(this)),this.templateList.find(".placeholder").remove();else{var i="You haven't saved any custom templates yet.<br>Click the button below to save one now.";this.isTeamTemplates()&&(i=SL.current_user.isEnterpriseManager()?"Templates saved here are made available to the everyone in your team.":"No templates are available for the current theme."),this.templateList.append('<p class="placeholder">'+i+"</p>")}},appendTo:function(t){this.domElement.appendTo(t)},saveCurrentSlide:function(){var t=SL.config.AJAX_SLIDE_TEMPLATES_CREATE;return this.isTeamTemplates()&&(t=SL.config.AJAX_TEAM_SLIDE_TEMPLATES_CREATE),$.ajax({type:"POST",url:t,context:this,data:{slide_template:{html:SL.data.templates.templatize(Reveal.getCurrentSlide())}}}).done(function(t){this.options.templates.create(t,{prepend:!0}).then(function(t){this.renderTemplate(t,{prepend:!0}),this.refresh()}.bind(this)),SL.notify(SL.locale.get("TEMPLATE_CREATE_SUCCESS"))}).fail(function(){SL.notify(SL.locale.get("TEMPLATE_CREATE_ERROR"),"negative")})},isEditable:function(){return this.isUserTemplates()||this.isTeamTemplates()&&SL.current_user.isEnterpriseManager()},isDefaultTemplates:function(){return"default"===this.options.id},isUserTemplates:function(){return"user"===this.options.id},isTeamTemplates:function(){return"team"===this.options.id},getNumberOfVisibleTemplates:function(){return this.domElement.find(".template-item:not(.hidden)").length},onTemplateSelected:function(t,e){e.preventDefault(),this.templateSelected.dispatch(t.data("template-model"))},onTemplateDeleteClicked:function(t,e){return e.preventDefault(),SL.prompt({anchor:$(e.currentTarget),title:SL.locale.get("TEMPLATE_DELETE_CONFIRM"),type:"select",hoverTarget:t,data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Delete</h3>",selected:!0,className:"negative",callback:function(){var e=t.data("template-model"),i=SL.config.AJAX_SLIDE_TEMPLATES_DELETE(e.get("id"));this.isTeamTemplates()&&(i=SL.config.AJAX_TEAM_SLIDE_TEMPLATES_DELETE(e.get("id"))),$.ajax({type:"DELETE",url:i,context:this}).done(function(){t.remove(),this.refresh()})}.bind(this)}]}),!1},onTemplateThemeClicked:function(t,e){e.preventDefault();var i=SL.current_user.getThemes();if(i.size()>0){var n=t.data("template-model"),s=n.get("id"),o=n.isAvailableForAllThemes(),a=($(Reveal.getCurrentSlide()),[{value:"All themes",selected:o,exclusive:!0,className:"header-item",callback:function(){i.forEach(function(t){t.hasSlideTemplate(s)&&t.removeSlideTemplate([s]).fail(this.onGenericError)}.bind(this)),this.refresh()}.bind(this)}]);i.forEach(function(t){a.push({value:t.get("name"),selected:o?!1:n.isAvailableForTheme(t),callback:function(e,i){i?t.addSlideTemplate([s]).fail(this.onGenericError):t.removeSlideTemplate([s]).fail(this.onGenericError),this.refresh()}.bind(this)})}.bind(this)),SL.prompt({anchor:$(e.currentTarget),title:"Available for...",type:"list",alignment:"l",data:a,multiselect:!0,optional:!0,hoverTarget:t})}return!1},onGenericError:function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}}),SL("components").Templates=Class.extend({init:function(t){this.options=$.extend({alignment:"",width:450,height:800,arrowSize:8},t),this.pages=[],this.pagesHash={},SL.data.templates.getUserTemplates(),SL.data.templates.getTeamTemplates(),this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-templates">'),this.innerElement=$('<div class="sl-templates-inner">').appendTo(this.domElement),this.domElement.data("instance",this),this.headerElement=$('<div class="sl-templates-header">').appendTo(this.innerElement),this.bodyElement=$('<div class="sl-templates-body">').appendTo(this.innerElement),this.footerElement=$('<div class="sl-templates-footer">').appendTo(this.innerElement),this.addTemplateButton=$(['<div class="add-new-template ladda-button" data-style="zoom-out" data-spinner-color="#222" data-spinner-size="32">','<span class="icon i-plus"></span>',"<span>Save current slide</span>","</div>"].join("")),this.addTemplateButton.on("click",this.onTemplateCreateClicked.bind(this)),this.addTemplateButton.appendTo(this.footerElement),this.addTemplateButtonLoader=Ladda.create(this.addTemplateButton.get(0))},renderTemplates:function(){this.pages=[],this.headerElement.empty(),this.bodyElement.empty(),this.renderPage("default","Default",SL.data.templates.getDefaultTemplates()),SL.data.templates.getUserTemplates(function(t){this.renderPage("user","Yours",t)}.bind(this)),SL.data.templates.getTeamTemplates(function(t){(SL.current_user.isEnterpriseManager()||!t.isEmpty())&&this.renderPage("team","Team",t)}.bind(this))},renderPage:function(t,e,i){var n=$('<div class="page-tab" data-page-id="'+t+'">'+e+"</div>");n.on("vclick",function(){this.showPage(t),SL.analytics.trackEditor("Slide templates tab clicked",t)}.bind(this)),n.appendTo(this.headerElement);var s=new SL.components.TemplatesPage({id:t,templates:i});s.templateSelected.add(this.onTemplateSelected.bind(this)),s.appendTo(this.bodyElement),this.pages.push(s),this.pagesHash[t]=s,this.domElement.attr("data-pages-total",this.pages.length)},selectDefaultPage:function(){var t=this.pages.some(function(t){return t.isTeamTemplates()&&t.getNumberOfVisibleTemplates()>0});this.showPage(t?"team":"default")},showPage:function(t){this.currentPage=this.pagesHash[t],this.currentPage?(this.bodyElement.find(".page").removeClass("past present future"),this.bodyElement.find('.page[data-page-id="'+t+'"]').addClass("present"),this.bodyElement.find('.page[data-page-id="'+t+'"]').prevAll().addClass("past"),this.bodyElement.find('.page[data-page-id="'+t+'"]').nextAll().addClass("future"),this.headerElement.find(".page-tab").removeClass("selected"),this.headerElement.find('.page-tab[data-page-id="'+t+'"]').addClass("selected")):console.warn('Template page "'+t+'" not found.')},refreshPages:function(){this.pages.forEach(function(t){t.refresh()})},bind:function(){this.layout=this.layout.bind(this),this.onKeyDown=this.onKeyDown.bind(this),this.onClicked=this.onClicked.bind(this),this.domElement.on("vclick",this.onClicked)},layout:function(){var t=10,e=this.domElement.outerWidth(),i=this.domElement.outerHeight(),n=this.options.width,s=this.options.height,o={};n=Math.min(n,i-2*t),s=Math.min(s,i-2*t),this.options.anchor&&(o.left=this.options.anchor.offset().left,o.top=this.options.anchor.offset().top,o.width=this.options.anchor.outerWidth(),o.height=this.options.anchor.outerHeight(),o.right=o.left+o.width,o.bottom=o.top+o.height);var a,r;this.options.anchor&&"r"===this.options.alignment?(n=Math.min(n,o.left-2*t),a=o.left-n-this.options.arrowSize-t,r=o.top+o.height/2-s/2):this.options.anchor&&"b"===this.options.alignment?(s=Math.min(s,o.top-2*t),a=o.left+o.width/2-n/2,r=o.top-s-this.options.arrowSize-t):this.options.anchor&&"l"===this.options.alignment?(n=Math.min(n,e-o.right-2*t),a=o.right+this.options.arrowSize+t,r=o.top+o.height/2-s/2):(a=(e-n)/2,r=(i-s)/2),this.innerElement.css({width:n,height:s,left:a,top:r})},show:function(t){this.options=$.extend(this.options,t),0===this.pages.length&&this.renderTemplates(),this.domElement.attr("data-alignment",this.options.alignment),this.domElement.appendTo(document.body),SL.util.skipCSSTransitions(this.domElement),$(window).on("resize",this.layout),SL.keyboard.keydown(this.onKeyDown),this.refreshPages(),this.hasSelectedDefaultPage||(this.hasSelectedDefaultPage=!0,this.selectDefaultPage()),this.layout()},hide:function(){this.domElement.detach(),$(window).off("resize",this.layout),SL.keyboard.release(this.onKeyDown)},onTemplateSelected:function(t){this.options.callback&&(this.hide(),this.options.callback(t.get("html")))},onTemplateCreateClicked:function(){return this.currentPage.isEditable()||this.showPage("user"),this.addTemplateButtonLoader.start(),this.currentPage.saveCurrentSlide().then(function(){this.addTemplateButtonLoader.stop()}.bind(this),function(){this.addTemplateButtonLoader.stop()}.bind(this)),SL.analytics.trackEditor(this.currentPage.isTeamTemplates()?"Saved team template":"Saved user template"),!1},onKeyDown:function(t){return 27===t.keyCode?(this.hide(),!1):!0},onClicked:function(t){$(t.target).is(this.domElement)&&(t.preventDefault(),this.hide())},destroy:function(){$(window).off("resize",this.layout),SL.keyboard.release(this.onKeyDown),this.domElement.remove()}}),SL("components").TextEditor=Class.extend({init:function(t){this.options=$.extend({type:"",value:""},t),this.saved=new signals.Signal,this.canceled=new signals.Signal,this.render(),this.bind(),this.originalValue=this.options.value||"","string"==typeof this.options.value&&this.setValue(this.options.value),SL.editor.controllers.Capabilities.isTouchEditor()||this.focusInput()},render:function(){this.domElement=$('<div class="sl-text-editor">').appendTo(document.body),this.innerElement=$('<div class="sl-text-editor-inner">').appendTo(this.domElement),this.domElement.attr("data-type",this.options.type),"html"===this.options.type?this.renderHTMLInput():this.renderTextInput(),this.footerElement=$(['<div class="sl-text-editor-footer">','<button class="button l outline white cancel-button">Cancel</button>','<button class="button l positive save-button">Save</button>',"</div>"].join("")).appendTo(this.innerElement),setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1)},renderTextInput:function(){this.inputElement=$('<textarea class="sl-text-editor-input">').appendTo(this.innerElement),"code"===this.options.type&&this.inputElement.tabby({tabString:" "})},renderHTMLInput:function(){this.inputElement=$('<div class="editor sl-text-editor-input">').appendTo(this.innerElement),this.codeEditor&&"function"==typeof this.codeEditor.destroy&&(this.codeEditor.destroy(),this.codeEditor=null);try{this.codeEditor=ace.edit(this.inputElement.get(0)),SL.util.setAceEditorDefaults(this.codeEditor),this.codeEditor.getSession().setMode("ace/mode/html")}catch(t){console.log("An error occurred while initializing the Ace editor.")}},bind:function(){this.footerElement.find(".save-button").on("click",this.save.bind(this)),this.footerElement.find(".cancel-button").on("click",this.cancel.bind(this)),this.onKeyDown=this.onKeyDown.bind(this),SL.keyboard.keydown(this.onKeyDown),this.onBackgroundClicked=this.onBackgroundClicked.bind(this),this.domElement.on("vclick",this.onBackgroundClicked)},save:function(){this.saved.dispatch(this.getValue()),this.destroy()},cancel:function(){var t=this.originalValue||"",e=this.getValue()||"";e!==t?this.cancelPrompt||(this.cancelPrompt=SL.prompt({title:"Discard unsaved changes?",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Discard</h3>",selected:!0,className:"negative",callback:function(){this.canceled.dispatch(),this.destroy()}.bind(this)}]}),this.cancelPrompt.destroyed.add(function(){this.cancelPrompt=null}.bind(this))):(this.canceled.dispatch(),this.destroy())},focusInput:function(){this.codeEditor?this.codeEditor.focus():this.inputElement.focus()},setValue:function(t){this.originalValue=t||"",this.codeEditor?this.codeEditor.getSession().setValue(t||""):this.inputElement.val(t)},getValue:function(){return this.codeEditor?this.codeEditor.getSession().getValue():this.inputElement.val()},onBackgroundClicked:function(t){$(t.target).is(this.domElement)&&(this.cancel(),t.preventDefault())},onKeyDown:function(t){return 27===t.keyCode?(this.cancel(),!1):(t.metaKey||t.ctrlKey)&&83===t.keyCode?(this.save(),!1):!0},destroy:function(){this.saved.dispose(),this.canceled.dispose(),SL.keyboard.release(this.onKeyDown),this.domElement.remove()}}),SL("components").ThemeOptions=Class.extend({init:function(t){if(!t.container)throw"Cannot build theme options without container";if(!t.model)throw"Cannot build theme options without model";this.config=$.extend({center:!0,rollingLinks:!0,supportsCustomFonts:!1,colors:SL.config.THEME_COLORS,fonts:SL.config.THEME_FONTS,transitions:SL.config.THEME_TRANSITIONS,backgroundTransitions:SL.config.THEME_BACKGROUND_TRANSITIONS},t),this.theme=t.model,this.changed=new signals.Signal,this.render(),this.updateSelection(),this.toggleDeprecatedOptions(),this.scrollToTop(),this.loadFonts()},render:function(){this.domElement=$('<div class="sl-themeoptions">').appendTo(this.config.container),"string"==typeof this.config.className&&this.domElement.addClass(this.config.className),this.config.themes&&this.renderThemes(),(this.config.center||this.config.rollingLinks)&&this.renderOptions(),this.config.colors&&this.renderColors(),this.config.fonts&&this.renderFonts(),this.config.transitions&&this.renderTransitions(),this.config.backgroundTransitions&&this.renderBackgroundTransitions()},renderThemes:function(){if(this.config.themes&&!this.config.themes.isEmpty()){var t=$('<div class="section selector theme"><h3>Theme</h3><ul></ul></div>').appendTo(this.domElement),e=t.find("ul");e.append(['<li data-theme="" class="custom">','<span class="thumb-icon icon i-equalizer"></span>','<span class="thumb-label">Custom</span>',"</li>"].join("")),this.config.themes.forEach(function(t){var i=$('<li data-theme="'+t.get("id")+'"><span class="thumb-label" title="'+t.get("name")+'">'+t.get("name")+"</span></li>").appendTo(e);t.hasThumbnail()&&i.css("background-image",'url("'+t.get("thumbnail_url")+'")')}),this.domElement.find(".theme li").on("vclick",this.onThemeClicked.bind(this))}},renderOptions:function(){var t=$('<div class="section options"><h3>Options</h3></div>').appendTo(this.domElement),e=$('<div class="options"></div>').appendTo(t);this.config.center&&(e.append('<div class="unit sl-checkbox outline"><input id="theme-center" value="center" type="checkbox"><label for="theme-center" data-tooltip="Center slide contents vertically (not visible while editing)" data-tooltip-maxwidth="220" data-tooltip-delay="500">Vertical centering</label></div>'),t.find("#theme-center").on("change",this.onOptionChanged.bind(this))),this.config.rollingLinks&&(e.append('<div class="unit sl-checkbox outline"><input id="theme-rolling_links" value="rolling_links" type="checkbox"><label for="theme-rolling_links" data-tooltip="Use a 3D hover effect on links" data-tooltip-maxwidth="220" data-tooltip-delay="500">Rolling links</label></div>'),t.find("#theme-rolling_links").on("change",this.onOptionChanged.bind(this)))},renderColors:function(){var t=$('<div class="section selector color"><h3>Color</h3><ul></ul></div>').appendTo(this.domElement),e=t.find("ul");this.config.colors.forEach(function(t){var i=$('<li data-color="'+t.id+'"><div class="theme-body-color-block"></div><div class="theme-link-color-block"></div></li>');i.addClass("theme-color-"+t.id),i.addClass("themed"),i.appendTo(e),t.tooltip&&i.attr({"data-tooltip":t.tooltip,"data-tooltip-delay":250,"data-tooltip-maxwidth":300}),!SL.current_user.isPaid()&&t.pro&&i.attr("data-pro","true")}.bind(this)),this.domElement.find(".color li").on("vclick",this.onColorClicked.bind(this))},renderFonts:function(){var t=$('<div class="section selector font"><h3 class="section-heading">Typography</h3><ul></ul></div>').appendTo(this.domElement),e=t.find("ul");if(this.config.supportsCustomFonts){var i="You can use custom fonts from Typekit, Google or your own host. Click to learn more.",n="http://help.slides.com/knowledgebase/articles/1077976";this.config.themeEditor&&(n="http://help.slides.com/knowledgebase/articles/590055-theme-editor-custom-font"),t.find(".section-heading").append('<a href="'+n+'" target="_blank" class="info-link" data-tooltip="'+i+'" data-tooltip-maxwidth="240">Custom fonts</a>')}this.config.fonts.forEach(function(t){var i=$('<li data-font="'+t.id+'" data-name="'+t.title+'"><div class="themed"><h1>'+t.title+"</h1><a>Type</a></div></li>");i.addClass("theme-font-"+t.id),i.appendTo(e),t.deprecated===!0&&i.addClass("deprecated"),t.tooltip&&i.attr({"data-tooltip":t.tooltip,"data-tooltip-delay":250,"data-tooltip-maxwidth":300})}.bind(this)),this.domElement.find(".font li").on("vclick",this.onFontClicked.bind(this))},renderTransitions:function(){var t=$('<div class="section selector transition"><h3>Transition</h3><ul></ul></div>').appendTo(this.domElement),e=t.find("ul");this.config.transitions.forEach(function(t){var i=$('<li data-transition="'+t.id+'"></li>').appendTo(e);t.deprecated===!0&&i.addClass("deprecated"),t.title&&i.attr({"data-tooltip":t.title,"data-tooltip-oy":-5})}.bind(this)),this.domElement.find(".transition li").on("vclick",this.onTransitionClicked.bind(this))},renderBackgroundTransitions:function(){var t=$('<div class="section selector background-transition"></div>').appendTo(this.domElement);t.append('<h3>Background Transition <span class="icon i-info info-icon" data-tooltip="Background transitions apply when navigating to or from a slide that has a background image or color." data-tooltip-maxwidth="250"></span></h3>'),t.append("<ul>");var e=t.find("ul");this.config.backgroundTransitions.forEach(function(t){var i=$('<li data-background-transition="'+t.id+'"></li>').appendTo(e);t.deprecated===!0&&i.addClass("deprecated"),t.title&&i.attr({"data-tooltip":t.title,"data-tooltip-oy":-5})}.bind(this)),this.domElement.find(".background-transition li").on("vclick",this.onBackgroundTransitionClicked.bind(this))},populate:function(t){t&&(this.theme=t,this.updateSelection(),this.toggleDeprecatedOptions(),this.scrollToTop())},scrollToTop:function(){this.domElement.scrollTop(0)},loadFonts:function(){setTimeout(function(){SL.fonts.fontactive.add(this.onFontLoaded.bind(this)),SL.fonts.fontinactive.add(this.onFontLoaded.bind(this)),SL.fonts.loadAll()}.bind(this),500)},onFontLoaded:function(){$(".font li[data-font]").each(function(t,e){e=$(e),SL.fonts.isPackageLoaded(e.attr("data-font"))&&e.addClass("font-loaded")}.bind(this))},updateSelection:function(){this.config.themes&&!this.config.themes.isEmpty()&&this.domElement.toggleClass("using-theme",this.theme.has("id")),this.config.center&&this.domElement.find("#theme-center").prop("checked",1==this.theme.get("center")),this.config.rollingLinks&&this.domElement.find("#theme-rolling_links").prop("checked",1==this.theme.get("rolling_links")),this.domElement.find(".theme li").removeClass("selected"),this.domElement.find(".theme li[data-theme="+this.theme.get("id")+"]").addClass("selected"),0!==this.domElement.find(".theme li.selected").length||this.theme.has("id")||this.domElement.find('.theme li[data-theme=""]').addClass("selected"),this.domElement.find(".color li").removeClass("selected"),this.domElement.find(".color li[data-color="+this.theme.get("color")+"]").addClass("selected"),this.domElement.find(".font li").removeClass("selected"),this.domElement.find(".font li[data-font="+this.theme.get("font")+"]").addClass("selected"),this.domElement.find(".font li").each(function(t,e){SL.util.html.removeClasses(e,function(t){return t.match(/^theme\-color\-/gi)}),$(e).addClass("theme-color-"+this.theme.get("color"))}.bind(this)),this.domElement.find(".transition li").removeClass("selected"),this.domElement.find(".transition li[data-transition="+this.theme.get("transition")+"]").addClass("selected"),this.domElement.find(".background-transition li").removeClass("selected"),this.domElement.find(".background-transition li[data-background-transition="+this.theme.get("background_transition")+"]").addClass("selected")},applySelection:function(){SL.helpers.ThemeController.paint(this.theme,{center:!1,js:!1})},toggleDeprecatedOptions:function(){this.domElement.find(".font .deprecated").toggle(this.theme.isFontDeprecated()),this.domElement.find(".transition .deprecated").toggle(this.theme.isTransitionDeprecated()),this.domElement.find(".background-transition .deprecated").toggle(this.theme.isBackgroundTransitionDeprecated())},getTheme:function(){return this.theme},onThemeClicked:function(t){var e=$(t.currentTarget),i=e.data("theme");if(i){var n=this.config.themes.getByProperties({id:i});if(n){if(!n.isLoading()){var s=$('<div class="thumb-preloader hidden"><div class="spinner centered"></div></div>').appendTo(e),o=setTimeout(function(){s.removeClass("hidden")},1);SL.util.html.generateSpinners(),e.addClass("selected"),n.load().done(function(){this.theme=n.clone(),this.theme.loadCustomFonts(),this.updateSelection(),this.applySelection(),this.changed.dispatch()}.bind(this)).fail(function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),e.removeClass("selected")}.bind(this)).always(function(){clearTimeout(o),s.remove()}.bind(this))}}else SL.notify("Could not find theme data","negative")}else this.theme.set("id",null),this.theme.set("js",null),this.theme.set("css",null),this.theme.set("less",null),this.theme.set("html",null),this.updateSelection(),this.applySelection(),this.changed.dispatch();SL.analytics.trackTheming("Theme option selected")},onOptionChanged:function(){this.theme.set("center",this.domElement.find("#theme-center").is(":checked")),this.theme.set("rolling_links",this.domElement.find("#theme-rolling_links").is(":checked")),this.updateSelection(),this.applySelection(),this.changed.dispatch()},onColorClicked:function(t){return t.preventDefault(),$(t.currentTarget).is("[data-pro]")?void window.open("/pricing"):(this.theme.set("color",$(t.currentTarget).data("color")),this.updateSelection(),this.applySelection(),SL.analytics.trackTheming("Color option selected",this.theme.get("color")),void this.changed.dispatch())},onFontClicked:function(t){t.preventDefault(),this.theme.set("font",$(t.currentTarget).data("font")),this.updateSelection(),this.applySelection(),SL.analytics.trackTheming("Font option selected",this.theme.get("font")),this.changed.dispatch()},onTransitionClicked:function(t){t.preventDefault(),this.theme.set("transition",$(t.currentTarget).data("transition")),this.updateSelection(),this.applySelection(),SL.analytics.trackTheming("Transition option selected",this.theme.get("transition")),this.changed.dispatch()},onBackgroundTransitionClicked:function(t){t.preventDefault(),this.theme.set("background_transition",$(t.currentTarget).data("background-transition")),this.updateSelection(),this.applySelection(),SL.analytics.trackTheming("Background transition option selected",this.theme.get("background_transition")),this.changed.dispatch()},destroy:function(){this.changed.dispose(),this.domElement.remove(),this.theme=null,this.config=null}}),SL.tooltip=function(){function t(){a=$("<div>").addClass("sl-tooltip"),r=$('<p class="sl-tooltip-inner">').appendTo(a),l=$('<div class="sl-tooltip-arrow">').appendTo(a),c=$('<div class="sl-tooltip-arrow-fill">').appendTo(l),e()
+}function e(){n=n.bind(this),$(document).on("keydown, mousedown",function(){SL.tooltip.hide()}),SL.util.device.IS_PHONE||SL.util.device.IS_TABLET||($(document.body).delegate("[data-tooltip]","mouseenter",function(t){var e=$(t.currentTarget);if(!e.is("[no-tooltip]")){var n=e.attr("data-tooltip"),s=e.attr("data-tooltip-delay"),o=e.attr("data-tooltip-align"),a=e.attr("data-tooltip-alignment"),r=e.attr("data-tooltip-maxwidth"),l=e.attr("data-tooltip-maxheight"),c=e.attr("data-tooltip-ox"),d=e.attr("data-tooltip-oy"),h=e.attr("data-tooltip-x"),u=e.attr("data-tooltip-y");if(n){var p={anchor:e,align:o,alignment:a,delay:parseInt(s,10),maxwidth:parseInt(r,10),maxheight:parseInt(l,10)};c&&(p.ox=parseFloat(c)),d&&(p.oy=parseFloat(d)),h&&u&&(p.x=parseFloat(h),p.y=parseFloat(u),p.anchor=null),i(n,p)}}}),$(document.body).delegate("[data-tooltip]","mouseleave",s))}function i(t,e){if(!SL.util.device.IS_PHONE&&!SL.util.device.IS_TABLET){d=e||{},clearTimeout(p);var s=Date.now()-f;if("number"==typeof d.delay&&s>500)return p=setTimeout(i.bind(this,t,d),d.delay),void delete d.delay;a.css("opacity",0),a.appendTo(document.body),r.html(t),a.css({left:0,top:0,"max-width":d.maxwidth?d.maxwidth:null,"max-height":d.maxheight?d.maxheight:null}),d.align&&a.css("text-align",d.align),n(),a.stop(!0,!0).animate({opacity:1},{duration:150}),$(window).on("resize scroll",n),$(d.anchor).parents(".sl-scrollable").on("scroll",n)}}function n(){var t=$(d.anchor);if(t.length){var e=d.alignment||"auto",i=10,n=$(window).scrollLeft(),s=$(window).scrollTop(),o=t.offset();o.x=o.left,o.y=o.top,d.anchor.parents(".reveal .slides").length&&"undefined"!=typeof window.Reveal&&(o=SL.util.getRevealElementGlobalOffset(d.anchor));var c=t.outerWidth(),p=t.outerHeight(),f=r.outerWidth(),m=r.outerHeight(),g=o.x-$(window).scrollLeft(),v=o.y-$(window).scrollTop(),b=f/2,y=m/2;switch("number"==typeof d.ox&&(g+=d.ox),"number"==typeof d.oy&&(v+=d.oy),"auto"===e&&(e=o.y-(m+i+h)<s?"b":"t"),e){case"t":g+=(c-f)/2,v-=m+h+u;break;case"b":g+=(c-f)/2,v+=p+h+u;break;case"l":g-=f+h+u,v+=(p-m)/2;break;case"r":g+=c+h+u,v+=(p-m)/2}g=Math.min(Math.max(g,i),window.innerWidth-f-i),v=Math.min(Math.max(v,i),window.innerHeight-m-i);var S=h+3;switch(e){case"t":b=o.x-g-n+c/2,y=m,b=Math.min(Math.max(b,S),f-S);break;case"b":b=o.x-g-n+c/2,y=-h,b=Math.min(Math.max(b,S),f-S);break;case"l":b=f,y=o.y-v-s+p/2,y=Math.min(Math.max(y,S),m-S);break;case"r":b=-h,y=o.y-v-s+p/2,y=Math.min(Math.max(y,S),m-S)}l.css({left:Math.round(b),top:Math.round(y)}),a.css({left:Math.round(g),top:Math.round(v)}).attr("data-alignment",e)}}function s(){o()&&(f=Date.now()),clearTimeout(p),a.remove().stop(!0,!0),$(window).off("resize scroll",n),d&&$(d.anchor).parents(".sl-scrollable").off("scroll",n)}function o(){return a.parent().length>0}var a,r,l,c,d,h=6,u=4,p=-1,f=-1;return t(),{show:function(t,e){i(t,e)},hide:function(){s()},isVisible:function(){return o()},anchorTo:function(t,e,i){var n={};"undefined"!=typeof e&&(n["data-tooltip"]=e),"number"==typeof i.delay&&(n["data-tooltip-delay"]=i.delay),"string"==typeof i.alignment&&(n["data-tooltip-alignment"]=i.alignment),$(t).attr(n)}}}(),SL("components").Tutorial=Class.extend({init:function(t){this.options=$.extend({steps:[]},t),this.options.steps.forEach(function(t){"undefined"==typeof t.backwards&&(t.backwards=function(){}),"undefined"==typeof t.forwards&&(t.forwards=function(){})}),this.skipped=new signals.Signal,this.finished=new signals.Signal,this.index=-1,this.render(),this.bind(),this.layout(),this.paint(),this.controlsButtons.css("width",this.controlsButtons.outerWidth()+10)},render:function(){this.domElement=$('<div class="sl-tutorial">'),this.domElement.appendTo(document.body),this.canvas=$('<canvas class="sl-tutorial-canvas">'),this.canvas.appendTo(this.domElement),this.canvas=this.canvas.get(0),this.context=this.canvas.getContext("2d"),this.controls=$('<div class="sl-tutorial-controls">'),this.controls.appendTo(this.domElement),this.controlsInner=$('<div class="sl-tutorial-controls-inner">'),this.controlsInner.appendTo(this.controls),this.renderPagination(),this.controlsButtons=$('<div class="sl-tutorial-buttons">'),this.controlsButtons.appendTo(this.controlsInner),this.nextButton=$('<button class="button no-transition white l sl-tutorial-next">Next</button>'),this.nextButton.appendTo(this.controlsButtons),this.skipButton=$('<button class="button no-transition outline white l sl-tutorial-skip">Skip tutorial</button>'),this.skipButton.appendTo(this.controlsButtons),this.messageElement=$('<div class="sl-tutorial-message no-transition">').hide(),this.messageElement.appendTo(this.domElement)},renderPagination:function(){this.pagination=$('<div class="sl-tutorial-pagination">'),this.pagination.appendTo(this.controlsInner),this.options.steps.forEach(function(t,e){$('<li class="sl-tutorial-pagination-number">').appendTo(this.pagination).on("click",this.step.bind(this,e))}.bind(this))},updatePagination:function(){this.pagination.find(".sl-tutorial-pagination-number").each(function(t,e){e=$(e),e.toggleClass("past",t<this.index),e.toggleClass("present",t===this.index),e.toggleClass("future",t>this.index)}.bind(this))},bind:function(){this.onKeyDown=this.onKeyDown.bind(this),this.onSkipClicked=this.onSkipClicked.bind(this),this.onNextClicked=this.onNextClicked.bind(this),this.onWindowResize=this.onWindowResize.bind(this),SL.keyboard.keydown(this.onKeyDown),this.skipButton.on("click",this.onSkipClicked),this.nextButton.on("click",this.onNextClicked),$(window).on("resize",this.onWindowResize)},unbind:function(){SL.keyboard.release(this.onKeyDown),this.skipButton.off("click",this.onSkipClicked),this.nextButton.off("click",this.onNextClicked),$(window).off("resize",this.onWindowResize)},prev:function(){this.step(Math.max(this.index-1,0))},next:function(){this.index+1>=this.options.steps.length?(this.finished.dispatch(),this.destroy()):this.step(Math.min(this.index+1,this.options.steps.length-1))},step:function(t){if(this.index<t){for(;this.index<t;)this.index+=1,this.options.steps[this.index].forwards.call(this.options.context);this.index+1===this.options.steps.length&&(this.skipButton.hide(),this.nextButton.text("Get started"),this.domElement.addClass("last-step"))}else if(this.index>t){for(this.index+1===this.options.steps.length&&(this.skipButton.show(),this.nextButton.text("Next"),this.domElement.removeClass("last-step"));this.index>t;)this.options.steps[this.index].backwards.call(this.options.context),this.index-=1;this.options.steps[this.index].forwards.call(this.options.context)}this.updatePagination()},layout:function(){this.width=window.innerWidth,this.height=window.innerHeight;if(this.cutoutElement){var t=this.cutoutElement.offset();this.cutoutRect={x:t.left-this.cutoutPadding,y:t.top-this.cutoutPadding,width:this.cutoutElement.outerWidth()+2*this.cutoutPadding,height:this.cutoutElement.outerHeight()+2*this.cutoutPadding}}if(this.messageElement.is(":visible")){var e=20,i=this.messageElement.outerWidth(),n=this.messageElement.outerHeight(),s={left:(window.innerWidth-i)/2,top:(window.innerHeight-n)/2};if(this.messageOptions.anchor&&this.messageOptions.alignment){var o=this.messageOptions.anchor.offset(),a=this.messageOptions.anchor.outerWidth(),r=this.messageOptions.anchor.outerHeight();switch(this.messageOptions.alignment){case"t":s.left=o.left+(a-i)/2,s.top=o.top-n-e;break;case"r":s.left=o.left+a+e,s.top=o.top+(r-n)/2;break;case"b":s.left=o.left+(a-i)/2,s.top=o.top+r+e;break;case"l":s.left=o.left-i-e,s.top=o.top+(r-n)/2;break;case"tl":s.left=o.left-i-e,s.top=o.top-20}}s.left=Math.max(s.left,10),s.top=Math.max(s.top,10);var l="translate("+Math.round(s.left)+"px,"+Math.round(s.top)+"px)";this.messageElement.css({"-webkit-transform":l,"-moz-transform":l,"-ms-transform":l,transform:l}),setTimeout(function(){this.messageElement.removeClass("no-transition")}.bind(this),1)}},paint:function(){this.canvas.width=this.width,this.canvas.height=this.height,this.context.clearRect(0,0,this.width,this.height),this.context.fillStyle="rgba( 0, 0, 0, 0.7 )",this.context.fillRect(0,0,this.width,this.height),this.cutoutElement&&(this.context.clearRect(this.cutoutRect.x,this.cutoutRect.y,this.cutoutRect.width,this.cutoutRect.height),this.context.strokeStyle="#ddd",this.context.lineWidth=1,this.context.strokeRect(this.cutoutRect.x+.5,this.cutoutRect.y+.5,this.cutoutRect.width-1,this.cutoutRect.height-1))},cutout:function(t,e){e=e||{},this.cutoutElement=t,this.cutoutPadding=e.padding||0,this.layout(),this.paint()},clearCutout:function(){this.cutoutElement=null,this.cutoutPadding=0,this.paint()},message:function(t,e){this.messageOptions=$.extend({maxWidth:320,alignment:""},e),this.messageElement.html(t).show(),this.messageElement.css("max-width",this.messageOptions.maxWidth),this.messageElement.attr("data-alignment",this.messageOptions.alignment),this.layout(),this.paint()},clearMessage:function(){this.messageElement.hide(),this.messageOptions={}},hasNextStep:function(){return this.index+1<this.options.steps.length},destroy:function(){this.destroyed||(this.destroyed=!0,$(window).off("resize",this.onWindowResize),this.skipped.dispose(),this.finished.dispose(),this.unbind(),this.domElement.fadeOut(400,this.domElement.remove))},onKeyDown:function(t){return 27===t.keyCode?(this.skipped.dispatch(),this.destroy(),!1):37===t.keyCode||8===t.keyCode?(this.prev(),!1):39===t.keyCode||32===t.keyCode?(this.next(),!1):!0},onSkipClicked:function(){this.skipped.dispatch(),this.destroy()},onNextClicked:function(){this.next()},onWindowResize:function(){this.layout(),this.paint()}}),SL("views").Base=Class.extend({init:function(){this.header=new SL.components.Header,this.setupAce(),this.setupSocial(),this.setupScrollAnchors(),this.handleLogos(),this.handleOutlines(),this.handleFeedback(),this.handleWindowClose(),this.handleAutoRefresh(),this.parseTimes(),this.parseLinks(),this.parseMeters(),this.parseSpinners(),this.parseNotifications(),this.parseScrollLinks(),setInterval(this.parseTimes.bind(this),12e4)},setupAce:function(){"object"==typeof window.ace&&"object"==typeof window.ace.config&&"function"==typeof window.ace.config.set&&ace.config.set("workerPath","/ace")},setupSocial:function(){$(window).on("load",function(){var t=$(".facebook-share-button"),e=$(".twitter-share-button"),i=$(".google-share-button"),n={url:window.location.protocol+"//"+window.location.hostname+window.location.pathname,title:$('meta[property="og:title"]').attr("content"),description:$('meta[property="og:description"]').attr("content"),thumbnail:$('meta[property="og:image"]').attr("content")};t.length&&(t.attr("href",SL.util.social.getFacebookShareLink(n.url,n.title,n.description,n.thumbnail)),t.on("vclick",function(t){SL.util.openPopupWindow($(this).attr("href"),"Share on Facebook",600,400),t.preventDefault()})),e.length&&(e.attr("href",SL.util.social.getTwitterShareLink(n.url,n.title)),e.on("vclick",function(t){SL.util.openPopupWindow($(this).attr("href"),"Share on Twitter",600,400),t.preventDefault()})),i.length&&(i.attr("href",SL.util.social.getGoogleShareLink(n.url)),i.on("vclick",function(t){SL.util.openPopupWindow($(this).attr("href"),"Share on Google+",600,400),t.preventDefault()}))})},setupScrollAnchors:function(){var t=$('.sl-scroll-anchor[href^="#"]');if(t.length){var e=t.map(function(t,e){var i=e.getAttribute("href").slice(1);return{id:i,link:$(e),target:$(document.getElementById(i))}}).toArray(),i=function(){var t=window.innerHeight,i=$(window).scrollTop(),n=null,s=Number.MAX_VALUE;e.forEach(function(e){e.link.removeClass("sl-scroll-anchor-selected");var o=e.target.offset().top-i,a=Math.abs(o);s>a&&.4*t>o&&(s=a,n=e)}),n&&n.link.addClass("sl-scroll-anchor-selected")};$(window).on("scroll",$.throttle(i.bind(this),300)),i()}},handleLogos:function(){setTimeout(function(){$(".logo-animation").addClass("open")},600)},handleOutlines:function(){var t=$("<style>").appendTo("head").get(0),e=function(e){t.styleSheet?t.styleSheet.cssText=e:t.innerHTML=e};$(document).on("mousedown",function(){e("a, button, .sl-select, .sl-checkbox label, .radio label { outline: none !important; }")}),$(document).on("keydown",function(){e("")})},handleFeedback:function(){$("html").on("click","[data-feedback-mode]",function(t){if(UserVoice&&"function"==typeof UserVoice.show){var e=$(this),i={target:this,mode:e.attr("data-feedback-mode")||"contact",position:e.attr("data-feedback-position")||"top",screenshot_enabled:e.attr("data-feedback-screenshot_enabled")||"true",smartvote_enabled:e.attr("data-feedback-smartvote-enabled")||"true",ticket_custom_fields:{}};SL.current_deck&&(i.ticket_custom_fields["Deck ID"]=SL.current_deck.get("id"),i.ticket_custom_fields["Deck Slug"]=SL.current_deck.get("slug"),i.ticket_custom_fields["Deck Version"]=SL.current_deck.get("version"),i.ticket_custom_fields["Deck Font"]=SL.current_deck.get("theme_font"),i.ticket_custom_fields["Deck Color"]=SL.current_deck.get("theme_color"),i.ticket_custom_fields["Deck Transition"]=SL.current_deck.get("transition"),i.ticket_custom_fields["Deck Background Transition"]=SL.current_deck.get("backgroundTransition"));var n=e.attr("data-feedback-type");n&&n.length&&(i.ticket_custom_fields.Type=n);var s=e.attr("data-feedback-contact-title");s&&s.length&&(i.contact_title=s),UserVoice.show(i),t.preventDefault()}})},handleWindowClose:function(){var t=SL.util.getQuery();if(t&&t.autoclose&&window.opener){var e=parseInt(t.autoclose,10)||0;setTimeout(function(){try{window.close()}catch(t){}},e)}},handleAutoRefresh:function(){var t=SL.util.getQuery();if(t&&t.autoRefresh){var e=parseInt(t.autoRefresh,10);!isNaN(e)&&e>0&&setTimeout(function(){window.location.reload()},e)}},parseTimes:function(){$("time.ago").each(function(){var t=$(this).attr("datetime");t&&$(this).text(moment.utc(t).fromNow())}),$("time.date").each(function(){var t=$(this).attr("datetime");t&&$(this).text(moment.utc(t).format("MMM Do, YYYY"))})},parseLinks:function(){$(".linkify").each(function(){$(this).html(SL.util.string.linkify($(this).text()))})},parseMeters:function(){$(".sl-meter").each(function(){new SL.components.Meter($(this))})},parseSpinners:function(){SL.util.html.generateSpinners()},parseNotifications:function(){var t=$(".flash-notification");t.length&&SL.notify(t.remove().text(),t.attr("data-notification-type"))},parseScrollLinks:function(){$(document).delegate("a[data-scroll-to]","click",function(t){var e=t.currentTarget,i=$(e.getAttribute("href")),n=parseInt(e.getAttribute("data-scroll-to-offset"),10),s=parseInt(e.getAttribute("data-scroll-to-duration"),10);isNaN(n)&&(n=-20),isNaN(s)&&(s=1e3),i.length&&$("html, body").animate({scrollTop:i.offset().top+n},s),t.preventDefault()})}}),SL("views.decks").EditRequiresUpgrade=SL.views.Base.extend({init:function(){this._super(),this.makePublicButton=$(".make-deck-public").first(),this.makePublicButton.on("click",this.onMakePublicClicked.bind(this)),this.makePublicLoader=Ladda.create(this.makePublicButton.get(0))},makeDeckPublic:function(){var t={type:"POST",url:SL.config.AJAX_PUBLISH_DECK(SL.current_deck.get("id")),context:this,data:{visibility:SL.models.Deck.VISIBILITY_ALL}};this.makePublicLoader.start(),$.ajax(t).done(function(){window.location=SL.routes.DECK_EDIT(SL.current_user.get("username"),SL.current_deck.get("slug"))}).fail(function(){SL.notify(SL.locale.get("DECK_VISIBILITY_CHANGED_ERROR"),"negative"),this.makePublicLoader.stop()})},onMakePublicClicked:function(t){t.preventDefault(),this.makeDeckPublic()}}),SL("views.decks").Embed=SL.views.Base.extend({init:function(){this._super(),this.footerElement=$(".embed-footer"),this.shareButton=this.footerElement.find(".embed-footer-share"),this.fullscreenButton=this.footerElement.find(".embed-footer-fullscreen"),this.revealElement=$(".reveal"),SL.util.setupReveal({embedded:!0,openLinksInTabs:!0,trackEvents:!0,maxScale:SL.config.PRESENT_UPSIZING_MAX_SCALE}),$(window).on("resize",this.layout.bind(this)),$(document).on("webkitfullscreenchange mozfullscreenchange MSFullscreenChange fullscreenchange",this.layout.bind(this)),this.shareButton.on("click",this.onShareClicked.bind(this)),this.fullscreenButton.on("click",this.onFullscreenClicked.bind(this));var t=SL.util.getQuery().style;"hidden"!==t||SL.current_deck.isPaid()||(t=null),t&&$("html").attr("data-embed-style",t),Modernizr.fullscreen===!1&&this.fullscreenButton.hide(),this.layout()},layout:function(){this.revealElement.height(this.footerElement.is(":visible")?window.innerHeight-this.footerElement.height():"100%"),Reveal.layout()},onFullscreenClicked:function(){var t=$("html").get(0);return t?(SL.helpers.Fullscreen.enter(t),!1):void 0},onShareClicked:function(){SL.popup.open(SL.components.decksharer.DeckSharer,{deck:SL.current_deck}),SL.analytics.trackPresenting("Share clicked (embed footer)")}}),SL("views.decks").Export=SL.views.Base.extend({init:function(){this._super()}}),SL("views.decks").Fullscreen=SL.views.Base.extend({init:function(){this._super(),/no-autoplay=1/.test(window.location.search)&&$(".reveal [data-autoplay]").removeAttr("data-autoplay"),SL.util.setupReveal({history:!navigator.userAgent.match(/(iphone|ipod|ipad|android)/gi),openLinksInTabs:!0,trackEvents:!0,maxScale:SL.config.PRESENT_UPSIZING_MAX_SCALE})}}),SL("views.decks").LiveClient=SL.views.Base.extend({init:function(){this._super(),SL.util.setupReveal({touch:!1,history:!1,keyboard:!1,controls:!1,progress:!1,showNotes:!1,slideNumber:!1,autoSlide:0,openLinksInTabs:!0,trackEvents:!0}),Reveal.addEventListener("ready",this.onRevealReady.bind(this)),this.stream=new SL.helpers.StreamLive({showErrors:!0}),this.stream.ready.add(this.onStreamReady.bind(this)),this.stream.stateChanged.add(this.onStreamStateChanged.bind(this)),this.stream.statusChanged.add(this.onStreamStatusChanged.bind(this)),this.render(),this.bind(),this.stream.connect()},render:function(){var t=SL.current_deck.get("user"),e=SL.routes.DECK(t.username,SL.current_deck.get("slug")),i=t.thumbnail_url;this.summaryBubble=$(['<a class="summary-bubble hidden" href="'+e+'" target="_blank">','<div class="summary-bubble-picture" style="background-image: url('+i+')"></div>','<div class="summary-bubble-content"></div>',"</a>"].join("")).appendTo(document.body),this.summaryBubbleContent=this.summaryBubble.find(".summary-bubble-content"),this.renderUserSummary()},renderUserSummary:function(){var t=SL.current_deck.get("user");this.summaryBubbleContent.html(["<h4>"+SL.current_deck.get("title")+"</h4>","<p>By "+(t.name||t.username)+"</p>"].join(""))},renderWaitingSummary:function(){this.summaryBubbleContent.html(["<h4>Waiting for presenter</h4>",'<p class="retry-status"></p>'].join("")),this.summaryBubbleRetryStatus=this.summaryBubbleContent.find(".retry-status")},renderConnectionLostSummary:function(){this.summaryBubbleContent.html(["<h4>Connection lost</h4>","<p>Attempting to reconnect</p>"].join(""))},startUpdatingTimer:function(){var t=function(){if(this.summaryBubbleRetryStatus&&this.summaryBubbleRetryStatus.length){var t=Date.now()-this.stream.getRetryStartTime(),e=Math.ceil((SL.helpers.StreamLive.CONNECTION_RETRY_INTERVAL-t)/1e3);this.summaryBubbleRetryStatus.text(isNaN(e)?"Retrying":e>0?"Retrying in "+e+"s":"Retrying now")}}.bind(this);clearInterval(this.updateTimerInterval),this.updateTimerInterval=setInterval(t,100),t()},stopUpdatingTimer:function(){clearInterval(this.updateTimerInterval)},bind:function(){this.summaryBubble.on("mouseover",this.expandSummary.bind(this)),this.summaryBubble.on("mouseout",this.collapseSummary.bind(this))},expandSummary:function(t){clearTimeout(this.collapseSummaryTimeout);var e=window.innerWidth-(this.summaryBubbleContent.find("h4, p").offset().left+40);e=Math.min(e,400),this.summaryBubbleContent.find("h4, p").css("max-width",e),this.summaryBubble.width(this.summaryBubble.height()+this.summaryBubbleContent.outerWidth()),"number"==typeof t&&(this.collapseSummaryTimeout=setTimeout(this.collapseSummary.bind(this),t))},expandSummaryError:function(){this.summaryBubbleError=!0,this.expandSummary()},collapseSummary:function(){this.summaryBubbleError||(clearTimeout(this.collapseSummaryTimeout),this.summaryBubble.width(this.summaryBubble.height()))},setPresentControls:function(t){this.summaryBubble.toggleClass("hidden",!t),Reveal.configure({slideNumber:SLConfig.deck.slide_number&&t})},setPresentNotes:function(t){Reveal.configure({showNotes:t})},setPresentUpsizing:function(t){Reveal.configure({maxScale:t?SL.config.PRESENT_UPSIZING_MAX_SCALE:1})},onRevealReady:function(){this.setPresentControls(SL.current_deck.user_settings.get("present_controls")),this.setPresentNotes(SL.current_deck.user_settings.get("present_notes")),this.setPresentUpsizing(SL.current_deck.user_settings.get("present_upsizing"))},onStreamReady:function(){this.expandSummary(5e3)},onStreamStateChanged:function(t){t&&"boolean"==typeof t.present_controls&&this.setPresentControls(t.present_controls),t&&"boolean"==typeof t.present_notes&&this.setPresentNotes(t.present_notes),t&&"boolean"==typeof t.present_upsizing&&this.setPresentUpsizing(t.present_upsizing)},onStreamStatusChanged:function(t){t===SL.helpers.StreamLive.STATUS_WAITING_FOR_PUBLISHER?(this.renderWaitingSummary(),this.expandSummaryError(),this.startUpdatingTimer()):(this.summaryBubbleError=!1,this.renderUserSummary(),this.stopUpdatingTimer())}}),SL("views.decks").LiveServer=SL.views.Base.extend({init:function(){this._super(),this.strings={speakerViewURL:SL.current_deck.getURL({view:"speaker"}),liveViewHelpURL:"http://help.slides.com/knowledgebase/articles/333924",speakerViewHelpURL:"http://help.slides.com/knowledgebase/articles/333923"},SL.util.setupReveal({history:!0,openLinksInTabs:!0,trackEvents:!0,showNotes:SL.current_deck.get("share_notes")&&SL.current_user.settings.get("present_notes"),controls:SL.current_user.settings.get("present_controls"),progress:SL.current_user.settings.get("present_controls"),maxScale:SL.current_user.settings.get("present_upsizing")?SL.config.PRESENT_UPSIZING_MAX_SCALE:1}),this.stream=new SL.helpers.StreamLive({publisher:!0,showErrors:!1}),this.stream.connect(),this.render(),this.bind(),SL.helpers.PageLoader.waitForFonts()},render:function(){this.presentationControls=$(['<div class="presentation-controls">','<div class="presentation-controls-content">',"<h2>Presentation Controls</h2>",'<div class="presentation-controls-section">',"<h2>Speaker View</h2>",'<p>The control panel for your presentation. Includes speaker notes, an upcoming slide preview and more. It can be used as a remote control when opened from a mobile device. <a href="'+this.strings.speakerViewHelpURL+'" target="_blank">Learn more.</a></p>','<a class="button l outline" href="'+this.strings.speakerViewURL+'" target="_blank">Open speaker view</a>',"</div>",'<div class="presentation-controls-section">',"<h2>Present Live</h2>",'<p class="live-description">Share this link with your audience to have them follow along with the presentation in real-time. <a href="'+this.strings.liveViewHelpURL+'" target="_blank">Learn more.</a></p>','<div class="live-share"></div>',"</div>",'<div class="presentation-controls-section sl-form">',"<h2>Options</h2>",'<div class="sl-checkbox outline fullscreen-toggle">','<input id="fullscreen-checkbox" type="checkbox">','<label for="fullscreen-checkbox">Fullscreen</label>',"</div>",'<div class="sl-checkbox outline controls-toggle" data-tooltip="Hide the presentation control arrows and progress bar." data-tooltip-alignment="r" data-tooltip-delay="500" data-tooltip-maxwidth="250">','<input id="controls-checkbox" type="checkbox">','<label for="controls-checkbox">Hide controls</label>',"</div>",'<div class="sl-checkbox outline notes-toggle" data-tooltip="Hide your speaker notes from the audience." data-tooltip-alignment="r" data-tooltip-delay="500" data-tooltip-maxwidth="250">','<input id="controls-checkbox" type="checkbox">','<label for="controls-checkbox">Hide notes</label>',"</div>",'<div class="sl-checkbox outline upsizing-toggle" data-tooltip="Your content is automatically scaled up to fill as much of the browser window as possible. This option disables that scaling and favors the original authored at size." data-tooltip-alignment="r" data-tooltip-delay="500" data-tooltip-maxwidth="300">','<input id="upsizing-checkbox" type="checkbox">','<label for="upsizing-checkbox">Disable upsizing</label>',"</div>","</div>","</div>",'<footer class="presentation-controls-footer">','<button class="button xl positive start-presentation">Start presentation</button>',"</footer>","</div>"].join("")).appendTo(document.body),this.presentationControlsExpander=$(['<div class="presentation-controls-expander" data-tooltip="Show menu" data-tooltip-alignment="r">','<span class="icon i-chevron-right"></span>',"</div>"].join("")).appendTo(document.body),$(".global-header").prependTo(this.presentationControls),this.presentationControlsScrollShadow=new SL.components.ScrollShadow({parentElement:this.presentationControls,headerElement:this.presentationControls.find(".global-header"),contentElement:this.presentationControls.find(".presentation-controls-content"),footerElement:this.presentationControls.find(".presentation-controls-footer")}),SL.helpers.Fullscreen.isEnabled()===!1&&this.presentationControls.find(".fullscreen-toggle").hide(),SL.current_deck.get("share_notes")||this.presentationControls.find(".notes-toggle").hide(),this.syncPresentationControls(),this.renderLiveShare()},bind:function(){this.presentationControls.find(".live-view-url").on("mousedown",this.onLiveURLMouseDown.bind(this)),this.presentationControls.find(".fullscreen-toggle").on("vclick",this.onFullscreenToggled.bind(this)),this.presentationControls.find(".controls-toggle").on("vclick",this.onControlsToggled.bind(this)),this.presentationControls.find(".notes-toggle").on("vclick",this.onNotesToggled.bind(this)),this.presentationControls.find(".upsizing-toggle").on("vclick",this.onUpsizingToggled.bind(this)),this.presentationControls.find(".button.start-presentation").on("vclick",this.onStartPresentationClicked.bind(this)),this.presentationControlsExpander.on("vclick",this.onStopPresentationClicked.bind(this)),$(document).on("webkitfullscreenchange mozfullscreenchange MSFullscreenChange fullscreenchange",this.onFullscreenChange.bind(this)),$(document).on("mousemove",this.onMouseMove.bind(this)),$(document).on("mouseleave",this.onMouseLeave.bind(this))},syncPresentationControls:function(){this.presentationControls.find(".fullscreen-toggle input").prop("checked",SL.helpers.Fullscreen.isActive()),this.presentationControls.find(".controls-toggle input").prop("checked",!SL.current_user.settings.get("present_controls")),this.presentationControls.find(".upsizing-toggle input").prop("checked",!SL.current_user.settings.get("present_upsizing")),this.presentationControls.find(".notes-toggle input").prop("checked",!SL.current_user.settings.get("present_notes"))},renderLiveShare:function(){this.liveShareElement=this.presentationControls.find(".live-share"),SL.current_deck.isVisibilityAll()?this.showLiveShareLink(SL.current_deck.getURL({view:"live"})):this.showLiveShareLinkGenerator()},showLiveShareLinkGenerator:function(){this.presentationControls.find(".live-description").html('Share a link with your audience to have them follow along with the presentation in real-time. Note that all private links you share point to the same live presentation session. <a href="'+this.strings.liveViewHelpURL+'" target="_blank">Learn more.</a>'),this.liveShareButton=$('<button class="button l outline ladda-button" data-style="zoom-out" data-spinner-color="#222">Share link</button>'),this.liveShareButton.appendTo(this.liveShareElement),this.liveShareButton.on("vclick",function(){"undefined"!=typeof SLConfig&&"string"==typeof SLConfig.deck.user.username&&"string"==typeof SLConfig.deck.slug?SL.popup.open(SL.components.decksharer.DeckSharer,{deck:SL.current_deck,deckView:"live"}):SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}.bind(this))},showLiveShareLink:function(t){this.liveShareElement.html('<input class="live-view-url input-field" type="text" value="'+t+'" readonly />'),this.liveShareElement.find(".live-view-url").on("mousedown",this.onLiveURLMouseDown.bind(this))},showStatus:function(t){this.statusElement?this.statusElement.find(".stream-status-message").html(t):this.statusElement=$(['<div class="stream-status">','<p class="stream-status-message">'+t+"</p>","</div>"].join("")).appendTo(document.body)},clearStatus:function(){this.statusElement&&(this.statusElement.remove(),this.statusElement=null)},savePresentOption:function(t){this.xhrRequests=this.xhrRequests||{},this.xhrRequests[t]&&this.xhrRequests[t].abort();var e={url:SL.config.AJAX_UPDATE_USER_SETTINGS,type:"PUT",context:this,data:{user_settings:{}}};e.data.user_settings[t]=SL.current_user.settings.get(t),this.xhrRequests[t]=$.ajax(e).always(function(){this.xhrRequests[t]=null})},startPresentation:function(){$("html").addClass("presentation-started"),this.presentationStarted=!0},stopPresentation:function(){$("html").removeClass("presentation-started"),this.presentationStarted=!1,this.presentationControlsExpander.removeClass("visible")},hasStartedPresentation:function(){return!!this.presentationStarted},onLiveURLMouseDown:function(t){$(t.target).focus().select(),t.preventDefault()},onControlsToggled:function(t){t.preventDefault();var e=!Reveal.getConfig().controls;SL.current_user.settings.set("present_controls",e),Reveal.configure({controls:e,progress:e,slideNumber:SLConfig.deck.slide_number&&e}),this.syncPresentationControls(),this.savePresentOption("present_controls"),this.stream.publish(null,{present_controls:e})},onNotesToggled:function(t){t.preventDefault();var e=!Reveal.getConfig().showNotes;SL.current_user.settings.set("present_notes",e),Reveal.configure({showNotes:e}),this.syncPresentationControls(),this.savePresentOption("present_notes"),this.stream.publish(null,{present_notes:e})},onUpsizingToggled:function(t){t.preventDefault();var e=Reveal.getConfig().maxScale<=1;SL.current_user.settings.set("present_upsizing",e),Reveal.configure({maxScale:e?SL.config.PRESENT_UPSIZING_MAX_SCALE:1}),this.syncPresentationControls(),this.savePresentOption("present_upsizing"),this.stream.publish(null,{present_upsizing:e})},onFullscreenToggled:function(t){t.preventDefault(),SL.helpers.Fullscreen.toggle()},onFullscreenChange:function(){this.syncPresentationControls(),Reveal.layout()},onStartPresentationClicked:function(){this.startPresentation()},onStopPresentationClicked:function(){this.stopPresentation()},onMouseMove:function(t){this.presentationControlsExpander.toggleClass("visible",this.hasStartedPresentation()&&t.clientX<50)},onMouseLeave:function(){this.presentationControlsExpander.removeClass("visible")}}),SL("views.decks").Password=SL.views.Base.extend({OUTRO_DURATION:600,init:function(){this._super(),this.domElement=$(".password-content"),this.formElement=this.domElement.find(".sl-form"),this.inputElement=this.formElement.find(".password-input"),this.submitButton=this.formElement.find(".password-submit"),this.submitLoader=Ladda.create(this.submitButton.get(0)),this.iconElement=$(".password-icon"),this.titleElement=$(".password-title"),this.incorrectPasswordCounter=0,this.incorrectPasswordMessages=["Wrong password, please try again","Still wrong, give it another try","That one was wrong too","Nope"],this.submitButton.on("vclick",this.onSubmitClicked.bind(this)),$(document).on("keydown",this.onKeyDown.bind(this))},submit:function(){this.request||(this.submitLoader.start(),this.iconElement.removeClass("wobble"),this.request=$.ajax({url:SL.config.AJAX_ACCESS_TOKENS_PASSWORD_AUTH(SLConfig.access_token_id),type:"PUT",context:this,data:{access_token:{password:this.inputElement.val()}}}).done(function(){this.domElement.addClass("outro"),this.titleElement.text("All set! Loading deck..."),setTimeout(function(){window.location.reload()},this.OUTRO_DURATION)}).fail(function(){this.submitLoader.stop(),this.titleElement.text(this.getIncorrectPasswordMessage()),this.iconElement.addClass("wobble"),this.request=null}))},getIncorrectPasswordMessage:function(){return this.incorrectPasswordMessages[this.incorrectPasswordCounter++%this.incorrectPasswordMessages.length]},onSubmitClicked:function(t){t.preventDefault(),this.submit()},onKeyDown:function(t){13===t.keyCode&&(t.preventDefault(),this.submit())}}),SL("views.decks").Review=SL.views.Base.extend({init:function(){this._super(),$("html").toggleClass("small-mode",window.innerWidth<850),SL.util.setupReveal({help:!1,history:!0,openLinksInTabs:!0,margin:.15}),SL.helpers.PageLoader.show(),this.setupCollaboration().then(function(){SL.fonts.isReady()?SL.helpers.PageLoader.hide():SL.fonts.ready.add(SL.helpers.PageLoader.hide)}),SL.session.enforce()},setupCollaboration:function(){this.collaboration=new SL.components.collab.Collaboration({container:document.body,fixed:!$("html").hasClass("small-mode"),autofocusComment:!1});
+var t=new Promise(function(t){this.collaboration.loaded.add(function(){t()}.bind(this))}.bind(this));return this.collaboration.load(),t}}),SL("views.decks").Show=SL.views.Base.extend({init:function(){this._super(),SL.util.setupReveal({history:!0,embedded:!0,pause:!1,margin:.1,openLinksInTabs:!0,trackEvents:!0}),this.setupDisqus(),this.setupPills(),$("header .deck-promotion").length&&$("header").addClass("extra-wide"),Modernizr.fullscreen===!1&&$(".deck-options .fullscreen-button").hide(),this.bind(),this.layout()},bind:function(){this.editButton=$(".deck-options .edit-button"),this.editButtonOriginalLink=this.editButton.attr("href"),$(".deck-options .fork-button").on("click",this.onForkClicked.bind(this)),$(".deck-options .share-button").on("click",this.onShareClicked.bind(this)),$(".deck-options .comment-button").on("click",this.onCommentsClicked.bind(this)),$(".deck-options .fullscreen-button").on("click",this.onFullScreenClicked.bind(this)),this.visibilityButton=$(".deck-options .visibility-button"),this.visibilityButton.on("click",this.onVisibilityClicked.bind(this)),$(document).on("webkitfullscreenchange mozfullscreenchange MSFullscreenChange fullscreenchange",Reveal.layout),this.onWindowScroll=$.debounce(this.onWindowScroll,200),$(window).on("resize",this.layout.bind(this)),$(window).on("scroll",this.onWindowScroll.bind(this)),Reveal.addEventListener("slidechanged",this.onSlideChanged.bind(this)),Reveal.addEventListener("fragmentshown",this.hideSummary),Reveal.addEventListener("fragmenthidden",this.hideSummary)},setupPills:function(){this.hideSummary=this.hideSummary.bind(this),this.hideInstructions=this.hideInstructions.bind(this),this.summaryPill=$(".summary-pill"),this.instructionsPill=$(".instructions-pill"),this.summaryPill.on("click",this.hideSummary),this.instructionsPill.on("click",this.hideInstructions),this.showSummaryTimeout=setTimeout(this.showSummary.bind(this),1e3),this.hideSummaryTimeout=setTimeout(this.hideSummary.bind(this),6e3),this.showNavigationInstructions()},setupDisqus:function(){$("#disqus_thread").length?$(window).on("load",function(){{var t=window.disqus_shortname="slidesapp";window.disqus_identifier=SLConfig.deck.id}!function(){var e=document.createElement("script");e.type="text/javascript",e.async=!0,e.src="//"+t+".disqus.com/embed.js",(document.getElementsByTagName("head")[0]||document.getElementsByTagName("body")[0]).appendChild(e)}()}):$(".options .comment-button").hide()},showSummary:function(){this.summaryPill&&this.summaryPill.addClass("visible")},hideSummary:function(){clearTimeout(this.showSummaryTimeout),this.summaryPill&&(this.summaryPill.removeClass("visible"),this.summaryPill.on("transitionend",this.summaryPill.remove),this.summaryPill=null)},canShowInstructions:function(){return!SL.util.user.isLoggedIn()&&!SL.util.device.IS_PHONE&&!SL.util.device.IS_TABLET&&Reveal.getTotalSlides()>1&&Modernizr.localstorage},showNavigationInstructions:function(){this.showInstructions("slides-has-seen-deck-navigation-instructions",6e3,{title:"Navigation instructions",description:"Press the space key or click the arrows to the right"})},showVerticalInstructions:function(){this.showInstructions("slides-has-seen-deck-vertical-instructions",1e3,{title:"There's a vertical slide below",description:"Use the controls to the right or the keyboard arrows",icon:"down-arrow"})},showInstructions:function(t,e,i){clearTimeout(this.showInstructionsTimeout),this.instructionsPill&&this.canShowInstructions()&&!localStorage.getItem(t)&&(localStorage.setItem(t,"yes"),this.showInstructionsTimeout=setTimeout(function(){this.instructionsPill.attr("data-icon",i.icon),this.instructionsPill.find(".pill-title").text(i.title),this.instructionsPill.find(".pill-description").text(i.description),this.instructionsPill.addClass("visible"),this.layout()}.bind(this),e))},hideInstructions:function(){clearTimeout(this.showInstructionsTimeout),this.instructionsPill&&this.instructionsPill.removeClass("visible")},layout:function(){this.summaryPill&&this.summaryPill.css("left",(window.innerWidth-this.summaryPill.width())/2),this.instructionsPill&&this.instructionsPill.css("left",(window.innerWidth-this.instructionsPill.width())/2);var t=$(".reveal .playback"),e=$(".deck-kudos"),i={opacity:1};e.length&&t.length&&(i.marginLeft=t.offset().left+t.outerWidth()-10),e.css(i)},saveVisibility:function(t){var e={type:"POST",url:SL.config.AJAX_PUBLISH_DECK(SL.current_deck.get("id")),context:this,data:{visibility:t}};$.ajax(e).done(function(t){t.deck.visibility===SL.models.Deck.VISIBILITY_SELF?SL.notify(SL.locale.get("DECK_VISIBILITY_CHANGED_SELF")):t.deck.visibility===SL.models.Deck.VISIBILITY_TEAM?SL.notify(SL.locale.get("DECK_VISIBILITY_CHANGED_TEAM")):t.deck.visibility===SL.models.Deck.VISIBILITY_ALL&&SL.notify(SL.locale.get("DECK_VISIBILITY_CHANGED_ALL")),"string"==typeof t.deck.slug&&SL.current_deck.set("slug",t.deck.slug),"string"==typeof t.deck.visibility&&SL.current_deck.set("visibility",t.deck.visibility)}).fail(function(){SL.notify(SL.locale.get("DECK_VISIBILITY_CHANGED_ERROR"),"negative")})},onShareClicked:function(){return"undefined"!=typeof SLConfig&&"string"==typeof SLConfig.deck.user.username&&"string"==typeof SLConfig.deck.slug?SL.popup.open(SL.components.decksharer.DeckSharer,{deck:SL.current_deck}):SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),SL.analytics.trackPresenting("Share clicked"),!1},onCommentsClicked:function(){SL.analytics.trackPresenting("Comments clicked")},onFullScreenClicked:function(){var t=$(".reveal-viewport").get(0);return t?(SL.helpers.Fullscreen.enter(t),!1):void SL.analytics.trackPresenting("Fullscreen clicked")},onForkClicked:function(){return SL.analytics.trackPresenting("Fork clicked"),$.ajax({type:"POST",url:SL.config.AJAX_FORK_DECK(SLConfig.deck.id),context:this}).done(function(){window.location=SL.current_user.getProfileURL()}).fail(function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}),!1},onVisibilityClicked:function(t){t.preventDefault();var e=SL.current_deck.get("visibility"),i=[];i.push({html:SL.locale.get("DECK_VISIBILITY_CHANGE_SELF"),selected:e===SL.models.Deck.VISIBILITY_SELF,callback:function(){this.saveVisibility(SL.models.Deck.VISIBILITY_SELF),SL.analytics.trackPresenting("Visibility changed","self")}.bind(this)}),SL.current_user.isEnterprise()&&i.push({html:SL.locale.get("DECK_VISIBILITY_CHANGE_TEAM"),selected:e===SL.models.Deck.VISIBILITY_TEAM,className:"divider",callback:function(){this.saveVisibility(SL.models.Deck.VISIBILITY_TEAM),SL.analytics.trackPresenting("Visibility changed","team")}.bind(this)}),i.push({html:SL.locale.get("DECK_VISIBILITY_CHANGE_ALL"),selected:e===SL.models.Deck.VISIBILITY_ALL,callback:function(){this.saveVisibility(SL.models.Deck.VISIBILITY_ALL),SL.analytics.trackPresenting("Visibility changed","all")}.bind(this)}),SL.prompt({anchor:$(t.currentTarget),type:"select",className:"sl-visibility-prompt",data:i}),SL.analytics.trackPresenting("Visibility menu opened")},onSlideChanged:function(t){this.hideSummary(),this.hideInstructions();var e="#";t.indexh&&(e+="/"+t.indexh,t.indexv&&(e+="/"+t.indexv)),this.editButton.attr("href",this.editButtonOriginalLink+e),t.indexh>0&&0===t.indexv&&Reveal.availableRoutes().down&&this.showVerticalInstructions()},onWindowScroll:function(){$(window).scrollTop()>10&&(this.hideSummary(),this.hideInstructions())}}),SL("views.decks").Speaker=SL.views.Base.extend({init:function(){this._super(),this.notesElement=$(".speaker-controls .notes"),this.notesValue=$(".speaker-controls .notes .value"),this.timeElement=$(".speaker-controls .time"),this.timeTimerValue=$(".speaker-controls .time .timer-value"),this.timeClockValue=$(".speaker-controls .time .clock-value"),this.subscribersElement=$(".speaker-controls .subscribers"),this.subscribersValue=$(".speaker-controls .subscribers .subscribers-value"),this.currentElement=$(".current-slide"),this.upcomingElement=$(".upcoming-slide"),this.upcomingFrame=$(".upcoming-slide iframe"),this.upcomingJumpTo=$(".upcoming-slide-jump-to"),this.speakerLayout=$(".speaker-layout-button"),this.speakerLayout.on("vclick",this.onLayoutClicked.bind(this)),$(".reveal [data-autoplay]").removeAttr("data-autoplay"),this.isMobileSpeakerView()||this.setLayout(SL.current_user.settings.get("speaker_layout")),this.upcomingFrame.length?(this.upcomingFrame.on("load",this.onUpcomingFrameLoaded.bind(this)),this.upcomingFrame.attr("src",this.upcomingFrame.attr("data-src"))):this.setup(),SL.helpers.PageLoader.show()},setup:function(){Reveal.addEventListener("ready",function(){this.currentReveal=window.Reveal,this.currentReveal.addEventListener("slidechanged",this.onCurrentSlideChanged.bind(this)),this.currentReveal.addEventListener("fragmentshown",this.onCurrentFragmentChanged.bind(this)),this.currentReveal.addEventListener("fragmenthidden",this.onCurrentFragmentChanged.bind(this)),this.currentReveal.addEventListener("paused",this.onCurrentPaused.bind(this)),this.currentReveal.addEventListener("resumed",this.onCurrentResumed.bind(this)),this.upcomingFrame.length&&(this.upcomingReveal=this.upcomingFrame.get(0).contentWindow.Reveal,this.upcomingReveal.isReady()?this.setupUpcomingReveal():this.upcomingReveal.addEventListener("ready",this.setupUpcomingReveal.bind(this))),this.setupTimer(),this.setupTouch(),this.stream=new SL.helpers.StreamLive({reveal:this.currentReveal,publisher:!0,showErrors:!0}),this.stream.ready.add(this.onStreamReady.bind(this)),this.stream.subscribersChanged.add(this.onStreamSubscribersChanged.bind(this)),this.stream.connect(),this.layout(),window.addEventListener("resize",this.layout.bind(this))}.bind(this)),SL.util.setupReveal({touch:!0,history:!1,autoSlide:0,openLinksInTabs:!0,trackEvents:!0,showNotes:!1})},setupUpcomingReveal:function(){this.upcomingReveal.configure({history:!1,controls:!1,progress:!1,overview:!1,autoSlide:0,transition:"none",backgroundTransition:"none"}),this.upcomingReveal.addEventListener("slidechanged",this.onUpcomingSlideChanged.bind(this)),this.upcomingReveal.addEventListener("fragmentshown",this.onUpcomingFragmentChanged.bind(this)),this.upcomingReveal.addEventListener("fragmenthidden",this.onUpcomingFragmentChanged.bind(this)),this.upcomingFrame.get(0).contentWindow.document.body.className+=" no-transition",this.upcomingJumpTo.on("vclick",this.onJumpToUpcomingSlide.bind(this)),this.syncJumpButton()},setupTouch:function(){if(this.isMobileSpeakerView()&&(SL.util.device.HAS_TOUCH||window.navigator.pointerEnabled)){this.touchControls=$(['<div class="touch-controls">','<div class="touch-controls-content">','<span class="status">',"Tap or Swipe to change slide","</span>",'<span class="slide-number"></span>',"</div>",'<div class="touch-controls-progress"></div>',"</div>"].join("")).appendTo(document.body),this.touchControlsProgress=this.touchControls.find(".touch-controls-progress"),this.touchControlsSlideNumber=this.touchControls.find(".slide-number"),this.touchControlsStatus=this.touchControls.find(".status"),setTimeout(function(){this.touchControls.addClass("visible")}.bind(this),1e3);var t=document.body,e=new Hammer(t);e.get("swipe").set({direction:Hammer.DIRECTION_ALL}),e.get("press").set({threshold:1e3}),$(t).on("touchstart",function(i){1===$(i.target).closest(".notes-overflowing").length?(e.stop(),$(t).one("touchend",function(t){var e={x:i.originalEvent.pageX,y:i.originalEvent.pageY},n={x:t.originalEvent.pageX,y:t.originalEvent.pageY};SL.util.trig.distanceBetween({x:e.x,y:e.y},{x:n.x,y:n.y})<10&&(this.currentReveal.next(),this.showTouchStatus("Next slide"))}.bind(this))):i.preventDefault()}.bind(this)),e.on("swipe",function(t){switch(t.direction){case Hammer.DIRECTION_LEFT:this.currentReveal.right(),this.showTouchStatus("Next slide");break;case Hammer.DIRECTION_RIGHT:this.currentReveal.left(),this.showTouchStatus("Previous slide");break;case Hammer.DIRECTION_UP:this.currentReveal.down(),this.showTouchStatus("Next vertical slide");break;case Hammer.DIRECTION_DOWN:this.currentReveal.up(),this.showTouchStatus("Previous vertical slide")}}.bind(this)),e.on("tap",function(){this.currentReveal.next(),this.showTouchStatus("Next slide")}.bind(this)),e.on("press",function(){this.currentReveal.isPaused()&&(this.currentReveal.togglePause(!1),this.showTouchStatus("Resumed"))}.bind(this))}},setupTimer:function(){this.timeTimerValue.on("click",this.restartTimer.bind(this)),this.restartTimer(),setInterval(this.syncTimer.bind(this),1e3)},restartTimer:function(){this.startTime=Date.now(),this.syncTimer()},layout:function(){var t=window.innerHeight-this.notesValue.offset().top-10;this.isMobileSpeakerView()?this.touchControls&&(t-=this.touchControls.outerHeight()):this.subscribersElement.hasClass("visible")&&(t-=this.subscribersElement.outerHeight()),this.notesValue.height(t),this.syncNotesOverflow()},setLayout:function(t,e){$("html").attr("data-speaker-layout",t),this.currentReveal&&this.currentReveal.layout(),this.upcomingReveal&&this.upcomingReveal.layout(),this.layout(),e&&(SL.current_user.settings.set("speaker_layout",t),SL.current_user.settings.save(["speaker_layout"]))},getLayout:function(){return SL.current_user.settings.get("speaker_layout")||SL.views.decks.Speaker.LAYOUT_DEFAULT},sync:function(){setTimeout(function(){this.syncUpcomingSlide(),this.syncTouchControls(),this.syncNotes(),this.syncNotesOverflow(),this.syncTimer()}.bind(this),1)},syncTimer:function(){var t=moment();this.timeClockValue.html(t.format("hh:mm")+' <span class="dim">'+t.format("A")+"<span>"),t.hour(0).minute(0).second((Date.now()-this.startTime)/1e3);var e=t.format("HH")+":",i=t.format("mm")+":",n=t.format("ss");"00:"===e&&(e='<span class="dim">'+e+"</span>","00:"===i&&(i='<span class="dim">'+i+"</span>")),this.timeTimerValue.html(e+i+n)},syncUpcomingSlide:function(){if(this.upcomingReveal){var t=this.currentReveal.getIndices();this.upcomingReveal.slide(t.h,t.v,t.f),this.upcomingReveal.next();var e=this.upcomingReveal.getIndices();this.upcomingElement.toggleClass("is-last-slide",t.h===e.h&&t.v===e.v&&t.f===e.f)}},syncJumpButton:function(){if(this.upcomingReveal){var t=this.currentReveal.getIndices(),e=this.upcomingReveal.getIndices();this.upcomingJumpTo.toggleClass("hidden",t.h===e.h&&t.v===e.v&&t.f===e.f)}},syncNotes:function(){var t=$(this.currentReveal.getCurrentSlide()).attr("data-notes")||"";t?(this.notesElement.show(),this.notesValue.text(t),this.notesElement.removeAttr("data-note-length"),t.length<120?this.notesElement.attr("data-note-length","short"):t.length>210&&this.notesElement.attr("data-note-length","long")):this.notesElement.hide()},syncNotesOverflow:function(){this.notesValue.toggleClass("notes-overflowing",this.notesValue.prop("scrollHeight")>this.notesValue.height())},syncTouchControls:function(){if(this.touchControls){var t=this.currentReveal.getProgress();this.touchControlsProgress.css({"-webkit-transform":"scale("+t+", 1)","-moz-transform":"scale("+t+", 1)","-ms-transform":"scale("+t+", 1)",transform:"scale("+t+", 1)"});var e=$(".reveal .slides section:not(.stack)").length,i=this.currentReveal.getIndices().h+this.currentReveal.getIndices().v;i+=$(".reveal .slides>section.present").prevAll("section").find(">section:gt(0)").length,i+=1,this.touchControlsSlideNumber.html(i+"/"+e)}},showTouchStatus:function(t){clearTimeout(this.touchControlsStatusTimeout);var e=this.currentReveal&&this.currentReveal.isPaused();e&&(t="Paused (tap+hold to resume)"),this.touchControlsStatus&&(this.touchControlsStatus.text(t).removeClass("hidden"),e||(this.touchControlsStatusTimeout=setTimeout(function(){this.touchControlsStatus.addClass("hidden")}.bind(this),1e3)))},isMobileSpeakerView:function(){return $("html").hasClass("speaker-mobile")},onUpcomingFrameLoaded:function(){this.setup()},onStreamReady:function(){SL.helpers.PageLoader.hide(),this.sync()},onStreamSubscribersChanged:function(t){"number"==typeof this.subscriberCount&&(this.subscribersValue.removeClass("flash green flash-red"),t>this.subscriberCount?setTimeout(function(){this.subscribersValue.addClass("flash-green")}.bind(this),1):t<this.subscriberCount&&setTimeout(function(){this.subscribersValue.addClass("flash-red")}.bind(this),1)),this.subscriberCount=t,this.subscriberCount>0?(this.subscribersValue.html('<span class="icon i-eye"></span>'+t),this.subscribersElement.addClass("visible")):this.subscribersElement.removeClass("visible"),this.layout()},onCurrentSlideChanged:function(){this.sync()},onCurrentFragmentChanged:function(){this.sync()},onCurrentPaused:function(){this.pausedInstructions||(this.pausedInstructions=$('<h3 class="message-overlay">Paused. Press the "B" key to resume.</h3>'),this.pausedInstructions.appendTo(this.currentElement),this.pausedInstructions.addClass("visible"))},onCurrentResumed:function(){this.pausedInstructions&&(this.pausedInstructions.remove(),this.pausedInstructions=null)},onUpcomingSlideChanged:function(){this.syncJumpButton()},onUpcomingFragmentChanged:function(){this.syncJumpButton()},onJumpToUpcomingSlide:function(){var t=this.upcomingReveal.getIndices();this.currentReveal.slide(t.h,t.v,t.f),this.syncUpcomingSlide()},onLayoutClicked:function(){var t=this.getLayout();SL.prompt({anchor:this.speakerLayout,type:"select",title:"Speaker layout",className:"sl-speaker-layout-prompt",data:[{html:'<div class="speaker-layout-icon" data-speaker-layout="'+SL.views.decks.Speaker.LAYOUT_DEFAULT+'"></div><h3>Default</h3>',selected:t===SL.views.decks.Speaker.LAYOUT_DEFAULT,callback:this.setLayout.bind(this,SL.views.decks.Speaker.LAYOUT_DEFAULT,!0)},{html:'<div class="speaker-layout-icon" data-speaker-layout="'+SL.views.decks.Speaker.LAYOUT_WIDE+'"></div><h3>Wide</h3>',selected:t===SL.views.decks.Speaker.LAYOUT_WIDE,callback:this.setLayout.bind(this,SL.views.decks.Speaker.LAYOUT_WIDE,!0)},{html:'<div class="speaker-layout-icon" data-speaker-layout="'+SL.views.decks.Speaker.LAYOUT_TALL+'"></div><h3>Tall</h3>',selected:t===SL.views.decks.Speaker.LAYOUT_TALL,callback:this.setLayout.bind(this,SL.views.decks.Speaker.LAYOUT_TALL,!0)},{html:'<div class="speaker-layout-icon" data-speaker-layout="'+SL.views.decks.Speaker.LAYOUT_NOTES_ONLY+'"></div><h3>Notes only</h3>',selected:t===SL.views.decks.Speaker.LAYOUT_NOTES_ONLY,callback:this.setLayout.bind(this,SL.views.decks.Speaker.LAYOUT_NOTES_ONLY,!0)}]})}}),SL.views.decks.Speaker.LAYOUT_DEFAULT="default",SL.views.decks.Speaker.LAYOUT_WIDE="wide",SL.views.decks.Speaker.LAYOUT_TALL="tall",SL.views.decks.Speaker.LAYOUT_NOTES_ONLY="notes-only";
+ </script>
+ <script>
+ // Expose speaker notes in case we're printing with share_notes
+ if( SLConfig.deck.notes ) {
+ [].forEach.call( document.querySelectorAll( '.reveal .slides section' ), function( slide ) {
+
+ var value = SLConfig.deck.notes[ slide.getAttribute( 'data-id' ) ];
+ if( value && typeof value === 'string' ) {
+ slide.setAttribute( 'data-notes', value );
+ }
+
+ } );
+ }
+
+
+ Reveal.initialize({
+ controls: true,
+ progress: true,
+ history: true,
+ mouseWheel: false,
+ showNotes: SLConfig.deck.share_notes,
+ slideNumber: SLConfig.deck.slide_number,
+
+ autoSlide: SLConfig.deck.auto_slide_interval || 0,
+ autoSlideStoppable: true,
+
+ rollingLinks: false,
+ center: SLConfig.deck.center || false,
+ loop: SLConfig.deck.should_loop || false,
+ rtl: SLConfig.deck.rtl || false,
+
+ transition: SLConfig.deck.transition,
+ backgroundTransition: SLConfig.deck.background_transition,
+
+ pdfMaxPagesPerSlide: 1
+ });
+
+ if( window.hljs ) hljs.initHighlightingOnLoad();
+
+ </script>
+
+
+
+ </body>
+</html>
diff --git a/admin/static/learning/unito/terminale.html b/admin/static/learning/unito/terminale.html
new file mode 100755
index 0000000..df13f67
--- /dev/null
+++ b/admin/static/learning/unito/terminale.html
@@ -0,0 +1,393 @@
+<!DOCTYPE html>
+ <html class="sl-root decks export loaded ua-phantomjs reveal-viewport theme-font-montserrat theme-color-black-orange">
+ <head>
+ <meta name="viewport" content="width=device-width, initial-scale=1.0">
+ <meta charset="utf-8">
+ <meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
+ <title>Shell Linux: Slides</title>
+ <meta name="description" content="Slides">
+ <style>@import url("https://s3.amazonaws.com/static.slid.es/fonts/montserrat/montserrat.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/opensans/opensans.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/lato/lato.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/asul/asul.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/josefinsans/josefinsans.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/league/league_gothic.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/merriweathersans/merriweathersans.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/overpass/overpass.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/overpass2/overpass2.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/quicksand/quicksand.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/cabinsketch/cabinsketch.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/newscycle/newscycle.css");@import url("https://s3.amazonaws.com/static.slid.es/fonts/oxygen/oxygen.css");.theme-font-asul .themed,.theme-font-asul .reveal{font-family:"Asul", sans-serif;font-size:30px}.theme-font-asul .themed section,.theme-font-asul .reveal section{line-height:1.3}.theme-font-asul .themed h1,.theme-font-asul .themed h2,.theme-font-asul .themed h3,.theme-font-asul .themed h4,.theme-font-asul .themed h5,.theme-font-asul .themed h6,.theme-font-asul .reveal h1,.theme-font-asul .reveal h2,.theme-font-asul .reveal h3,.theme-font-asul .reveal h4,.theme-font-asul .reveal h5,.theme-font-asul .reveal h6{font-family:"Asul", sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-helvetica .themed,.theme-font-helvetica .reveal{font-family:Helvetica, Arial, sans-serif;font-size:30px}.theme-font-helvetica .themed section,.theme-font-helvetica .reveal section{line-height:1.3}.theme-font-helvetica .themed h1,.theme-font-helvetica .themed h2,.theme-font-helvetica .themed h3,.theme-font-helvetica .themed h4,.theme-font-helvetica .themed h5,.theme-font-helvetica .themed h6,.theme-font-helvetica .reveal h1,.theme-font-helvetica .reveal h2,.theme-font-helvetica .reveal h3,.theme-font-helvetica .reveal h4,.theme-font-helvetica .reveal h5,.theme-font-helvetica .reveal h6{font-family:Helvetica, Arial, sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-josefine .themed,.theme-font-josefine .reveal{font-family:"Lato", sans-serif;font-size:30px}.theme-font-josefine .themed section,.theme-font-josefine .reveal section{line-height:1.3}.theme-font-josefine .themed h1,.theme-font-josefine .themed h2,.theme-font-josefine .themed h3,.theme-font-josefine .themed h4,.theme-font-josefine .themed h5,.theme-font-josefine .themed h6,.theme-font-josefine .reveal h1,.theme-font-josefine .reveal h2,.theme-font-josefine .reveal h3,.theme-font-josefine .reveal h4,.theme-font-josefine .reveal h5,.theme-font-josefine .reveal h6{font-family:"Josefin Sans", sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-league .themed,.theme-font-league .reveal{font-family:"Lato", Helvetica, sans-serif;font-size:30px}.theme-font-league .themed section,.theme-font-league .reveal section{line-height:1.3}.theme-font-league .themed h1,.theme-font-league .themed h2,.theme-font-league .themed h3,.theme-font-league .themed h4,.theme-font-league .themed h5,.theme-font-league .themed h6,.theme-font-league .reveal h1,.theme-font-league .reveal h2,.theme-font-league .reveal h3,.theme-font-league .reveal h4,.theme-font-league .reveal h5,.theme-font-league .reveal h6{font-family:"League Gothic", Impact, sans-serif;text-transform:uppercase;line-height:1.3;font-weight:normal}.theme-font-merriweather .themed,.theme-font-merriweather .reveal{font-family:"Oxygen", sans-serif;font-size:30px}.theme-font-merriweather .themed section,.theme-font-merriweather .reveal section{line-height:1.3}.theme-font-merriweather .themed h1,.theme-font-merriweather .themed h2,.theme-font-merriweather .themed h3,.theme-font-merriweather .themed h4,.theme-font-merriweather .themed h5,.theme-font-merriweather .themed h6,.theme-font-merriweather .reveal h1,.theme-font-merriweather .reveal h2,.theme-font-merriweather .reveal h3,.theme-font-merriweather .reveal h4,.theme-font-merriweather .reveal h5,.theme-font-merriweather .reveal h6{font-family:"Merriweather Sans", sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-montserrat .themed,.theme-font-montserrat .reveal{font-family:"Open Sans", sans-serif;font-size:30px}.theme-font-montserrat .themed section,.theme-font-montserrat .reveal section{line-height:1.3}.theme-font-montserrat .themed h1,.theme-font-montserrat .themed h2,.theme-font-montserrat .themed h3,.theme-font-montserrat .themed h4,.theme-font-montserrat .themed h5,.theme-font-montserrat .themed h6,.theme-font-montserrat .reveal h1,.theme-font-montserrat .reveal h2,.theme-font-montserrat .reveal h3,.theme-font-montserrat .reveal h4,.theme-font-montserrat .reveal h5,.theme-font-montserrat .reveal h6{font-family:"Montserrat", Helvetica, sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-news .themed,.theme-font-news .reveal{font-family:"Lato", sans-serif;font-size:30px}.theme-font-news .themed section,.theme-font-news .reveal section{line-height:1.3}.theme-font-news .themed h1,.theme-font-news .themed h2,.theme-font-news .themed h3,.theme-font-news .themed h4,.theme-font-news .themed h5,.theme-font-news .themed h6,.theme-font-news .reveal h1,.theme-font-news .reveal h2,.theme-font-news .reveal h3,.theme-font-news .reveal h4,.theme-font-news .reveal h5,.theme-font-news .reveal h6{font-family:"News Cycle", Impact, sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-opensans .themed,.theme-font-opensans .reveal{font-family:"Open Sans", Helvetica, sans-serif;font-size:30px}.theme-font-opensans .themed section,.theme-font-opensans .reveal section{line-height:1.3}.theme-font-opensans .themed h1,.theme-font-opensans .themed h2,.theme-font-opensans .themed h3,.theme-font-opensans .themed h4,.theme-font-opensans .themed h5,.theme-font-opensans .themed h6,.theme-font-opensans .reveal h1,.theme-font-opensans .reveal h2,.theme-font-opensans .reveal h3,.theme-font-opensans .reveal h4,.theme-font-opensans .reveal h5,.theme-font-opensans .reveal h6{font-family:"Open Sans", Helvetica, sans-serif;text-transform:none;line-height:1.3;font-weight:bold}.theme-font-palatino .themed,.theme-font-palatino .reveal{font-family:"Palatino Linotype", "Book Antiqua", Palatino, FreeSerif, serif;font-size:30px}.theme-font-palatino .themed section,.theme-font-palatino .reveal section{line-height:1.3}.theme-font-palatino .themed h1,.theme-font-palatino .themed h2,.theme-font-palatino .themed h3,.theme-font-palatino .themed h4,.theme-font-palatino .themed h5,.theme-font-palatino .themed h6,.theme-font-palatino .reveal h1,.theme-font-palatino .reveal h2,.theme-font-palatino .reveal h3,.theme-font-palatino .reveal h4,.theme-font-palatino .reveal h5,.theme-font-palatino .reveal h6{font-family:"Palatino Linotype", "Book Antiqua", Palatino, FreeSerif, serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-quicksand .themed,.theme-font-quicksand .reveal{font-family:"Open Sans", Helvetica, sans-serif;font-size:30px}.theme-font-quicksand .themed section,.theme-font-quicksand .reveal section{line-height:1.3}.theme-font-quicksand .themed h1,.theme-font-quicksand .themed h2,.theme-font-quicksand .themed h3,.theme-font-quicksand .themed h4,.theme-font-quicksand .themed h5,.theme-font-quicksand .themed h6,.theme-font-quicksand .reveal h1,.theme-font-quicksand .reveal h2,.theme-font-quicksand .reveal h3,.theme-font-quicksand .reveal h4,.theme-font-quicksand .reveal h5,.theme-font-quicksand .reveal h6{font-family:"Quicksand", Helvetica, sans-serif;text-transform:uppercase;line-height:1.3;font-weight:normal}.theme-font-sketch .themed,.theme-font-sketch .reveal{font-family:"Oxygen", sans-serif;font-size:30px}.theme-font-sketch .themed section,.theme-font-sketch .reveal section{line-height:1.3}.theme-font-sketch .themed h1,.theme-font-sketch .themed h2,.theme-font-sketch .themed h3,.theme-font-sketch .themed h4,.theme-font-sketch .themed h5,.theme-font-sketch .themed h6,.theme-font-sketch .reveal h1,.theme-font-sketch .reveal h2,.theme-font-sketch .reveal h3,.theme-font-sketch .reveal h4,.theme-font-sketch .reveal h5,.theme-font-sketch .reveal h6{font-family:"Cabin Sketch", sans-serif;text-transform:none;line-height:1.3;font-weight:normal}.theme-font-overpass .themed,.theme-font-overpass .reveal{font-family:"Overpass", sans-serif;font-size:28px}.theme-font-overpass .themed section,.theme-font-overpass .reveal section{line-height:1.3}.theme-font-overpass .themed h1,.theme-font-overpass .themed h2,.theme-font-overpass .themed h3,.theme-font-overpass .themed h4,.theme-font-overpass .themed h5,.theme-font-overpass .themed h6,.theme-font-overpass .reveal h1,.theme-font-overpass .reveal h2,.theme-font-overpass .reveal h3,.theme-font-overpass .reveal h4,.theme-font-overpass .reveal h5,.theme-font-overpass .reveal h6{font-family:"Overpass", sans-serif;text-transform:uppercase;line-height:1.3;font-weight:bold}.theme-font-overpass .themed h1,.theme-font-overpass.themed h1,.theme-font-overpass .reveal h1,.theme-font-overpass.reveal h1{font-size:1.75em;margin-bottom:.25em;letter-spacing:.015em}.theme-font-overpass .themed h2,.theme-font-overpass.themed h2,.theme-font-overpass .reveal h2,.theme-font-overpass.reveal h2{font-size:1.15em;margin-bottom:.5em;letter-spacing:.036661em}.theme-font-overpass .themed h3,.theme-font-overpass.themed h3,.theme-font-overpass .reveal h3,.theme-font-overpass.reveal h3{font-size:1.00em;margin-bottom:.5em;letter-spacing:.041em}.theme-font-overpass .themed h4,.theme-font-overpass.themed h4,.theme-font-overpass .reveal h4,.theme-font-overpass.reveal h4{font-size:1.00em}.theme-font-overpass .themed h5,.theme-font-overpass.themed h5,.theme-font-overpass .reveal h5,.theme-font-overpass.reveal h5{font-size:1.00em}.theme-font-overpass .themed h6,.theme-font-overpass.themed h6,.theme-font-overpass .reveal h6,.theme-font-overpass.reveal h6{font-size:1.00em}.theme-font-overpass2 .themed,.theme-font-overpass2 .reveal{font-family:"Overpass 2", sans-serif;font-size:28px}.theme-font-overpass2 .themed section,.theme-font-overpass2 .reveal section{line-height:1.3}.theme-font-overpass2 .themed h1,.theme-font-overpass2 .themed h2,.theme-font-overpass2 .themed h3,.theme-font-overpass2 .themed h4,.theme-font-overpass2 .themed h5,.theme-font-overpass2 .themed h6,.theme-font-overpass2 .reveal h1,.theme-font-overpass2 .reveal h2,.theme-font-overpass2 .reveal h3,.theme-font-overpass2 .reveal h4,.theme-font-overpass2 .reveal h5,.theme-font-overpass2 .reveal h6{font-family:"Overpass 2", sans-serif;text-transform:uppercase;line-height:1.3;font-weight:bold}.theme-font-overpass2 .themed h1,.theme-font-overpass2.themed h1,.theme-font-overpass2 .reveal h1,.theme-font-overpass2.reveal h1{font-size:1.75em;margin-bottom:.25em;letter-spacing:.015em}.theme-font-overpass2 .themed h2,.theme-font-overpass2.themed h2,.theme-font-overpass2 .reveal h2,.theme-font-overpass2.reveal h2{font-size:1.15em;margin-bottom:.5em;letter-spacing:.036661em}.theme-font-overpass2 .themed h3,.theme-font-overpass2.themed h3,.theme-font-overpass2 .reveal h3,.theme-font-overpass2.reveal h3{font-size:1.00em;margin-bottom:.5em;letter-spacing:.041em}.theme-font-overpass2 .themed h4,.theme-font-overpass2.themed h4,.theme-font-overpass2 .reveal h4,.theme-font-overpass2.reveal h4{font-size:1.00em}.theme-font-overpass2 .themed h5,.theme-font-overpass2.themed h5,.theme-font-overpass2 .reveal h5,.theme-font-overpass2.reveal h5{font-size:1.00em}.theme-font-overpass2 .themed h6,.theme-font-overpass2.themed h6,.theme-font-overpass2 .reveal h6,.theme-font-overpass2.reveal h6{font-size:1.00em}.theme-font-no-font .themed,.theme-font-no-font.themed,.theme-font-no-font .reveal,.theme-font-no-font.reveal{font-family:sans-serif;font-size:30px}.theme-font-no-font .themed section font,.theme-font-no-font.themed section font,.theme-font-no-font .reveal section font,.theme-font-no-font.reveal section font{line-height:1}@font-face{font-family:KaTeX_AMS;src:url(//assets.slid.es/assets/katex/KaTeX_AMS-Regular-5c386d86cd29ef8054a5c28b63ba00fa.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_AMS-Regular-d5cf183e0d8a341e3d324a2a78c2233c.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Caligraphic;src:url(//assets.slid.es/assets/katex/KaTeX_Caligraphic-Bold-48ae19da3e032bfe68028a3ed222f898.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Caligraphic-Bold-072cfa9156fb145c522a6976f91c3a2b.ttf) format("truetype");font-weight:700;font-style:normal}@font-face{font-family:KaTeX_Caligraphic;src:url(//assets.slid.es/assets/katex/KaTeX_Caligraphic-Regular-d7b4cfbdd9157c75441ecf9f1423397b.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Caligraphic-Regular-3cd3e9b2d25aeead23bc6bfffe1c51dd.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Fraktur;src:url(//assets.slid.es/assets/katex/KaTeX_Fraktur-Bold-f92a2374a6cdf8b8640e040c05cc8b38.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Fraktur-Bold-812abece8fefeacc87164210024ba048.ttf) format("truetype");font-weight:700;font-style:normal}@font-face{font-family:KaTeX_Fraktur;src:url(//assets.slid.es/assets/katex/KaTeX_Fraktur-Regular-f50457aa781c854f177fae5160b1d5bc.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Fraktur-Regular-dc96a8f26a92d1a08a92438ee0f5e640.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Main;src:url(//assets.slid.es/assets/katex/KaTeX_Main-Bold-27ee6d4ab0887e4ede4e2cda1f7cb5c8.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Main-Bold-f72043005ca5a6ea8fb4ac2792d0db8b.ttf) format("truetype");font-weight:700;font-style:normal}@font-face{font-family:KaTeX_Main;src:url(//assets.slid.es/assets/katex/KaTeX_Main-Italic-e36cb8a30f84faa2c5f18a65f7721845.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Main-Italic-cd8b3e6364ebf019e301ef9e70f3eb5c.ttf) format("truetype");font-weight:400;font-style:italic}@font-face{font-family:KaTeX_Main;src:url(//assets.slid.es/assets/katex/KaTeX_Main-Regular-286600c32626e214a89e6af36826e091.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Main-Regular-e2d15889515d40d6b990286b06575e68.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Math;src:url(//assets.slid.es/assets/katex/KaTeX_Math-BoldItalic-fc5261359ddddf5fa8a7662c4186bb90.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Math-BoldItalic-91500bef789006dede0db78911815eb9.ttf) format("truetype");font-weight:700;font-style:italic}@font-face{font-family:KaTeX_Math;src:url(//assets.slid.es/assets/katex/KaTeX_Math-Italic-dc647478b8e73f9ac018f8e1fd9db253.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Math-Italic-c3918a49aabb4f957fe89c88e20d75ef.ttf) format("truetype");font-weight:400;font-style:italic}@font-face{font-family:KaTeX_Math;src:url(//assets.slid.es/assets/katex/KaTeX_Math-Regular-4468f8b46238a0592004ef9c8541fd5d.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Math-Regular-445010640b7ce2ef4f2a983527cb1ff1.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Script;src:url(//assets.slid.es/assets/katex/KaTeX_Script-Regular-74dd5124b228e3a583e67712c2b6ab7f.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Script-Regular-e177fac57accdd3dc01c41aa4952c93e.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Size1;src:url(//assets.slid.es/assets/katex/KaTeX_Size1-Regular-78823f66cdb607e5996c7bb494551ee6.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Size1-Regular-b0b730693285d026503930c38c160339.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Size2;src:url(//assets.slid.es/assets/katex/KaTeX_Size2-Regular-db1000f8be0574d37f9eecbdfe823a79.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Size2-Regular-d9bcfefab2c9e6f8798d864d0dd9c3e1.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Size3;src:url(//assets.slid.es/assets/katex/KaTeX_Size3-Regular-69ae0c769de6197d12a4cc70359cbc23.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Size3-Regular-14684bb66e50b7652e7a4a257cb924ab.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Size4;src:url(//assets.slid.es/assets/katex/KaTeX_Size4-Regular-47fa1e4a913c4bc13ba28d37b078cffa.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Size4-Regular-f9e0bbe04f2be30552f330c99f00dfb2.ttf) format("truetype");font-weight:400;font-style:normal}@font-face{font-family:KaTeX_Typewriter;src:url(//assets.slid.es/assets/katex/KaTeX_Typewriter-Regular-406284f22010eec74d0499d212ebdb7e.woff) format("woff"),url(//assets.slid.es/assets/katex/KaTeX_Typewriter-Regular-8a4c1e68be15670fa0d9ae77e029618a.ttf) format("truetype");font-weight:400;font-style:normal}.katex-display{display:block;margin:1em 0;text-align:center}.katex-display>.katex{display:inline-block}.katex{font:400 1.21em KaTeX_Main;line-height:1.2;text-indent:0;white-space:nowrap}.katex .katex-html{display:inline-block}.katex .katex-mathml{border:0;clip:rect(1px, 1px, 1px, 1px);height:1px;overflow:hidden;padding:0;position:absolute;width:1px}.katex .base,.katex .strut{display:inline-block}.katex .mathit{font-family:KaTeX_Math;font-style:italic}.katex .mathbf{font-family:KaTeX_Main;font-weight:700}.katex .amsrm,.katex .mathbb{font-family:KaTeX_AMS}.katex .mathcal{font-family:KaTeX_Caligraphic}.katex .mathfrak{font-family:KaTeX_Fraktur}.katex .mathtt{font-family:KaTeX_Typewriter}.katex .mathscr{font-family:KaTeX_Script}.katex .mathsf{font-family:KaTeX_SansSerif}.katex .mainit{font-family:KaTeX_Main;font-style:italic}.katex .textstyle>.mord+.mop{margin-left:.16667em}.katex .textstyle>.mord+.mbin{margin-left:.22222em}.katex .textstyle>.mord+.mrel{margin-left:.27778em}.katex .textstyle>.mop+.mop,.katex .textstyle>.mop+.mord,.katex .textstyle>.mord+.minner{margin-left:.16667em}.katex .textstyle>.mop+.mrel{margin-left:.27778em}.katex .textstyle>.mop+.minner{margin-left:.16667em}.katex .textstyle>.mbin+.minner,.katex .textstyle>.mbin+.mop,.katex .textstyle>.mbin+.mopen,.katex .textstyle>.mbin+.mord{margin-left:.22222em}.katex .textstyle>.mrel+.minner,.katex .textstyle>.mrel+.mop,.katex .textstyle>.mrel+.mopen,.katex .textstyle>.mrel+.mord{margin-left:.27778em}.katex .textstyle>.mclose+.mop{margin-left:.16667em}.katex .textstyle>.mclose+.mbin{margin-left:.22222em}.katex .textstyle>.mclose+.mrel{margin-left:.27778em}.katex .textstyle>.mclose+.minner,.katex .textstyle>.minner+.mop,.katex .textstyle>.minner+.mord,.katex .textstyle>.mpunct+.mclose,.katex .textstyle>.mpunct+.minner,.katex .textstyle>.mpunct+.mop,.katex .textstyle>.mpunct+.mopen,.katex .textstyle>.mpunct+.mord,.katex .textstyle>.mpunct+.mpunct,.katex .textstyle>.mpunct+.mrel{margin-left:.16667em}.katex .textstyle>.minner+.mbin{margin-left:.22222em}.katex .textstyle>.minner+.mrel{margin-left:.27778em}.katex .mclose+.mop,.katex .minner+.mop,.katex .mop+.mop,.katex .mop+.mord,.katex .mord+.mop,.katex .textstyle>.minner+.minner,.katex .textstyle>.minner+.mopen,.katex .textstyle>.minner+.mpunct{margin-left:.16667em}.katex .reset-textstyle.textstyle{font-size:1em}.katex .reset-textstyle.scriptstyle{font-size:.7em}.katex .reset-textstyle.scriptscriptstyle{font-size:.5em}.katex .reset-scriptstyle.textstyle{font-size:1.42857em}.katex .reset-scriptstyle.scriptstyle{font-size:1em}.katex .reset-scriptstyle.scriptscriptstyle{font-size:.71429em}.katex .reset-scriptscriptstyle.textstyle{font-size:2em}.katex .reset-scriptscriptstyle.scriptstyle{font-size:1.4em}.katex .reset-scriptscriptstyle.scriptscriptstyle{font-size:1em}.katex .style-wrap{position:relative}.katex .vlist{display:inline-block}.katex .vlist>span{display:block;height:0;position:relative}.katex .vlist>span>span{display:inline-block}.katex .vlist .baseline-fix{display:inline-table;table-layout:fixed}.katex .msupsub{text-align:left}.katex .mfrac>span>span{text-align:center}.katex .mfrac .frac-line{width:100%}.katex .mfrac .frac-line:before{border-bottom-style:solid;border-bottom-width:1px;content:"";display:block}.katex .mfrac .frac-line:after{border-bottom-style:solid;border-bottom-width:.04em;content:"";display:block;margin-top:-1px}.katex .mspace{display:inline-block}.katex .mspace.negativethinspace{margin-left:-.16667em}.katex .mspace.thinspace{width:.16667em}.katex .mspace.mediumspace{width:.22222em}.katex .mspace.thickspace{width:.27778em}.katex .mspace.enspace{width:.5em}.katex .mspace.quad{width:1em}.katex .mspace.qquad{width:2em}.katex .llap,.katex .rlap{position:relative;width:0}.katex .llap>.inner,.katex .rlap>.inner{position:absolute}.katex .llap>.fix,.katex .rlap>.fix{display:inline-block}.katex .llap>.inner{right:0}.katex .rlap>.inner{left:0}.katex .katex-logo .a{font-size:.75em;margin-left:-.32em;position:relative;top:-.2em}.katex .katex-logo .t{margin-left:-.23em}.katex .katex-logo .e{margin-left:-.1667em;position:relative;top:.2155em}.katex .katex-logo .x{margin-left:-.125em}.katex .rule{border-style:solid;display:inline-block;position:relative}.katex .overline .overline-line{width:100%}.katex .overline .overline-line:before{border-bottom-style:solid;border-bottom-width:1px;content:"";display:block}.katex .overline .overline-line:after{border-bottom-style:solid;border-bottom-width:.04em;content:"";display:block;margin-top:-1px}.katex .sqrt>.sqrt-sign{position:relative}.katex .sqrt .sqrt-line{width:100%}.katex .sqrt .sqrt-line:before{border-bottom-style:solid;border-bottom-width:1px;content:"";display:block}.katex .sqrt .sqrt-line:after{border-bottom-style:solid;border-bottom-width:.04em;content:"";display:block;margin-top:-1px}.katex .sqrt>.root{margin-left:.27777778em;margin-right:-.55555556em}.katex .fontsize-ensurer,.katex .sizing{display:inline-block}.katex .fontsize-ensurer.reset-size1.size1,.katex .sizing.reset-size1.size1{font-size:1em}.katex .fontsize-ensurer.reset-size1.size2,.katex .sizing.reset-size1.size2{font-size:1.4em}.katex .fontsize-ensurer.reset-size1.size3,.katex .sizing.reset-size1.size3{font-size:1.6em}.katex .fontsize-ensurer.reset-size1.size4,.katex .sizing.reset-size1.size4{font-size:1.8em}.katex .fontsize-ensurer.reset-size1.size5,.katex .sizing.reset-size1.size5{font-size:2em}.katex .fontsize-ensurer.reset-size1.size6,.katex .sizing.reset-size1.size6{font-size:2.4em}.katex .fontsize-ensurer.reset-size1.size7,.katex .sizing.reset-size1.size7{font-size:2.88em}.katex .fontsize-ensurer.reset-size1.size8,.katex .sizing.reset-size1.size8{font-size:3.46em}.katex .fontsize-ensurer.reset-size1.size9,.katex .sizing.reset-size1.size9{font-size:4.14em}.katex .fontsize-ensurer.reset-size1.size10,.katex .sizing.reset-size1.size10{font-size:4.98em}.katex .fontsize-ensurer.reset-size2.size1,.katex .sizing.reset-size2.size1{font-size:.71428571em}.katex .fontsize-ensurer.reset-size2.size2,.katex .sizing.reset-size2.size2{font-size:1em}.katex .fontsize-ensurer.reset-size2.size3,.katex .sizing.reset-size2.size3{font-size:1.14285714em}.katex .fontsize-ensurer.reset-size2.size4,.katex .sizing.reset-size2.size4{font-size:1.28571429em}.katex .fontsize-ensurer.reset-size2.size5,.katex .sizing.reset-size2.size5{font-size:1.42857143em}.katex .fontsize-ensurer.reset-size2.size6,.katex .sizing.reset-size2.size6{font-size:1.71428571em}.katex .fontsize-ensurer.reset-size2.size7,.katex .sizing.reset-size2.size7{font-size:2.05714286em}.katex .fontsize-ensurer.reset-size2.size8,.katex .sizing.reset-size2.size8{font-size:2.47142857em}.katex .fontsize-ensurer.reset-size2.size9,.katex .sizing.reset-size2.size9{font-size:2.95714286em}.katex .fontsize-ensurer.reset-size2.size10,.katex .sizing.reset-size2.size10{font-size:3.55714286em}.katex .fontsize-ensurer.reset-size3.size1,.katex .sizing.reset-size3.size1{font-size:.625em}.katex .fontsize-ensurer.reset-size3.size2,.katex .sizing.reset-size3.size2{font-size:.875em}.katex .fontsize-ensurer.reset-size3.size3,.katex .sizing.reset-size3.size3{font-size:1em}.katex .fontsize-ensurer.reset-size3.size4,.katex .sizing.reset-size3.size4{font-size:1.125em}.katex .fontsize-ensurer.reset-size3.size5,.katex .sizing.reset-size3.size5{font-size:1.25em}.katex .fontsize-ensurer.reset-size3.size6,.katex .sizing.reset-size3.size6{font-size:1.5em}.katex .fontsize-ensurer.reset-size3.size7,.katex .sizing.reset-size3.size7{font-size:1.8em}.katex .fontsize-ensurer.reset-size3.size8,.katex .sizing.reset-size3.size8{font-size:2.1625em}.katex .fontsize-ensurer.reset-size3.size9,.katex .sizing.reset-size3.size9{font-size:2.5875em}.katex .fontsize-ensurer.reset-size3.size10,.katex .sizing.reset-size3.size10{font-size:3.1125em}.katex .fontsize-ensurer.reset-size4.size1,.katex .sizing.reset-size4.size1{font-size:.55555556em}.katex .fontsize-ensurer.reset-size4.size2,.katex .sizing.reset-size4.size2{font-size:.77777778em}.katex .fontsize-ensurer.reset-size4.size3,.katex .sizing.reset-size4.size3{font-size:.88888889em}.katex .fontsize-ensurer.reset-size4.size4,.katex .sizing.reset-size4.size4{font-size:1em}.katex .fontsize-ensurer.reset-size4.size5,.katex .sizing.reset-size4.size5{font-size:1.11111111em}.katex .fontsize-ensurer.reset-size4.size6,.katex .sizing.reset-size4.size6{font-size:1.33333333em}.katex .fontsize-ensurer.reset-size4.size7,.katex .sizing.reset-size4.size7{font-size:1.6em}.katex .fontsize-ensurer.reset-size4.size8,.katex .sizing.reset-size4.size8{font-size:1.92222222em}.katex .fontsize-ensurer.reset-size4.size9,.katex .sizing.reset-size4.size9{font-size:2.3em}.katex .fontsize-ensurer.reset-size4.size10,.katex .sizing.reset-size4.size10{font-size:2.76666667em}.katex .fontsize-ensurer.reset-size5.size1,.katex .sizing.reset-size5.size1{font-size:.5em}.katex .fontsize-ensurer.reset-size5.size2,.katex .sizing.reset-size5.size2{font-size:.7em}.katex .fontsize-ensurer.reset-size5.size3,.katex .sizing.reset-size5.size3{font-size:.8em}.katex .fontsize-ensurer.reset-size5.size4,.katex .sizing.reset-size5.size4{font-size:.9em}.katex .fontsize-ensurer.reset-size5.size5,.katex .sizing.reset-size5.size5{font-size:1em}.katex .fontsize-ensurer.reset-size5.size6,.katex .sizing.reset-size5.size6{font-size:1.2em}.katex .fontsize-ensurer.reset-size5.size7,.katex .sizing.reset-size5.size7{font-size:1.44em}.katex .fontsize-ensurer.reset-size5.size8,.katex .sizing.reset-size5.size8{font-size:1.73em}.katex .fontsize-ensurer.reset-size5.size9,.katex .sizing.reset-size5.size9{font-size:2.07em}.katex .fontsize-ensurer.reset-size5.size10,.katex .sizing.reset-size5.size10{font-size:2.49em}.katex .fontsize-ensurer.reset-size6.size1,.katex .sizing.reset-size6.size1{font-size:.41666667em}.katex .fontsize-ensurer.reset-size6.size2,.katex .sizing.reset-size6.size2{font-size:.58333333em}.katex .fontsize-ensurer.reset-size6.size3,.katex .sizing.reset-size6.size3{font-size:.66666667em}.katex .fontsize-ensurer.reset-size6.size4,.katex .sizing.reset-size6.size4{font-size:.75em}.katex .fontsize-ensurer.reset-size6.size5,.katex .sizing.reset-size6.size5{font-size:.83333333em}.katex .fontsize-ensurer.reset-size6.size6,.katex .sizing.reset-size6.size6{font-size:1em}.katex .fontsize-ensurer.reset-size6.size7,.katex .sizing.reset-size6.size7{font-size:1.2em}.katex .fontsize-ensurer.reset-size6.size8,.katex .sizing.reset-size6.size8{font-size:1.44166667em}.katex .fontsize-ensurer.reset-size6.size9,.katex .sizing.reset-size6.size9{font-size:1.725em}.katex .fontsize-ensurer.reset-size6.size10,.katex .sizing.reset-size6.size10{font-size:2.075em}.katex .fontsize-ensurer.reset-size7.size1,.katex .sizing.reset-size7.size1{font-size:.34722222em}.katex .fontsize-ensurer.reset-size7.size2,.katex .sizing.reset-size7.size2{font-size:.48611111em}.katex .fontsize-ensurer.reset-size7.size3,.katex .sizing.reset-size7.size3{font-size:.55555556em}.katex .fontsize-ensurer.reset-size7.size4,.katex .sizing.reset-size7.size4{font-size:.625em}.katex .fontsize-ensurer.reset-size7.size5,.katex .sizing.reset-size7.size5{font-size:.69444444em}.katex .fontsize-ensurer.reset-size7.size6,.katex .sizing.reset-size7.size6{font-size:.83333333em}.katex .fontsize-ensurer.reset-size7.size7,.katex .sizing.reset-size7.size7{font-size:1em}.katex .fontsize-ensurer.reset-size7.size8,.katex .sizing.reset-size7.size8{font-size:1.20138889em}.katex .fontsize-ensurer.reset-size7.size9,.katex .sizing.reset-size7.size9{font-size:1.4375em}.katex .fontsize-ensurer.reset-size7.size10,.katex .sizing.reset-size7.size10{font-size:1.72916667em}.katex .fontsize-ensurer.reset-size8.size1,.katex .sizing.reset-size8.size1{font-size:.28901734em}.katex .fontsize-ensurer.reset-size8.size2,.katex .sizing.reset-size8.size2{font-size:.40462428em}.katex .fontsize-ensurer.reset-size8.size3,.katex .sizing.reset-size8.size3{font-size:.46242775em}.katex .fontsize-ensurer.reset-size8.size4,.katex .sizing.reset-size8.size4{font-size:.52023121em}.katex .fontsize-ensurer.reset-size8.size5,.katex .sizing.reset-size8.size5{font-size:.57803468em}.katex .fontsize-ensurer.reset-size8.size6,.katex .sizing.reset-size8.size6{font-size:.69364162em}.katex .fontsize-ensurer.reset-size8.size7,.katex .sizing.reset-size8.size7{font-size:.83236994em}.katex .fontsize-ensurer.reset-size8.size8,.katex .sizing.reset-size8.size8{font-size:1em}.katex .fontsize-ensurer.reset-size8.size9,.katex .sizing.reset-size8.size9{font-size:1.19653179em}.katex .fontsize-ensurer.reset-size8.size10,.katex .sizing.reset-size8.size10{font-size:1.43930636em}.katex .fontsize-ensurer.reset-size9.size1,.katex .sizing.reset-size9.size1{font-size:.24154589em}.katex .fontsize-ensurer.reset-size9.size2,.katex .sizing.reset-size9.size2{font-size:.33816425em}.katex .fontsize-ensurer.reset-size9.size3,.katex .sizing.reset-size9.size3{font-size:.38647343em}.katex .fontsize-ensurer.reset-size9.size4,.katex .sizing.reset-size9.size4{font-size:.43478261em}.katex .fontsize-ensurer.reset-size9.size5,.katex .sizing.reset-size9.size5{font-size:.48309179em}.katex .fontsize-ensurer.reset-size9.size6,.katex .sizing.reset-size9.size6{font-size:.57971014em}.katex .fontsize-ensurer.reset-size9.size7,.katex .sizing.reset-size9.size7{font-size:.69565217em}.katex .fontsize-ensurer.reset-size9.size8,.katex .sizing.reset-size9.size8{font-size:.83574879em}.katex .fontsize-ensurer.reset-size9.size9,.katex .sizing.reset-size9.size9{font-size:1em}.katex .fontsize-ensurer.reset-size9.size10,.katex .sizing.reset-size9.size10{font-size:1.20289855em}.katex .fontsize-ensurer.reset-size10.size1,.katex .sizing.reset-size10.size1{font-size:.20080321em}.katex .fontsize-ensurer.reset-size10.size2,.katex .sizing.reset-size10.size2{font-size:.2811245em}.katex .fontsize-ensurer.reset-size10.size3,.katex .sizing.reset-size10.size3{font-size:.32128514em}.katex .fontsize-ensurer.reset-size10.size4,.katex .sizing.reset-size10.size4{font-size:.36144578em}.katex .fontsize-ensurer.reset-size10.size5,.katex .sizing.reset-size10.size5{font-size:.40160643em}.katex .fontsize-ensurer.reset-size10.size6,.katex .sizing.reset-size10.size6{font-size:.48192771em}.katex .fontsize-ensurer.reset-size10.size7,.katex .sizing.reset-size10.size7{font-size:.57831325em}.katex .fontsize-ensurer.reset-size10.size8,.katex .sizing.reset-size10.size8{font-size:.69477912em}.katex .fontsize-ensurer.reset-size10.size9,.katex .sizing.reset-size10.size9{font-size:.8313253em}.katex .fontsize-ensurer.reset-size10.size10,.katex .sizing.reset-size10.size10{font-size:1em}.katex .delimsizing.size1{font-family:KaTeX_Size1}.katex .delimsizing.size2{font-family:KaTeX_Size2}.katex .delimsizing.size3{font-family:KaTeX_Size3}.katex .delimsizing.size4{font-family:KaTeX_Size4}.katex .delimsizing.mult .delim-size1>span{font-family:KaTeX_Size1}.katex .delimsizing.mult .delim-size4>span{font-family:KaTeX_Size4}.katex .nulldelimiter{display:inline-block;width:.12em}.katex .op-symbol{position:relative}.katex .op-symbol.small-op{font-family:KaTeX_Size1}.katex .op-symbol.large-op{font-family:KaTeX_Size2}.katex .accent>.vlist>span,.katex .op-limits>.vlist>span{text-align:center}.katex .accent .accent-body>span{width:0}.katex .accent .accent-body.accent-vec>span{left:.326em;position:relative}.katex .mtable .vertical-separator{border-right:.05em solid #000;display:inline-block;margin:0 -.025em}.katex .mtable .arraycolsep{display:inline-block}.katex .mtable .col-align-c>.vlist{text-align:center}.katex .mtable .col-align-l>.vlist{text-align:left}.katex .mtable .col-align-r>.vlist{text-align:right}[data-highlight-theme="zenburn"] .hljs,.sl-block-content:not([data-highlight-theme]) .hljs{display:block;overflow-x:auto;background:#3f3f3f;color:#dcdcdc}[data-highlight-theme="zenburn"] .hljs-keyword,[data-highlight-theme="zenburn"] .hljs-selector-tag,[data-highlight-theme="zenburn"] .hljs-tag,.sl-block-content:not([data-highlight-theme]) .hljs-keyword,.sl-block-content:not([data-highlight-theme]) .hljs-selector-tag,.sl-block-content:not([data-highlight-theme]) .hljs-tag{color:#e3ceab}[data-highlight-theme="zenburn"] .hljs-template-tag,.sl-block-content:not([data-highlight-theme]) .hljs-template-tag{color:#dcdcdc}[data-highlight-theme="zenburn"] .hljs-number,.sl-block-content:not([data-highlight-theme]) .hljs-number{color:#8cd0d3}[data-highlight-theme="zenburn"] .hljs-variable,[data-highlight-theme="zenburn"] .hljs-template-variable,[data-highlight-theme="zenburn"] .hljs-attribute,.sl-block-content:not([data-highlight-theme]) .hljs-variable,.sl-block-content:not([data-highlight-theme]) .hljs-template-variable,.sl-block-content:not([data-highlight-theme]) .hljs-attribute{color:#efdcbc}[data-highlight-theme="zenburn"] .hljs-literal,.sl-block-content:not([data-highlight-theme]) .hljs-literal{color:#efefaf}[data-highlight-theme="zenburn"] .hljs-subst,.sl-block-content:not([data-highlight-theme]) .hljs-subst{color:#8f8f8f}[data-highlight-theme="zenburn"] .hljs-title,[data-highlight-theme="zenburn"] .hljs-name,[data-highlight-theme="zenburn"] .hljs-selector-id,[data-highlight-theme="zenburn"] .hljs-selector-class,[data-highlight-theme="zenburn"] .hljs-section,[data-highlight-theme="zenburn"] .hljs-type,.sl-block-content:not([data-highlight-theme]) .hljs-title,.sl-block-content:not([data-highlight-theme]) .hljs-name,.sl-block-content:not([data-highlight-theme]) .hljs-selector-id,.sl-block-content:not([data-highlight-theme]) .hljs-selector-class,.sl-block-content:not([data-highlight-theme]) .hljs-section,.sl-block-content:not([data-highlight-theme]) .hljs-type{color:#efef8f}[data-highlight-theme="zenburn"] .hljs-symbol,[data-highlight-theme="zenburn"] .hljs-bullet,[data-highlight-theme="zenburn"] .hljs-link,.sl-block-content:not([data-highlight-theme]) .hljs-symbol,.sl-block-content:not([data-highlight-theme]) .hljs-bullet,.sl-block-content:not([data-highlight-theme]) .hljs-link{color:#dca3a3}[data-highlight-theme="zenburn"] .hljs-deletion,[data-highlight-theme="zenburn"] .hljs-string,[data-highlight-theme="zenburn"] .hljs-built_in,[data-highlight-theme="zenburn"] .hljs-builtin-name,.sl-block-content:not([data-highlight-theme]) .hljs-deletion,.sl-block-content:not([data-highlight-theme]) .hljs-string,.sl-block-content:not([data-highlight-theme]) .hljs-built_in,.sl-block-content:not([data-highlight-theme]) .hljs-builtin-name{color:#cc9393}[data-highlight-theme="zenburn"] .hljs-addition,[data-highlight-theme="zenburn"] .hljs-comment,[data-highlight-theme="zenburn"] .hljs-quote,[data-highlight-theme="zenburn"] .hljs-meta,.sl-block-content:not([data-highlight-theme]) .hljs-addition,.sl-block-content:not([data-highlight-theme]) .hljs-comment,.sl-block-content:not([data-highlight-theme]) .hljs-quote,.sl-block-content:not([data-highlight-theme]) .hljs-meta{color:#7f9f7f}[data-highlight-theme="zenburn"] .hljs-emphasis,.sl-block-content:not([data-highlight-theme]) .hljs-emphasis{font-style:italic}[data-highlight-theme="zenburn"] .hljs-strong,.sl-block-content:not([data-highlight-theme]) .hljs-strong{font-weight:bold}[data-highlight-theme="ascetic"] .hljs{display:block;overflow-x:auto;background:white;color:black}[data-highlight-theme="ascetic"] .hljs-string,[data-highlight-theme="ascetic"] .hljs-variable,[data-highlight-theme="ascetic"] .hljs-template-variable,[data-highlight-theme="ascetic"] .hljs-symbol,[data-highlight-theme="ascetic"] .hljs-bullet,[data-highlight-theme="ascetic"] .hljs-section,[data-highlight-theme="ascetic"] .hljs-addition,[data-highlight-theme="ascetic"] .hljs-attribute,[data-highlight-theme="ascetic"] .hljs-link{color:#888}[data-highlight-theme="ascetic"] .hljs-comment,[data-highlight-theme="ascetic"] .hljs-quote,[data-highlight-theme="ascetic"] .hljs-meta,[data-highlight-theme="ascetic"] .hljs-deletion{color:#ccc}[data-highlight-theme="ascetic"] .hljs-keyword,[data-highlight-theme="ascetic"] .hljs-selector-tag,[data-highlight-theme="ascetic"] .hljs-section,[data-highlight-theme="ascetic"] .hljs-name,[data-highlight-theme="ascetic"] .hljs-type,[data-highlight-theme="ascetic"] .hljs-strong{font-weight:bold}[data-highlight-theme="ascetic"] .hljs-emphasis{font-style:italic}[data-highlight-theme="far"] .hljs{display:block;overflow-x:auto;background:#000080}[data-highlight-theme="far"] .hljs,[data-highlight-theme="far"] .hljs-subst{color:#0ff}[data-highlight-theme="far"] .hljs-string,[data-highlight-theme="far"] .hljs-attribute,[data-highlight-theme="far"] .hljs-symbol,[data-highlight-theme="far"] .hljs-bullet,[data-highlight-theme="far"] .hljs-built_in,[data-highlight-theme="far"] .hljs-builtin-name,[data-highlight-theme="far"] .hljs-template-tag,[data-highlight-theme="far"] .hljs-template-variable,[data-highlight-theme="far"] .hljs-addition{color:#ff0}[data-highlight-theme="far"] .hljs-keyword,[data-highlight-theme="far"] .hljs-selector-tag,[data-highlight-theme="far"] .hljs-section,[data-highlight-theme="far"] .hljs-type,[data-highlight-theme="far"] .hljs-name,[data-highlight-theme="far"] .hljs-selector-id,[data-highlight-theme="far"] .hljs-selector-class,[data-highlight-theme="far"] .hljs-variable{color:#fff}[data-highlight-theme="far"] .hljs-comment,[data-highlight-theme="far"] .hljs-quote,[data-highlight-theme="far"] .hljs-doctag,[data-highlight-theme="far"] .hljs-deletion{color:#888}[data-highlight-theme="far"] .hljs-number,[data-highlight-theme="far"] .hljs-regexp,[data-highlight-theme="far"] .hljs-literal,[data-highlight-theme="far"] .hljs-link{color:#0f0}[data-highlight-theme="far"] .hljs-meta{color:#008080}[data-highlight-theme="far"] .hljs-keyword,[data-highlight-theme="far"] .hljs-selector-tag,[data-highlight-theme="far"] .hljs-title,[data-highlight-theme="far"] .hljs-section,[data-highlight-theme="far"] .hljs-name,[data-highlight-theme="far"] .hljs-strong{font-weight:bold}[data-highlight-theme="far"] .hljs-emphasis{font-style:italic}[data-highlight-theme="github-gist"] .hljs{display:block;background:white;color:#333333;overflow-x:auto}[data-highlight-theme="github-gist"] .hljs-comment,[data-highlight-theme="github-gist"] .hljs-meta{color:#969896}[data-highlight-theme="github-gist"] .hljs-string,[data-highlight-theme="github-gist"] .hljs-variable,[data-highlight-theme="github-gist"] .hljs-template-variable,[data-highlight-theme="github-gist"] .hljs-strong,[data-highlight-theme="github-gist"] .hljs-emphasis,[data-highlight-theme="github-gist"] .hljs-quote{color:#df5000}[data-highlight-theme="github-gist"] .hljs-keyword,[data-highlight-theme="github-gist"] .hljs-selector-tag,[data-highlight-theme="github-gist"] .hljs-type{color:#a71d5d}[data-highlight-theme="github-gist"] .hljs-literal,[data-highlight-theme="github-gist"] .hljs-symbol,[data-highlight-theme="github-gist"] .hljs-bullet,[data-highlight-theme="github-gist"] .hljs-attribute{color:#0086b3}[data-highlight-theme="github-gist"] .hljs-section,[data-highlight-theme="github-gist"] .hljs-name{color:#63a35c}[data-highlight-theme="github-gist"] .hljs-tag{color:#333333}[data-highlight-theme="github-gist"] .hljs-title,[data-highlight-theme="github-gist"] .hljs-attr,[data-highlight-theme="github-gist"] .hljs-selector-id,[data-highlight-theme="github-gist"] .hljs-selector-class,[data-highlight-theme="github-gist"] .hljs-selector-attr,[data-highlight-theme="github-gist"] .hljs-selector-pseudo{color:#795da3}[data-highlight-theme="github-gist"] .hljs-addition{color:#55a532;background-color:#eaffea}[data-highlight-theme="github-gist"] .hljs-deletion{color:#bd2c00;background-color:#ffecec}[data-highlight-theme="github-gist"] .hljs-link{text-decoration:underline}[data-highlight-theme="ir-black"] .hljs{display:block;overflow-x:auto;background:#000;color:#f8f8f8}[data-highlight-theme="ir-black"] .hljs-comment,[data-highlight-theme="ir-black"] .hljs-quote,[data-highlight-theme="ir-black"] .hljs-meta{color:#7c7c7c}[data-highlight-theme="ir-black"] .hljs-keyword,[data-highlight-theme="ir-black"] .hljs-selector-tag,[data-highlight-theme="ir-black"] .hljs-tag,[data-highlight-theme="ir-black"] .hljs-name{color:#96cbfe}[data-highlight-theme="ir-black"] .hljs-attribute,[data-highlight-theme="ir-black"] .hljs-selector-id{color:#ffffb6}[data-highlight-theme="ir-black"] .hljs-string,[data-highlight-theme="ir-black"] .hljs-selector-attr,[data-highlight-theme="ir-black"] .hljs-selector-pseudo,[data-highlight-theme="ir-black"] .hljs-addition{color:#a8ff60}[data-highlight-theme="ir-black"] .hljs-subst{color:#daefa3}[data-highlight-theme="ir-black"] .hljs-regexp,[data-highlight-theme="ir-black"] .hljs-link{color:#e9c062}[data-highlight-theme="ir-black"] .hljs-title,[data-highlight-theme="ir-black"] .hljs-section,[data-highlight-theme="ir-black"] .hljs-type,[data-highlight-theme="ir-black"] .hljs-doctag{color:#ffffb6}[data-highlight-theme="ir-black"] .hljs-symbol,[data-highlight-theme="ir-black"] .hljs-bullet,[data-highlight-theme="ir-black"] .hljs-variable,[data-highlight-theme="ir-black"] .hljs-template-variable,[data-highlight-theme="ir-black"] .hljs-literal{color:#c6c5fe}[data-highlight-theme="ir-black"] .hljs-number,[data-highlight-theme="ir-black"] .hljs-deletion{color:#ff73fd}[data-highlight-theme="ir-black"] .hljs-emphasis{font-style:italic}[data-highlight-theme="ir-black"] .hljs-strong{font-weight:bold}[data-highlight-theme="monokai"] .hljs{display:block;overflow-x:auto;background:#272822;color:#ddd}[data-highlight-theme="monokai"] .hljs-tag,[data-highlight-theme="monokai"] .hljs-keyword,[data-highlight-theme="monokai"] .hljs-selector-tag,[data-highlight-theme="monokai"] .hljs-literal,[data-highlight-theme="monokai"] .hljs-strong,[data-highlight-theme="monokai"] .hljs-name{color:#f92672}[data-highlight-theme="monokai"] .hljs-code{color:#66d9ef}[data-highlight-theme="monokai"] .hljs-class .hljs-title{color:white}[data-highlight-theme="monokai"] .hljs-attribute,[data-highlight-theme="monokai"] .hljs-symbol,[data-highlight-theme="monokai"] .hljs-regexp,[data-highlight-theme="monokai"] .hljs-link{color:#bf79db}[data-highlight-theme="monokai"] .hljs-string,[data-highlight-theme="monokai"] .hljs-bullet,[data-highlight-theme="monokai"] .hljs-subst,[data-highlight-theme="monokai"] .hljs-title,[data-highlight-theme="monokai"] .hljs-section,[data-highlight-theme="monokai"] .hljs-emphasis,[data-highlight-theme="monokai"] .hljs-type,[data-highlight-theme="monokai"] .hljs-built_in,[data-highlight-theme="monokai"] .hljs-builtin-name,[data-highlight-theme="monokai"] .hljs-selector-attr,[data-highlight-theme="monokai"] .hljs-selector-pseudo,[data-highlight-theme="monokai"] .hljs-addition,[data-highlight-theme="monokai"] .hljs-variable,[data-highlight-theme="monokai"] .hljs-template-tag,[data-highlight-theme="monokai"] .hljs-template-variable{color:#a6e22e}[data-highlight-theme="monokai"] .hljs-comment,[data-highlight-theme="monokai"] .hljs-quote,[data-highlight-theme="monokai"] .hljs-deletion,[data-highlight-theme="monokai"] .hljs-meta{color:#75715e}[data-highlight-theme="monokai"] .hljs-keyword,[data-highlight-theme="monokai"] .hljs-selector-tag,[data-highlight-theme="monokai"] .hljs-literal,[data-highlight-theme="monokai"] .hljs-doctag,[data-highlight-theme="monokai"] .hljs-title,[data-highlight-theme="monokai"] .hljs-section,[data-highlight-theme="monokai"] .hljs-type,[data-highlight-theme="monokai"] .hljs-selector-id{font-weight:bold}[data-highlight-theme="obsidian"] .hljs{display:block;overflow-x:auto;background:#282b2e}[data-highlight-theme="obsidian"] .hljs-keyword,[data-highlight-theme="obsidian"] .hljs-selector-tag,[data-highlight-theme="obsidian"] .hljs-literal,[data-highlight-theme="obsidian"] .hljs-selector-id{color:#93c763}[data-highlight-theme="obsidian"] .hljs-number{color:#ffcd22}[data-highlight-theme="obsidian"] .hljs{color:#e0e2e4}[data-highlight-theme="obsidian"] .hljs-attribute{color:#668bb0}[data-highlight-theme="obsidian"] .hljs-code,[data-highlight-theme="obsidian"] .hljs-class .hljs-title,[data-highlight-theme="obsidian"] .hljs-section{color:white}[data-highlight-theme="obsidian"] .hljs-regexp,[data-highlight-theme="obsidian"] .hljs-link{color:#d39745}[data-highlight-theme="obsidian"] .hljs-meta{color:#557182}[data-highlight-theme="obsidian"] .hljs-tag,[data-highlight-theme="obsidian"] .hljs-name,[data-highlight-theme="obsidian"] .hljs-bullet,[data-highlight-theme="obsidian"] .hljs-subst,[data-highlight-theme="obsidian"] .hljs-emphasis,[data-highlight-theme="obsidian"] .hljs-type,[data-highlight-theme="obsidian"] .hljs-built_in,[data-highlight-theme="obsidian"] .hljs-selector-attr,[data-highlight-theme="obsidian"] .hljs-selector-pseudo,[data-highlight-theme="obsidian"] .hljs-addition,[data-highlight-theme="obsidian"] .hljs-variable,[data-highlight-theme="obsidian"] .hljs-template-tag,[data-highlight-theme="obsidian"] .hljs-template-variable{color:#8cbbad}[data-highlight-theme="obsidian"] .hljs-string,[data-highlight-theme="obsidian"] .hljs-symbol{color:#ec7600}[data-highlight-theme="obsidian"] .hljs-comment,[data-highlight-theme="obsidian"] .hljs-quote,[data-highlight-theme="obsidian"] .hljs-deletion{color:#818e96}[data-highlight-theme="obsidian"] .hljs-selector-class{color:#a082bd}[data-highlight-theme="obsidian"] .hljs-keyword,[data-highlight-theme="obsidian"] .hljs-selector-tag,[data-highlight-theme="obsidian"] .hljs-literal,[data-highlight-theme="obsidian"] .hljs-doctag,[data-highlight-theme="obsidian"] .hljs-title,[data-highlight-theme="obsidian"] .hljs-section,[data-highlight-theme="obsidian"] .hljs-type,[data-highlight-theme="obsidian"] .hljs-name,[data-highlight-theme="obsidian"] .hljs-strong{font-weight:bold}[data-highlight-theme="solarized-dark"] .hljs{display:block;overflow-x:auto;background:#002b36;color:#839496}[data-highlight-theme="solarized-dark"] .hljs-comment,[data-highlight-theme="solarized-dark"] .hljs-quote{color:#586e75}[data-highlight-theme="solarized-dark"] .hljs-keyword,[data-highlight-theme="solarized-dark"] .hljs-selector-tag,[data-highlight-theme="solarized-dark"] .hljs-addition{color:#859900}[data-highlight-theme="solarized-dark"] .hljs-number,[data-highlight-theme="solarized-dark"] .hljs-string,[data-highlight-theme="solarized-dark"] .hljs-meta .hljs-meta-string,[data-highlight-theme="solarized-dark"] .hljs-literal,[data-highlight-theme="solarized-dark"] .hljs-doctag,[data-highlight-theme="solarized-dark"] .hljs-regexp{color:#2aa198}[data-highlight-theme="solarized-dark"] .hljs-title,[data-highlight-theme="solarized-dark"] .hljs-section,[data-highlight-theme="solarized-dark"] .hljs-name,[data-highlight-theme="solarized-dark"] .hljs-selector-id,[data-highlight-theme="solarized-dark"] .hljs-selector-class{color:#268bd2}[data-highlight-theme="solarized-dark"] .hljs-attribute,[data-highlight-theme="solarized-dark"] .hljs-attr,[data-highlight-theme="solarized-dark"] .hljs-variable,[data-highlight-theme="solarized-dark"] .hljs-template-variable,[data-highlight-theme="solarized-dark"] .hljs-class .hljs-title,[data-highlight-theme="solarized-dark"] .hljs-type{color:#b58900}[data-highlight-theme="solarized-dark"] .hljs-symbol,[data-highlight-theme="solarized-dark"] .hljs-bullet,[data-highlight-theme="solarized-dark"] .hljs-subst,[data-highlight-theme="solarized-dark"] .hljs-meta,[data-highlight-theme="solarized-dark"] .hljs-meta .hljs-keyword,[data-highlight-theme="solarized-dark"] .hljs-selector-attr,[data-highlight-theme="solarized-dark"] .hljs-selector-pseudo,[data-highlight-theme="solarized-dark"] .hljs-link{color:#cb4b16}[data-highlight-theme="solarized-dark"] .hljs-built_in,[data-highlight-theme="solarized-dark"] .hljs-deletion{color:#dc322f}[data-highlight-theme="solarized-dark"] .hljs-formula{background:#073642}[data-highlight-theme="solarized-dark"] .hljs-emphasis{font-style:italic}[data-highlight-theme="solarized-dark"] .hljs-strong{font-weight:bold}[data-highlight-theme="solarized-light"] .hljs{display:block;overflow-x:auto;background:#fdf6e3;color:#657b83}[data-highlight-theme="solarized-light"] .hljs-comment,[data-highlight-theme="solarized-light"] .hljs-quote{color:#93a1a1}[data-highlight-theme="solarized-light"] .hljs-keyword,[data-highlight-theme="solarized-light"] .hljs-selector-tag,[data-highlight-theme="solarized-light"] .hljs-addition{color:#859900}[data-highlight-theme="solarized-light"] .hljs-number,[data-highlight-theme="solarized-light"] .hljs-string,[data-highlight-theme="solarized-light"] .hljs-meta .hljs-meta-string,[data-highlight-theme="solarized-light"] .hljs-literal,[data-highlight-theme="solarized-light"] .hljs-doctag,[data-highlight-theme="solarized-light"] .hljs-regexp{color:#2aa198}[data-highlight-theme="solarized-light"] .hljs-title,[data-highlight-theme="solarized-light"] .hljs-section,[data-highlight-theme="solarized-light"] .hljs-name,[data-highlight-theme="solarized-light"] .hljs-selector-id,[data-highlight-theme="solarized-light"] .hljs-selector-class{color:#268bd2}[data-highlight-theme="solarized-light"] .hljs-attribute,[data-highlight-theme="solarized-light"] .hljs-attr,[data-highlight-theme="solarized-light"] .hljs-variable,[data-highlight-theme="solarized-light"] .hljs-template-variable,[data-highlight-theme="solarized-light"] .hljs-class .hljs-title,[data-highlight-theme="solarized-light"] .hljs-type{color:#b58900}[data-highlight-theme="solarized-light"] .hljs-symbol,[data-highlight-theme="solarized-light"] .hljs-bullet,[data-highlight-theme="solarized-light"] .hljs-subst,[data-highlight-theme="solarized-light"] .hljs-meta,[data-highlight-theme="solarized-light"] .hljs-meta .hljs-keyword,[data-highlight-theme="solarized-light"] .hljs-selector-attr,[data-highlight-theme="solarized-light"] .hljs-selector-pseudo,[data-highlight-theme="solarized-light"] .hljs-link{color:#cb4b16}[data-highlight-theme="solarized-light"] .hljs-built_in,[data-highlight-theme="solarized-light"] .hljs-deletion{color:#dc322f}[data-highlight-theme="solarized-light"] .hljs-formula{background:#eee8d5}[data-highlight-theme="solarized-light"] .hljs-emphasis{font-style:italic}[data-highlight-theme="solarized-light"] .hljs-strong{font-weight:bold}[data-highlight-theme="tomorrow"] .hljs-comment,[data-highlight-theme="tomorrow"] .hljs-quote{color:#8e908c}[data-highlight-theme="tomorrow"] .hljs-variable,[data-highlight-theme="tomorrow"] .hljs-template-variable,[data-highlight-theme="tomorrow"] .hljs-tag,[data-highlight-theme="tomorrow"] .hljs-name,[data-highlight-theme="tomorrow"] .hljs-selector-id,[data-highlight-theme="tomorrow"] .hljs-selector-class,[data-highlight-theme="tomorrow"] .hljs-regexp,[data-highlight-theme="tomorrow"] .hljs-deletion{color:#c82829}[data-highlight-theme="tomorrow"] .hljs-number,[data-highlight-theme="tomorrow"] .hljs-built_in,[data-highlight-theme="tomorrow"] .hljs-builtin-name,[data-highlight-theme="tomorrow"] .hljs-literal,[data-highlight-theme="tomorrow"] .hljs-type,[data-highlight-theme="tomorrow"] .hljs-params,[data-highlight-theme="tomorrow"] .hljs-meta,[data-highlight-theme="tomorrow"] .hljs-link{color:#f5871f}[data-highlight-theme="tomorrow"] .hljs-attribute{color:#eab700}[data-highlight-theme="tomorrow"] .hljs-string,[data-highlight-theme="tomorrow"] .hljs-symbol,[data-highlight-theme="tomorrow"] .hljs-bullet,[data-highlight-theme="tomorrow"] .hljs-addition{color:#718c00}[data-highlight-theme="tomorrow"] .hljs-title,[data-highlight-theme="tomorrow"] .hljs-section{color:#4271ae}[data-highlight-theme="tomorrow"] .hljs-keyword,[data-highlight-theme="tomorrow"] .hljs-selector-tag{color:#8959a8}[data-highlight-theme="tomorrow"] .hljs{display:block;overflow-x:auto;background:white;color:#4d4d4c}[data-highlight-theme="tomorrow"] .hljs-emphasis{font-style:italic}[data-highlight-theme="tomorrow"] .hljs-strong{font-weight:bold}[data-highlight-theme="xcode"] .hljs{display:block;overflow-x:auto;background:#fff;color:black}[data-highlight-theme="xcode"] .hljs-comment,[data-highlight-theme="xcode"] .hljs-quote{color:#006a00}[data-highlight-theme="xcode"] .hljs-keyword,[data-highlight-theme="xcode"] .hljs-selector-tag,[data-highlight-theme="xcode"] .hljs-literal{color:#aa0d91}[data-highlight-theme="xcode"] .hljs-name{color:#008}[data-highlight-theme="xcode"] .hljs-variable,[data-highlight-theme="xcode"] .hljs-template-variable{color:#660}[data-highlight-theme="xcode"] .hljs-string{color:#c41a16}[data-highlight-theme="xcode"] .hljs-regexp,[data-highlight-theme="xcode"] .hljs-link{color:#080}[data-highlight-theme="xcode"] .hljs-title,[data-highlight-theme="xcode"] .hljs-tag,[data-highlight-theme="xcode"] .hljs-symbol,[data-highlight-theme="xcode"] .hljs-bullet,[data-highlight-theme="xcode"] .hljs-number,[data-highlight-theme="xcode"] .hljs-meta{color:#1c00cf}[data-highlight-theme="xcode"] .hljs-section,[data-highlight-theme="xcode"] .hljs-class .hljs-title,[data-highlight-theme="xcode"] .hljs-type,[data-highlight-theme="xcode"] .hljs-attr,[data-highlight-theme="xcode"] .hljs-built_in,[data-highlight-theme="xcode"] .hljs-builtin-name,[data-highlight-theme="xcode"] .hljs-params{color:#5c2699}[data-highlight-theme="xcode"] .hljs-attribute,[data-highlight-theme="xcode"] .hljs-subst{color:#000}[data-highlight-theme="xcode"] .hljs-formula{background-color:#eee;font-style:italic}[data-highlight-theme="xcode"] .hljs-addition{background-color:#baeeba}[data-highlight-theme="xcode"] .hljs-deletion{background-color:#ffc8bd}[data-highlight-theme="xcode"] .hljs-selector-id,[data-highlight-theme="xcode"] .hljs-selector-class{color:#9b703f}[data-highlight-theme="xcode"] .hljs-doctag,[data-highlight-theme="xcode"] .hljs-strong{font-weight:bold}[data-highlight-theme="xcode"] .hljs-emphasis{font-style:italic}/*!
+ * Main styles for Slides
+ *
+ * @author Hakim El Hattab
+ */*{-moz-box-sizing:border-box;box-sizing:border-box}html,body{padding:0;margin:0;color:#252525;font-family:"Open Sans", Helvetica, sans-serif;font-size:16px}html:before,body:before{content:'' !important}html{-webkit-font-smoothing:subpixel-antialiased !important}html.sl-root:not(.loaded) *{-webkit-transition:none !important;transition:none !important}body{overflow-y:scroll}body>*:not(.reveal){font-family:"Open Sans", Helvetica, sans-serif}html,#container{background-color:#eee}#container{position:relative;z-index:1}.icon{display:inline-block;line-height:1}.spinner{display:block;width:32px;height:32px;margin-top:16px;margin-left:16px}.spinner.centered{position:absolute;top:50%;left:50%;margin-top:-16px;margin-left:-16px}.spinner.centered-horizontally{margin-left:auto;margin-right:auto}.spinner-bitmap{display:block;width:32px;height:32px;background-image:url(data:image/png;base64,R0lGODlhIAAgAPMAAP///wAAAMbGxoSEhLa2tpqamjY2NlZWVtjY2OTk5Ly8vB4eHgQEBAAAAAAAAAAAACH/C05FVFNDQVBFMi4wAwEAAAAh/hpDcmVhdGVkIHdpdGggYWpheGxvYWQuaW5mbwAh+QQJCgAAACwAAAAAIAAgAAAE5xDISWlhperN52JLhSSdRgwVo1ICQZRUsiwHpTJT4iowNS8vyW2icCF6k8HMMBkCEDskxTBDAZwuAkkqIfxIQyhBQBFvAQSDITM5VDW6XNE4KagNh6Bgwe60smQUB3d4Rz1ZBApnFASDd0hihh12BkE9kjAJVlycXIg7CQIFA6SlnJ87paqbSKiKoqusnbMdmDC2tXQlkUhziYtyWTxIfy6BE8WJt5YJvpJivxNaGmLHT0VnOgSYf0dZXS7APdpB309RnHOG5gDqXGLDaC457D1zZ/V/nmOM82XiHRLYKhKP1oZmADdEAAAh+QQJCgAAACwAAAAAIAAgAAAE6hDISWlZpOrNp1lGNRSdRpDUolIGw5RUYhhHukqFu8DsrEyqnWThGvAmhVlteBvojpTDDBUEIFwMFBRAmBkSgOrBFZogCASwBDEY/CZSg7GSE0gSCjQBMVG023xWBhklAnoEdhQEfyNqMIcKjhRsjEdnezB+A4k8gTwJhFuiW4dokXiloUepBAp5qaKpp6+Ho7aWW54wl7obvEe0kRuoplCGepwSx2jJvqHEmGt6whJpGpfJCHmOoNHKaHx61WiSR92E4lbFoq+B6QDtuetcaBPnW6+O7wDHpIiK9SaVK5GgV543tzjgGcghAgAh+QQJCgAAACwAAAAAIAAgAAAE7hDISSkxpOrN5zFHNWRdhSiVoVLHspRUMoyUakyEe8PTPCATW9A14E0UvuAKMNAZKYUZCiBMuBakSQKG8G2FzUWox2AUtAQFcBKlVQoLgQReZhQlCIJesQXI5B0CBnUMOxMCenoCfTCEWBsJColTMANldx15BGs8B5wlCZ9Po6OJkwmRpnqkqnuSrayqfKmqpLajoiW5HJq7FL1Gr2mMMcKUMIiJgIemy7xZtJsTmsM4xHiKv5KMCXqfyUCJEonXPN2rAOIAmsfB3uPoAK++G+w48edZPK+M6hLJpQg484enXIdQFSS1u6UhksENEQAAIfkECQoAAAAsAAAAACAAIAAABOcQyEmpGKLqzWcZRVUQnZYg1aBSh2GUVEIQ2aQOE+G+cD4ntpWkZQj1JIiZIogDFFyHI0UxQwFugMSOFIPJftfVAEoZLBbcLEFhlQiqGp1Vd140AUklUN3eCA51C1EWMzMCezCBBmkxVIVHBWd3HHl9JQOIJSdSnJ0TDKChCwUJjoWMPaGqDKannasMo6WnM562R5YluZRwur0wpgqZE7NKUm+FNRPIhjBJxKZteWuIBMN4zRMIVIhffcgojwCF117i4nlLnY5ztRLsnOk+aV+oJY7V7m76PdkS4trKcdg0Zc0tTcKkRAAAIfkECQoAAAAsAAAAACAAIAAABO4QyEkpKqjqzScpRaVkXZWQEximw1BSCUEIlDohrft6cpKCk5xid5MNJTaAIkekKGQkWyKHkvhKsR7ARmitkAYDYRIbUQRQjWBwJRzChi9CRlBcY1UN4g0/VNB0AlcvcAYHRyZPdEQFYV8ccwR5HWxEJ02YmRMLnJ1xCYp0Y5idpQuhopmmC2KgojKasUQDk5BNAwwMOh2RtRq5uQuPZKGIJQIGwAwGf6I0JXMpC8C7kXWDBINFMxS4DKMAWVWAGYsAdNqW5uaRxkSKJOZKaU3tPOBZ4DuK2LATgJhkPJMgTwKCdFjyPHEnKxFCDhEAACH5BAkKAAAALAAAAAAgACAAAATzEMhJaVKp6s2nIkolIJ2WkBShpkVRWqqQrhLSEu9MZJKK9y1ZrqYK9WiClmvoUaF8gIQSNeF1Er4MNFn4SRSDARWroAIETg1iVwuHjYB1kYc1mwruwXKC9gmsJXliGxc+XiUCby9ydh1sOSdMkpMTBpaXBzsfhoc5l58Gm5yToAaZhaOUqjkDgCWNHAULCwOLaTmzswadEqggQwgHuQsHIoZCHQMMQgQGubVEcxOPFAcMDAYUA85eWARmfSRQCdcMe0zeP1AAygwLlJtPNAAL19DARdPzBOWSm1brJBi45soRAWQAAkrQIykShQ9wVhHCwCQCACH5BAkKAAAALAAAAAAgACAAAATrEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq+E71SRQeyqUToLA7VxF0JDyIQh/MVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiRMDjI0Fd30/iI2UA5GSS5UDj2l6NoqgOgN4gksEBgYFf0FDqKgHnyZ9OX8HrgYHdHpcHQULXAS2qKpENRg7eAMLC7kTBaixUYFkKAzWAAnLC7FLVxLWDBLKCwaKTULgEwbLA4hJtOkSBNqITT3xEgfLpBtzE/jiuL04RGEBgwWhShRgQExHBAAh+QQJCgAAACwAAAAAIAAgAAAE7xDISWlSqerNpyJKhWRdlSAVoVLCWk6JKlAqAavhO9UkUHsqlE6CwO1cRdCQ8iEIfzFVTzLdRAmZX3I2SfZiCqGk5dTESJeaOAlClzsJsqwiJwiqnFrb2nS9kmIcgEsjQydLiIlHehhpejaIjzh9eomSjZR+ipslWIRLAgMDOR2DOqKogTB9pCUJBagDBXR6XB0EBkIIsaRsGGMMAxoDBgYHTKJiUYEGDAzHC9EACcUGkIgFzgwZ0QsSBcXHiQvOwgDdEwfFs0sDzt4S6BK4xYjkDOzn0unFeBzOBijIm1Dgmg5YFQwsCMjp1oJ8LyIAACH5BAkKAAAALAAAAAAgACAAAATwEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq+E71SRQeyqUToLA7VxF0JDyIQh/MVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiUd6GGl6NoiPOH16iZKNlH6KmyWFOggHhEEvAwwMA0N9GBsEC6amhnVcEwavDAazGwIDaH1ipaYLBUTCGgQDA8NdHz0FpqgTBwsLqAbWAAnIA4FWKdMLGdYGEgraigbT0OITBcg5QwPT4xLrROZL6AuQAPUS7bxLpoWidY0JtxLHKhwwMJBTHgPKdEQAACH5BAkKAAAALAAAAAAgACAAAATrEMhJaVKp6s2nIkqFZF2VIBWhUsJaTokqUCoBq+E71SRQeyqUToLA7VxF0JDyIQh/MVVPMt1ECZlfcjZJ9mIKoaTl1MRIl5o4CUKXOwmyrCInCKqcWtvadL2SYhyASyNDJ0uIiUd6GAULDJCRiXo1CpGXDJOUjY+Yip9DhToJA4RBLwMLCwVDfRgbBAaqqoZ1XBMHswsHtxtFaH1iqaoGNgAIxRpbFAgfPQSqpbgGBqUD1wBXeCYp1AYZ19JJOYgH1KwA4UBvQwXUBxPqVD9L3sbp2BNk2xvvFPJd+MFCN6HAAIKgNggY0KtEBAAh+QQJCgAAACwAAAAAIAAgAAAE6BDISWlSqerNpyJKhWRdlSAVoVLCWk6JKlAqAavhO9UkUHsqlE6CwO1cRdCQ8iEIfzFVTzLdRAmZX3I2SfYIDMaAFdTESJeaEDAIMxYFqrOUaNW4E4ObYcCXaiBVEgULe0NJaxxtYksjh2NLkZISgDgJhHthkpU4mW6blRiYmZOlh4JWkDqILwUGBnE6TYEbCgevr0N1gH4At7gHiRpFaLNrrq8HNgAJA70AWxQIH1+vsYMDAzZQPC9VCNkDWUhGkuE5PxJNwiUK4UfLzOlD4WvzAHaoG9nxPi5d+jYUqfAhhykOFwJWiAAAIfkECQoAAAAsAAAAACAAIAAABPAQyElpUqnqzaciSoVkXVUMFaFSwlpOCcMYlErAavhOMnNLNo8KsZsMZItJEIDIFSkLGQoQTNhIsFehRww2CQLKF0tYGKYSg+ygsZIuNqJksKgbfgIGepNo2cIUB3V1B3IvNiBYNQaDSTtfhhx0CwVPI0UJe0+bm4g5VgcGoqOcnjmjqDSdnhgEoamcsZuXO1aWQy8KAwOAuTYYGwi7w5h+Kr0SJ8MFihpNbx+4Erq7BYBuzsdiH1jCAzoSfl0rVirNbRXlBBlLX+BP0XJLAPGzTkAuAOqb0WT5AH7OcdCm5B8TgRwSRKIHQtaLCwg1RAAAOwAAAAAAAAAAAA==);background-repeat:no-repeat}.clear{clear:both}.vcenter:before{content:'';display:inline-block;height:100%;vertical-align:middle}.vcenter-target{display:inline-block;vertical-align:middle}.no-transition,.no-transition *{-webkit-transition:none !important;transition:none !important}.grow-in-on-load{opacity:0;-webkit-transform:scale(0.96);-ms-transform:scale(0.96);transform:scale(0.96);-webkit-transition:all 0.3s ease;transition:all 0.3s ease}html.loaded .grow-in-on-load{opacity:1;-webkit-transform:none;-ms-transform:none;transform:none}h1,h2,h3,h4,h5,h6{font-family:"Open Sans", Helvetica, sans-serif;line-height:1.3em;font-weight:normal}h1,h2,h3,h4,h5,h6,ul,li{margin:0;padding:0}h1{font-size:35.2px}h2{font-size:27.2px}h3{font-size:20.8px}h4{font-size:16px;font-weight:600}h5{font-size:16px;font-weight:600}h6{font-size:16px;font-weight:600}p{margin:1em 0}a{color:#255c7c;text-decoration:none;outline:0;-webkit-transition:color 0.1s ease;transition:color 0.1s ease}a:hover{color:#4195c6}a:focus{outline:1px solid #1baee1}p a{border-bottom:1px solid #8fc1de}b{font-weight:600}small{font-size:0.8em}button{border:0;background:transparent;cursor:pointer}.text-semi-bold{font-weight:600}.main{line-height:1.5}.reveal-viewport{width:100%;height:100%}.container .column{width:100%;max-width:1140px;margin:0 auto;padding:0 20px}@media screen and (max-width: 380px){.container .column{padding:0 10px}}.container .column>section,.container .column>div>section{position:relative;width:100%;margin:40px auto;padding:40px;background:white;border-radius:2px}.container .column>section h2,.container .column>div>section h2{margin-bottom:20px}.container .column>section .header-with-description h2,.container .column>div>section .header-with-description h2{margin-bottom:10px}.container .column>section .header-with-description p,.container .column>div>section .header-with-description p{margin-top:0;margin-bottom:20px;color:#999;font-size:0.9em}.container .column>section.critical-error,.container .column>div>section.critical-error{border-color:#f00;background:#eb5555;color:#fff}@media screen and (max-width: 380px){.container .column>section,.container .column>div>section{padding:20px}.container .column>section:first-child,.container .column>div>section:first-child{margin-top:10px}}.container .column .page-navigation+section{margin-top:20px}.container .column .page-navigation{display:block;max-width:900px;margin:40px auto 20px auto;text-align:right}.container .column .page-navigation .title{float:left;margin-top:5px;font-weight:bold;color:#bbb}.container .column .page-navigation ul{list-style:none}.container .column .page-navigation ul li{display:inline-block;position:relative;margin-left:5px;margin-bottom:7px}.container .column .page-navigation ul li .button{padding-top:8px;padding-bottom:8px;font-size:0.9em;color:#777;border-color:#aaa}.container .column .page-navigation ul li .button:hover{color:#222;border-color:#444}.container .column .page-navigation ul li .button.selected{color:#222;border-color:#444;opacity:1}.container .column .page-navigation ul li .button.selected:before{content:'';position:absolute;height:0px;width:0px;left:50%;right:initial;top:100%;bottom:initial;border-style:solid;border-width:4px;border-color:transparent;-webkit-transform:rotate(360deg);margin-left:-4px;border-bottom-width:0;border-top-color:#444444}.flash-notification{position:absolute;width:100%;top:0;left:0;text-align:center;z-index:100;display:none}.flash-notification p{display:inline-block;margin:13px;padding:10px 20px;background:#111;color:white;border:1px solid #333;border-radius:4px}.page-loader{position:fixed;width:100%;height:100%;left:0;top:0;z-index:2000;background:#111;color:#fff;opacity:1;visibility:hidden;opacity:0;-webkit-transition:all 0.5s ease;transition:all 0.5s ease}.page-loader .page-loader-inner{position:absolute;display:block;top:40%;width:100%;text-align:center}.page-loader .page-loader-inner .page-loader-spinner{display:block;position:relative;width:50px;height:50px;margin:0 auto 20px auto;-webkit-animation:spin-rectangle-to-circle 2.5s cubic-bezier(0.75, 0, 0.5, 1) infinite normal;animation:spin-rectangle-to-circle 2.5s cubic-bezier(0.75, 0, 0.5, 1) infinite normal;background-color:#E4637C;border-radius:1px}.page-loader .page-loader-inner .page-loader-message{display:block;margin:0;vertical-align:top;line-height:32px;font-size:14px;color:#bbb;font-family:Helvetica, sans-serif}.page-loader.visible{visibility:visible;opacity:1}.page-loader.frozen .page-loader-spinner{-webkit-animation:none;animation:none}.pro-badge{display:inline-block;position:relative;padding:3px 6px 2px 6px;font-size:12px;font-weight:normal;line-height:14px;letter-spacing:1px;border-radius:2px;border:1px solid #2d739c;background:#3990c3;color:#fff;vertical-align:middle}.pro-badge:after{display:inline-block;position:relative;top:-1px;margin-left:2px;color:#fff;content:"\e094";font-family:'slides';font-weight:normal;-webkit-font-smoothing:antialiased}.pro-badge:hover{color:#fff;border-color:#3381af;background:#5fa6d0}.touch .user-view li .controls{opacity:1 !important}.touch .deck-view .options{opacity:1}.sl-info{display:inline-block;font-size:0.8em;width:1.3em;height:1.3em;line-height:1.3em;border-radius:1.3em;color:#fff;background-color:rgba(0,0,0,0.3);text-align:center;vertical-align:middle}.sl-info:hover{background-color:rgba(0,0,0,0.5)}.sl-info-inline{margin-top:-0.2em}.sl-info:after{font-family:serif;content:'i'}.sl-info-help:after{font-family:Helvetica, sans-serif;content:'?'}.funnel-intro{margin-bottom:1.5em}.funnel-intro h2,.funnel-intro h3{margin-top:0 !important;margin-bottom:0.1em;text-align:center}.funnel-intro h2{font-size:2em;font-weight:600;color:#888}.funnel-intro h3{font-size:1.5em;color:#aaa}@media screen and (max-width: 600px){.funnel-intro{margin-top:20px}}.sl-coupon{margin:auto;text-align:center}.sl-coupon .sl-coupon-inner{display:inline-block;padding:12px 20px;margin:0;border-radius:4px;text-align:left;background-color:#fff;border-left:4px solid #1baee1}.sl-coupon .sl-coupon-redeem-by{color:#aaa;margin-top:4px}.sl-coupon p{margin:0}html.decks.offline .reveal{-webkit-transition:opacity 0.3s ease;transition:opacity 0.3s ease;opacity:0}html.decks.offline.fonts-are-ready .reveal{opacity:1}.reveal .sl-block{display:block;position:absolute;z-index:auto}.reveal .sl-block .sl-block-style{display:block;position:relative;width:100%;height:100%;max-width:none;max-height:none;margin:0;outline:0;will-change:opacity}.reveal .sl-block .sl-block-content{display:block;position:relative;width:100%;height:100%;max-width:none;max-height:none;margin:0;outline:0;word-wrap:break-word}.reveal .sl-block .sl-block-content .sl-block-content-preview{position:absolute;width:100%;height:100%;left:0;top:0}.reveal .sl-block .sl-block-content>:first-child{margin-top:0}.reveal .sl-block .sl-block-content>:last-child{margin-bottom:0}.reveal .sl-block .sl-block-content[data-has-letter-spacing] *{letter-spacing:inherit}.reveal .sl-block .sl-block-content[data-has-line-height] *{line-height:inherit}.reveal .sl-block-content[data-animation-type="fade-in"]{opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="fade-in"]{opacity:1}.reveal .sl-block-content[data-animation-type="fade-out"]{opacity:1}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="fade-out"]{opacity:0}.reveal .sl-block-content[data-animation-type="slide-up"]{-webkit-transform:translateY(30px);-ms-transform:translateY(30px);transform:translateY(30px);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="slide-up"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal .sl-block-content[data-animation-type="slide-down"]{-webkit-transform:translateY(-30px);-ms-transform:translateY(-30px);transform:translateY(-30px);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="slide-down"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal .sl-block-content[data-animation-type="slide-left"]{-webkit-transform:translateX(30px);-ms-transform:translateX(30px);transform:translateX(30px);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="slide-left"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal .sl-block-content[data-animation-type="slide-right"]{-webkit-transform:translateX(-30px);-ms-transform:translateX(-30px);transform:translateX(-30px);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="slide-right"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal .sl-block-content[data-animation-type="scale-up"]{-webkit-transform:scale(0.6);-ms-transform:scale(0.6);transform:scale(0.6);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="scale-up"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal .sl-block-content[data-animation-type="scale-down"]{-webkit-transform:scale(1.4);-ms-transform:scale(1.4);transform:scale(1.4);opacity:0}.reveal.ready section.present>.sl-block .sl-block-content[data-animation-type="scale-down"]{-webkit-transform:none;-ms-transform:none;transform:none;opacity:1}.reveal section .sl-block-content[data-animation-type]{-webkit-transition-property:-webkit-transform, opacity;transition-property:transform, opacity}.reveal section.past>.sl-block .sl-block-content[data-animation-type],.reveal section.future>.sl-block .sl-block-content[data-animation-type]{-webkit-transition-delay:0s !important;transition-delay:0s !important}html.decks.edit.is-editing .reveal .sl-block{cursor:pointer;-webkit-tap-highlight-color:rgba(0,0,0,0);-webkit-transition:none;transition:none}html.decks.edit.is-editing .reveal .sl-block .sl-block-content{cursor:pointer}html.decks.edit.is-editing .reveal .sl-block .sl-block-content:before{position:absolute;width:100%;height:100%;left:0;top:0;content:'';z-index:1;opacity:0;background-color:rgba(0,0,0,0)}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay{position:absolute;width:100%;height:100%;left:0;top:0}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-message,html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-warning{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;padding:10px;font-size:14px;font-family:"Open Sans", Helvetica, sans-serif;text-align:center;background-color:#222;color:#fff;opacity:0.9;overflow:hidden}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-message .overlay-content,html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-warning .overlay-content{margin:auto}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-message.below-content,html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-warning.below-content{z-index:0 !important}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-warning{color:#ffa660}html.decks.edit.is-editing .reveal .sl-block .sl-block-overlay-warning .icon{display:block;margin:0 auto 10px auto;width:2em;height:2em;line-height:2em;border-radius:1em;text-align:center;font-size:12px;color:#fff;background-color:#e06200}html.decks.edit.is-editing .reveal .sl-block .sl-block-placeholder{background-image:url(//assets.slid.es/assets/editor/block-placeholder-white-transparent-500x500-7823f1840b07555f52c57c14e21dd605.png);background-size:contain;background-color:#222;background-repeat:no-repeat;background-position:50% 50%;opacity:0.9}html.decks.edit.is-editing .reveal .sl-block.is-editing,html.decks.edit.is-editing .reveal .sl-block.is-editing .sl-block-content{cursor:auto}html.decks.edit.is-editing .reveal .sl-block.is-editing .sl-block-content{outline:1px solid rgba(27,174,225,0.4)}html.decks.edit.is-editing .reveal .sl-block.is-editing .sl-block-content:before{display:none}html.decks.edit.is-editing .reveal .sl-block.intro-start{opacity:0;z-index:255;-webkit-transform:scale(1.1);-ms-transform:scale(1.1);transform:scale(1.1)}html.decks.edit.is-editing .reveal .sl-block.intro-end{z-index:255;-webkit-transition:all 0.3s cubic-bezier(0.175, 0.885, 0.32, 1.275),opacity 0.2s ease;transition:all 0.3s cubic-bezier(0.175, 0.885, 0.32, 1.275),opacity 0.2s ease}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform{position:absolute;width:100%;height:100%;left:0;top:0;visibility:hidden;z-index:255;pointer-events:none;border:1px solid #1baee1;font-size:12px}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor{position:absolute;width:1em;height:1em;border-radius:50%;background:#fff;border:1px solid #1baee1;cursor:pointer;pointer-events:all;visibility:hidden}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=n]{left:50%;bottom:100%;margin-left:-0.5em;margin-bottom:-0.4em;cursor:row-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=e]{left:100%;top:50%;margin-top:-0.5em;margin-left:-0.4em;cursor:col-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=s]{left:50%;top:100%;margin-left:-0.5em;margin-top:-0.4em;cursor:row-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=w]{right:100%;top:50%;margin-top:-0.5em;margin-right:-0.4em;cursor:col-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=nw]{right:100%;bottom:100%;margin-right:-0.4em;margin-bottom:-0.4em;cursor:nw-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=ne]{left:100%;bottom:100%;margin-left:-0.4em;margin-bottom:-0.4em;cursor:ne-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=se]{left:100%;top:100%;margin-left:-0.4em;margin-top:-0.4em;cursor:se-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=sw]{right:100%;top:100%;margin-right:-0.4em;margin-top:-0.4em;cursor:sw-resize}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=p1],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform .anchor[data-direction=p2]{width:1.6em;height:1.6em;left:0;top:0;margin-left:-0.8em;margin-top:-0.8em;background-color:rgba(255,255,255,0.7);border-width:2px;cursor:move}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=e],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=w],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=nw],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=ne],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=se],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-horizontal="false"] .anchor[data-direction=sw]{display:none}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=n],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=s],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=nw],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=ne],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=se],html.decks.edit.is-editing .reveal .sl-block .sl-block-transform[data-vertical="false"] .anchor[data-direction=sw]{display:none}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform.visible{visibility:visible}html.decks.edit.is-editing .reveal .sl-block .sl-block-transform.visible .anchor{visibility:visible}html.decks.edit.is-editing .reveal .sl-block.is-editing .sl-block-transform{visibility:hidden}html.decks.edit.is-editing.touch-editor .reveal .sl-block .sl-block-transform{font-size:20px}html.decks.edit.is-editing.touch-editor .reveal .sl-block .sl-block-transform .anchor:before{content:'';position:absolute;left:-0.5em;top:-0.5em;width:2em;height:2em}html.decks.edit.is-editing.touch-editor-small .reveal .sl-block .sl-block-transform{font-size:30px}html.decks.edit.is-editing .reveal .sl-block[data-block-type="text"].is-focused.is-text-overflowing .sl-block-content{max-height:700px;overflow:auto}.reveal .sl-block[data-block-type="image"] .sl-block-placeholder{background-image:url(//assets.slid.es/assets/editor/image-placeholder-white-transparent-500x500-fbb1e941d141a5bfabfcb4d560f04198.png) !important}.reveal .sl-block[data-block-type="image"] .image-progress{background-color:rgba(0,0,0,0.7);font-size:14px;color:#fff;text-align:center}.reveal .sl-block[data-block-type="image"] .sl-block-content{overflow:hidden}.reveal .sl-block[data-block-type="image"] .sl-block-content img{width:100%;height:100%;margin:0;padding:0;border:0;vertical-align:top}.reveal .sl-block[data-block-type="image"] .sl-block-content svg{position:absolute;width:100%;height:100%;top:0;left:0}.reveal .sl-block[data-block-type="image"] a.sl-block-content{color:inherit}.reveal .sl-block[data-block-type="iframe"] .sl-block-content{overflow:hidden;-webkit-overflow-scrolling:touch}.reveal .sl-block[data-block-type="iframe"] .sl-block-content iframe{width:100%;height:100%}.reveal .sl-block[data-block-type="shape"] .sl-block-content{line-height:0}.reveal .sl-block[data-block-type="shape"] .sl-block-content svg{vertical-align:top}.reveal .sl-block[data-block-type="code"] .sl-block-placeholder{background-image:url(//assets.slid.es/assets/editor/code-placeholder-white-transparent-500x500-5650daa954cfd516de8fee1bfecff32b.png) !important}.reveal .sl-block[data-block-type="code"] .sl-block-content pre,.reveal .sl-block[data-block-type="code"] .sl-block-content code{width:100%;height:100%;margin:0}.reveal .sl-block[data-block-type="code"] .sl-block-content pre{font-size:0.55em;padding:0}.reveal .sl-block[data-block-type="code"] .sl-block-content code{white-space:pre;word-wrap:normal}.reveal .sl-block[data-block-type="math"]{font-size:50px}.reveal .sl-block[data-block-type="math"] .sl-block-content{font-style:normal;font-family:KaTeX_Main;line-height:1.4}.reveal .sl-block[data-block-type="math"] .sl-block-placeholder{background-image:url(//assets.slid.es/assets/editor/math-placeholder-white-transparent-500x500-153b8878a96cd2ca45b9a620b3b721be.png) !important}.reveal .sl-block[data-block-type="math"] .math-input{display:none}.reveal .sl-block[data-block-type="math"] .math-output+.math-output{display:none}.reveal .sl-block[data-block-type="math"].is-empty .sl-block-content{width:300px;height:200px}.reveal .sl-block[data-block-type="table"] .sl-block-content{text-align:left}.reveal .sl-block[data-block-type="table"] .sl-table-column-resizer{display:block;position:absolute;height:100%;width:9px;top:0;margin-left:-4px;z-index:256;cursor:col-resize;opacity:0;background-color:rgba(27,174,225,0.5);-webkit-transition:opacity 0.15s ease;transition:opacity 0.15s ease}.reveal .sl-block[data-block-type="table"] .sl-table-column-resizer:hover,.reveal .sl-block[data-block-type="table"] .sl-table-column-resizer.is-dragging{opacity:1}.reveal .sl-block[data-block-type="table"] table{width:100%;empty-cells:show;table-layout:fixed}.reveal .sl-block[data-block-type="table"] table td,.reveal .sl-block[data-block-type="table"] table th{padding:5px;min-width:40px;border:1px solid currentColor;vertical-align:top;text-align:inherit;outline:0;word-break:break-word}.reveal .sl-block[data-block-type="table"] table td:empty:after,.reveal .sl-block[data-block-type="table"] table th:empty:after,.reveal .sl-block[data-block-type="table"] table td>[contenteditable]:empty:after,.reveal .sl-block[data-block-type="table"] table th>[contenteditable]:empty:after{content:'-';visibility:hidden}.reveal .sl-block[data-block-type="table"] table td.context-menu-is-open,.reveal .sl-block[data-block-type="table"] table th.context-menu-is-open{background-color:rgba(27,174,225,0.2)}.reveal .sl-block[data-block-type="table"] table td>[contenteditable],.reveal .sl-block[data-block-type="table"] table th>[contenteditable]{width:100%;height:100%;outline:0}.reveal .sl-block[data-block-type="line"] svg{display:block;vertical-align:top;overflow:visible}html.decks.edit.is-editing .reveal .sl-block[data-block-type="line"]{pointer-events:none}html.decks.edit.is-editing .reveal .sl-block[data-block-type="line"] svg *{pointer-events:auto;pointer-events:all}html.decks.edit.is-editing .reveal .sl-block[data-block-type="line"] .sl-block-transform{border-color:transparent}/*!
+ * reveal.js
+ * http://lab.hakim.se/reveal-js
+ * MIT licensed
+ *
+ * Copyright (C) 2016 Hakim El Hattab, http://hakim.se
+ */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,.reveal 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}html,body{width:100%;height:100%;overflow:hidden}body{position:relative;line-height:1;background-color:#fff;color:#000}.reveal .slides section .fragment{opacity:0;visibility:hidden;-webkit-transition:all .2s ease;transition:all .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.fade-up{-webkit-transform:translate(0, 20%);-ms-transform:translate(0, 20%);transform:translate(0, 20%)}.reveal .slides section .fragment.fade-up.visible{-webkit-transform:translate(0, 0);-ms-transform:translate(0, 0);transform:translate(0, 0)}.reveal .slides section .fragment.fade-down{-webkit-transform:translate(0, -20%);-ms-transform:translate(0, -20%);transform:translate(0, -20%)}.reveal .slides section .fragment.fade-down.visible{-webkit-transform:translate(0, 0);-ms-transform:translate(0, 0);transform:translate(0, 0)}.reveal .slides section .fragment.fade-right{-webkit-transform:translate(-20%, 0);-ms-transform:translate(-20%, 0);transform:translate(-20%, 0)}.reveal .slides section .fragment.fade-right.visible{-webkit-transform:translate(0, 0);-ms-transform:translate(0, 0);transform:translate(0, 0)}.reveal .slides section .fragment.fade-left{-webkit-transform:translate(20%, 0);-ms-transform:translate(20%, 0);transform:translate(20%, 0)}.reveal .slides section .fragment.fade-left.visible{-webkit-transform:translate(0, 0);-ms-transform:translate(0, 0);transform:translate(0, 0)}.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}.reveal:after{content:'';font-style:italic}.reveal iframe{z-index:1}.reveal a{position:relative}.reveal .stretch{max-width:none;max-height:none}.reveal pre.stretch code{height:100%;max-height:100%;-moz-box-sizing:border-box;box-sizing:border-box}.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: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}.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)}.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}.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:flat;transform-style:flat;-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)}.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}.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}.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}.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%)}.reveal .slides section[data-transition=default].stack,.reveal.default .slides section.stack{-webkit-transform-style:preserve-3d;transform-style:preserve-3d}.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].stack,.reveal.convex .slides section.stack{-webkit-transform-style:preserve-3d;transform-style:preserve-3d}.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)}.reveal .slides section[data-transition=concave].stack,.reveal.concave .slides section.stack{-webkit-transform-style:preserve-3d;transform-style:preserve-3d}.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)}.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%)}.reveal.cube .slides{-webkit-perspective:1300px;perspective:1300px}.reveal.cube .slides section{padding:30px;min-height:700px;-webkit-backface-visibility:hidden;backface-visibility:hidden;-moz-box-sizing:border-box;box-sizing:border-box;-webkit-transform-style:preserve-3d;transform-style:preserve-3d}.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)}.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;-moz-box-sizing:border-box;box-sizing:border-box;-webkit-transform-style:preserve-3d;transform-style:preserve-3d}.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)}.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}.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}.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}.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}.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:rgba(0,0,0,0);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}.reveal .slide-background video{position:absolute;width:100%;height:100%;max-width:none;max-height:none;top:0;left:0}.reveal[data-background-transition=none]>.backgrounds .slide-background,.reveal>.backgrounds .slide-background[data-background-transition=none]{-webkit-transition:none;transition:none}.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%)}.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)}.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)}.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)}.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}.reveal.overview{-webkit-perspective-origin:50% 50%;perspective-origin:50% 50%;-webkit-perspective:700px;perspective:700px}.reveal.overview .slides{-moz-transform-style:preserve-3d}.reveal.overview .slides section{height:100%;top:0 !important;opacity:1 !important;overflow:hidden;visibility:visible !important;cursor:pointer;-moz-box-sizing:border-box;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;-moz-transform-style:preserve-3d}.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}.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}.reveal.has-parallax-background .backgrounds{-webkit-transition:all 0.8s ease;transition:all 0.8s ease}.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}.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;-moz-box-sizing:border-box;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;display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;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:auto;padding:20px 20px 80px 20px;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:16px}.reveal .overlay.overlay-help .viewport .viewport-inner table th,.reveal .overlay.overlay-help .viewport .viewport-inner table td{width:200px;padding:14px;border:1px solid #fff;vertical-align:middle}.reveal .overlay.overlay-help .viewport .viewport-inner table th{padding-top:20px;padding-bottom:20px}.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}.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)}.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;-moz-box-sizing:border-box;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%}}.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}.reveal .slides>section,.reveal .slides>section>section{height:700px;font-weight:inherit;padding:0}.reveal h1{font-size:2.50em;margin-bottom:0.15em}.reveal h2{font-size:1.90em;margin-bottom:0.20em}.reveal h3{font-size:1.30em;margin-bottom:0.25em}.reveal h4{font-size:1.00em;margin-bottom:0.25em}.reveal h5{font-size:1.00em;margin-bottom:0.25em}.reveal h6{font-size:1.00em;margin-bottom:0.25em}.reveal p{margin-bottom:0.25em}.reveal a{text-decoration:none}.reveal b,.reveal strong{font-weight:bold}.reveal em{font-style:italic}.reveal sup{vertical-align:super}.reveal sub{vertical-align:sub}.reveal small{font-size:0.6em}.reveal ol,.reveal dl,.reveal ul{display:inline-block;margin:0.25em 0 0.25em 1.5em;text-align:left}.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:1.5em}.reveal dt{font-weight:bold}.reveal dd{margin-left:1.5em}.reveal q{quotes:none;font-style:italic}.reveal blockquote{display:block;margin:0.25em auto;font-style:italic}.reveal blockquote:before{content:"\201C";display:inline-block;padding:0 0.15em;font-size:2em;line-height:1em;height:1px;vertical-align:top}.reveal blockquote>:first-child{margin-top:0;display:inline}.reveal blockquote>:last-child{margin-bottom:0}.reveal pre{display:block;position:relative;margin:0.25em auto;text-align:left;font-family:monospace;line-height:1.2;word-wrap:break-word}.reveal code{font-family:monospace}.reveal pre code{display:block;padding:5px;overflow:auto;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 tr:last-child td{border-bottom:none}.reveal .speaker-notes{white-space:pre-wrap}.reveal.overview .slides .fragment,.reveal.overview .slides [data-animation-type]{-webkit-transition:none !important;transition:none !important;-webkit-transform:none !important;-ms-transform:none !important;transform:none !important;opacity:1 !important;visibility:visible !important}.theme-color-asphalt-orange{background-color:#2c3e50;background-image:-webkit-radial-gradient(center, circle farthest-corner, #415b77 0%, #2c3e50 100%);background-image:radial-gradient(circle farthest-corner at center, #415b77 0%, #2c3e50 100%)}.theme-color-asphalt-orange body{background:transparent}.theme-color-asphalt-orange .theme-body-color-block{background:white}.theme-color-asphalt-orange .theme-link-color-block{background:#ffc200}.theme-color-asphalt-orange .themed,.theme-color-asphalt-orange .reveal{color:white}.theme-color-asphalt-orange .themed a,.theme-color-asphalt-orange .reveal a{color:#ffc200}.theme-color-asphalt-orange .themed a:hover,.theme-color-asphalt-orange .reveal a:hover{color:#ffda66}.theme-color-asphalt-orange .reveal .controls .navigate-left,.theme-color-asphalt-orange .reveal .controls .navigate-left.enabled{border-right-color:#ffc200}.theme-color-asphalt-orange .reveal .controls .navigate-right,.theme-color-asphalt-orange .reveal .controls .navigate-right.enabled{border-left-color:#ffc200}.theme-color-asphalt-orange .reveal .controls .navigate-up,.theme-color-asphalt-orange .reveal .controls .navigate-up.enabled{border-bottom-color:#ffc200}.theme-color-asphalt-orange .reveal .controls .navigate-down,.theme-color-asphalt-orange .reveal .controls .navigate-down.enabled{border-top-color:#ffc200}.theme-color-asphalt-orange .reveal .controls .navigate-left.enabled:hover{border-right-color:#ffda66}.theme-color-asphalt-orange .reveal .controls .navigate-right.enabled:hover{border-left-color:#ffda66}.theme-color-asphalt-orange .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#ffda66}.theme-color-asphalt-orange .reveal .controls .navigate-down.enabled:hover{border-top-color:#ffda66}.theme-color-asphalt-orange .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-asphalt-orange .reveal .progress span{background:#ffc200;-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)}.theme-color-asphalt-orange .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-beige-brown{background-color:#f7f3de;background-image:-webkit-radial-gradient(center, circle farthest-corner, #fff 0%, #f7f2d3 100%);background-image:radial-gradient(circle farthest-corner at center, #fff 0%, #f7f2d3 100%)}.theme-color-beige-brown body{background:transparent}.theme-color-beige-brown .theme-body-color-block{background:#333333}.theme-color-beige-brown .theme-link-color-block{background:#8b743d}.theme-color-beige-brown .themed,.theme-color-beige-brown .reveal{color:#333333}.theme-color-beige-brown .themed a,.theme-color-beige-brown .reveal a{color:#8b743d}.theme-color-beige-brown .themed a:hover,.theme-color-beige-brown .reveal a:hover{color:#c0a86e}.theme-color-beige-brown .reveal .controls .navigate-left,.theme-color-beige-brown .reveal .controls .navigate-left.enabled{border-right-color:#8b743d}.theme-color-beige-brown .reveal .controls .navigate-right,.theme-color-beige-brown .reveal .controls .navigate-right.enabled{border-left-color:#8b743d}.theme-color-beige-brown .reveal .controls .navigate-up,.theme-color-beige-brown .reveal .controls .navigate-up.enabled{border-bottom-color:#8b743d}.theme-color-beige-brown .reveal .controls .navigate-down,.theme-color-beige-brown .reveal .controls .navigate-down.enabled{border-top-color:#8b743d}.theme-color-beige-brown .reveal .controls .navigate-left.enabled:hover{border-right-color:#c0a86e}.theme-color-beige-brown .reveal .controls .navigate-right.enabled:hover{border-left-color:#c0a86e}.theme-color-beige-brown .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#c0a86e}.theme-color-beige-brown .reveal .controls .navigate-down.enabled:hover{border-top-color:#c0a86e}.theme-color-beige-brown .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-beige-brown .reveal .progress span{background:#8b743d;-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)}.theme-color-beige-brown .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-black-blue{background:#111111}.theme-color-black-blue body{background:transparent}.theme-color-black-blue .theme-body-color-block{background:white}.theme-color-black-blue .theme-link-color-block{background:#2f90f8}.theme-color-black-blue .themed,.theme-color-black-blue .reveal{color:white}.theme-color-black-blue .themed a,.theme-color-black-blue .reveal a{color:#2f90f8}.theme-color-black-blue .themed a:hover,.theme-color-black-blue .reveal a:hover{color:#79b7fa}.theme-color-black-blue .reveal .controls .navigate-left,.theme-color-black-blue .reveal .controls .navigate-left.enabled{border-right-color:#2f90f8}.theme-color-black-blue .reveal .controls .navigate-right,.theme-color-black-blue .reveal .controls .navigate-right.enabled{border-left-color:#2f90f8}.theme-color-black-blue .reveal .controls .navigate-up,.theme-color-black-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#2f90f8}.theme-color-black-blue .reveal .controls .navigate-down,.theme-color-black-blue .reveal .controls .navigate-down.enabled{border-top-color:#2f90f8}.theme-color-black-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#79b7fa}.theme-color-black-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#79b7fa}.theme-color-black-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#79b7fa}.theme-color-black-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#79b7fa}.theme-color-black-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-black-blue .reveal .progress span{background:#2f90f8;-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)}.theme-color-black-blue .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-black-mint{background:#111111}.theme-color-black-mint body{background:transparent}.theme-color-black-mint .theme-body-color-block{background:white}.theme-color-black-mint .theme-link-color-block{background:#8dd792}.theme-color-black-mint .themed,.theme-color-black-mint .reveal{color:white}.theme-color-black-mint .themed a,.theme-color-black-mint .reveal a{color:#8dd792}.theme-color-black-mint .themed a:hover,.theme-color-black-mint .reveal a:hover{color:#c6ebc8}.theme-color-black-mint .reveal .controls .navigate-left,.theme-color-black-mint .reveal .controls .navigate-left.enabled{border-right-color:#8dd792}.theme-color-black-mint .reveal .controls .navigate-right,.theme-color-black-mint .reveal .controls .navigate-right.enabled{border-left-color:#8dd792}.theme-color-black-mint .reveal .controls .navigate-up,.theme-color-black-mint .reveal .controls .navigate-up.enabled{border-bottom-color:#8dd792}.theme-color-black-mint .reveal .controls .navigate-down,.theme-color-black-mint .reveal .controls .navigate-down.enabled{border-top-color:#8dd792}.theme-color-black-mint .reveal .controls .navigate-left.enabled:hover{border-right-color:#c6ebc8}.theme-color-black-mint .reveal .controls .navigate-right.enabled:hover{border-left-color:#c6ebc8}.theme-color-black-mint .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#c6ebc8}.theme-color-black-mint .reveal .controls .navigate-down.enabled:hover{border-top-color:#c6ebc8}.theme-color-black-mint .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-black-mint .reveal .progress span{background:#8dd792;-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)}.theme-color-black-mint .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-black-orange{background:#222222}.theme-color-black-orange body{background:transparent}.theme-color-black-orange .theme-body-color-block{background:white}.theme-color-black-orange .theme-link-color-block{background:#e7ad52}.theme-color-black-orange .themed,.theme-color-black-orange .reveal{color:white}.theme-color-black-orange .themed a,.theme-color-black-orange .reveal a{color:#e7ad52}.theme-color-black-orange .themed a:hover,.theme-color-black-orange .reveal a:hover{color:#f3d7ac}.theme-color-black-orange .reveal .controls .navigate-left,.theme-color-black-orange .reveal .controls .navigate-left.enabled{border-right-color:#e7ad52}.theme-color-black-orange .reveal .controls .navigate-right,.theme-color-black-orange .reveal .controls .navigate-right.enabled{border-left-color:#e7ad52}.theme-color-black-orange .reveal .controls .navigate-up,.theme-color-black-orange .reveal .controls .navigate-up.enabled{border-bottom-color:#e7ad52}.theme-color-black-orange .reveal .controls .navigate-down,.theme-color-black-orange .reveal .controls .navigate-down.enabled{border-top-color:#e7ad52}.theme-color-black-orange .reveal .controls .navigate-left.enabled:hover{border-right-color:#f3d7ac}.theme-color-black-orange .reveal .controls .navigate-right.enabled:hover{border-left-color:#f3d7ac}.theme-color-black-orange .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#f3d7ac}.theme-color-black-orange .reveal .controls .navigate-down.enabled:hover{border-top-color:#f3d7ac}.theme-color-black-orange .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-black-orange .reveal .progress span{background:#e7ad52;-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)}.theme-color-black-orange .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-blue-yellow{background:#44a0dd}.theme-color-blue-yellow body{background:transparent}.theme-color-blue-yellow .theme-body-color-block{background:white}.theme-color-blue-yellow .theme-link-color-block{background:#ecec6a}.theme-color-blue-yellow .themed,.theme-color-blue-yellow .reveal{color:white}.theme-color-blue-yellow .themed a,.theme-color-blue-yellow .reveal a{color:#ecec6a}.theme-color-blue-yellow .themed a:hover,.theme-color-blue-yellow .reveal a:hover{color:#f8f8c4}.theme-color-blue-yellow .reveal .controls .navigate-left,.theme-color-blue-yellow .reveal .controls .navigate-left.enabled{border-right-color:#ecec6a}.theme-color-blue-yellow .reveal .controls .navigate-right,.theme-color-blue-yellow .reveal .controls .navigate-right.enabled{border-left-color:#ecec6a}.theme-color-blue-yellow .reveal .controls .navigate-up,.theme-color-blue-yellow .reveal .controls .navigate-up.enabled{border-bottom-color:#ecec6a}.theme-color-blue-yellow .reveal .controls .navigate-down,.theme-color-blue-yellow .reveal .controls .navigate-down.enabled{border-top-color:#ecec6a}.theme-color-blue-yellow .reveal .controls .navigate-left.enabled:hover{border-right-color:#f8f8c4}.theme-color-blue-yellow .reveal .controls .navigate-right.enabled:hover{border-left-color:#f8f8c4}.theme-color-blue-yellow .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#f8f8c4}.theme-color-blue-yellow .reveal .controls .navigate-down.enabled:hover{border-top-color:#f8f8c4}.theme-color-blue-yellow .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-blue-yellow .reveal .progress span{background:#ecec6a;-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)}.theme-color-blue-yellow .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-cobalt-orange{background-color:#13335a;background-image:-webkit-radial-gradient(center, circle farthest-corner, #1a4984 0%, #13335a 100%);background-image:radial-gradient(circle farthest-corner at center, #1a4984 0%, #13335a 100%)}.theme-color-cobalt-orange body{background:transparent}.theme-color-cobalt-orange .theme-body-color-block{background:white}.theme-color-cobalt-orange .theme-link-color-block{background:#e08c14}.theme-color-cobalt-orange .themed,.theme-color-cobalt-orange .reveal{color:white}.theme-color-cobalt-orange .themed a,.theme-color-cobalt-orange .reveal a{color:#e08c14}.theme-color-cobalt-orange .themed a:hover,.theme-color-cobalt-orange .reveal a:hover{color:#f2b968}.theme-color-cobalt-orange .reveal .controls .navigate-left,.theme-color-cobalt-orange .reveal .controls .navigate-left.enabled{border-right-color:#e08c14}.theme-color-cobalt-orange .reveal .controls .navigate-right,.theme-color-cobalt-orange .reveal .controls .navigate-right.enabled{border-left-color:#e08c14}.theme-color-cobalt-orange .reveal .controls .navigate-up,.theme-color-cobalt-orange .reveal .controls .navigate-up.enabled{border-bottom-color:#e08c14}.theme-color-cobalt-orange .reveal .controls .navigate-down,.theme-color-cobalt-orange .reveal .controls .navigate-down.enabled{border-top-color:#e08c14}.theme-color-cobalt-orange .reveal .controls .navigate-left.enabled:hover{border-right-color:#f2b968}.theme-color-cobalt-orange .reveal .controls .navigate-right.enabled:hover{border-left-color:#f2b968}.theme-color-cobalt-orange .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#f2b968}.theme-color-cobalt-orange .reveal .controls .navigate-down.enabled:hover{border-top-color:#f2b968}.theme-color-cobalt-orange .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-cobalt-orange .reveal .progress span{background:#e08c14;-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)}.theme-color-cobalt-orange .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-coral-blue{background-color:#c97150;background-image:-webkit-radial-gradient(center, circle farthest-corner, #d59177 0%, #c97150 100%);background-image:radial-gradient(circle farthest-corner at center, #d59177 0%, #c97150 100%)}.theme-color-coral-blue body{background:transparent}.theme-color-coral-blue .theme-body-color-block{background:white}.theme-color-coral-blue .theme-link-color-block{background:#3a65c0}.theme-color-coral-blue .themed,.theme-color-coral-blue .reveal{color:white}.theme-color-coral-blue .themed a,.theme-color-coral-blue .reveal a{color:#3a65c0}.theme-color-coral-blue .themed a:hover,.theme-color-coral-blue .reveal a:hover{color:#86a1da}.theme-color-coral-blue .reveal .controls .navigate-left,.theme-color-coral-blue .reveal .controls .navigate-left.enabled{border-right-color:#3a65c0}.theme-color-coral-blue .reveal .controls .navigate-right,.theme-color-coral-blue .reveal .controls .navigate-right.enabled{border-left-color:#3a65c0}.theme-color-coral-blue .reveal .controls .navigate-up,.theme-color-coral-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#3a65c0}.theme-color-coral-blue .reveal .controls .navigate-down,.theme-color-coral-blue .reveal .controls .navigate-down.enabled{border-top-color:#3a65c0}.theme-color-coral-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#86a1da}.theme-color-coral-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#86a1da}.theme-color-coral-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#86a1da}.theme-color-coral-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#86a1da}.theme-color-coral-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-coral-blue .reveal .progress span{background:#3a65c0;-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)}.theme-color-coral-blue .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-forest-yellow{background:#2ba056}.theme-color-forest-yellow body{background:transparent}.theme-color-forest-yellow .theme-body-color-block{background:white}.theme-color-forest-yellow .theme-link-color-block{background:#ecec6a}.theme-color-forest-yellow .themed,.theme-color-forest-yellow .reveal{color:white}.theme-color-forest-yellow .themed a,.theme-color-forest-yellow .reveal a{color:#ecec6a}.theme-color-forest-yellow .themed a:hover,.theme-color-forest-yellow .reveal a:hover{color:#f8f8c4}.theme-color-forest-yellow .reveal .controls .navigate-left,.theme-color-forest-yellow .reveal .controls .navigate-left.enabled{border-right-color:#ecec6a}.theme-color-forest-yellow .reveal .controls .navigate-right,.theme-color-forest-yellow .reveal .controls .navigate-right.enabled{border-left-color:#ecec6a}.theme-color-forest-yellow .reveal .controls .navigate-up,.theme-color-forest-yellow .reveal .controls .navigate-up.enabled{border-bottom-color:#ecec6a}.theme-color-forest-yellow .reveal .controls .navigate-down,.theme-color-forest-yellow .reveal .controls .navigate-down.enabled{border-top-color:#ecec6a}.theme-color-forest-yellow .reveal .controls .navigate-left.enabled:hover{border-right-color:#f8f8c4}.theme-color-forest-yellow .reveal .controls .navigate-right.enabled:hover{border-left-color:#f8f8c4}.theme-color-forest-yellow .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#f8f8c4}.theme-color-forest-yellow .reveal .controls .navigate-down.enabled:hover{border-top-color:#f8f8c4}.theme-color-forest-yellow .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-forest-yellow .reveal .progress span{background:#ecec6a;-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)}.theme-color-forest-yellow .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-grey-blue{background-color:#313538;background-image:-webkit-radial-gradient(center, circle farthest-corner, #555a5f 0%, #1c1e20 100%);background-image:radial-gradient(circle farthest-corner at center, #555a5f 0%, #1c1e20 100%)}.theme-color-grey-blue body{background:transparent}.theme-color-grey-blue .theme-body-color-block{background:white}.theme-color-grey-blue .theme-link-color-block{background:#13daec}.theme-color-grey-blue .themed,.theme-color-grey-blue .reveal{color:white}.theme-color-grey-blue .themed a,.theme-color-grey-blue .reveal a{color:#13daec}.theme-color-grey-blue .themed a:hover,.theme-color-grey-blue .reveal a:hover{color:#71e9f4}.theme-color-grey-blue .reveal .controls .navigate-left,.theme-color-grey-blue .reveal .controls .navigate-left.enabled{border-right-color:#13daec}.theme-color-grey-blue .reveal .controls .navigate-right,.theme-color-grey-blue .reveal .controls .navigate-right.enabled{border-left-color:#13daec}.theme-color-grey-blue .reveal .controls .navigate-up,.theme-color-grey-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#13daec}.theme-color-grey-blue .reveal .controls .navigate-down,.theme-color-grey-blue .reveal .controls .navigate-down.enabled{border-top-color:#13daec}.theme-color-grey-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#71e9f4}.theme-color-grey-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#71e9f4}.theme-color-grey-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#71e9f4}.theme-color-grey-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#71e9f4}.theme-color-grey-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-grey-blue .reveal .progress span{background:#13daec;-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)}.theme-color-grey-blue .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-mint-beige{background-color:#207c5f;background-image:-webkit-radial-gradient(center, circle farthest-corner, #2aa57e 0%, #207c5f 100%);background-image:radial-gradient(circle farthest-corner at center, #2aa57e 0%, #207c5f 100%)}.theme-color-mint-beige body{background:transparent}.theme-color-mint-beige .theme-body-color-block{background:white}.theme-color-mint-beige .theme-link-color-block{background:#ecec6a}.theme-color-mint-beige .themed,.theme-color-mint-beige .reveal{color:white}.theme-color-mint-beige .themed a,.theme-color-mint-beige .reveal a{color:#ecec6a}.theme-color-mint-beige .themed a:hover,.theme-color-mint-beige .reveal a:hover{color:#f8f8c4}.theme-color-mint-beige .reveal .controls .navigate-left,.theme-color-mint-beige .reveal .controls .navigate-left.enabled{border-right-color:#ecec6a}.theme-color-mint-beige .reveal .controls .navigate-right,.theme-color-mint-beige .reveal .controls .navigate-right.enabled{border-left-color:#ecec6a}.theme-color-mint-beige .reveal .controls .navigate-up,.theme-color-mint-beige .reveal .controls .navigate-up.enabled{border-bottom-color:#ecec6a}.theme-color-mint-beige .reveal .controls .navigate-down,.theme-color-mint-beige .reveal .controls .navigate-down.enabled{border-top-color:#ecec6a}.theme-color-mint-beige .reveal .controls .navigate-left.enabled:hover{border-right-color:#f8f8c4}.theme-color-mint-beige .reveal .controls .navigate-right.enabled:hover{border-left-color:#f8f8c4}.theme-color-mint-beige .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#f8f8c4}.theme-color-mint-beige .reveal .controls .navigate-down.enabled:hover{border-top-color:#f8f8c4}.theme-color-mint-beige .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-mint-beige .reveal .progress span{background:#ecec6a;-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)}.theme-color-mint-beige .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-no-color{background-color:white}.theme-color-no-color .theme-body-color-block,.theme-color-no-color .theme-link-color-block{background:black}.theme-color-no-color .themed,.theme-color-no-color.themed,.theme-color-no-color .reveal,.theme-color-no-color.reveal{color:black}.theme-color-sand-blue{background:#f0f1eb}.theme-color-sand-blue body{background:transparent}.theme-color-sand-blue .theme-body-color-block{background:#111111}.theme-color-sand-blue .theme-link-color-block{background:#2f90f8}.theme-color-sand-blue .themed,.theme-color-sand-blue .reveal{color:#111111}.theme-color-sand-blue .themed a,.theme-color-sand-blue .reveal a{color:#2f90f8}.theme-color-sand-blue .themed a:hover,.theme-color-sand-blue .reveal a:hover{color:#92c5fb}.theme-color-sand-blue .reveal .controls .navigate-left,.theme-color-sand-blue .reveal .controls .navigate-left.enabled{border-right-color:#2f90f8}.theme-color-sand-blue .reveal .controls .navigate-right,.theme-color-sand-blue .reveal .controls .navigate-right.enabled{border-left-color:#2f90f8}.theme-color-sand-blue .reveal .controls .navigate-up,.theme-color-sand-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#2f90f8}.theme-color-sand-blue .reveal .controls .navigate-down,.theme-color-sand-blue .reveal .controls .navigate-down.enabled{border-top-color:#2f90f8}.theme-color-sand-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#92c5fb}.theme-color-sand-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#92c5fb}.theme-color-sand-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#92c5fb}.theme-color-sand-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#92c5fb}.theme-color-sand-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-sand-blue .reveal .progress span{background:#2f90f8;-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)}.theme-color-sand-blue .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-sea-yellow{background-color:#297477;background-image:-webkit-linear-gradient(top, #6cc9cd 0%, #297477 100%);background-image:linear-gradient(to bottom, #6cc9cd 0%, #297477 100%)}.theme-color-sea-yellow body{background:transparent}.theme-color-sea-yellow .theme-body-color-block{background:white}.theme-color-sea-yellow .theme-link-color-block{background:#ffc200}.theme-color-sea-yellow .themed,.theme-color-sea-yellow .reveal{color:white}.theme-color-sea-yellow .themed a,.theme-color-sea-yellow .reveal a{color:#ffc200}.theme-color-sea-yellow .themed a:hover,.theme-color-sea-yellow .reveal a:hover{color:#ffda66}.theme-color-sea-yellow .reveal .controls .navigate-left,.theme-color-sea-yellow .reveal .controls .navigate-left.enabled{border-right-color:#ffc200}.theme-color-sea-yellow .reveal .controls .navigate-right,.theme-color-sea-yellow .reveal .controls .navigate-right.enabled{border-left-color:#ffc200}.theme-color-sea-yellow .reveal .controls .navigate-up,.theme-color-sea-yellow .reveal .controls .navigate-up.enabled{border-bottom-color:#ffc200}.theme-color-sea-yellow .reveal .controls .navigate-down,.theme-color-sea-yellow .reveal .controls .navigate-down.enabled{border-top-color:#ffc200}.theme-color-sea-yellow .reveal .controls .navigate-left.enabled:hover{border-right-color:#ffda66}.theme-color-sea-yellow .reveal .controls .navigate-right.enabled:hover{border-left-color:#ffda66}.theme-color-sea-yellow .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#ffda66}.theme-color-sea-yellow .reveal .controls .navigate-down.enabled:hover{border-top-color:#ffda66}.theme-color-sea-yellow .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-sea-yellow .reveal .progress span{background:#ffc200;-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)}.theme-color-sea-yellow .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}.theme-color-silver-blue{background-color:#dddddd;background-image:-webkit-radial-gradient(center, circle farthest-corner, #fff 0%, #ddd 100%);background-image:radial-gradient(circle farthest-corner at center, #fff 0%, #ddd 100%)}.theme-color-silver-blue body{background:transparent}.theme-color-silver-blue .theme-body-color-block{background:#111111}.theme-color-silver-blue .theme-link-color-block{background:#106bcc}.theme-color-silver-blue .themed,.theme-color-silver-blue .reveal{color:#111111}.theme-color-silver-blue .themed a,.theme-color-silver-blue .reveal a{color:#106bcc}.theme-color-silver-blue .themed a:hover,.theme-color-silver-blue .reveal a:hover{color:#2184ee}.theme-color-silver-blue .reveal .controls .navigate-left,.theme-color-silver-blue .reveal .controls .navigate-left.enabled{border-right-color:#106bcc}.theme-color-silver-blue .reveal .controls .navigate-right,.theme-color-silver-blue .reveal .controls .navigate-right.enabled{border-left-color:#106bcc}.theme-color-silver-blue .reveal .controls .navigate-up,.theme-color-silver-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#106bcc}.theme-color-silver-blue .reveal .controls .navigate-down,.theme-color-silver-blue .reveal .controls .navigate-down.enabled{border-top-color:#106bcc}.theme-color-silver-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#2184ee}.theme-color-silver-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#2184ee}.theme-color-silver-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#2184ee}.theme-color-silver-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#2184ee}.theme-color-silver-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-silver-blue .reveal .progress span{background:#106bcc;-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)}.theme-color-silver-blue .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-silver-green{background-color:#dddddd;background-image:-webkit-radial-gradient(center, circle farthest-corner, #fff 0%, #ddd 100%);background-image:radial-gradient(circle farthest-corner at center, #fff 0%, #ddd 100%)}.theme-color-silver-green body{background:transparent}.theme-color-silver-green .theme-body-color-block{background:#111111}.theme-color-silver-green .theme-link-color-block{background:#039426}.theme-color-silver-green .themed,.theme-color-silver-green .reveal{color:#111111}.theme-color-silver-green .themed a,.theme-color-silver-green .reveal a{color:#039426}.theme-color-silver-green .themed a:hover,.theme-color-silver-green .reveal a:hover{color:#04c633}.theme-color-silver-green .reveal .controls .navigate-left,.theme-color-silver-green .reveal .controls .navigate-left.enabled{border-right-color:#039426}.theme-color-silver-green .reveal .controls .navigate-right,.theme-color-silver-green .reveal .controls .navigate-right.enabled{border-left-color:#039426}.theme-color-silver-green .reveal .controls .navigate-up,.theme-color-silver-green .reveal .controls .navigate-up.enabled{border-bottom-color:#039426}.theme-color-silver-green .reveal .controls .navigate-down,.theme-color-silver-green .reveal .controls .navigate-down.enabled{border-top-color:#039426}.theme-color-silver-green .reveal .controls .navigate-left.enabled:hover{border-right-color:#04c633}.theme-color-silver-green .reveal .controls .navigate-right.enabled:hover{border-left-color:#04c633}.theme-color-silver-green .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#04c633}.theme-color-silver-green .reveal .controls .navigate-down.enabled:hover{border-top-color:#04c633}.theme-color-silver-green .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-silver-green .reveal .progress span{background:#039426;-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)}.theme-color-silver-green .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-sky-blue{background-color:#dcedf1;background-image:-webkit-radial-gradient(center, circle farthest-corner, #f7fbfc 0%, #add9e4 100%);background-image:radial-gradient(circle farthest-corner at center, #f7fbfc 0%, #add9e4 100%)}.theme-color-sky-blue body{background:transparent}.theme-color-sky-blue .theme-body-color-block{background:#333333}.theme-color-sky-blue .theme-link-color-block{background:#3b759e}.theme-color-sky-blue .themed,.theme-color-sky-blue .reveal{color:#333333}.theme-color-sky-blue .themed a,.theme-color-sky-blue .reveal a{color:#3b759e}.theme-color-sky-blue .themed a:hover,.theme-color-sky-blue .reveal a:hover{color:#74a7cb}.theme-color-sky-blue .reveal .controls .navigate-left,.theme-color-sky-blue .reveal .controls .navigate-left.enabled{border-right-color:#3b759e}.theme-color-sky-blue .reveal .controls .navigate-right,.theme-color-sky-blue .reveal .controls .navigate-right.enabled{border-left-color:#3b759e}.theme-color-sky-blue .reveal .controls .navigate-up,.theme-color-sky-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#3b759e}.theme-color-sky-blue .reveal .controls .navigate-down,.theme-color-sky-blue .reveal .controls .navigate-down.enabled{border-top-color:#3b759e}.theme-color-sky-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#74a7cb}.theme-color-sky-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#74a7cb}.theme-color-sky-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#74a7cb}.theme-color-sky-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#74a7cb}.theme-color-sky-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-sky-blue .reveal .progress span{background:#3b759e;-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)}.theme-color-sky-blue .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-white-blue{background:white}.theme-color-white-blue body{background:transparent}.theme-color-white-blue .theme-body-color-block{background:black}.theme-color-white-blue .theme-link-color-block{background:#106bcc}.theme-color-white-blue .themed,.theme-color-white-blue .reveal{color:black}.theme-color-white-blue .themed a,.theme-color-white-blue .reveal a{color:#106bcc}.theme-color-white-blue .themed a:hover,.theme-color-white-blue .reveal a:hover{color:#3991ef}.theme-color-white-blue .reveal .controls .navigate-left,.theme-color-white-blue .reveal .controls .navigate-left.enabled{border-right-color:#106bcc}.theme-color-white-blue .reveal .controls .navigate-right,.theme-color-white-blue .reveal .controls .navigate-right.enabled{border-left-color:#106bcc}.theme-color-white-blue .reveal .controls .navigate-up,.theme-color-white-blue .reveal .controls .navigate-up.enabled{border-bottom-color:#106bcc}.theme-color-white-blue .reveal .controls .navigate-down,.theme-color-white-blue .reveal .controls .navigate-down.enabled{border-top-color:#106bcc}.theme-color-white-blue .reveal .controls .navigate-left.enabled:hover{border-right-color:#3991ef}.theme-color-white-blue .reveal .controls .navigate-right.enabled:hover{border-left-color:#3991ef}.theme-color-white-blue .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#3991ef}.theme-color-white-blue .reveal .controls .navigate-down.enabled:hover{border-top-color:#3991ef}.theme-color-white-blue .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-white-blue .reveal .progress span{background:#106bcc;-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)}.theme-color-white-blue .reveal .slide-number{color:#111;background-color:rgba(255,255,255,0.3)}.theme-color-yellow-black{background:#fff000}.theme-color-yellow-black body{background:transparent}.theme-color-yellow-black .theme-body-color-block{background:black}.theme-color-yellow-black .theme-link-color-block{background:#4654ec}.theme-color-yellow-black .themed,.theme-color-yellow-black .reveal{color:black}.theme-color-yellow-black .themed a,.theme-color-yellow-black .reveal a{color:#4654ec}.theme-color-yellow-black .themed a:hover,.theme-color-yellow-black .reveal a:hover{color:#a3aaf6}.theme-color-yellow-black .reveal .controls .navigate-left,.theme-color-yellow-black .reveal .controls .navigate-left.enabled{border-right-color:#4654ec}.theme-color-yellow-black .reveal .controls .navigate-right,.theme-color-yellow-black .reveal .controls .navigate-right.enabled{border-left-color:#4654ec}.theme-color-yellow-black .reveal .controls .navigate-up,.theme-color-yellow-black .reveal .controls .navigate-up.enabled{border-bottom-color:#4654ec}.theme-color-yellow-black .reveal .controls .navigate-down,.theme-color-yellow-black .reveal .controls .navigate-down.enabled{border-top-color:#4654ec}.theme-color-yellow-black .reveal .controls .navigate-left.enabled:hover{border-right-color:#a3aaf6}.theme-color-yellow-black .reveal .controls .navigate-right.enabled:hover{border-left-color:#a3aaf6}.theme-color-yellow-black .reveal .controls .navigate-up.enabled:hover{border-bottom-color:#a3aaf6}.theme-color-yellow-black .reveal .controls .navigate-down.enabled:hover{border-top-color:#a3aaf6}.theme-color-yellow-black .reveal .progress{background:rgba(0,0,0,0.2)}.theme-color-yellow-black .reveal .progress span{background:#4654ec;-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)}.theme-color-yellow-black .reveal .slide-number{color:#ddd;background-color:rgba(0,0,0,0.3)}
+</style>
+
+
+ <meta content="authenticity_token" name="csrf-param" />
+<meta content="5ZREGer95FZHqYiCfvd9MYCvSsD08RArXDJDFKVK0Fg=" name="csrf-token" />
+ <style id="user-css-output" type="text/css"></style>
+ </head>
+ <body>
+ <div class="reveal">
+ <div class="slides">
+ <section data-id="73bde4df637766b53e21af771b113f43">
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 70px;" data-block-id="0d20172a024816efc0928d0483207c56"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 11;">
+<h2><span style="color:#FFA500"><span style="font-size:1.0em">Superquack in a (nut)shell</span></span></h2>
+</div></div>
+<div class="sl-block" data-block-type="image" style="min-width: 30px; min-height: 30px; width: 732px; height: 415.104px; left: 115px; top: 199px;" data-block-id="3d5fd746c85387189628ce5e6d6361c0"><div class="sl-block-content" style="z-index: 12; border-style: solid; border-radius: 19px;"><img data-natural-width="723" data-natural-height="410" data-src="https://s3.amazonaws.com/media-p.slid.es/uploads/610172/images/3212753/Schermata_da_2016-11-09_00-03-09.png"></div></div></section><section data-id="c75b4db83de271a2f2680e22924320a6"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="5a86b72c48cfe48977babd68c8ecf0c9"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">About me</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="image" style="min-width: 30px; min-height: 30px; width: 360px; height: 360px; left: 60px; top: 200px;" data-block-id="22199367aef21a9991c0cdf230789998"><div class="sl-block-content" style="z-index: 12;"><img data-natural-width="694" data-natural-height="694" data-src="https://s3.amazonaws.com/media-p.slid.es/uploads/610172/images/3230472/10610838_10204723408872968_7495737464968678377_n__1_.jpg"></div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 400px; left: 480px; top: 279px;" data-block-id="1c88410cfc95bd9ec69783161b0c85be"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13;">
+<p><span style="font-size:2.5em">Luca</span></p>
+
+<p><span style="font-size:2.5em">Aguzzoli</span></p>
+</div></div></section><section data-id="34110edf2644aafba7abb2180d793837"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="f2cc991619d9abbddf1d5fe0b72373f5"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">Cose inutili</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 213px;" data-block-id="9233102e991c2773d6afe6479f182110"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;" dir="ui">
+<ul>
+ <li style="text-align:left"><span style="font-size:1.2em">aka: TinyTanic</span></li>
+ <li style="text-align:left"><span style="font-size:1.2em">github: github.com/TinyTanic</span></li>
+ <li style="text-align:left"><span style="font-size:1.2em">linkedIn: it.linkedin.com/in/lucaaguzzoli</span></li>
+ <li style="text-align:left"><span style="font-size:1.2em">website: aguzzoliluca.it</span></li>
+</ul>
+
+<p style="text-align:left"> </p>
+
+<p style="text-align:left"><span style="font-size:36px">La presentazione e tutto il materiale è disponibile qua:</span></p>
+
+<p style="text-align:left"><span style="color:#FFA500">​https://github.com/TinyTanic/LinuxLessonsUniTo.git</span></p>
+
+<p style="text-align:left"><span style="font-size:0.7em">... magari questo non è tanto inutile</span></p>
+</div></div></section><section data-id="5bc8123d17da2ab464bd1bd638af9cda"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 265px; height: auto;" data-block-id="e59e51076244c407e649dbf2891ae9ce"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">Iniziamo!</span></h1>
+</div></div></section><section data-id="b4e7743a264961e2753648fbdd27d897"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="56419d5f92e335d4f991ec7d18644af3"><div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text" style="z-index: 11;">
+<h2><span style="color:#FFA500"><span style="font-size:1.4em">Shell</span></span></h2>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 232px;" data-block-id="2ffbd58af0157814c1e38a9cf9c948ed"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12; text-align: left;">
+<ul>
+ <li>Interprete</li>
+ <li>Linea di comando / Terminale</li>
+ <li>3 importanti Shell: 
+ <ul>
+ <li>Bourne Shell (sh)</li>
+ <li>C shell (csh)</li>
+ <li>Korn shell (ksh)</li>
+ </ul>
+ </li>
+</ul>
+</div></div></section><section data-id="5b47fd45ff8705a9ac24caea30b1cc92"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="5835d253854f004118102088d436cd75"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">Quali shell abbiamo?</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 210px;" data-block-id="c91592ab347a7f3240d2fa6ef28b1a5e"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;">
+<p>Ci sono più shell in Linux.</p>
+
+<p>Come possiamo sapere quali?</p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 800px; height: 230px; left: 80px; top: 375px;" data-block-id="973f5e897dd9771309f5d40088837b41"><div class="sl-block-content" style="z-index: 13;" data-highlight-theme="obsidian"><pre class="bash"><code>$ cat /etc/shells #quali shell abbiamo a disposizione?
+# /etc/shells: valid login shells
+/bin/sh
+/bin/dash
+/bin/bash
+/bin/rbash
+/usr/bin/fish
+
+$ echo $SHELL #quale shell stiamo usanto al momento?
+/usr/bin/fish
+</code></pre></div></div></section><section data-id="a70b8b623eaec23892db8088824dd4a5"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 61px; height: auto;" data-block-id="99192546fd02b5c5789115cb342ea7c2"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500"><span style="font-size:1.0em">&gt;_ folders</span></span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 210px;" data-block-id="72a378461c8befff81610774129bccb0"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13;">
+<p>Interagiamo con il sistema operativo. Dove mi trovo? cosa c'è? Come mi muovo?</p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 800px; height: 247px; left: 80px; top: 350px;" data-block-id="8325333419e8db43ae53ba65d3a6d07f"><div class="sl-block-content" style="z-index: 14;" data-highlight-theme="obsidian"><pre class="bash"><code>#in che cartella sono?
+$ pwd
+/home/luca
+
+#che cosa c'è nella cartella corrente?
+$ ls
+Documenti/ Modelli/ Progetti/ Scaricati/ Video/
+Immagini/ Musica/ Pubblici/ Scrivania/
+
+#mi sposto nella cartella
+$ cd Scrivania/linuxUnito
+</code></pre></div></div></section><section data-id="f05a911b31b9f256013b43018a4ed3a2"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="1800792f5f3daa07c4a5996223aafd10"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">&gt;_ files</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; width: 800px; left: 80px; top: 220px;" data-block-id="d199f5c04be64406aa6fc4af8e21f65b"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;">
+<p style="text-align:left">Come si crea un file, si elimina, si copia o si sposta?</p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 800px; height: 237px; left: 80px; top: 350px;" data-block-id="b995173040dd117ace83782c1635777c"><div class="sl-block-content" style="z-index: 13;" data-highlight-theme="obsidian"><pre class="bash"><code>#creo un nuovo file vuoto
+$ touch nuovofile
+
+#copio il primo file nel secondo
+$ cp nuovofile filecopiato
+
+#rimuovo il file filecopiato creato precedentemente
+$ rm filecopiato
+
+#sposto il file da una cartella ad un'altra con un altro nome
+$ mv nuovofile /home/luca/filespostato
+</code></pre></div></div></section><section data-id="ba11b52da239462622171bc4c369f2c0"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="9d8d8865744acf9814b68670c1ff8141"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">&gt;_ view_files</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; width: 800px; left: 80px; top: 220px;" data-block-id="67675b7cc53a3c3e344946067ee33964"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;">
+<p style="text-align:left">Diamo uno sguardo al contenuto dei nostri file</p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="width: 800px; height: 182px; left: 81px; top: 399px;" data-block-id="42bfd5c7f00be9e51b6802593a1250a3"><div class="sl-block-content" style="z-index: 13;" data-highlight-theme="obsidian"><pre class="bash"><code># stampa a terminale il contenuto del file
+$ cat nuovofile
+
+# visualizzazione di file molto grossi
+$ more nuovofile
+
+# visualizzazione di file molto grossi con la possibilità di tornare indietro
+$ less nuovofile</code></pre></div></div></section><section data-id="bfa8cb397c0f5ca2108d2b38017f1d1b"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="c80465af7d14bc508a86f485beec7567"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">&gt;_ man</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="code" style="width: 800px; height: 474px; left: 80px; top: 177px;" data-block-id="71c45d9e0cc7721b4048b665234b55af"><div class="sl-block-content" style="z-index: 13;" data-highlight-theme="obsidian"><pre class="bash"><code>CAT(1) User Commands CAT(1)
+
+NAME
+ cat - concatenate files and print on the standard output
+
+SYNOPSIS
+ cat [OPTION]... [FILE]...
+
+DESCRIPTION
+ Concatenate FILE(s) to standard output.
+
+ With no FILE, or when FILE is -, read standard input.
+
+ -A, --show-all
+ equivalent to -vET
+
+ -b, --number-nonblank
+ number nonempty output lines, overrides -n
+
+ -e equivalent to -vE
+
+ -E, --show-ends
+ display $ at end of each line
+ Manual page cat(1) line 1/71 31% (press h for help or q to quit)</code></pre></div></div></section><section data-id="a5c8b8c0d9fd577b95f8d5495c9b76d5"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="5e5b01070c8d02801d3fd6b192751e34"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">&gt;_ superquackers (1)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 600px; left: 180px; top: 230px;" data-block-id="7369f64114d53341e9024b8fcdffd510"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 11;">
+<h3>I/O redirection</h3>
+</div></div>
+
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 551px; left: 371px; top: 333px;" data-block-id="c27178bb3f44ea571a0f3ab6bd149d3b"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left">viene creato 'outfile' con l'output di 'cmd' (se il file esiste già viene sovrascritto)</p>
+</div></div>
+
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 551px; left: 371px; top: 474px;" data-block-id="8b3ac4d59d237b81917f9fcf331152d7"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left"><span style="color:rgb(255, 255, 255); text-align:left">viene creato 'outfile' con l'output di 'cmd' (se il file esiste già viene appeso)</span></p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 281px; height: 74px; left: 39px; top: 355px;" data-block-id="210ed7fa2dc08ddf57435a996fab1128"><div class="sl-block-content" style="z-index: 14; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># output
+cmd &gt; outfile</code></pre></div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 281px; height: 74px; left: 40px; top: 476px;" data-block-id="8274f3c1680697912ede988dea268eb0"><div class="sl-block-content" style="z-index: 16; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># append output
+cmd &gt;&gt; outfile</code></pre></div></div></section><section data-id="b6c1fff29cc152d3d0049c1d95195bec"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="d739638c358e406b8c00005e831b2a76"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">&gt;_ superquackers (2)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; width: 600px; left: 180px; top: 230px;" data-block-id="868254a4c4ccdc8da19532838c3fdc9f"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 11;">
+<h3>I/O redirection</h3>
+</div></div>
+
+<div class="sl-block" data-block-type="text" style="height: auto; width: 551px; left: 371px; top: 351px;" data-block-id="ad01de4747305ab9125fda14a30fc770"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left">il contenuto del file 'infile' viene usato come input per il comando 'cmd</p>
+</div></div>
+
+<div class="sl-block" data-block-type="text" style="height: auto; width: 551px; left: 371px; top: 474px;" data-block-id="f4cf3854e7320255799eda2911e45fb9"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 15; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left"><span style="color:rgb(255, 255, 255); text-align:left">redirect generico da un comando ad un altro</span></p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 281px; height: 74px; left: 39px; top: 353px;" data-block-id="90d1fa4dc1b119f0e73905267a04283c"><div class="sl-block-content" style="z-index: 16; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># input
+cmd &lt; infile</code></pre></div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 281px; height: 74px; left: 39px; top: 476px;" data-block-id="194f64d61dc4e35c6ca4767a70ede46e"><div class="sl-block-content" style="z-index: 19; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># pipe
+cmd | cmd</code></pre></div></div></section><section data-id="0e26a460a51a56ac63f2df151f215183"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="1a264ef63031b618e1578d5aeed0f5ad"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">&gt;_ superquackers (3)</span></h1>
+</div></div>
+
+
+<div class="sl-block" data-block-type="text" style="height: auto; width: 551px; left: 371px; top: 243px;" data-block-id="468ba445a38bac4332eebda60c1e8c1f"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left">cmd2 viene eseguito se e solo se cm1 è andato a buon fine</p>
+</div></div>
+
+<div class="sl-block" data-block-type="text" style="height: auto; width: 551px; left: 371px; top: 371px;" data-block-id="50ec2b0bbbea313907d7685df7627340"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 15; border-width: 1px; transition-duration: 0.6s; transition-delay: 2s;" data-animation-type="slide-left">
+<p style="color:rgb(255, 255, 255); text-align:left"><span style="color:rgb(255, 255, 255); text-align:left">cmd2 viene eseguito solo se il cmd1 non va a buon fine (usato prevalentemente negli if)</span></p>
+</div></div>
+<div class="sl-block" data-block-type="code" style="width: 281px; height: 74px; left: 39px; top: 243px;" data-block-id="a78817e6c5ef68096fc95e1fde6ea1a6"><div class="sl-block-content" style="z-index: 16; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># AND
+cmd1 &amp;&amp; cmd2</code></pre></div></div>
+<div class="sl-block" data-block-type="code" style="width: 281px; height: 74px; left: 39px; top: 392px;" data-block-id="748cf9749c8090ab9ac854d4d97cf70c"><div class="sl-block-content" style="z-index: 19; font-size: 150%;" data-highlight-theme="obsidian"><pre class="bash"><code># OR
+cmd1 || cmd2</code></pre></div></div></section><section data-id="a837d0c537242e229354a7319499861e"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="cf0d34d52647a6e6f4255d2fcbc8bef7"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">&gt;_ superquackers (4)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; width: 600px; left: 180px; top: 185px;" data-block-id="ed8ead6945df5cc8d2a316f2377e8a93"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;">
+<h3>Esempi</h3>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 800px; height: 324px; left: 80px; top: 280px;" data-block-id="66397b0ef2eb2221f6c0d8da81de408d"><div class="sl-block-content" style="z-index: 13;" data-highlight-theme="obsidian"><pre class="bash"><code># che cosa restituiscono?
+
+# 1
+$ cat esercizio.hs | grep False
+
+# 2
+$ cat numeri | sort | uniq &gt; orderednum
+
+# 3
+$ sort &lt; numeri | uniq &gt; orderednum
+
+# 4
+$ false &amp;&amp; echo duck || echo quack
+
+#5
+$ true || echo quack &amp;&amp; echo duck</code></pre></div></div></section><section data-id="68df218976e9a2fbe440eebeb26ad43a"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 302px; height: auto;" data-block-id="9b3dec1c4bac90701a5a9d985dd97930"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text">
+<h1><span style="color:#FFA500">L'arte dello scripting</span></h1>
+</div></div></section><section data-id="02e8586c4adf3f7ab434e3ee72c1e85f"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="4df2756f09316edd0f359ac7231ca937"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">Scripting (1)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 619px; left: 80px; top: 331px;" data-block-id="4a3d7704c39a71db7b76bfc3614eba49"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;">
+<ul>
+ <li>bash è un interprete</li>
+ <li>posso scrivere piccoli programmi (script)</li>
+ <li>alta automazione per il SO</li>
+</ul>
+</div></div></section><section data-id="6d55f0a03ac1f8d7a9c2ce8f88fe4090"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="5a295e7e8d5a865a140a86835dde1395"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">Scripting (2)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="code" style="min-width: 30px; min-height: 30px; width: 800px; height: 329px; left: 80px; top: 256px;" data-block-id="36e4f8e48c0d963f9180792c7dfca678"><div class="sl-block-content" style="z-index: 12;" data-highlight-theme="obsidian"><pre class="bash"><code># dichiarazione di variabile ed utilizzo in un comando
+HW="Ciao utente, come va?"
+echo $HW
+
+# uso di passaggio di parametri
+HW="Ciao $1, come va?"
+echo $HW
+
+# costrutto if-then-else
+T1="foo"
+T2="bar"
+if [ "$T1" = "$T2" ]; then
+ echo expression evaluated as true
+else
+ echo expression evaluated as false
+fi</code></pre></div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 217px;" data-block-id="1706e68a2ef3b535c3a74a413c06923b"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13; text-align: right;">
+<p>Variabili, parametri e if-then-else</p>
+</div></div></section><section data-id="1258bf0a7d39601d1436b2e42b47da16"><div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 70px; height: auto;" data-block-id="a4db9c525c9ce9333eadf433e3b511f2"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 11;">
+<h1><span style="color:#FFA500">Scripting (3)</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="code" style="width: 800px; height: 329px; left: 63px; top: 256px;" data-block-id="1b298aefb68d51886500c7bb2ac63dd5"><div class="sl-block-content" style="z-index: 12;" data-highlight-theme="obsidian"><pre class="bash"><code># creo una funzione che stampa una frase hello-world
+function hw {
+ echo "Hello, $1"
+}
+
+hw Luca
+
+# catturo l'output da un comando e ne stampo il contenuto
+FILES=$(ls)
+# o in alternativa
+FILES=`ls`
+
+for f in $FILES;
+do
+ echo $f
+done</code></pre></div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 63px; top: 217px;" data-block-id="5b1715ddaf40805b921a1c37a94426f1"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 13; text-align: right;">
+<p>Cicli, cattura dell'output e f<span style="color:rgb(255, 255, 255)">unzioni</span></p>
+</div></div></section><section data-id="d866ede0dc7e42319ba9a1b7582f60bd"><div class="sl-block" data-block-type="text" style="width: 960px; left: 0px; top: 70px; height: auto;" data-block-id="2fd513dad03ff8ac38fd99c7574d7aa1"><div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text" style="z-index: 10;">
+<h1><span style="color:#FFA500">Du quack is</span></h1>
+
+<h1><span style="color:#FFA500">megl che uan</span></h1>
+</div></div>
+<div class="sl-block" data-block-type="text" style="height: auto; min-width: 30px; min-height: 30px; width: 800px; left: 80px; top: 354px;" data-block-id="01f87212002fdb2ae631003a94f9e6c1"><div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Text" style="z-index: 12;" dir="ui">
+<ul>
+ <li style="text-align: left;"><span style="color:rgb(255, 255, 255); text-align:left">https://it.wikipedia.org/wiki/Shell_(informatica)</span></li>
+ <li style="text-align: left;">http://tldp.org/HOWTO/Bash-Prog-Intro-HOWTO.html</li>
+ <li style="text-align: left;">https://it.wikipedia.org/wiki/Bash</li>
+</ul>
+</div></div></section>
+ </div>
+ </div>
+
+
+
+<script>
+ var SLConfig = {"current_user":{"id":610172,"username":"tinytanic","name":null,"description":null,"thumbnail_url":"https://www.gravatar.com/avatar/783282854cf12a5bed9fbc51d56177b5?s=140\u0026d=https%3A%2F%2Fs3.amazonaws.com%2Fstatic.slid.es%2Fimages%2Fdefault-profile-picture.png","paid":false,"pro":false,"lite":false,"team_id":null,"settings":{"id":456574,"present_controls":true,"present_upsizing":true,"present_notes":true,"editor_grid":true,"editor_snap":true,"developer_mode":false,"speaker_layout":null},"email":"luca.aguzzoli@hotmail.it","notify_on_receipt":true,"billing_address":null,"editor_tutorial_completed":true,"manually_upgraded":false,"deck_user_editor_limit":1},"deck":{"id":851066,"slug":"shelllinux","title":"Shell Linux","description":"","visibility":"all","published_at":"2016-11-08T22:53:06.691Z","sanitize_messages":null,"thumbnail_url":"https://s3.amazonaws.com/media-p.slid.es/thumbnails/8e470a47ff5dad1bb7f73bda28d66b54/thumb.jpg","view_count":22,"user":{"id":610172,"username":"tinytanic","name":null,"description":null,"thumbnail_url":"https://www.gravatar.com/avatar/783282854cf12a5bed9fbc51d56177b5?s=140\u0026d=https%3A%2F%2Fs3.amazonaws.com%2Fstatic.slid.es%2Fimages%2Fdefault-profile-picture.png","paid":false,"pro":false,"lite":false,"team_id":null,"settings":{"id":456574,"present_controls":true,"present_upsizing":true,"present_notes":true}},"background_transition":"slide","transition":"slide","theme_id":null,"theme_font":"montserrat","theme_color":"black-orange","auto_slide_interval":0,"comments_enabled":true,"forking_enabled":false,"rolling_links":false,"center":false,"should_loop":false,"share_notes":false,"slide_number":true,"rtl":false,"version":2,"collaborative":true,"deck_user_editor_limit":1,"data_updated_at":1479855107212,"font_typekit":null,"font_google":null,"access_token":"7gf9q1HyMRAjspAk1kgCHkpsjcgr","notes":{}}};
+</script>
+
+ <script>
+ !function(e,t){"function"==typeof define&&define.amd?define(function(){return e.Reveal=t(),e.Reveal}):"object"==typeof exports?module.exports=t():e.Reveal=t()}(this,function(){"use strict";function e(e){if(zr!==!0)if(zr=!0,t(),$r.transforms2d||$r.transforms3d){Ur.wrapper=document.querySelector(".reveal"),Ur.slides=document.querySelector(".reveal .slides"),window.addEventListener("load",z,!1);var n=Ar.getQueryHash();"undefined"!=typeof n.dependencies&&delete n.dependencies,g(Br,e),g(Br,n),N(),r()}else{document.body.setAttribute("class","no-transforms");for(var a=m(document.getElementsByTagName("img")),i=m(document.getElementsByTagName("iframe")),o=a.concat(i),s=0,l=o.length;l>s;s++){var c=o[s];c.getAttribute("data-src")&&(c.setAttribute("src",c.getAttribute("data-src")),c.removeAttribute("data-src"))}}}function t(){Nr=/(iphone|ipod|ipad|android)/gi.test(Rr),Mr=/chrome/i.test(Rr)&&!/edge/i.test(Rr);var e=document.createElement("div");$r.transforms3d="WebkitPerspective"in e.style||"MozPerspective"in e.style||"msPerspective"in e.style||"OPerspective"in e.style||"perspective"in e.style,$r.transforms2d="WebkitTransform"in e.style||"MozTransform"in e.style||"msTransform"in e.style||"OTransform"in e.style||"transform"in e.style,$r.requestAnimationFrameMethod=window.requestAnimationFrame||window.webkitRequestAnimationFrame||window.mozRequestAnimationFrame,$r.requestAnimationFrame="function"==typeof $r.requestAnimationFrameMethod,$r.canvas=!!document.createElement("canvas").getContext,$r.overviewTransitions=!/Version\/[\d\.]+.*Safari/.test(Rr),$r.zoom="zoom"in e.style&&!Nr&&(Mr||/Version\/[\d\.]+.*Safari/.test(Rr))}function r(){function e(){a.length&&head.js.apply(null,a),n()}function t(t){head.ready(t.src.match(/([\w\d_\-]*)\.?js$|[^\\\/]*$/i)[0],function(){"function"==typeof t.callback&&t.callback.apply(this),0===--i&&e()})}for(var r=[],a=[],i=0,o=0,s=Br.dependencies.length;s>o;o++){var l=Br.dependencies[o];(!l.condition||l.condition())&&(l.async?a.push(l.src):r.push(l.src),t(l))}r.length?(i=r.length,head.js.apply(null,r)):e()}function n(){a(),p(),l(),it(),f(),Nt(),ht(!0),setTimeout(function(){Ur.slides.classList.remove("no-transition"),Wr=!0,Ur.wrapper.classList.add("ready"),T("ready",{indexh:Lr,indexv:Er,currentSlide:xr})},1),q()&&(h(),"complete"===document.readyState?s():window.addEventListener("load",s))}function a(){Ur.slides.classList.add("no-transition"),Ur.background=c(Ur.wrapper,"div","backgrounds",null),Ur.progress=c(Ur.wrapper,"div","progress","<span></span>"),Ur.progressbar=Ur.progress.querySelector("span"),c(Ur.wrapper,"aside","controls",'<button class="navigate-left" aria-label="previous slide"></button><button class="navigate-right" aria-label="next slide"></button><button class="navigate-up" aria-label="above slide"></button><button class="navigate-down" aria-label="below slide"></button>'),Ur.slideNumber=c(Ur.wrapper,"div","slide-number",""),Ur.speakerNotes=c(Ur.wrapper,"div","speaker-notes",null),Ur.speakerNotes.setAttribute("data-prevent-swipe",""),Ur.speakerNotes.setAttribute("tabindex","0"),c(Ur.wrapper,"div","pause-overlay",null),Ur.controls=document.querySelector(".reveal .controls"),Ur.wrapper.setAttribute("role","application"),Ur.controlsLeft=m(document.querySelectorAll(".navigate-left")),Ur.controlsRight=m(document.querySelectorAll(".navigate-right")),Ur.controlsUp=m(document.querySelectorAll(".navigate-up")),Ur.controlsDown=m(document.querySelectorAll(".navigate-down")),Ur.controlsPrev=m(document.querySelectorAll(".navigate-prev")),Ur.controlsNext=m(document.querySelectorAll(".navigate-next")),Ur.statusDiv=i()}function i(){var e=document.getElementById("aria-status-div");return e||(e=document.createElement("div"),e.style.position="absolute",e.style.height="1px",e.style.width="1px",e.style.overflow="hidden",e.style.clip="rect( 1px, 1px, 1px, 1px )",e.setAttribute("id","aria-status-div"),e.setAttribute("aria-live","polite"),e.setAttribute("aria-atomic","true"),Ur.wrapper.appendChild(e)),e}function o(e){var t="";if(3===e.nodeType)t+=e.textContent;else if(1===e.nodeType){var r=e.getAttribute("aria-hidden"),n="none"===window.getComputedStyle(e).display;"true"===r||n||m(e.childNodes).forEach(function(e){t+=o(e)})}return t}function s(){var e=O(window.innerWidth,window.innerHeight),t=Math.floor(e.width*(1+Br.margin)),r=Math.floor(e.height*(1+Br.margin)),n=e.width,a=e.height;A("@page{size:"+t+"px "+r+"px; margin: 0;}"),A(".reveal section>img, .reveal section>video, .reveal section>iframe{max-width: "+n+"px; max-height:"+a+"px}"),document.body.classList.add("print-pdf"),document.body.style.width=t+"px",document.body.style.height=r+"px",m(Ur.wrapper.querySelectorAll(Pr)).forEach(function(e,t){e.setAttribute("data-index-h",t),e.classList.contains("stack")&&m(e.querySelectorAll("section")).forEach(function(e,r){e.setAttribute("data-index-h",t),e.setAttribute("data-index-v",r)})}),m(Ur.wrapper.querySelectorAll(Cr)).forEach(function(e){if(e.classList.contains("stack")===!1){var i=(t-n)/2,o=(r-a)/2,s=e.scrollHeight,l=Math.max(Math.ceil(s/r),1);l=Math.min(l,Br.pdfMaxPagesPerSlide),(1===l&&Br.center||e.classList.contains("center"))&&(o=Math.max((r-s)/2,0));var c=document.createElement("div");if(c.className="pdf-page",c.style.height=r*l+"px",e.parentNode.insertBefore(c,e),c.appendChild(e),e.style.left=i+"px",e.style.top=o+"px",e.style.width=n+"px",e.slideBackgroundElement&&c.insertBefore(e.slideBackgroundElement,e),Br.showNotes){var d=Ht(e);if(d){var u=8,p="string"==typeof Br.showNotes?Br.showNotes:"inline",f=document.createElement("div");f.classList.add("speaker-notes"),f.classList.add("speaker-notes-pdf"),f.setAttribute("data-layout",p),f.innerHTML=d,"separate-page"===p?c.parentNode.insertBefore(f,c.nextSibling):(f.style.left=u+"px",f.style.bottom=u+"px",f.style.width=t-2*u+"px",c.appendChild(f))}}if(Br.slideNumber){var v=parseInt(e.getAttribute("data-index-h"),10)+1,h=parseInt(e.getAttribute("data-index-v"),10)+1,g=document.createElement("div");g.classList.add("slide-number"),g.classList.add("slide-number-pdf"),g.innerHTML=ft(v,".",h),c.appendChild(g)}}}),m(Ur.wrapper.querySelectorAll(Cr+" .fragment")).forEach(function(e){e.classList.add("visible")}),T("pdf-ready")}function l(){setInterval(function(){(0!==Ur.wrapper.scrollTop||0!==Ur.wrapper.scrollLeft)&&(Ur.wrapper.scrollTop=0,Ur.wrapper.scrollLeft=0)},1e3)}function c(e,t,r,n){for(var a=e.querySelectorAll("."+r),i=0;i<a.length;i++){var o=a[i];if(o.parentNode===e)return o}var s=document.createElement(t);return s.classList.add(r),"string"==typeof n&&(s.innerHTML=n),e.appendChild(s),s}function d(){q();Ur.background.innerHTML="",Ur.background.classList.add("no-transition"),m(Ur.wrapper.querySelectorAll(Pr)).forEach(function(e){var t=u(e,Ur.background);m(e.querySelectorAll("section")).forEach(function(e){u(e,t),t.classList.add("stack")})}),Br.parallaxBackgroundImage?(Ur.background.style.backgroundImage='url("'+Br.parallaxBackgroundImage+'")',Ur.background.style.backgroundSize=Br.parallaxBackgroundSize,setTimeout(function(){Ur.wrapper.classList.add("has-parallax-background")},1)):(Ur.background.style.backgroundImage="",Ur.wrapper.classList.remove("has-parallax-background"))}function u(e,t){var r={background:e.getAttribute("data-background"),backgroundSize:e.getAttribute("data-background-size"),backgroundImage:e.getAttribute("data-background-image"),backgroundVideo:e.getAttribute("data-background-video"),backgroundIframe:e.getAttribute("data-background-iframe"),backgroundColor:e.getAttribute("data-background-color"),backgroundRepeat:e.getAttribute("data-background-repeat"),backgroundPosition:e.getAttribute("data-background-position"),backgroundTransition:e.getAttribute("data-background-transition")},n=document.createElement("div");n.className="slide-background "+e.className.replace(/present|past|future/,""),r.background&&(/^(http|file|\/\/)/gi.test(r.background)||/\.(svg|png|jpg|jpeg|gif|bmp)$/gi.test(r.background)?e.setAttribute("data-background-image",r.background):n.style.background=r.background),(r.background||r.backgroundColor||r.backgroundImage||r.backgroundVideo||r.backgroundIframe)&&n.setAttribute("data-background-hash",r.background+r.backgroundSize+r.backgroundImage+r.backgroundVideo+r.backgroundIframe+r.backgroundColor+r.backgroundRepeat+r.backgroundPosition+r.backgroundTransition),r.backgroundSize&&(n.style.backgroundSize=r.backgroundSize),r.backgroundColor&&(n.style.backgroundColor=r.backgroundColor),r.backgroundRepeat&&(n.style.backgroundRepeat=r.backgroundRepeat),r.backgroundPosition&&(n.style.backgroundPosition=r.backgroundPosition),r.backgroundTransition&&n.setAttribute("data-background-transition",r.backgroundTransition),t.appendChild(n),e.classList.remove("has-dark-background"),e.classList.remove("has-light-background"),e.slideBackgroundElement=n;var a=window.getComputedStyle(n);if(a&&a.backgroundColor){var i=E(a.backgroundColor);i&&0!==i.a&&e.classList.add(S(a.backgroundColor)<128?"has-dark-background":"has-light-background")}return n}function p(){Br.postMessage&&window.addEventListener("message",function(e){var t=e.data;"string"==typeof t&&"{"===t.charAt(0)&&"}"===t.charAt(t.length-1)&&(t=JSON.parse(t),t.method&&"function"==typeof Ar[t.method]&&Ar[t.method].apply(Ar,t.args))},!1)}function f(e){var t=Ur.wrapper.querySelectorAll(Cr).length;Ur.wrapper.classList.remove(Br.transition),"object"==typeof e&&g(Br,e),$r.transforms3d===!1&&(Br.transition="linear"),Ur.wrapper.classList.add(Br.transition),Ur.wrapper.setAttribute("data-transition-speed",Br.transitionSpeed),Ur.wrapper.setAttribute("data-background-transition",Br.backgroundTransition),Ur.controls.style.display=Br.controls?"block":"none",Ur.progress.style.display=Br.progress?"block":"none",Ur.slideNumber.style.display=Br.slideNumber&&!q()?"block":"none",Br.shuffle&&st(),Br.rtl?Ur.wrapper.classList.add("rtl"):Ur.wrapper.classList.remove("rtl"),Br.center?Ur.wrapper.classList.add("center"):Ur.wrapper.classList.remove("center"),Br.pause===!1&&Q(),Br.showNotes?(Ur.speakerNotes.classList.add("visible"),Ur.speakerNotes.setAttribute("data-layout","string"==typeof Br.showNotes?Br.showNotes:"inline")):Ur.speakerNotes.classList.remove("visible"),Br.mouseWheel?(document.addEventListener("DOMMouseScroll",sr,!1),document.addEventListener("mousewheel",sr,!1)):(document.removeEventListener("DOMMouseScroll",sr,!1),document.removeEventListener("mousewheel",sr,!1)),Br.rollingLinks?I():C(),Br.previewLinks?P():(H(),P("[data-preview-link]")),Tr&&(Tr.destroy(),Tr=null),t>1&&Br.autoSlide&&Br.autoSlideStoppable&&$r.canvas&&$r.requestAnimationFrame&&(Tr=new kr(Ur.wrapper,function(){return Math.min(Math.max((Date.now()-Gr)/Jr,0),1)}),Tr.on("click",wr),en=!1),Br.fragments===!1&&m(Ur.slides.querySelectorAll(".fragment")).forEach(function(e){e.classList.add("visible"),e.classList.remove("current-fragment")}),at()}function v(){if(Zr=!0,window.addEventListener("hashchange",hr,!1),window.addEventListener("resize",gr,!1),Br.touch&&(Ur.wrapper.addEventListener("touchstart",tr,!1),Ur.wrapper.addEventListener("touchmove",rr,!1),Ur.wrapper.addEventListener("touchend",nr,!1),window.navigator.pointerEnabled?(Ur.wrapper.addEventListener("pointerdown",ar,!1),Ur.wrapper.addEventListener("pointermove",ir,!1),Ur.wrapper.addEventListener("pointerup",or,!1)):window.navigator.msPointerEnabled&&(Ur.wrapper.addEventListener("MSPointerDown",ar,!1),Ur.wrapper.addEventListener("MSPointerMove",ir,!1),Ur.wrapper.addEventListener("MSPointerUp",or,!1))),Br.keyboard&&(document.addEventListener("keydown",er,!1),document.addEventListener("keypress",Gt,!1)),Br.progress&&Ur.progress&&Ur.progress.addEventListener("click",lr,!1),Br.focusBodyOnPageVisibilityChange){var e;"hidden"in document?e="visibilitychange":"msHidden"in document?e="msvisibilitychange":"webkitHidden"in document&&(e="webkitvisibilitychange"),e&&document.addEventListener(e,mr,!1)}var t=["touchstart","click"];Rr.match(/android/gi)&&(t=["touchstart"]),t.forEach(function(e){Ur.controlsLeft.forEach(function(t){t.addEventListener(e,cr,!1)}),Ur.controlsRight.forEach(function(t){t.addEventListener(e,dr,!1)}),Ur.controlsUp.forEach(function(t){t.addEventListener(e,ur,!1)}),Ur.controlsDown.forEach(function(t){t.addEventListener(e,pr,!1)}),Ur.controlsPrev.forEach(function(t){t.addEventListener(e,fr,!1)}),Ur.controlsNext.forEach(function(t){t.addEventListener(e,vr,!1)})})}function h(){Zr=!1,document.removeEventListener("keydown",er,!1),document.removeEventListener("keypress",Gt,!1),window.removeEventListener("hashchange",hr,!1),window.removeEventListener("resize",gr,!1),Ur.wrapper.removeEventListener("touchstart",tr,!1),Ur.wrapper.removeEventListener("touchmove",rr,!1),Ur.wrapper.removeEventListener("touchend",nr,!1),window.navigator.pointerEnabled?(Ur.wrapper.removeEventListener("pointerdown",ar,!1),Ur.wrapper.removeEventListener("pointermove",ir,!1),Ur.wrapper.removeEventListener("pointerup",or,!1)):window.navigator.msPointerEnabled&&(Ur.wrapper.removeEventListener("MSPointerDown",ar,!1),Ur.wrapper.removeEventListener("MSPointerMove",ir,!1),Ur.wrapper.removeEventListener("MSPointerUp",or,!1)),Br.progress&&Ur.progress&&Ur.progress.removeEventListener("click",lr,!1),["touchstart","click"].forEach(function(e){Ur.controlsLeft.forEach(function(t){t.removeEventListener(e,cr,!1)}),Ur.controlsRight.forEach(function(t){t.removeEventListener(e,dr,!1)}),Ur.controlsUp.forEach(function(t){t.removeEventListener(e,ur,!1)}),Ur.controlsDown.forEach(function(t){t.removeEventListener(e,pr,!1)}),Ur.controlsPrev.forEach(function(t){t.removeEventListener(e,fr,!1)}),Ur.controlsNext.forEach(function(t){t.removeEventListener(e,vr,!1)})})}function g(e,t){for(var r in t)e[r]=t[r]}function m(e){return Array.prototype.slice.call(e)}function b(e){if("string"==typeof e){if("null"===e)return null;if("true"===e)return!0;if("false"===e)return!1;if(e.match(/^\d+$/))return parseFloat(e)}return e}function y(e,t){var r=e.x-t.x,n=e.y-t.y;return Math.sqrt(r*r+n*n)}function w(e,t){e.style.WebkitTransform=t,e.style.MozTransform=t,e.style.msTransform=t,e.style.transform=t}function k(e){"string"==typeof e.layout&&(Vr.layout=e.layout),"string"==typeof e.overview&&(Vr.overview=e.overview),Vr.layout?w(Ur.slides,Vr.layout+" "+Vr.overview):w(Ur.slides,Vr.overview)}function A(e){var t=document.createElement("style");t.type="text/css",t.styleSheet?t.styleSheet.cssText=e:t.appendChild(document.createTextNode(e)),document.getElementsByTagName("head")[0].appendChild(t)}function L(e,t){for(var r=e.parentNode;r;){var n=r.matches||r.matchesSelector||r.msMatchesSelector;if(n&&n.call(r,t))return r;r=r.parentNode}return null}function E(e){var t=e.match(/^#([0-9a-f]{3})$/i);if(t&&t[1])return t=t[1],{r:17*parseInt(t.charAt(0),16),g:17*parseInt(t.charAt(1),16),b:17*parseInt(t.charAt(2),16)};var r=e.match(/^#([0-9a-f]{6})$/i);if(r&&r[1])return r=r[1],{r:parseInt(r.substr(0,2),16),g:parseInt(r.substr(2,2),16),b:parseInt(r.substr(4,2),16)};var n=e.match(/^rgb\s*\(\s*(\d+)\s*,\s*(\d+)\s*,\s*(\d+)\s*\)$/i);if(n)return{r:parseInt(n[1],10),g:parseInt(n[2],10),b:parseInt(n[3],10)};var a=e.match(/^rgba\s*\(\s*(\d+)\s*,\s*(\d+)\s*,\s*(\d+)\s*\,\s*([\d]+|[\d]*.[\d]+)\s*\)$/i);return a?{r:parseInt(a[1],10),g:parseInt(a[2],10),b:parseInt(a[3],10),a:parseFloat(a[4])}:null}function S(e){return"string"==typeof e&&(e=E(e)),e?(299*e.r+587*e.g+114*e.b)/1e3:null}function x(e,t){if(t=t||0,e){var r,n=e.style.height;return e.style.height="0px",r=t-e.parentNode.offsetHeight,e.style.height=n+"px",r}return t}function q(){return/print-pdf/gi.test(window.location.search)}function N(){Br.hideAddressBar&&Nr&&(window.addEventListener("load",M,!1),window.addEventListener("orientationchange",M,!1))}function M(){setTimeout(function(){window.scrollTo(0,1)},10)}function T(e,t){var r=document.createEvent("HTMLEvents",1,2);r.initEvent(e,!0,!0),g(r,t),Ur.wrapper.dispatchEvent(r),Br.postMessageEvents&&window.parent!==window.self&&window.parent.postMessage(JSON.stringify({namespace:"reveal",eventName:e,state:Dt()}),"*")}function I(){if($r.transforms3d&&!("msPerspective"in document.body.style))for(var e=Ur.wrapper.querySelectorAll(Cr+" a"),t=0,r=e.length;r>t;t++){var n=e[t];if(!(!n.textContent||n.querySelector("*")||n.className&&n.classList.contains(n,"roll"))){var a=document.createElement("span");a.setAttribute("data-title",n.text),a.innerHTML=n.innerHTML,n.classList.add("roll"),n.innerHTML="",n.appendChild(a)}}}function C(){for(var e=Ur.wrapper.querySelectorAll(Cr+" a.roll"),t=0,r=e.length;r>t;t++){var n=e[t],a=n.querySelector("span");a&&(n.classList.remove("roll"),n.innerHTML=a.innerHTML)}}function P(e){var t=m(document.querySelectorAll(e?e:"a"));t.forEach(function(e){/^(http|www)/gi.test(e.getAttribute("href"))&&e.addEventListener("click",yr,!1)})}function H(){var e=m(document.querySelectorAll("a"));e.forEach(function(e){/^(http|www)/gi.test(e.getAttribute("href"))&&e.removeEventListener("click",yr,!1)})}function D(e){B(),Ur.overlay=document.createElement("div"),Ur.overlay.classList.add("overlay"),Ur.overlay.classList.add("overlay-preview"),Ur.wrapper.appendChild(Ur.overlay),Ur.overlay.innerHTML=["<header>",'<a class="close" href="#"><span class="icon"></span></a>','<a class="external" href="'+e+'" target="_blank"><span class="icon"></span></a>',"</header>",'<div class="spinner"></div>','<div class="viewport">','<iframe src="'+e+'"></iframe>',"</div>"].join(""),Ur.overlay.querySelector("iframe").addEventListener("load",function(){Ur.overlay.classList.add("loaded")},!1),Ur.overlay.querySelector(".close").addEventListener("click",function(e){B(),e.preventDefault()},!1),Ur.overlay.querySelector(".external").addEventListener("click",function(){B()},!1),setTimeout(function(){Ur.overlay.classList.add("visible")},1)}function R(){if(Br.help){B(),Ur.overlay=document.createElement("div"),Ur.overlay.classList.add("overlay"),Ur.overlay.classList.add("overlay-help"),Ur.wrapper.appendChild(Ur.overlay);var e='<p class="title">Keyboard Shortcuts</p><br/>';e+="<table><th>KEY</th><th>ACTION</th>";for(var t in rn)e+="<tr><td>"+t+"</td><td>"+rn[t]+"</td></tr>";e+="</table>",Ur.overlay.innerHTML=["<header>",'<a class="close" href="#"><span class="icon"></span></a>',"</header>",'<div class="viewport">','<div class="viewport-inner">'+e+"</div>","</div>"].join(""),Ur.overlay.querySelector(".close").addEventListener("click",function(e){B(),e.preventDefault()},!1),setTimeout(function(){Ur.overlay.classList.add("visible")},1)}}function B(){Ur.overlay&&(Ur.overlay.parentNode.removeChild(Ur.overlay),Ur.overlay=null)}function z(){if(Ur.wrapper&&!q()){var e=O();W(Br.width,Br.height),Ur.slides.style.width=e.width+"px",Ur.slides.style.height=e.height+"px",jr=Math.min(e.presentationWidth/e.width,e.presentationHeight/e.height),jr=Math.max(jr,Br.minScale),jr=Math.min(jr,Br.maxScale),1===jr?(Ur.slides.style.zoom="",Ur.slides.style.left="",Ur.slides.style.top="",Ur.slides.style.bottom="",Ur.slides.style.right="",k({layout:""})):jr>1&&$r.zoom?(Ur.slides.style.zoom=jr,Ur.slides.style.left="",Ur.slides.style.top="",Ur.slides.style.bottom="",Ur.slides.style.right="",k({layout:""})):(Ur.slides.style.zoom="",Ur.slides.style.left="50%",Ur.slides.style.top="50%",Ur.slides.style.bottom="auto",Ur.slides.style.right="auto",k({layout:"translate(-50%, -50%) scale("+jr+")"}));for(var t=m(Ur.wrapper.querySelectorAll(Cr)),r=0,n=t.length;n>r;r++){var a=t[r];"none"!==a.style.display&&(a.style.top=Br.center||a.classList.contains("center")?a.classList.contains("stack")?0:Math.max((e.height-a.scrollHeight)/2,0)+"px":"")}ut(),gt()}}function W(e,t){m(Ur.slides.querySelectorAll("section > .stretch")).forEach(function(r){var n=x(r,t);if(/(img|video)/gi.test(r.nodeName)){var a=r.naturalWidth||r.videoWidth,i=r.naturalHeight||r.videoHeight,o=Math.min(e/a,n/i);r.style.width=a*o+"px",r.style.height=i*o+"px"}else r.style.width=e+"px",r.style.height=n+"px"})}function O(e,t){var r={width:Br.width,height:Br.height,presentationWidth:e||Ur.wrapper.offsetWidth,presentationHeight:t||Ur.wrapper.offsetHeight};return r.presentationWidth-=r.presentationWidth*Br.margin,r.presentationHeight-=r.presentationHeight*Br.margin,"string"==typeof r.width&&/%$/.test(r.width)&&(r.width=parseInt(r.width,10)/100*r.presentationWidth),"string"==typeof r.height&&/%$/.test(r.height)&&(r.height=parseInt(r.height,10)/100*r.presentationHeight),r}function F(e,t){"object"==typeof e&&"function"==typeof e.setAttribute&&e.setAttribute("data-previous-indexv",t||0)}function Y(e){if("object"==typeof e&&"function"==typeof e.setAttribute&&e.classList.contains("stack")){var t=e.hasAttribute("data-start-indexv")?"data-start-indexv":"data-previous-indexv";return parseInt(e.getAttribute(t)||0,10)}return 0}function X(){if(Br.overview&&!_()){Or=!0,Ur.wrapper.classList.add("overview"),Ur.wrapper.classList.remove("overview-deactivating"),$r.overviewTransitions&&setTimeout(function(){Ur.wrapper.classList.add("overview-animated")},1),Yt(),Ur.slides.appendChild(Ur.background),m(Ur.wrapper.querySelectorAll(Cr)).forEach(function(e){e.classList.contains("stack")||e.addEventListener("click",br,!0)});var e=70,t=O();Fr=t.width+e,Yr=t.height+e,Br.rtl&&(Fr=-Fr),ct(),j(),V(),z(),T("overviewshown",{indexh:Lr,indexv:Er,currentSlide:xr})}}function j(){m(Ur.wrapper.querySelectorAll(Pr)).forEach(function(e,t){e.setAttribute("data-index-h",t),w(e,"translate3d("+t*Fr+"px, 0, 0)"),e.classList.contains("stack")&&m(e.querySelectorAll("section")).forEach(function(e,r){e.setAttribute("data-index-h",t),e.setAttribute("data-index-v",r),w(e,"translate3d(0, "+r*Yr+"px, 0)")})}),m(Ur.background.childNodes).forEach(function(e,t){w(e,"translate3d("+t*Fr+"px, 0, 0)"),m(e.querySelectorAll(".slide-background")).forEach(function(e,t){w(e,"translate3d(0, "+t*Yr+"px, 0)")})})}function V(){k({overview:["translateX("+-Lr*Fr+"px)","translateY("+-Er*Yr+"px)","translateZ("+(window.innerWidth<400?-1e3:-2500)+"px)"].join(" ")})}function U(){Br.overview&&(Or=!1,Ur.wrapper.classList.remove("overview"),Ur.wrapper.classList.remove("overview-animated"),Ur.wrapper.classList.add("overview-deactivating"),setTimeout(function(){Ur.wrapper.classList.remove("overview-deactivating")},1),Ur.wrapper.appendChild(Ur.background),m(Ur.wrapper.querySelectorAll(Cr)).forEach(function(e){w(e,""),e.removeEventListener("click",br,!0)}),m(Ur.background.querySelectorAll(".slide-background")).forEach(function(e){w(e,"")}),k({overview:""}),nt(Lr,Er),z(),Ft(),T("overviewhidden",{indexh:Lr,indexv:Er,currentSlide:xr}))}function $(e){"boolean"==typeof e?e?X():U():_()?U():X()}function _(){return Or}function K(e){return e=e?e:xr,e&&e.parentNode&&!!e.parentNode.nodeName.match(/section/i)}function Z(){var e=document.documentElement,t=e.requestFullscreen||e.webkitRequestFullscreen||e.webkitRequestFullScreen||e.mozRequestFullScreen||e.msRequestFullscreen;t&&t.apply(e)}function J(){if(Br.pause){var e=Ur.wrapper.classList.contains("paused");Yt(),Ur.wrapper.classList.add("paused"),e===!1&&T("paused")}}function Q(){var e=Ur.wrapper.classList.contains("paused");Ur.wrapper.classList.remove("paused"),Ft(),e&&T("resumed")}function G(e){"boolean"==typeof e?e?J():Q():et()?Q():J()}function et(){return Ur.wrapper.classList.contains("paused")}function tt(e){"boolean"==typeof e?e?jt():Xt():en?jt():Xt()}function rt(){return!(!Jr||en)}function nt(e,t,r,n){Sr=xr;var a=Ur.wrapper.querySelectorAll(Pr);if(0!==a.length){void 0!==t||_()||(t=Y(a[e])),Sr&&Sr.parentNode&&Sr.parentNode.classList.contains("stack")&&F(Sr.parentNode,Er);var i=Xr.concat();Xr.length=0;var s=Lr||0,l=Er||0;Lr=lt(Pr,void 0===e?Lr:e),Er=lt(Hr,void 0===t?Er:t),ct(),z();e:for(var c=0,d=Xr.length;d>c;c++){for(var u=0;u<i.length;u++)if(i[u]===Xr[c]){i.splice(u,1);continue e}document.documentElement.classList.add(Xr[c]),T(Xr[c])}for(;i.length;)document.documentElement.classList.remove(i.pop());_()&&V();var p=a[Lr],f=p.querySelectorAll("section");xr=f[Er]||p,"undefined"!=typeof r&&zt(r);var v=Lr!==s||Er!==l;v?T("slidechanged",{indexh:Lr,indexv:Er,previousSlide:Sr,currentSlide:xr,origin:n}):Sr=null,Sr&&(Sr.classList.remove("present"),Sr.setAttribute("aria-hidden","true"),Ur.wrapper.querySelector(Dr).classList.contains("present")&&setTimeout(function(){var e,t=m(Ur.wrapper.querySelectorAll(Pr+".stack"));for(e in t)t[e]&&F(t[e],0)},0)),(v||!Sr)&&(Et(Sr),At(xr)),Ur.statusDiv.textContent=o(xr),vt(),ut(),ht(),gt(),pt(),dt(),Mt(),Ft()}}function at(){h(),v(),z(),Jr=Br.autoSlide,Ft(),d(),Mt(),ot(),vt(),ut(),ht(!0),pt(),ct(),dt(),kt(),At(xr),_()&&j()}function it(){var e=m(Ur.wrapper.querySelectorAll(Pr));e.forEach(function(e){var t=m(e.querySelectorAll("section"));t.forEach(function(e,t){t>0&&(e.classList.remove("present"),e.classList.remove("past"),e.classList.add("future"),e.setAttribute("aria-hidden","true"))})})}function ot(){var e=m(Ur.wrapper.querySelectorAll(Pr));e.forEach(function(e){var t=m(e.querySelectorAll("section"));t.forEach(function(e){Bt(e.querySelectorAll(".fragment"))}),0===t.length&&Bt(e.querySelectorAll(".fragment"))})}function st(){var e=m(Ur.wrapper.querySelectorAll(Pr));e.forEach(function(t){Ur.slides.insertBefore(t,e[Math.floor(Math.random()*e.length)])})}function lt(e,t){var r=m(Ur.wrapper.querySelectorAll(e)),n=r.length,a=q();if(n){Br.loop&&(t%=n,0>t&&(t=n+t)),t=Math.max(Math.min(t,n-1),0);for(var i=0;n>i;i++){var o=r[i],s=Br.rtl&&!K(o);if(o.classList.remove("past"),o.classList.remove("present"),o.classList.remove("future"),o.setAttribute("hidden",""),o.setAttribute("aria-hidden","true"),o.querySelector("section")&&o.classList.add("stack"),a)o.classList.add("present");else if(t>i){if(o.classList.add(s?"future":"past"),Br.fragments)for(var l=m(o.querySelectorAll(".fragment"));l.length;){var c=l.pop();c.classList.add("visible"),c.classList.remove("current-fragment")}}else if(i>t&&(o.classList.add(s?"past":"future"),Br.fragments))for(var d=m(o.querySelectorAll(".fragment.visible"));d.length;){var u=d.pop();u.classList.remove("visible"),u.classList.remove("current-fragment")}}r[t].classList.add("present"),r[t].removeAttribute("hidden"),r[t].removeAttribute("aria-hidden");var p=r[t].getAttribute("data-state");p&&(Xr=Xr.concat(p.split(" ")))}else t=0;return t}function ct(){var e,t,r=m(Ur.wrapper.querySelectorAll(Pr)),n=r.length;if(n&&"undefined"!=typeof Lr){var a=_()?10:Br.viewDistance;Nr&&(a=_()?6:2),q()&&(a=Number.MAX_VALUE);for(var i=0;n>i;i++){var o=r[i],s=m(o.querySelectorAll("section")),l=s.length;if(e=Math.abs((Lr||0)-i)||0,Br.loop&&(e=Math.abs(((Lr||0)-i)%(n-a))||0),a>e?mt(o):bt(o),l)for(var c=Y(o),d=0;l>d;d++){var u=s[d];t=Math.abs(i===(Lr||0)?(Er||0)-d:d-c),a>e+t?mt(u):bt(u)}}}}function dt(){Br.showNotes&&Ur.speakerNotes&&xr&&!q()&&(Ur.speakerNotes.innerHTML=Ht()||"")}function ut(){Br.progress&&Ur.progressbar&&(Ur.progressbar.style.width=xt()*Ur.wrapper.offsetWidth+"px")}function pt(){if(Br.slideNumber&&Ur.slideNumber){var e=[],t="h.v";switch("string"==typeof Br.slideNumber&&(t=Br.slideNumber),t){case"c":e.push(St()+1);break;case"c/t":e.push(St()+1,"/",It());break;case"h/v":e.push(Lr+1),K()&&e.push("/",Er+1);break;default:e.push(Lr+1),K()&&e.push(".",Er+1)}Ur.slideNumber.innerHTML=ft(e[0],e[1],e[2])}}function ft(e,t,r){return"number"!=typeof r||isNaN(r)?'<span class="slide-number-a">'+e+"</span>":'<span class="slide-number-a">'+e+'</span><span class="slide-number-delimiter">'+t+'</span><span class="slide-number-b">'+r+"</span>"}function vt(){var e=yt(),t=wt();Ur.controlsLeft.concat(Ur.controlsRight).concat(Ur.controlsUp).concat(Ur.controlsDown).concat(Ur.controlsPrev).concat(Ur.controlsNext).forEach(function(e){e.classList.remove("enabled"),e.classList.remove("fragmented"),e.setAttribute("disabled","disabled")}),e.left&&Ur.controlsLeft.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),e.right&&Ur.controlsRight.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),e.up&&Ur.controlsUp.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),e.down&&Ur.controlsDown.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),(e.left||e.up)&&Ur.controlsPrev.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),(e.right||e.down)&&Ur.controlsNext.forEach(function(e){e.classList.add("enabled"),e.removeAttribute("disabled")}),xr&&(t.prev&&Ur.controlsPrev.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")}),t.next&&Ur.controlsNext.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")}),K(xr)?(t.prev&&Ur.controlsUp.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")}),t.next&&Ur.controlsDown.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")})):(t.prev&&Ur.controlsLeft.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")}),t.next&&Ur.controlsRight.forEach(function(e){e.classList.add("fragmented","enabled"),e.removeAttribute("disabled")})))}function ht(e){var t=null,r=Br.rtl?"future":"past",n=Br.rtl?"past":"future";if(m(Ur.background.childNodes).forEach(function(a,i){a.classList.remove("past"),a.classList.remove("present"),a.classList.remove("future"),Lr>i?a.classList.add(r):i>Lr?a.classList.add(n):(a.classList.add("present"),t=a),(e||i===Lr)&&m(a.querySelectorAll(".slide-background")).forEach(function(e,r){e.classList.remove("past"),e.classList.remove("present"),e.classList.remove("future"),Er>r?e.classList.add("past"):r>Er?e.classList.add("future"):(e.classList.add("present"),i===Lr&&(t=e))})}),qr){var a=qr.querySelector("video");a&&a.pause()}if(t){var i=t.querySelector("video");if(i){var o=function(){i.currentTime=0,i.play(),i.removeEventListener("loadeddata",o)};i.readyState>1?o():i.addEventListener("loadeddata",o)}var s=t.style.backgroundImage||"";/\.gif/i.test(s)&&(t.style.backgroundImage="",window.getComputedStyle(t).opacity,t.style.backgroundImage=s);var l=qr?qr.getAttribute("data-background-hash"):null,c=t.getAttribute("data-background-hash");c&&c===l&&t!==qr&&Ur.background.classList.add("no-transition"),qr=t}xr&&["has-light-background","has-dark-background"].forEach(function(e){xr.classList.contains(e)?Ur.wrapper.classList.add(e):Ur.wrapper.classList.remove(e)}),setTimeout(function(){Ur.background.classList.remove("no-transition")},1)}function gt(){if(Br.parallaxBackgroundImage){var e,t,r=Ur.wrapper.querySelectorAll(Pr),n=Ur.wrapper.querySelectorAll(Hr),a=Ur.background.style.backgroundSize.split(" ");1===a.length?e=t=parseInt(a[0],10):(e=parseInt(a[0],10),t=parseInt(a[1],10));var i,o,s=Ur.background.offsetWidth,l=r.length;i="number"==typeof Br.parallaxBackgroundHorizontal?Br.parallaxBackgroundHorizontal:l>1?(e-s)/(l-1):0,o=i*Lr*-1;var c,d,u=Ur.background.offsetHeight,p=n.length;c="number"==typeof Br.parallaxBackgroundVertical?Br.parallaxBackgroundVertical:(t-u)/(p-1),d=p>0?c*Er:0,Ur.background.style.backgroundPosition=o+"px "+-d+"px"}}function mt(e){e.style.display="block",m(e.querySelectorAll("img[data-src], video[data-src], audio[data-src]")).forEach(function(e){e.setAttribute("src",e.getAttribute("data-src")),e.removeAttribute("data-src")}),m(e.querySelectorAll("video, audio")).forEach(function(e){var t=0;m(e.querySelectorAll("source[data-src]")).forEach(function(e){e.setAttribute("src",e.getAttribute("data-src")),e.removeAttribute("data-src"),t+=1}),t>0&&e.load()});var t=Tt(e),r=Pt(t.h,t.v);if(r&&(r.style.display="block",r.hasAttribute("data-loaded")===!1)){r.setAttribute("data-loaded","true");var n=e.getAttribute("data-background-image"),a=e.getAttribute("data-background-video"),i=e.hasAttribute("data-background-video-loop"),o=e.hasAttribute("data-background-video-muted"),s=e.getAttribute("data-background-iframe");if(n)r.style.backgroundImage="url("+n+")";else if(a&&!qt()){var l=document.createElement("video");i&&l.setAttribute("loop",""),o&&(l.muted=!0),a.split(",").forEach(function(e){l.innerHTML+='<source src="'+e+'">'}),r.appendChild(l)}else if(s){var c=document.createElement("iframe");c.setAttribute("src",s),c.style.width="100%",c.style.height="100%",c.style.maxHeight="100%",c.style.maxWidth="100%",r.appendChild(c)}}}function bt(e){e.style.display="none";var t=Tt(e),r=Pt(t.h,t.v);r&&(r.style.display="none")}function yt(){var e=Ur.wrapper.querySelectorAll(Pr),t=Ur.wrapper.querySelectorAll(Hr),r={left:Lr>0||Br.loop,right:Lr<e.length-1||Br.loop,up:Er>0,down:Er<t.length-1};if(Br.rtl){var n=r.left;r.left=r.right,r.right=n}return r}function wt(){if(xr&&Br.fragments){var e=xr.querySelectorAll(".fragment"),t=xr.querySelectorAll(".fragment:not(.visible)");return{prev:e.length-t.length>0,next:!!t.length}}return{prev:!1,next:!1}}function kt(){var e=function(e,t,r){m(Ur.slides.querySelectorAll("iframe["+e+'*="'+t+'"]')).forEach(function(t){var n=t.getAttribute(e);n&&-1===n.indexOf(r)&&t.setAttribute(e,n+(/\?/.test(n)?"&":"?")+r)})};e("src","youtube.com/embed/","enablejsapi=1"),e("data-src","youtube.com/embed/","enablejsapi=1"),e("src","player.vimeo.com/","api=1"),e("data-src","player.vimeo.com/","api=1")
+}function At(e){e&&!qt()&&(m(e.querySelectorAll('img[src$=".gif"]')).forEach(function(e){e.setAttribute("src",e.getAttribute("src"))}),m(e.querySelectorAll("video, audio")).forEach(function(e){(!L(e,".fragment")||L(e,".fragment.visible"))&&e.hasAttribute("data-autoplay")&&"function"==typeof e.play&&e.play()}),m(e.querySelectorAll("iframe[src]")).forEach(function(e){(!L(e,".fragment")||L(e,".fragment.visible"))&&Lt({target:e})}),m(e.querySelectorAll("iframe[data-src]")).forEach(function(e){(!L(e,".fragment")||L(e,".fragment.visible"))&&e.getAttribute("src")!==e.getAttribute("data-src")&&(e.removeEventListener("load",Lt),e.addEventListener("load",Lt),e.setAttribute("src",e.getAttribute("data-src")))}))}function Lt(e){var t=e.target;t&&t.contentWindow&&(/youtube\.com\/embed\//.test(t.getAttribute("src"))&&t.hasAttribute("data-autoplay")?t.contentWindow.postMessage('{"event":"command","func":"playVideo","args":""}',"*"):/player\.vimeo\.com\//.test(t.getAttribute("src"))&&t.hasAttribute("data-autoplay")?t.contentWindow.postMessage('{"method":"play"}',"*"):t.contentWindow.postMessage("slide:start","*"))}function Et(e){e&&e.parentNode&&(m(e.querySelectorAll("video, audio")).forEach(function(e){e.hasAttribute("data-ignore")||"function"!=typeof e.pause||e.pause()}),m(e.querySelectorAll("iframe")).forEach(function(e){e.contentWindow.postMessage("slide:stop","*"),e.removeEventListener("load",Lt)}),m(e.querySelectorAll('iframe[src*="youtube.com/embed/"]')).forEach(function(e){e.hasAttribute("data-ignore")||"function"!=typeof e.contentWindow.postMessage||e.contentWindow.postMessage('{"event":"command","func":"pauseVideo","args":""}',"*")}),m(e.querySelectorAll('iframe[src*="player.vimeo.com/"]')).forEach(function(e){e.hasAttribute("data-ignore")||"function"!=typeof e.contentWindow.postMessage||e.contentWindow.postMessage('{"method":"pause"}',"*")}),m(e.querySelectorAll("iframe[data-src]")).forEach(function(e){e.setAttribute("src","about:blank"),e.removeAttribute("src")}))}function St(){var e=m(Ur.wrapper.querySelectorAll(Pr)),t=0;e:for(var r=0;r<e.length;r++){for(var n=e[r],a=m(n.querySelectorAll("section")),i=0;i<a.length;i++){if(a[i].classList.contains("present"))break e;t++}if(n.classList.contains("present"))break;n.classList.contains("stack")===!1&&t++}return t}function xt(){var e=It(),t=St();if(xr){var r=xr.querySelectorAll(".fragment");if(r.length>0){var n=xr.querySelectorAll(".fragment.visible"),a=.9;t+=n.length/r.length*a}}return t/(e-1)}function qt(){return!!window.location.search.match(/receiver/gi)}function Nt(){var e=window.location.hash,t=e.slice(2).split("/"),r=e.replace(/#|\//gi,"");if(isNaN(parseInt(t[0],10))&&r.length){var n;if(/^[a-zA-Z][\w:.-]*$/.test(r)&&(n=document.getElementById(r)),n){var a=Ar.getIndices(n);nt(a.h,a.v)}else nt(Lr||0,Er||0)}else{var i=parseInt(t[0],10)||0,o=parseInt(t[1],10)||0;(i!==Lr||o!==Er)&&nt(i,o)}}function Mt(e){if(Br.history)if(clearTimeout(Kr),"number"==typeof e)Kr=setTimeout(Mt,e);else if(xr){var t="/",r=xr.getAttribute("id");r&&(r=r.replace(/[^a-zA-Z0-9\-\_\:\.]/g,"")),"string"==typeof r&&r.length?t="/"+r:((Lr>0||Er>0)&&(t+=Lr),Er>0&&(t+="/"+Er)),window.location.hash=t}}function Tt(e){var t,r=Lr,n=Er;if(e){var a=K(e),i=a?e.parentNode:e,o=m(Ur.wrapper.querySelectorAll(Pr));r=Math.max(o.indexOf(i),0),n=void 0,a&&(n=Math.max(m(e.parentNode.querySelectorAll("section")).indexOf(e),0))}if(!e&&xr){var s=xr.querySelectorAll(".fragment").length>0;if(s){var l=xr.querySelector(".current-fragment");t=l&&l.hasAttribute("data-fragment-index")?parseInt(l.getAttribute("data-fragment-index"),10):xr.querySelectorAll(".fragment.visible").length-1}}return{h:r,v:n,f:t}}function It(){return Ur.wrapper.querySelectorAll(Cr+":not(.stack)").length}function Ct(e,t){var r=Ur.wrapper.querySelectorAll(Pr)[e],n=r&&r.querySelectorAll("section");return n&&n.length&&"number"==typeof t?n?n[t]:void 0:r}function Pt(e,t){if(q()){var r=Ct(e,t);return r?r.slideBackgroundElement:void 0}var n=Ur.wrapper.querySelectorAll(".backgrounds>.slide-background")[e],a=n&&n.querySelectorAll(".slide-background");return a&&a.length&&"number"==typeof t?a?a[t]:void 0:n}function Ht(e){if(e=e||xr,e.hasAttribute("data-notes"))return e.getAttribute("data-notes");var t=e.querySelector("aside.notes");return t?t.innerHTML:null}function Dt(){var e=Tt();return{indexh:e.h,indexv:e.v,indexf:e.f,paused:et(),overview:_()}}function Rt(e){if("object"==typeof e){nt(b(e.indexh),b(e.indexv),b(e.indexf));var t=b(e.paused),r=b(e.overview);"boolean"==typeof t&&t!==et()&&G(t),"boolean"==typeof r&&r!==_()&&$(r)}}function Bt(e){e=m(e);var t=[],r=[],n=[];e.forEach(function(e){if(e.hasAttribute("data-fragment-index")){var n=parseInt(e.getAttribute("data-fragment-index"),10);t[n]||(t[n]=[]),t[n].push(e)}else r.push([e])}),t=t.concat(r);var a=0;return t.forEach(function(e){e.forEach(function(e){n.push(e),e.setAttribute("data-fragment-index",a)}),a++}),n}function zt(e,t){if(xr&&Br.fragments){var r=Bt(xr.querySelectorAll(".fragment"));if(r.length){if("number"!=typeof e){var n=Bt(xr.querySelectorAll(".fragment.visible")).pop();e=n?parseInt(n.getAttribute("data-fragment-index")||0,10):-1}"number"==typeof t&&(e+=t);var a=[],i=[];return m(r).forEach(function(t,r){t.hasAttribute("data-fragment-index")&&(r=parseInt(t.getAttribute("data-fragment-index"),10)),e>=r?(t.classList.contains("visible")||a.push(t),t.classList.add("visible"),t.classList.remove("current-fragment"),Ur.statusDiv.textContent=o(t),r===e&&(t.classList.add("current-fragment"),At(t))):(t.classList.contains("visible")&&i.push(t),t.classList.remove("visible"),t.classList.remove("current-fragment"))}),i.length&&T("fragmenthidden",{fragment:i[0],fragments:i}),a.length&&T("fragmentshown",{fragment:a[0],fragments:a}),vt(),ut(),!(!a.length&&!i.length)}}return!1}function Wt(){return zt(null,1)}function Ot(){return zt(null,-1)}function Ft(){if(Yt(),xr){var e=xr.querySelector(".current-fragment");e||(e=xr.querySelector(".fragment"));var t=e?e.getAttribute("data-autoslide"):null,r=xr.parentNode?xr.parentNode.getAttribute("data-autoslide"):null,n=xr.getAttribute("data-autoslide");Jr=t?parseInt(t,10):n?parseInt(n,10):r?parseInt(r,10):Br.autoSlide,0===xr.querySelectorAll(".fragment").length&&m(xr.querySelectorAll("video, audio")).forEach(function(e){e.hasAttribute("data-autoplay")&&Jr&&1e3*e.duration/e.playbackRate>Jr&&(Jr=1e3*e.duration/e.playbackRate+1e3)}),!Jr||en||et()||_()||Ar.isLastSlide()&&!wt().next&&Br.loop!==!0||(Qr=setTimeout(function(){"function"==typeof Br.autoSlideMethod?Br.autoSlideMethod():Zt(),Ft()},Jr),Gr=Date.now()),Tr&&Tr.setPlaying(-1!==Qr)}}function Yt(){clearTimeout(Qr),Qr=-1}function Xt(){Jr&&!en&&(en=!0,T("autoslidepaused"),clearTimeout(Qr),Tr&&Tr.setPlaying(!1))}function jt(){Jr&&en&&(en=!1,T("autoslideresumed"),Ft())}function Vt(){Br.rtl?(_()||Wt()===!1)&&yt().left&&nt(Lr+1):(_()||Ot()===!1)&&yt().left&&nt(Lr-1)}function Ut(){Br.rtl?(_()||Ot()===!1)&&yt().right&&nt(Lr-1):(_()||Wt()===!1)&&yt().right&&nt(Lr+1)}function $t(){(_()||Ot()===!1)&&yt().up&&nt(Lr,Er-1)}function _t(){(_()||Wt()===!1)&&yt().down&&nt(Lr,Er+1)}function Kt(){if(Ot()===!1)if(yt().up)$t();else{var e;if(e=Br.rtl?m(Ur.wrapper.querySelectorAll(Pr+".future")).pop():m(Ur.wrapper.querySelectorAll(Pr+".past")).pop()){var t=e.querySelectorAll("section").length-1||void 0,r=Lr-1;nt(r,t)}}}function Zt(){Wt()===!1&&(yt().down?_t():Br.rtl?Vt():Ut())}function Jt(e){for(;e&&"function"==typeof e.hasAttribute;){if(e.hasAttribute("data-prevent-swipe"))return!0;e=e.parentNode}return!1}function Qt(){Br.autoSlideStoppable&&Xt()}function Gt(e){e.shiftKey&&63===e.charCode&&(Ur.overlay?B():R(!0))}function er(e){if("function"==typeof Br.keyboardCondition&&Br.keyboardCondition()===!1)return!0;var t=en;Qt(e);var r=document.activeElement&&"inherit"!==document.activeElement.contentEditable,n=document.activeElement&&document.activeElement.tagName&&/input|textarea/i.test(document.activeElement.tagName),a=document.activeElement&&document.activeElement.className&&/speaker-notes/i.test(document.activeElement.className);if(!(r||n||a||e.shiftKey&&32!==e.keyCode||e.altKey||e.ctrlKey||e.metaKey)){var i,o=[66,86,190,191];if("object"==typeof Br.keyboard)for(i in Br.keyboard)"togglePause"===Br.keyboard[i]&&o.push(parseInt(i,10));if(et()&&-1===o.indexOf(e.keyCode))return!1;var s=!1;if("object"==typeof Br.keyboard)for(i in Br.keyboard)if(parseInt(i,10)===e.keyCode){var l=Br.keyboard[i];"function"==typeof l?l.apply(null,[e]):"string"==typeof l&&"function"==typeof Ar[l]&&Ar[l].call(),s=!0}if(s===!1)switch(s=!0,e.keyCode){case 80:case 33:Kt();break;case 78:case 34:Zt();break;case 72:case 37:Vt();break;case 76:case 39:Ut();break;case 75:case 38:$t();break;case 74:case 40:_t();break;case 36:nt(0);break;case 35:nt(Number.MAX_VALUE);break;case 32:_()?U():e.shiftKey?Kt():Zt();break;case 13:_()?U():s=!1;break;case 58:case 59:case 66:case 86:case 190:case 191:G();break;case 70:Z();break;case 65:Br.autoSlideStoppable&&tt(t);break;default:s=!1}s?e.preventDefault&&e.preventDefault():27!==e.keyCode&&79!==e.keyCode||!$r.transforms3d||(Ur.overlay?B():$(),e.preventDefault&&e.preventDefault()),Ft()}}function tr(e){return Jt(e.target)?!0:(tn.startX=e.touches[0].clientX,tn.startY=e.touches[0].clientY,tn.startCount=e.touches.length,void(2===e.touches.length&&Br.overview&&(tn.startSpan=y({x:e.touches[1].clientX,y:e.touches[1].clientY},{x:tn.startX,y:tn.startY}))))}function rr(e){if(Jt(e.target))return!0;if(tn.captured)Rr.match(/android/gi)&&e.preventDefault();else{Qt(e);var t=e.touches[0].clientX,r=e.touches[0].clientY;if(2===e.touches.length&&2===tn.startCount&&Br.overview){var n=y({x:e.touches[1].clientX,y:e.touches[1].clientY},{x:tn.startX,y:tn.startY});Math.abs(tn.startSpan-n)>tn.threshold&&(tn.captured=!0,n<tn.startSpan?X():U()),e.preventDefault()}else if(1===e.touches.length&&2!==tn.startCount){var a=t-tn.startX,i=r-tn.startY;a>tn.threshold&&Math.abs(a)>Math.abs(i)?(tn.captured=!0,Vt()):a<-tn.threshold&&Math.abs(a)>Math.abs(i)?(tn.captured=!0,Ut()):i>tn.threshold?(tn.captured=!0,$t()):i<-tn.threshold&&(tn.captured=!0,_t()),Br.embedded?(tn.captured||K(xr))&&e.preventDefault():e.preventDefault()}}}function nr(){tn.captured=!1}function ar(e){(e.pointerType===e.MSPOINTER_TYPE_TOUCH||"touch"===e.pointerType)&&(e.touches=[{clientX:e.clientX,clientY:e.clientY}],tr(e))}function ir(e){(e.pointerType===e.MSPOINTER_TYPE_TOUCH||"touch"===e.pointerType)&&(e.touches=[{clientX:e.clientX,clientY:e.clientY}],rr(e))}function or(e){(e.pointerType===e.MSPOINTER_TYPE_TOUCH||"touch"===e.pointerType)&&(e.touches=[{clientX:e.clientX,clientY:e.clientY}],nr(e))}function sr(e){if(Date.now()-_r>600){_r=Date.now();var t=e.detail||-e.wheelDelta;t>0?Zt():0>t&&Kt()}}function lr(e){Qt(e),e.preventDefault();var t=m(Ur.wrapper.querySelectorAll(Pr)).length,r=Math.floor(e.clientX/Ur.wrapper.offsetWidth*t);Br.rtl&&(r=t-r),nt(r)}function cr(e){e.preventDefault(),Qt(),Vt()}function dr(e){e.preventDefault(),Qt(),Ut()}function ur(e){e.preventDefault(),Qt(),$t()}function pr(e){e.preventDefault(),Qt(),_t()}function fr(e){e.preventDefault(),Qt(),Kt()}function vr(e){e.preventDefault(),Qt(),Zt()}function hr(){Nt()}function gr(){z()}function mr(){var e=document.webkitHidden||document.msHidden||document.hidden;e===!1&&document.activeElement!==document.body&&("function"==typeof document.activeElement.blur&&document.activeElement.blur(),document.body.focus())}function br(e){if(Zr&&_()){e.preventDefault();for(var t=e.target;t&&!t.nodeName.match(/section/gi);)t=t.parentNode;if(t&&!t.classList.contains("disabled")&&(U(),t.nodeName.match(/section/gi))){var r=parseInt(t.getAttribute("data-index-h"),10),n=parseInt(t.getAttribute("data-index-v"),10);nt(r,n)}}}function yr(e){if(e.currentTarget&&e.currentTarget.hasAttribute("href")){var t=e.currentTarget.getAttribute("href");t&&(D(t),e.preventDefault())}}function wr(){Ar.isLastSlide()&&Br.loop===!1?(nt(0,0),jt()):en?jt():Xt()}function kr(e,t){this.diameter=100,this.diameter2=this.diameter/2,this.thickness=6,this.playing=!1,this.progress=0,this.progressOffset=1,this.container=e,this.progressCheck=t,this.canvas=document.createElement("canvas"),this.canvas.className="playback",this.canvas.width=this.diameter,this.canvas.height=this.diameter,this.canvas.style.width=this.diameter2+"px",this.canvas.style.height=this.diameter2+"px",this.context=this.canvas.getContext("2d"),this.container.appendChild(this.canvas),this.render()}var Ar,Lr,Er,Sr,xr,qr,Nr,Mr,Tr,Ir="3.3.0",Cr=".slides section",Pr=".slides>section",Hr=".slides>section.present>section",Dr=".slides>section:first-of-type",Rr=navigator.userAgent,Br={width:960,height:700,margin:.1,minScale:.2,maxScale:2,controls:!0,progress:!0,slideNumber:!1,history:!1,keyboard:!0,keyboardCondition:null,overview:!0,center:!0,touch:!0,loop:!1,rtl:!1,shuffle:!1,fragments:!0,embedded:!1,help:!0,pause:!0,showNotes:!1,autoSlide:0,autoSlideStoppable:!0,autoSlideMethod:null,mouseWheel:!1,rollingLinks:!1,hideAddressBar:!0,previewLinks:!1,postMessage:!0,postMessageEvents:!1,focusBodyOnPageVisibilityChange:!0,transition:"default",transitionSpeed:"default",backgroundTransition:"default",parallaxBackgroundImage:"",parallaxBackgroundSize:"",parallaxBackgroundHorizontal:null,parallaxBackgroundVertical:null,pdfMaxPagesPerSlide:Number.POSITIVE_INFINITY,viewDistance:3,dependencies:[]},zr=!1,Wr=!1,Or=!1,Fr=null,Yr=null,Xr=[],jr=1,Vr={layout:"",overview:""},Ur={},$r={},_r=0,Kr=0,Zr=!1,Jr=0,Qr=0,Gr=-1,en=!1,tn={startX:0,startY:0,startSpan:0,startCount:0,captured:!1,threshold:40},rn={"N , SPACE":"Next slide",P:"Previous slide","&#8592; , H":"Navigate left","&#8594; , L":"Navigate right","&#8593; , K":"Navigate up","&#8595; , J":"Navigate down",Home:"First slide",End:"Last slide","B , .":"Pause",F:"Fullscreen","ESC, O":"Slide overview"};return kr.prototype.setPlaying=function(e){var t=this.playing;this.playing=e,!t&&this.playing?this.animate():this.render()},kr.prototype.animate=function(){var e=this.progress;this.progress=this.progressCheck(),e>.8&&this.progress<.2&&(this.progressOffset=this.progress),this.render(),this.playing&&$r.requestAnimationFrameMethod.call(window,this.animate.bind(this))},kr.prototype.render=function(){var e=this.playing?this.progress:0,t=this.diameter2-this.thickness,r=this.diameter2,n=this.diameter2,a=28;this.progressOffset+=.1*(1-this.progressOffset);var i=-Math.PI/2+2*e*Math.PI,o=-Math.PI/2+2*this.progressOffset*Math.PI;this.context.save(),this.context.clearRect(0,0,this.diameter,this.diameter),this.context.beginPath(),this.context.arc(r,n,t+4,0,2*Math.PI,!1),this.context.fillStyle="rgba( 0, 0, 0, 0.4 )",this.context.fill(),this.context.beginPath(),this.context.arc(r,n,t,0,2*Math.PI,!1),this.context.lineWidth=this.thickness,this.context.strokeStyle="#666",this.context.stroke(),this.playing&&(this.context.beginPath(),this.context.arc(r,n,t,o,i,!1),this.context.lineWidth=this.thickness,this.context.strokeStyle="#fff",this.context.stroke()),this.context.translate(r-a/2,n-a/2),this.playing?(this.context.fillStyle="#fff",this.context.fillRect(0,0,a/2-4,a),this.context.fillRect(a/2+4,0,a/2-4,a)):(this.context.beginPath(),this.context.translate(4,0),this.context.moveTo(0,0),this.context.lineTo(a-4,a/2),this.context.lineTo(0,a),this.context.fillStyle="#fff",this.context.fill()),this.context.restore()},kr.prototype.on=function(e,t){this.canvas.addEventListener(e,t,!1)},kr.prototype.off=function(e,t){this.canvas.removeEventListener(e,t,!1)},kr.prototype.destroy=function(){this.playing=!1,this.canvas.parentNode&&this.container.removeChild(this.canvas)},Ar={VERSION:Ir,initialize:e,configure:f,sync:at,slide:nt,left:Vt,right:Ut,up:$t,down:_t,prev:Kt,next:Zt,navigateFragment:zt,prevFragment:Ot,nextFragment:Wt,navigateTo:nt,navigateLeft:Vt,navigateRight:Ut,navigateUp:$t,navigateDown:_t,navigatePrev:Kt,navigateNext:Zt,showHelp:R,layout:z,shuffle:st,availableRoutes:yt,availableFragments:wt,toggleOverview:$,togglePause:G,toggleAutoSlide:tt,isOverview:_,isPaused:et,isAutoSliding:rt,addEventListeners:v,removeEventListeners:h,getState:Dt,setState:Rt,getProgress:xt,getIndices:Tt,getTotalSlides:It,getSlide:Ct,getSlideBackground:Pt,getSlideNotes:Ht,getPreviousSlide:function(){return Sr},getCurrentSlide:function(){return xr},getScale:function(){return jr},getConfig:function(){return Br},getQueryHash:function(){var e={};location.search.replace(/[A-Z0-9]+?=([\w\.%-]*)/gi,function(t){e[t.split("=").shift()]=t.split("=").pop()});for(var t in e){var r=e[t];e[t]=b(unescape(r))}return e},isFirstSlide:function(){return 0===Lr&&0===Er},isLastSlide:function(){return xr?xr.nextElementSibling?!1:K(xr)&&xr.parentNode.nextElementSibling?!1:!0:!1},isReady:function(){return Wr},addEventListener:function(e,t,r){"addEventListener"in window&&(Ur.wrapper||document.querySelector(".reveal")).addEventListener(e,t,r)},removeEventListener:function(e,t,r){"addEventListener"in window&&(Ur.wrapper||document.querySelector(".reveal")).removeEventListener(e,t,r)},triggerKey:function(e){er({keyCode:e})},registerKeyboardShortcut:function(e,t){rn[e]=t}}});
+ </script>
+ <script>
+ !function(){if("function"==typeof window.addEventListener)for(var e=document.querySelectorAll("pre code"),t=0,r=e.length;r>t;t++){var i=e[t];i.hasAttribute("data-trim")&&"function"==typeof i.innerHTML.trim&&(i.innerHTML=i.innerHTML.trim()),i.addEventListener("focusout",function(e){hljs.highlightBlock(e.currentTarget)},!1)}}(),!function(e){"undefined"!=typeof exports?e(exports):(self.hljs=e({}),"function"==typeof define&&define.amd&&define("hljs",[],function(){return self.hljs}))}(function(e){function t(e){return e.replace(/&/gm,"&amp;").replace(/</gm,"&lt;").replace(/>/gm,"&gt;")}function r(e){return e.nodeName.toLowerCase()}function i(e,t){var r=e&&e.exec(t);return r&&0==r.index}function a(e){return/^(no-?highlight|plain|text)$/i.test(e)}function n(e){var t,r,i,n=e.className+" ";if(n+=e.parentNode?e.parentNode.className:"",r=/\blang(?:uage)?-([\w-]+)\b/i.exec(n))return f(r[1])?r[1]:"no-highlight";for(n=n.split(/\s+/),t=0,i=n.length;i>t;t++)if(f(n[t])||a(n[t]))return n[t]}function o(e,t){var r,i={};for(r in e)i[r]=e[r];if(t)for(r in t)i[r]=t[r];return i}function s(e){var t=[];return function i(e,a){for(var n=e.firstChild;n;n=n.nextSibling)3==n.nodeType?a+=n.nodeValue.length:1==n.nodeType&&(t.push({event:"start",offset:a,node:n}),a=i(n,a),r(n).match(/br|hr|img|input/)||t.push({event:"stop",offset:a,node:n}));return a}(e,0),t}function l(e,i,a){function n(){return e.length&&i.length?e[0].offset!=i[0].offset?e[0].offset<i[0].offset?e:i:"start"==i[0].event?e:i:e.length?e:i}function o(e){function i(e){return" "+e.nodeName+'="'+t(e.value)+'"'}d+="<"+r(e)+Array.prototype.map.call(e.attributes,i).join("")+">"}function s(e){d+="</"+r(e)+">"}function l(e){("start"==e.event?o:s)(e.node)}for(var c=0,d="",u=[];e.length||i.length;){var m=n();if(d+=t(a.substr(c,m[0].offset-c)),c=m[0].offset,m==e){u.reverse().forEach(s);do l(m.splice(0,1)[0]),m=n();while(m==e&&m.length&&m[0].offset==c);u.reverse().forEach(o)}else"start"==m[0].event?u.push(m[0].node):u.pop(),l(m.splice(0,1)[0])}return d+t(a.substr(c))}function c(e){function t(e){return e&&e.source||e}function r(r,i){return new RegExp(t(r),"m"+(e.cI?"i":"")+(i?"g":""))}function i(a,n){if(!a.compiled){if(a.compiled=!0,a.k=a.k||a.bK,a.k){var s={},l=function(t,r){e.cI&&(r=r.toLowerCase()),r.split(" ").forEach(function(e){var r=e.split("|");s[r[0]]=[t,r[1]?Number(r[1]):1]})};"string"==typeof a.k?l("keyword",a.k):Object.keys(a.k).forEach(function(e){l(e,a.k[e])}),a.k=s}a.lR=r(a.l||/\b\w+\b/,!0),n&&(a.bK&&(a.b="\\b("+a.bK.split(" ").join("|")+")\\b"),a.b||(a.b=/\B|\b/),a.bR=r(a.b),a.e||a.eW||(a.e=/\B|\b/),a.e&&(a.eR=r(a.e)),a.tE=t(a.e)||"",a.eW&&n.tE&&(a.tE+=(a.e?"|":"")+n.tE)),a.i&&(a.iR=r(a.i)),void 0===a.r&&(a.r=1),a.c||(a.c=[]);var c=[];a.c.forEach(function(e){e.v?e.v.forEach(function(t){c.push(o(e,t))}):c.push("self"==e?a:e)}),a.c=c,a.c.forEach(function(e){i(e,a)}),a.starts&&i(a.starts,n);var d=a.c.map(function(e){return e.bK?"\\.?("+e.b+")\\.?":e.b}).concat([a.tE,a.i]).map(t).filter(Boolean);a.t=d.length?r(d.join("|"),!0):{exec:function(){return null}}}}i(e)}function d(e,r,a,n){function o(e,t){for(var r=0;r<t.c.length;r++)if(i(t.c[r].bR,e))return t.c[r]}function s(e,t){if(i(e.eR,t)){for(;e.endsParent&&e.parent;)e=e.parent;return e}return e.eW?s(e.parent,t):void 0}function l(e,t){return!a&&i(t.iR,e)}function m(e,t){var r=h.cI?t[0].toLowerCase():t[0];return e.k.hasOwnProperty(r)&&e.k[r]}function p(e,t,r,i){var a=i?"":S.classPrefix,n='<span class="'+a,o=r?"":"</span>";return n+=e+'">',n+t+o}function _(){if(!P.k)return t(A);var e="",r=0;P.lR.lastIndex=0;for(var i=P.lR.exec(A);i;){e+=t(A.substr(r,i.index-r));var a=m(P,i);a?(T+=a[1],e+=p(a[0],t(i[0]))):e+=t(i[0]),r=P.lR.lastIndex,i=P.lR.exec(A)}return e+t(A.substr(r))}function b(){var e="string"==typeof P.sL;if(e&&!v[P.sL])return t(A);var r=e?d(P.sL,A,!0,G[P.sL]):u(A,P.sL.length?P.sL:void 0);return P.r>0&&(T+=r.r),e&&(G[P.sL]=r.top),p(r.language,r.value,!1,!0)}function g(){return void 0!==P.sL?b():_()}function I(e,r){var i=e.cN?p(e.cN,"",!0):"";e.rB?(x+=i,A=""):e.eB?(x+=t(r)+i,A=""):(x+=i,A=r),P=Object.create(e,{parent:{value:P}})}function C(e,r){if(A+=e,void 0===r)return x+=g(),0;var i=o(r,P);if(i)return x+=g(),I(i,r),i.rB?0:r.length;var a=s(P,r);if(a){var n=P;n.rE||n.eE||(A+=r),x+=g();do P.cN&&(x+="</span>"),T+=P.r,P=P.parent;while(P!=a.parent);return n.eE&&(x+=t(r)),A="",a.starts&&I(a.starts,""),n.rE?0:r.length}if(l(r,P))throw new Error('Illegal lexeme "'+r+'" for mode "'+(P.cN||"<unnamed>")+'"');return A+=r,r.length||1}var h=f(e);if(!h)throw new Error('Unknown language: "'+e+'"');c(h);var y,P=n||h,G={},x="";for(y=P;y!=h;y=y.parent)y.cN&&(x=p(y.cN,"",!0)+x);var A="",T=0;try{for(var w,D,E=0;P.t.lastIndex=E,w=P.t.exec(r),w;)D=C(r.substr(E,w.index-E),w[0]),E=w.index+D;for(C(r.substr(E)),y=P;y.parent;y=y.parent)y.cN&&(x+="</span>");return{r:T,value:x,language:e,top:P}}catch(M){if(-1!=M.message.indexOf("Illegal"))return{r:0,value:t(r)};throw M}}function u(e,r){r=r||S.languages||Object.keys(v);var i={r:0,value:t(e)},a=i;return r.forEach(function(t){if(f(t)){var r=d(t,e,!1);r.language=t,r.r>a.r&&(a=r),r.r>i.r&&(a=i,i=r)}}),a.language&&(i.second_best=a),i}function m(e){return S.tabReplace&&(e=e.replace(/^((<[^>]+>|\t)+)/gm,function(e,t){return t.replace(/\t/g,S.tabReplace)})),S.useBR&&(e=e.replace(/\n/g,"<br>")),e}function p(e,t,r){var i=t?y[t]:r,a=[e.trim()];return e.match(/\bhljs\b/)||a.push("hljs"),-1===e.indexOf(i)&&a.push(i),a.join(" ").trim()}function _(e){var t=n(e);if(!a(t)){var r;S.useBR?(r=document.createElementNS("http://www.w3.org/1999/xhtml","div"),r.innerHTML=e.innerHTML.replace(/\n/g,"").replace(/<br[ \/]*>/g,"\n")):r=e;var i=r.textContent,o=t?d(t,i,!0):u(i),c=s(r);if(c.length){var _=document.createElementNS("http://www.w3.org/1999/xhtml","div");_.innerHTML=o.value,o.value=l(c,s(_),i)}o.value=m(o.value),e.innerHTML=o.value,e.className=p(e.className,t,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 b(e){S=o(S,e)}function g(){if(!g.called){g.called=!0;var e=document.querySelectorAll("pre code");Array.prototype.forEach.call(e,_)}}function I(){addEventListener("DOMContentLoaded",g,!1),addEventListener("load",g,!1)}function C(t,r){var i=v[t]=r(e);i.aliases&&i.aliases.forEach(function(e){y[e]=t})}function h(){return Object.keys(v)}function f(e){return e=(e||"").toLowerCase(),v[e]||v[y[e]]}var S={classPrefix:"hljs-",tabReplace:null,useBR:!1,languages:void 0},v={},y={};return e.highlight=d,e.highlightAuto=u,e.fixMarkup=m,e.highlightBlock=_,e.configure=b,e.initHighlighting=g,e.initHighlightingOnLoad=I,e.registerLanguage=C,e.listLanguages=h,e.getLanguage=f,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(t,r,i){var a=e.inherit({cN:"comment",b:t,e:r,c:[]},i||{});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("php",function(e){var t={b:"\\$+[a-zA-Z_-\xff][a-zA-Z0-9_-\xff]*"},r={cN:"meta",b:/<\?(php)?|\?>/},i={cN:"string",c:[e.BE,r],v:[{b:'b"',e:'"'},{b:"b'",e:"'"},e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},a={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]+"},r]}),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:/\}/}]}]},r,t,{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",t,e.CBCM,i,a]}]},{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,a]}}),hljs.registerLanguage("avrasm",function(e){return{cI:!0,l:"\\.?"+e.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",meta:".byte .cseg .db .def .device .dseg .dw .endmacro .equ .eseg .exit .include .list .listmac .macro .nolist .org .set"},c:[e.CBCM,e.C(";","$",{r:0}),e.CNM,e.BNM,{cN:"number",b:"\\b(\\$[a-zA-Z0-9]+|0o[0-7]+)"},e.QSM,{cN:"string",b:"'",e:"[^\\\\]'",i:"[^\\\\][^']"},{cN:"symbol",b:"^[A-Za-z0-9_.$]+:"},{cN:"meta",b:"#",e:"$"},{cN:"subst",b:"@[0-9]+"}]}}),hljs.registerLanguage("matlab",function(e){var t=[e.CNM,{cN:"string",b:"'",e:"'",c:[e.BE,{b:"''"}]}],r={r:0,c:[{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",v:[{b:"\\(",e:"\\)"},{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},r.c[0]]},{b:"\\[",e:"\\]",c:t,r:0,starts:r},{b:"\\{",e:/}/,c:t,r:0,starts:r},{b:/\)/,r:0,starts:r},e.C("^\\s*\\%\\{\\s*$","^\\s*\\%\\}\\s*$"),e.C("\\%","$")].concat(t)}}),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"],r=["case","catch","default","do","else","exit","exitWith|5","for","forEach","from","if","switch","then","throw","to","try","while","with"],i=["!","-","+","!=","%","&&","*","/","=","==",">",">=","<","<=","^",":",">>"],a=["_forEachIndex|10","_this|10","_x|10"],n=["true","false","nil"],o=t.filter(function(e){return-1==r.indexOf(e)&&-1==n.indexOf(e)&&-1==i.indexOf(e)
+});o=o.concat(a);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:"meta",b:"#",e:"$",k:{"meta-keyword":"if else elif endif define undef warning error line pragma ifdef ifndef"},c:[{b:/\\\n/,r:0},{bK:"include",e:"$",k:{"meta-keyword":"include"},c:[c,{cN:"meta-string",b:"<",e:">",i:"\\n"}]},c,l,e.CLCM,e.CBCM]};return{aliases:["sqf"],cI:!0,k:{keyword:r.join(" "),built_in:o.join(" "),literal:n.join(" ")},c:[e.CLCM,e.CBCM,l,s,d]}}),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",r={keyword:"if then else do while until for loop import with is as where when by data constant integer real text name boolean symbol infix prefix postfix block tree",literal:"true false nil",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 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 "+t},i={cN:"string",b:'"',e:'"',i:"\\n"},a={cN:"string",b:"'",e:"'",i:"\\n"},n={cN:"string",b:"<<",e:">>"},o={cN:"number",b:"[0-9]+#[0-9A-Z_]+(\\.[0-9-A-Z_]+)?#?([Ee][+-]?[0-9]+)?"},s={bK:"import",e:"$",k:r,c:[i]},l={cN:"function",b:/[a-z][^\n]*->/,rB:!0,e:/->/,c:[e.inherit(e.TM,{starts:{eW:!0,k:r}})]};return{aliases:["tao"],l:/[a-zA-Z][a-zA-Z0-9_?]*/,k:r,c:[e.CLCM,e.CBCM,i,a,n,l,s,o,e.NM]}}),hljs.registerLanguage("less",function(e){var t="[\\w-]+",r="("+t+"|@{"+t+"})",i=[],a=[],n=function(e){return{cN:"string",b:"~?"+e+".*?"+e}},o=function(e,t,r){return{cN:e,b:t,r:r}},s={b:"\\(",e:"\\)",c:a,r:0};a.push(e.CLCM,e.CBCM,n("'"),n('"'),e.CSSNM,{b:"(url|data-uri)\\(",starts:{cN:"string",e:"[\\)\\n]",eE:!0}},o("number","#[0-9A-Fa-f]+\\b"),s,o("variable","@@?"+t,10),o("variable","@{"+t+"}"),o("built_in","~?`[^`]*?`"),{cN:"attribute",b:t+"\\s*:",e:":",rB:!0,eE:!0},{cN:"meta",b:"!important"});var l=a.concat({b:"{",e:"}",c:i}),c={bK:"when",eW:!0,c:[{bK:"and not"}].concat(a)},d={cN:"attribute",b:r,e:":",eE:!0,c:[e.CLCM,e.CBCM],i:/\S/,starts:{e:"[;}]",rE:!0,c:a,i:"[<=$]"}},u={cN:"keyword",b:"@(import|media|charset|font-face|(-[a-z]+-)?keyframes|supports|document|namespace|page|viewport|host)\\b",starts:{e:"[;{}]",rE:!0,c:a,r:0}},m={cN:"variable",v:[{b:"@"+t+"\\s*:",r:15},{b:"@"+t}],starts:{e:"[;}]",rE:!0,c:l}},p={v:[{b:"[\\.#:&\\[]",e:"[;{}]"},{b:r+"[^;]*{",e:"{"}],rB:!0,rE:!0,i:"[<='$\"]",c:[e.CLCM,e.CBCM,c,o("keyword","all\\b"),o("variable","@{"+t+"}"),o("selector-tag",r+"%?",0),o("selector-id","#"+r),o("selector-class","\\."+r,0),o("selector-tag","&",0),{cN:"selector-attr",b:"\\[",e:"\\]"},{b:"\\(",e:"\\)",c:l},{b:"!important"}]};return i.push(e.CLCM,e.CBCM,u,m,p,d),{cI:!0,i:"[=>'/<($\"]",c:i}}),hljs.registerLanguage("gcode",function(e){var t="[A-Z_][A-Z0-9_.]*",r="\\%",i="IF DO WHILE ENDWHILE CALL ENDIF SUB ENDSUB GOTO REPEAT ENDREPEAT EQ LT GT NE GE LE OR XOR",a={cN:"meta",b:"([O])([0-9]+)"},n=[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:"name",b:"([G])([0-9]+\\.?[0-9]?)"},{cN:"name",b:"([M])([0-9]+\\.?[0-9]?)"},{cN:"attr",b:"(VC|VS|#)",e:"(\\d+)"},{cN:"attr",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:"symbol",v:[{b:"N",e:"\\d+",i:"\\W"}]}];return{aliases:["nc"],cI:!0,l:t,k:i,c:[{cN:"meta",b:r},a].concat(n)}}),hljs.registerLanguage("crystal",function(e){function t(e,t){var r=[{b:e,e:t}];return r[0].c=r,r}var r="(_[uif](8|16|32|64))?",i="[a-zA-Z_]\\w*[!?=]?",a="!=|!==|%|%=|&|&&|&=|\\*|\\*=|\\+|\\+=|,|-|-=|/=|/|:|;|<<|<<=|<=|<|===|==|=|>>>=|>>=|>=|>>>|>>|>|\\[|\\{|\\(|\\^|\\^=|\\||\\|=|\\|\\||~",n="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\][=?]?",o={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"},s={cN:"subst",b:"#{",e:"}",k:o},l={cN:"template-variable",v:[{b:"\\{\\{",e:"\\}\\}"},{b:"\\{%",e:"%\\}"}],k:o,r:10},c={cN:"string",c:[e.BE,s],v:[{b:/'/,e:/'/},{b:/"/,e:/"/},{b:/`/,e:/`/},{b:"%w?\\(",e:"\\)",c:t("\\(","\\)")},{b:"%w?\\[",e:"\\]",c:t("\\[","\\]")},{b:"%w?{",e:"}",c:t("{","}")},{b:"%w?<",e:">",c:t("<",">")},{b:"%w?/",e:"/"},{b:"%w?%",e:"%"},{b:"%w?-",e:"-"},{b:"%w?\\|",e:"\\|"}],r:0},d={b:"("+a+")\\s*",c:[{cN:"regexp",c:[e.BE,s],v:[{b:"/",e:"/[a-z]*"},{b:"%r\\(",e:"\\)",c:t("\\(","\\)")},{b:"%r\\[",e:"\\]",c:t("\\[","\\]")},{b:"%r{",e:"}",c:t("{","}")},{b:"%r<",e:">",c:t("<",">")},{b:"%r/",e:"/"},{b:"%r%",e:"%"},{b:"%r-",e:"-"},{b:"%r\\|",e:"\\|"}]}],r:0},u={cN:"regexp",c:[e.BE,s],v:[{b:"%r\\(",e:"\\)",c:t("\\(","\\)")},{b:"%r\\[",e:"\\]",c:t("\\[","\\]")},{b:"%r{",e:"}",c:t("{","}")},{b:"%r<",e:">",c:t("<",">")},{b:"%r/",e:"/"},{b:"%r%",e:"%"},{b:"%r-",e:"-"},{b:"%r\\|",e:"\\|"}],r:0},m={cN:"meta",b:"@\\[",e:"\\]",r:5},p=[l,c,d,u,m,e.HCM,{cN:"class",bK:"class module struct",e:"$|;",i:/=/,c:[e.HCM,e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"}),{b:"<"}]},{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:n,endsParent:!0})]},{cN:"function",bK:"fun macro",e:/\B\b/,c:[e.inherit(e.TM,{b:n,endsParent:!0})],r:5},{cN:"symbol",b:e.UIR+"(\\!|\\?)?:",r:0},{cN:"symbol",b:":",c:[c,{b:n}],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}];return s.c=p,m.c=p,l.c=p.slice(1),{aliases:["cr"],l:i,k:o,c:p}}),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:"title",b:"[ \\t\\n\\r]+(::)?[a-zA-Z_]((::)?[a-zA-Z0-9_])*",e:"[ \\t\\n\\r]",eW:!0,eE:!0}]},{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("actionscript",function(e){var t="[a-zA-Z_$][a-zA-Z0-9_$]*",r="([*]|[a-zA-Z_$][a-zA-Z0-9_$]*)",i={cN:"rest_arg",b:"[.]{3}",e:t,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:"class",bK:"package",e:"{",c:[e.TM]},{cN:"class",bK:"class interface",e:"{",eE:!0,c:[{bK:"extends implements"},e.TM]},{cN:"meta",bK:"import include",e:";",k:{"meta-keyword":"import include"}},{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,i]},{b:":\\s*"+r}]}],i:/#/}}),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:"type",b:"`[A-Z][\\w']*"},{cN:"type",b:"\\b[A-Z][\\w']*",r:0},{b:"[a-z_]\\w*'[\\w']*",r:0},e.inherit(e.ASM,{cN:"string",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("stylus",function(e){var t={cN:"variable",b:"\\$"+e.IR},r={cN:"number",b:"#([a-fA-F0-9]{6}|[a-fA-F0-9]{3})"},i=["charset","css","debug","extend","font-face","for","import","include","media","mixin","page","warn","while"],a=["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"],o="[\\.\\s\\n\\[\\:,]",s=["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"],l=["\\{","\\}","\\?","(\\bReturn\\b)","(\\bEnd\\b)","(\\bend\\b)",";","#\\s","\\*\\s","===\\s","\\|","%"];return{aliases:["styl"],cI:!1,i:"("+l.join("|")+")",k:"if else for in",c:[e.QSM,e.ASM,e.CLCM,e.CBCM,r,{b:"\\.[a-zA-Z][a-zA-Z0-9_-]*"+o,rB:!0,c:[{cN:"selector-class",b:"\\.[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"\\#[a-zA-Z][a-zA-Z0-9_-]*"+o,rB:!0,c:[{cN:"selector-id",b:"\\#[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"\\b("+n.join("|")+")"+o,rB:!0,c:[{cN:"selector-tag",b:"\\b[a-zA-Z][a-zA-Z0-9_-]*"}]},{b:"&?:?:\\b("+a.join("|")+")"+o},{b:"@("+i.join("|")+")\\b"},t,e.CSSNM,e.NM,{cN:"function",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:[r,t,e.ASM,e.CSSNM,e.NM,e.QSM]}]},{cN:"attribute",b:"\\b("+s.reverse().join("|")+")\\b"}]}}),hljs.registerLanguage("glsl",function(e){return{k:{keyword:"break continue discard do else for if return whileattribute binding buffer ccw centroid centroid varying coherent column_major const cw depth_any depth_greater depth_less depth_unchanged early_fragment_tests equal_spacing flat fractional_even_spacing fractional_odd_spacing highp in index inout invariant invocations isolines layout line_strip lines lines_adjacency local_size_x local_size_y local_size_z location lowp max_vertices mediump noperspective offset origin_upper_left out packed patch pixel_center_integer point_mode points precise precision quads r11f_g11f_b10f r16 r16_snorm r16f r16i r16ui r32f r32i r32ui r8 r8_snorm r8i r8ui readonly restrict rg16 rg16_snorm rg16f rg16i rg16ui rg32f rg32i rg32ui rg8 rg8_snorm rg8i rg8ui rgb10_a2 rgb10_a2ui rgba16 rgba16_snorm rgba16f rgba16i rgba16ui rgba32f rgba32i rgba32ui rgba8 rgba8_snorm rgba8i rgba8ui row_major sample shared smooth std140 std430 stream triangle_strip triangles triangles_adjacency uniform varying vertices volatile writeonly",type:"atomic_uint bool bvec2 bvec3 bvec4 dmat2 dmat2x2 dmat2x3 dmat2x4 dmat3 dmat3x2 dmat3x3 dmat3x4 dmat4 dmat4x2 dmat4x3 dmat4x4 double dvec2 dvec3 dvec4 float iimage1D iimage1DArray iimage2D iimage2DArray iimage2DMS iimage2DMSArray iimage2DRect iimage3D iimageBufferiimageCube iimageCubeArray image1D image1DArray image2D image2DArray image2DMS image2DMSArray image2DRect image3D imageBuffer imageCube imageCubeArray int isampler1D isampler1DArray isampler2D isampler2DArray isampler2DMS isampler2DMSArray isampler2DRect isampler3D isamplerBuffer isamplerCube isamplerCubeArray ivec2 ivec3 ivec4 mat2 mat2x2 mat2x3 mat2x4 mat3 mat3x2 mat3x3 mat3x4 mat4 mat4x2 mat4x3 mat4x4 sampler1D sampler1DArray sampler1DArrayShadow sampler1DShadow sampler2D sampler2DArray sampler2DArrayShadow sampler2DMS sampler2DMSArray sampler2DRect sampler2DRectShadow sampler2DShadow sampler3D samplerBuffer samplerCube samplerCubeArray samplerCubeArrayShadow samplerCubeShadow image1D uimage1DArray uimage2D uimage2DArray uimage2DMS uimage2DMSArray uimage2DRect uimage3D uimageBuffer uimageCube uimageCubeArray uint usampler1D usampler1DArray usampler2D usampler2DArray usampler2DMS usampler2DMSArray usampler2DRect usampler3D samplerBuffer usamplerCube usamplerCubeArray uvec2 uvec3 uvec4 vec2 vec3 vec4 void",built_in:"gl_MaxAtomicCounterBindings gl_MaxAtomicCounterBufferSize gl_MaxClipDistances gl_MaxClipPlanes gl_MaxCombinedAtomicCounterBuffers gl_MaxCombinedAtomicCounters gl_MaxCombinedImageUniforms gl_MaxCombinedImageUnitsAndFragmentOutputs gl_MaxCombinedTextureImageUnits gl_MaxComputeAtomicCounterBuffers gl_MaxComputeAtomicCounters gl_MaxComputeImageUniforms gl_MaxComputeTextureImageUnits gl_MaxComputeUniformComponents gl_MaxComputeWorkGroupCount gl_MaxComputeWorkGroupSize gl_MaxDrawBuffers gl_MaxFragmentAtomicCounterBuffers gl_MaxFragmentAtomicCounters gl_MaxFragmentImageUniforms gl_MaxFragmentInputComponents gl_MaxFragmentInputVectors 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_MaxVertexOutputVectors gl_MaxVertexTextureImageUnits gl_MaxVertexUniformComponents gl_MaxVertexUniformVectors gl_MaxViewports gl_MinProgramTexelOffset 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_GlobalInvocationID gl_InstanceID gl_InvocationID gl_Layer gl_LightModel gl_LightSource gl_LocalInvocationID gl_LocalInvocationIndex gl_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_NumSamples gl_NumWorkGroups gl_ObjectPlaneQ gl_ObjectPlaneR gl_ObjectPlaneS gl_ObjectPlaneT gl_PatchVerticesIn 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_TextureMatrix gl_TextureMatrixInverse gl_TextureMatrixInverseTranspose gl_TextureMatrixTranspose gl_Vertex gl_VertexID gl_ViewportIndex gl_WorkGroupID gl_WorkGroupSize gl_in gl_out EmitStreamVertex EmitVertex EndPrimitive EndStreamPrimitive abs acos acosh all any asin asinh atan atanh atomicAdd atomicAnd atomicCompSwap atomicCounter atomicCounterDecrement atomicCounterIncrement atomicExchange atomicMax atomicMin atomicOr atomicXor 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 groupMemoryBarrier imageAtomicAdd imageAtomicAnd imageAtomicCompSwap imageAtomicExchange imageAtomicMax imageAtomicMin imageAtomicOr imageAtomicXor imageLoad imageSize imageStore imulExtended intBitsToFloat interpolateAtCentroid interpolateAtOffset interpolateAtSample inverse inversesqrt isinf isnan ldexp length lessThan lessThanEqual log log2 matrixCompMult max memoryBarrier memoryBarrierAtomicCounter memoryBarrierBuffer memoryBarrierImage memoryBarrierShared 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 textureQueryLevels textureQueryLod textureSize transpose trunc uaddCarry uintBitsToFloat umulExtended unpackDouble2x32 unpackHalf2x16 unpackSnorm2x16 unpackSnorm4x8 unpackUnorm2x16 unpackUnorm4x8 usubBorrow",literal:"true false"},i:'"',c:[e.CLCM,e.CBCM,e.CNM,{cN:"meta",b:"#",e:"$"}]}}),hljs.registerLanguage("smalltalk",function(e){var t="[a-z][a-zA-Z0-9_]*",r={cN:"string",b:"\\$.{1}"},i={cN:"symbol",b:"#"+e.UIR};return{aliases:["st"],k:"self super nil true false thisContext",c:[e.C('"','"'),e.ASM,{cN:"type",b:"\\b[A-Z][A-Za-z0-9_]*",r:0},{b:t+":",r:0},e.CNM,i,r,{b:"\\|[ ]*"+t+"([ ]+"+t+")*[ ]*\\|",rB:!0,e:/\|/,i:/\S/,c:[{b:"(\\|[ ]*)?"+t}]},{b:"\\#\\(",e:"\\)",c:[e.ASM,r,e.CNM,i]}]}}),hljs.registerLanguage("dns",function(e){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:[e.C(";","$"),{cN:"meta",b:/^\$(TTL|GENERATE|INCLUDE|ORIGIN)\b/},{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}))|:)))\\b"},{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])\\b"},e.inherit(e.NM,{b:/\b\d+[dhwm]?/})]}}),hljs.registerLanguage("swift",function(e){var t={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"},r={cN:"type",b:"\\b[A-Z][\\w']*",r:0},i=e.C("/\\*","\\*/",{c:["self"]}),a={cN:"subst",b:/\\\(/,e:"\\)",k:t,c:[]},n={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:[a,e.BE]});return a.c=[n],{k:t,c:[o,e.CLCM,i,r,n,{cN:"function",bK:"func",e:"{",eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/,i:/\(/}),{b:/</,e:/>/,i:/>/},{cN:"params",b:/\(/,e:/\)/,endsParent:!0,k:t,c:["self",n,o,e.CBCM,{b:":"}],i:/["']/}],i:/\[|%/},{cN:"class",bK:"struct protocol class extension enum",k:t,e:"\\{",eE:!0,c:[e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/})]},{cN:"meta",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,i]}]}}),hljs.registerLanguage("step21",function(e){var t="[A-Z_][A-Z0-9_.]*",r={keyword:"HEADER ENDSEC DATA"},i={cN:"meta",b:"ISO-10303-21;",r:10},a={cN:"meta",b:"END-ISO-10303-21;",r:10};return{aliases:["p21","step","stp"],cI:!0,l:t,k:r,c:[i,a,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:"symbol",v:[{b:"#",e:"\\d+",i:"\\W"}]}]}}),hljs.registerLanguage("lisp",function(e){var t="[a-zA-Z_\\-\\+\\*\\/\\<\\=\\>\\&\\#][a-zA-Z0-9_\\-\\+\\*\\/\\<\\=\\>\\&\\#!]*",r="\\|[^]*?\\|",i="(\\-|\\+)?\\d+(\\.\\d+|\\/\\d+)?((d|e|f|l|s|D|E|F|L|S)(\\+|\\-)?\\d+)?",a={cN:"meta",b:"^#!",e:"$"},n={cN:"literal",b:"\\b(t{1}|nil)\\b"},o={cN:"number",v:[{b:i,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)\\("+i+" +"+i,e:"\\)"}]},s=e.inherit(e.QSM,{i:null}),l=e.C(";","$",{r:0}),c={b:"\\*",e:"\\*"},d={cN:"symbol",b:"[:&]"+t},u={b:t,r:0},m={b:r},p={b:"\\(",e:"\\)",c:["self",n,s,o,u]},_={c:[o,s,c,d,p,u],v:[{b:"['`]\\(",e:"\\)"},{b:"\\(quote ",e:"\\)",k:{name:"quote"}},{b:"'"+r}]},b={v:[{b:"'"+t},{b:"#'"+t+"(::"+t+")*"}]},g={b:"\\(\\s*",e:"\\)"},I={eW:!0,r:0};return g.c=[{cN:"name",v:[{b:t},{b:r}]},I],I.c=[_,b,g,n,o,s,l,c,d,m,u],{i:/\S/,c:[o,a,n,s,l,_,b,g,u]}}),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",a={v:[e.C(";","$",{r:0}),e.C("#cs","#ce"),e.C("#comments-start","#comments-end")]},n={b:"\\$[A-z0-9_]+"},o={cN:"string",v:[{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]},s={v:[e.BNM,e.CNM]},l={cN:"meta",b:"#",e:"$",k:{"meta-keyword":"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",k:{"meta-keyword":"include"},e:"$",c:[o,{cN:"meta-string",v:[{b:"<",e:">"},{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]}]},o,a]},c={cN:"symbol",b:"@[A-z0-9_]+"},d={cN:"function",bK:"Func",e:"$",i:"\\$|\\[|%",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)",c:[n,o,s]}]};
+return{cI:!0,i:/\/\*/,k:{keyword:t,built_in:i,literal:r},c:[a,n,o,s,l,c,d]}}),hljs.registerLanguage("powershell",function(e){var t={b:"`[\\s\\S]",r:0},r={cN:"variable",v:[{b:/\$[\w\d][\w\d_:]*/}]},i={cN:"literal",b:/\$(null|true|false)\b/},a={cN:"string",b:/"/,e:/"/,c:[t,r,{cN:"variable",b:/\$[A-z]/,e:/[^A-z]/}]},n={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",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",nomarkup:"-ne -eq -lt -gt -ge -le -not -like -notlike -match -notmatch -contains -notcontains -in -notin -replace"},c:[e.HCM,e.NM,a,n,i,r]}}),hljs.registerLanguage("xquery",function(){var e="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",t="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={b:/\$[a-zA-Z0-9\-]+/,r:5},i={cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},a={cN:"string",v:[{b:/"/,e:/"/,c:[{b:/""/,r:0}]},{b:/'/,e:/'/,c:[{b:/''/,r:0}]}]},n={cN:"meta",b:"%\\w+"},o={cN:"comment",b:"\\(:",e:":\\)",r:10,c:[{cN:"doctag",b:"@\\w+"}]},s={b:"{",e:"}"},l=[r,a,i,o,n,s];return s.c=l,{aliases:["xpath","xq"],cI:!1,l:/[a-zA-Z\$][a-zA-Z0-9_:\-]*/,i:/(proc)|(abstract)|(extends)|(until)|(#)/,k:{keyword:e,literal:t},c:l}}),hljs.registerLanguage("dust",function(e){var t="if eq ne lt lte gt gte select default math sep";return{aliases:["dst"],cI:!0,sL:"xml",c:[{cN:"template-tag",b:/\{[#\/]/,e:/\}/,i:/;/,c:[{cN:"name",b:/[a-zA-Z\.-]+/,starts:{eW:!0,r:0,c:[e.QSM]}}]},{cN:"template-variable",b:/\{/,e:/\}/,i:/;/,k:t}]}}),hljs.registerLanguage("dos",function(e){var t=e.C(/@?rem\b/,/$/,{r:10}),r={cN:"symbol",b:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)",r:0};return{aliases:["bat","cmd"],cI:!0,i:/\/\*/,k:{keyword:"if else goto for in do call exit not exist errorlevel defined equ neq lss leq gtr geq",built_in:"prn nul lpt3 lpt2 lpt1 con com4 com3 com2 com1 aux shift cd dir echo setlocal endlocal set pause copy 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 ping net ipconfig taskkill xcopy ren del"},c:[{cN:"variable",b:/%%[^ ]|%[^ ]+?%|![^ ]+?!/},{cN:"function",b:r.b,e:"goto:eof",c:[e.inherit(e.TM,{b:"([_a-zA-Z]\\w*\\.)*([_a-zA-Z]\\w*:)?[_a-zA-Z]\\w*"}),t]},{cN:"number",b:"\\b\\d+",r:0},t]}}),hljs.registerLanguage("ini",function(e){var t={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:"section",b:/^\s*\[+/,e:/\]+/},{b:/^[a-z0-9\[\]_-]+\s*=\s*/,e:"$",rB:!0,c:[{cN:"attr",b:/[a-z0-9\[\]_-]+/},{b:/=/,eW:!0,r:0,c:[{cN:"literal",b:/\bon|off|true|false|yes|no\b/},{cN:"variable",v:[{b:/\$[\w\d"][\w\d_]*/},{b:/\$\{(.*?)}/}]},t,{cN:"number",b:/([\+\-]+)?[\d]+_[\d_]+/},e.NM]}]}]}}),hljs.registerLanguage("tex",function(e){var t={cN:"tag",b:/\\/,r:0,c:[{cN:"name",v:[{b:/[a-zA-Z\u0430-\u044f\u0410-\u044f]+[*]?/},{b:/[^a-zA-Z\u0430-\u044f\u0410-\u044f0-9]/}],starts:{eW:!0,r:0,c:[{cN:"string",v:[{b:/\[/,e:/\]/},{b:/\{/,e:/\}/}]},{b:/\s*=\s*/,eW:!0,r:0,c:[{cN:"number",b:/-?\d*\.?\d+(pt|pc|mm|cm|in|dd|cc|ex|em)?/}]}]}}]};return{c:[t,{cN:"formula",c:[t],r:0,v:[{b:/\$\$/,e:/\$\$/},{b:/\$/,e:/\$/}]},e.C("%","$",{r:0})]}}),hljs.registerLanguage("kotlin",function(e){var t="val var get set class trait object open private protected public 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 Byte Short Char Int Long Boolean Float Double Void Unit Nothing";return{k:{keyword:t,literal:"true false null"},c:[e.C("/\\*\\*","\\*/",{r:0,c:[{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,{cN:"type",b:/</,e:/>/,rB:!0,eE:!1,r:0},{cN:"function",bK:"fun",e:"[(]|$",rB:!0,eE:!0,k:t,i:/fun\s+(<.*>)?[^\s\(]+(\s+[^\s\(]+)\s*=/,r:5,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"type",b:/</,e:/>/,k:"reified",r:0},{cN:"params",b:/\(/,e:/\)/,k:t,r:0,i:/\([^\(,\s:]+,/,c:[{cN:"type",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:/</,e:/>/,eB:!0,eE:!0,r:0},{cN:"type",b:/[,:]\s*/,e:/[<\(,]|$/,eB:!0,rE:!0}]},{cN:"variable",bK:"var val",e:/\s*[=:$]/,eE:!0},e.QSM,{cN:"meta",b:"^#!/usr/bin/env",e:"$",i:"\n"},e.CNM]}}),hljs.registerLanguage("objectivec",function(e){var t={cN:"built_in",b:"(AV|CA|CF|CG|CI|MK|MP|NS|UI|XC)\\w+"},r={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"},i=/[a-zA-Z@][a-zA-Z0-9_]*/,a="@interface @class @protocol @implementation";return{aliases:["mm","objc","obj-c"],k:r,l:i,i:"</",c:[t,e.CLCM,e.CBCM,e.CNM,e.QSM,{cN:"string",v:[{b:'@"',e:'"',i:"\\n",c:[e.BE]},{b:"'",e:"[^\\\\]'",i:"[^\\\\][^']"}]},{cN:"meta",b:"#",e:"$",c:[{cN:"meta-string",v:[{b:'"',e:'"'},{b:"<",e:">"}]}]},{cN:"class",b:"("+a.split(" ").join("|")+")\\b",e:"({|$)",eE:!0,k:a,l:i,c:[e.UTM]},{b:"\\."+e.UIR,r:0}]}}),hljs.registerLanguage("applescript",function(e){var t=e.inherit(e.QSM,{i:""}),r={cN:"params",b:"\\(",e:"\\)",c:["self",e.CNM,t]},i=e.C("--","$"),a=e.C("\\(\\*","\\*\\)",{c:["self",i]}),n=[i,a,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",literal:"AppleScript false linefeed return pi quote result space tab true",built_in:"alias application boolean class constant date file integer list number real record string text activate beep count delay launch log offset read round run say summarize write 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:"built_in",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:"literal",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)|POSIX file|POSIX path|(date|time) string|quoted form)\\b"},{bK:"on",i:"[${=;\\n]",c:[e.UTM,r]}].concat(n),i:"//|->|=>|\\[\\["}}),hljs.registerLanguage("java",function(e){var t=e.UIR+"(<("+e.UIR+"|\\s*,\\s*)+>)?",r="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",i="\\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]?",a={cN:"number",b:i,r:0};return{aliases:["jsp"],k:r,i:/<\/|#/,c:[e.C("/\\*\\*","\\*/",{r:0,c:[{b:/\w+@/,r:0},{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:"("+t+"\\s+)+"+e.UIR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:r,c:[{b:e.UIR+"\\s*\\(",rB:!0,r:0,c:[e.UTM]},{cN:"params",b:/\(/,e:/\)/,k:r,r:0,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]},a,{cN:"meta",b:"@[A-Za-z]+"}]}}),hljs.registerLanguage("brainfuck",function(e){var t={cN:"literal",b:"[\\+\\-]",r:0};return{aliases:["bf"],c:[e.C("[^\\[\\]\\.,\\+\\-<> \r\n]","[\\[\\]\\.,\\+\\-<> \r\n]",{rE:!0,r:0}),{cN:"title",b:"[\\[\\]]",r:0},{cN:"string",b:"[\\.,]",r:0},{b:/\+\+|\-\-/,rB:!0,c:[t]},t]}}),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:"section",r:10,v:[{b:"^(={1,5}) .+?( \\1)?$"},{b:"^[^\\[\\]\\n]+?\\n[=\\-~\\^\\+]{2,}$"}]},{cN:"meta",b:"^:.+?:",e:"\\s",eE:!0,r:10},{cN:"meta",b:"^\\[.+?\\]$",r:0},{cN:"quote",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:"symbol",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:"string",v:[{b:"``.+?''"},{b:"`.+?'"}]},{cN:"code",b:"(`.+?`|\\+.+?\\+)",r:0},{cN:"code",b:"^[ \\t]",e:"$",r:0},{b:"^'{3,}[ \\t]*$",r:10},{b:"(link:)?(http|https|ftp|file|irc|image:?):\\S+\\[.*?\\]",rB:!0,c:[{b:"(link|image:?):",r:0},{cN:"link",b:"\\w",e:"[^\\[]+",r:0},{cN:"string",b:"\\[",e:"\\]",eB:!0,eE:!0,r:0}],r:10}]}}),hljs.registerLanguage("vbscript-html",function(){return{sL:"xml",c:[{b:"<%",e:"%>",sL:"vbscript"}]}}),hljs.registerLanguage("zephir",function(e){var t={cN:"string",c:[e.BE],v:[{b:'b"',e:'"'},{b:"b'",e:"'"},e.inherit(e.ASM,{i:null}),e.inherit(e.QSM,{i:null})]},r={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,t,r]}]},{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:"=>"},t,r]}}),hljs.registerLanguage("markdown",function(){return{aliases:["md","mkdown","mkd"],c:[{cN:"section",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:"quote",b:"^>\\s+",e:"$"},{cN:"code",v:[{b:"`.+?`"},{b:"^( {4}| )",e:"$",r:0}]},{b:"^[-\\*]{3,}",e:"$"},{b:"\\[.+?\\][\\(\\[].*?[\\)\\]]",rB:!0,c:[{cN:"string",b:"\\[",e:"\\]",eB:!0,rE:!0,r:0},{cN:"link",b:"\\]\\(",e:"\\)",eB:!0,eE:!0},{cN:"symbol",b:"\\]\\[",e:"\\]",eB:!0,eE:!0}],r:10},{b:"^\\[.+\\]:",rB:!0,c:[{cN:"symbol",b:"\\[",e:"\\]:",eB:!0,eE:!0,starts:{cN:"link",e:"$"}}]}]}}),hljs.registerLanguage("mercury",function(e){var t={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",meta:"inline no_inline type_spec source_file fact_table obsolete memo loop_check minimal_model terminates does_not_terminate check_termination promise_equivalent_clauses 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=e.C("%","$"),i={cN:"number",b:"0'.\\|0[box][0-9a-fA-F]*"},a=e.inherit(e.ASM,{r:0}),n=e.inherit(e.QSM,{r:0}),o={cN:"subst",b:"\\\\[abfnrtv]\\|\\\\x[0-9a-fA-F]*\\\\\\|%[-+# *.0-9]*[dioxXucsfeEgGp]",r:0};n.c.push(o);var s={cN:"built_in",v:[{b:"<=>"},{b:"<=",r:0},{b:"=>",r:0},{b:"/\\\\"},{b:"\\\\/"}]},l={cN:"built_in",v:[{b:":-\\|-->"},{b:"=",r:0}]};return{aliases:["m","moo"],k:t,c:[s,l,r,e.CBCM,i,e.NM,a,n,{b:/:-/}]}}),hljs.registerLanguage("nginx",function(e){var t={cN:"variable",v:[{b:/\$\d+/},{b:/\$\{/,e:/}/},{b:"[\\$\\@]"+e.UIR}]},r={eW:!0,l:"[a-z/_]+",k:{literal:"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,t],v:[{b:/"/,e:/"/},{b:/'/,e:/'/}]},{b:"([a-z]+):/",e:"\\s",eW:!0,eE:!0,c:[t]},{cN:"regexp",c:[e.BE,t],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},t]};return{aliases:["nginxconf"],c:[e.HCM,{b:e.UIR+"\\s+{",rB:!0,e:"{",c:[{cN:"section",b:e.UIR}],r:0},{b:e.UIR+"\\s",e:";|{",rB:!0,c:[{cN:"attribute",b:e.UIR,starts:r}],r:0}],i:"[^\\s\\}]"}}),hljs.registerLanguage("nix",function(e){var t={keyword:"rec with let in inherit assert if else then",literal:"true false or and null",built_in:"import abort baseNameOf dirOf isNull builtins map removeAttrs throw toString derivation"},r={cN:"subst",b:/\$\{/,e:/}/,k:t},i={b:/[a-zA-Z0-9-_]+(\s*=)/,rB:!0,r:0,c:[{cN:"attr",b:/\S+/}]},a={cN:"string",c:[r],v:[{b:"''",e:"''"},{b:'"',e:'"'}]},n=[e.NM,e.HCM,e.CBCM,a,i];return r.c=n,{aliases:["nixos"],k:t,c:n}}),hljs.registerLanguage("vim",function(e){return{l:/[!#@\w]+/,k:{keyword:"N|0 P|0 X|0 a|0 ab abc abo al am an|0 ar arga argd arge argdo argg argl argu as au aug aun b|0 bN ba bad bd be bel bf bl bm bn bo bp br brea breaka breakd breakl bro bufdo buffers bun bw c|0 cN cNf ca cabc caddb cad caddf cal cat cb cc ccl cd ce cex cf cfir cgetb cgete cg changes chd che checkt cl cla clo cm cmapc cme cn cnew cnf cno cnorea cnoreme co col colo com comc comp con conf cope cp cpf cq cr cs cst cu cuna cunme cw d|0 delm deb debugg delc delf dif diffg diffo diffp diffpu diffs diffthis dig di dl dell dj dli do doautoa dp dr ds dsp e|0 ea ec echoe echoh echom echon el elsei em en endfo endf endt endw ene ex exe exi exu f|0 files filet fin fina fini fir fix fo foldc foldd folddoc foldo for fu g|0 go gr grepa gu gv ha h|0 helpf helpg helpt hi hid his i|0 ia iabc if ij il im imapc ime ino inorea inoreme int is isp iu iuna iunme j|0 ju k|0 keepa kee keepj lN lNf l|0 lad laddb laddf la lan lat lb lc lch lcl lcs le lefta let lex lf lfir lgetb lgete lg lgr lgrepa lh ll lla lli lmak lm lmapc lne lnew lnf ln loadk lo loc lockv lol lope lp lpf lr ls lt lu lua luad luaf lv lvimgrepa lw m|0 ma mak map mapc marks mat me menut mes mk mks mksp mkv mkvie mod mz mzf nbc nb nbs n|0 new nm nmapc nme nn nnoreme noa no noh norea noreme norm nu nun nunme ol o|0 om omapc ome on ono onoreme opt ou ounme ow p|0 profd prof pro promptr pc ped pe perld po popu pp pre prev ps pt ptN ptf ptj ptl ptn ptp ptr pts pu pw py3 python3 py3d py3f py pyd pyf q|0 quita qa r|0 rec red redi redr redraws reg res ret retu rew ri rightb rub rubyd rubyf rund ru rv s|0 sN san sa sal sav sb sbN sba sbf sbl sbm sbn sbp sbr scrip scripte scs se setf setg setl sf sfir sh sim sig sil sl sla sm smap smapc sme sn sni sno snor snoreme sor so spelld spe spelli spellr spellu spellw sp spr sre st sta startg startr star stopi stj sts sun sunm sunme sus sv sw sy synti sync t|0 tN tabN tabc tabdo tabe tabf tabfir tabl tabm tabnew tabn tabo tabp tabr tabs tab ta tags tc tcld tclf te tf th tj tl tm tn to tp tr try ts tu u|0 undoj undol una unh unl unlo unm unme uns up v|0 ve verb vert vim vimgrepa vi viu vie vm vmapc vme vne vn vnoreme vs vu vunme windo w|0 wN wa wh wi winc winp wn wp wq wqa ws wu wv x|0 xa xmapc xm xme xn xnoreme xu xunme y|0 z|0 ~ Next Print append abbreviate abclear aboveleft all amenu anoremenu args argadd argdelete argedit argglobal arglocal argument ascii autocmd augroup aunmenu buffer bNext ball badd bdelete behave belowright bfirst blast bmodified bnext botright bprevious brewind break breakadd breakdel breaklist browse bunload bwipeout change cNext cNfile cabbrev cabclear caddbuffer caddexpr caddfile call catch cbuffer cclose center cexpr cfile cfirst cgetbuffer cgetexpr cgetfile chdir checkpath checktime clist clast close cmap cmapclear cmenu cnext cnewer cnfile cnoremap cnoreabbrev cnoremenu copy colder colorscheme command comclear compiler continue confirm copen cprevious cpfile cquit crewind cscope cstag cunmap cunabbrev cunmenu cwindow delete delmarks debug debuggreedy delcommand delfunction diffupdate diffget diffoff diffpatch diffput diffsplit digraphs display deletel djump dlist doautocmd doautoall deletep drop dsearch dsplit edit earlier echo echoerr echohl echomsg else elseif emenu endif endfor endfunction endtry endwhile enew execute exit exusage file filetype find finally finish first fixdel fold foldclose folddoopen folddoclosed foldopen function global goto grep grepadd gui gvim hardcopy help helpfind helpgrep helptags highlight hide history insert iabbrev iabclear ijump ilist imap imapclear imenu inoremap inoreabbrev inoremenu intro isearch isplit iunmap iunabbrev iunmenu join jumps keepalt keepmarks keepjumps lNext lNfile list laddexpr laddbuffer laddfile last language later lbuffer lcd lchdir lclose lcscope left leftabove lexpr lfile lfirst lgetbuffer lgetexpr lgetfile lgrep lgrepadd lhelpgrep llast llist lmake lmap lmapclear lnext lnewer lnfile lnoremap loadkeymap loadview lockmarks lockvar lolder lopen lprevious lpfile lrewind ltag lunmap luado luafile lvimgrep lvimgrepadd lwindow move mark make mapclear match menu menutranslate messages mkexrc mksession mkspell mkvimrc mkview mode mzscheme mzfile nbclose nbkey nbsart next nmap nmapclear nmenu nnoremap nnoremenu noautocmd noremap nohlsearch noreabbrev noremenu normal number nunmap nunmenu oldfiles open omap omapclear omenu only onoremap onoremenu options ounmap ounmenu ownsyntax print profdel profile promptfind promptrepl pclose pedit perl perldo pop popup ppop preserve previous psearch ptag ptNext ptfirst ptjump ptlast ptnext ptprevious ptrewind ptselect put pwd py3do py3file python pydo pyfile quit quitall qall read recover redo redir redraw redrawstatus registers resize retab return rewind right rightbelow ruby rubydo rubyfile rundo runtime rviminfo substitute sNext sandbox sargument sall saveas sbuffer sbNext sball sbfirst sblast sbmodified sbnext sbprevious sbrewind scriptnames scriptencoding scscope set setfiletype setglobal setlocal sfind sfirst shell simalt sign silent sleep slast smagic smapclear smenu snext sniff snomagic snoremap snoremenu sort source spelldump spellgood spellinfo spellrepall spellundo spellwrong split sprevious srewind stop stag startgreplace startreplace startinsert stopinsert stjump stselect sunhide sunmap sunmenu suspend sview swapname syntax syntime syncbind tNext tabNext tabclose tabedit tabfind tabfirst tablast tabmove tabnext tabonly tabprevious tabrewind tag tcl tcldo tclfile tearoff tfirst throw tjump tlast tmenu tnext topleft tprevious trewind tselect tunmenu undo undojoin undolist unabbreviate unhide unlet unlockvar unmap unmenu unsilent update vglobal version verbose vertical vimgrep vimgrepadd visual viusage view vmap vmapclear vmenu vnew vnoremap vnoremenu vsplit vunmap vunmenu write wNext wall while winsize wincmd winpos wnext wprevious wqall wsverb wundo wviminfo xit xall xmapclear xmap xmenu xnoremap xnoremenu xunmap xunmenu yank",built_in:"abs acos add and append argc argidx argv asin atan atan2 browse browsedir bufexists buflisted bufloaded bufname bufnr bufwinnr byte2line byteidx call ceil changenr char2nr cindent clearmatches col complete complete_add complete_check confirm copy cos cosh count cscope_connection cursor deepcopy delete did_filetype diff_filler diff_hlID empty escape eval eventhandler executable exists exp expand extend feedkeys filereadable filewritable filter finddir findfile float2nr floor fmod fnameescape fnamemodify foldclosed foldclosedend foldlevel foldtext foldtextresult foreground function garbagecollect get getbufline getbufvar getchar getcharmod getcmdline getcmdpos getcmdtype getcwd getfontname getfperm getfsize getftime getftype getline getloclist getmatches getpid getpos getqflist getreg getregtype gettabvar gettabwinvar getwinposx getwinposy getwinvar glob globpath has has_key haslocaldir hasmapto histadd histdel histget histnr hlexists hlID hostname iconv indent index input inputdialog inputlist inputrestore inputsave inputsecret insert invert isdirectory islocked items join keys len libcall libcallnr line line2byte lispindent localtime log log10 luaeval map maparg mapcheck match matchadd matcharg matchdelete matchend matchlist matchstr max min mkdir mode mzeval nextnonblank nr2char or pathshorten pow prevnonblank printf pumvisible py3eval pyeval range readfile reltime reltimestr remote_expr remote_foreground remote_peek remote_read remote_send remove rename repeat resolve reverse round screenattr screenchar screencol screenrow search searchdecl searchpair searchpairpos searchpos server2client serverlist setbufvar setcmdpos setline setloclist setmatches setpos setqflist setreg settabvar settabwinvar setwinvar sha256 shellescape shiftwidth simplify sin sinh sort soundfold spellbadword spellsuggest split sqrt str2float str2nr strchars strdisplaywidth strftime stridx string strlen strpart strridx strtrans strwidth submatch substitute synconcealed synID synIDattr synIDtrans synstack system tabpagebuflist tabpagenr tabpagewinnr tagfiles taglist tan tanh tempname tolower toupper tr trunc type undofile undotree values virtcol visualmode wildmenumode winbufnr wincol winheight winline winnr winrestcmd winrestview winsaveview winwidth writefile xor"},i:/[{:]/,c:[e.NM,e.ASM,{cN:"string",b:/"((\\")|[^"\n])*("|\n)/},{cN:"variable",b:/[bwtglsav]:[\w\d_]*/},{cN:"function",bK:"function function!",e:"$",r:0,c:[e.TM,{cN:"params",b:"\\(",e:"\\)"}]}]}}),hljs.registerLanguage("elixir",function(e){var t="[a-zA-Z_][a-zA-Z0-9_]*(\\!|\\?)?",r="[a-zA-Z_]\\w*[!?=]?|[-+~]\\@|<<|>>|=~|===?|<=>|[<>]=?|\\*\\*|[-/+%^&*~`|]|\\[\\]=?",i="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",a={cN:"subst",b:"#\\{",e:"}",l:t,k:i},n={cN:"string",c:[e.BE,a],v:[{b:/'/,e:/'/},{b:/"/,e:/"/}]},o={cN:"function",bK:"def defp defmacro",e:/\B\b/,c:[e.inherit(e.TM,{b:t,endsParent:!0})]},s=e.inherit(o,{cN:"class",bK:"defmodule defrecord",e:/\bdo\b|$|;/}),l=[n,e.HCM,s,o,{cN:"symbol",b:":",c:[n,{b:r}],r:0},{cN:"symbol",b:t+":",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,a],v:[{b:"/",e:"/[a-z]*"},{b:"%r\\[",e:"\\][a-z]*"}]}],r:0}];return a.c=l,{l:t,k:i,c:l}}),hljs.registerLanguage("mipsasm",function(e){return{cI:!0,aliases:["mips"],l:"\\.?"+e.IR,k:{meta:".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 .ltorg ",built_in:"$0 $1 $2 $3 $4 $5 $6 $7 $8 $9 $10 $11 $12 $13 $14 $15 $16 $17 $18 $19 $20 $21 $22 $23 $24 $25 $26 $27 $28 $29 $30 $31 zero at v0 v1 a0 a1 a2 a3 a4 a5 a6 a7 t0 t1 t2 t3 t4 t5 t6 t7 t8 t9 s0 s1 s2 s3 s4 s5 s6 s7 s8 k0 k1 gp sp fp ra $f0 $f1 $f2 $f2 $f4 $f5 $f6 $f7 $f8 $f9 $f10 $f11 $f12 $f13 $f14 $f15 $f16 $f17 $f18 $f19 $f20 $f21 $f22 $f23 $f24 $f25 $f26 $f27 $f28 $f29 $f30 $f31 Context Random EntryLo0 EntryLo1 Context PageMask Wired EntryHi HWREna BadVAddr Count Compare SR IntCtl SRSCtl SRSMap Cause EPC PRId EBase Config Config1 Config2 Config3 LLAddr Debug DEPC DESAVE CacheErr ECC ErrorEPC TagLo DataLo TagHi DataHi WatchLo WatchHi PerfCtl PerfCnt "},c:[{cN:"keyword",b:"\\b(addi?u?|andi?|b(al)?|beql?|bgez(al)?l?|bgtzl?|blezl?|bltz(al)?l?|bnel?|cl[oz]|divu?|ext|ins|j(al)?|jalr(.hb)?|jr(.hb)?|lbu?|lhu?|ll|lui|lw[lr]?|maddu?|mfhi|mflo|movn|movz|msubu?|mthi|mtlo|mul|multu?|nop|nor|ori?|rotrv?|sb|sc|se[bh]|sh|sllv?|slti?u?|srav?|srlv?|subu?|sw[lr]?|xori?|wsbh|abs.[sd]|add.[sd]|alnv.ps|bc1[ft]l?|c.(s?f|un|u?eq|[ou]lt|[ou]le|ngle?|seq|l[et]|ng[et]).[sd]|(ceil|floor|round|trunc).[lw].[sd]|cfc1|cvt.d.[lsw]|cvt.l.[dsw]|cvt.ps.s|cvt.s.[dlw]|cvt.s.p[lu]|cvt.w.[dls]|div.[ds]|ldx?c1|luxc1|lwx?c1|madd.[sd]|mfc1|mov[fntz]?.[ds]|msub.[sd]|mth?c1|mul.[ds]|neg.[ds]|nmadd.[ds]|nmsub.[ds]|p[lu][lu].ps|recip.fmt|r?sqrt.[ds]|sdx?c1|sub.[ds]|suxc1|swx?c1|break|cache|d?eret|[de]i|ehb|mfc0|mtc0|pause|prefx?|rdhwr|rdpgpr|sdbbp|ssnop|synci?|syscall|teqi?|tgei?u?|tlb(p|r|w[ir])|tlti?u?|tnei?|wait|wrpgpr)",e:"\\s"},e.C("[;#]","$"),e.CBCM,e.QSM,{cN:"string",b:"'",e:"[^\\\\]'",r:0},{cN:"title",b:"\\|",e:"\\|",i:"\\n",r:0},{cN:"number",v:[{b:"0x[0-9a-f]+"},{b:"\\b-?\\d+"}],r:0},{cN:"symbol",v:[{b:"^\\s*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{b:"^\\s*[0-9]+:"},{b:"[0-9]+[bf]"}],r:0}],i:"/"}}),hljs.registerLanguage("handlebars",function(e){var t={"builtin-name":"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:[e.C("{{!(--)?","(--)?}}"),{cN:"template-tag",b:/\{\{[#\/]/,e:/\}\}/,c:[{cN:"name",b:/[a-zA-Z\.-]+/,k:t,starts:{eW:!0,r:0,c:[e.QSM]}}]},{cN:"template-variable",b:/\{\{/,e:/\}\}/,k:t}]}}),hljs.registerLanguage("python",function(e){var t={cN:"meta",b:/^(>>>|\.\.\.) /},r={cN:"string",c:[e.BE],v:[{b:/(u|b)?r?'''/,e:/'''/,c:[t],r:10},{b:/(u|b)?r?"""/,e:/"""/,c:[t],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]},i={cN:"number",r:0,v:[{b:e.BNR+"[lLjJ]?"},{b:"\\b(0o[0-7]+)[lLjJ]?"},{b:e.CNR+"[lLjJ]?"}]},a={cN:"params",b:/\(/,e:/\)/,c:["self",t,i,r]};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:[t,i,r,e.HCM,{v:[{cN:"function",bK:"def",r:10},{cN:"class",bK:"class"}],e:/:/,i:/[${=;\n,]/,c:[e.UTM,a]},{cN:"meta",b:/^[\t ]*@/,e:/$/},{b:/\b(print|exec)\(/}]}}),hljs.registerLanguage("x86asm",function(e){return{cI:!0,l:"[.%]?"+e.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",built_in:"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 db dw dd dq dt ddq do dy dz resb resw resd resq rest resdq reso resy resz incbin equ times byte word dword qword nosplit rel abs seg wrt strict near far a32 ptr",meta:"%define %xdefine %+ %undef %defstr %deftok %assign %strcat %strlen %substr %rotate %elif %else %endif %if %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 __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 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:[e.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"}]},e.QSM,{cN:"string",v:[{b:"'",e:"[^\\\\]'"},{b:"`",e:"[^\\\\]`"},{b:"\\.[A-Za-z0-9]+"}],r:0},{cN:"symbol",v:[{b:"^\\s*[A-Za-z._?][A-Za-z0-9_$#@~.?]*(:|\\s+label)"},{b:"^\\s*%%[A-Za-z0-9_$#@~.?]*:"}],r:0},{cN:"subst",b:"%[0-9]+",r:0},{cN:"subst",b:"%!S+",r:0}]}
+}),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,{b:/\{/,e:/\}/,i:/:/}]}
+}),hljs.registerLanguage("mojolicious",function(){return{sL:"xml",c:[{cN:"meta",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("fix",function(){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:"attr"},{b:/=/,e:/([\u2401\u0001])/,eE:!0,eB:!0,cN:"string"}]}],cI:!0}}),hljs.registerLanguage("roboconf",function(e){var t="[a-zA-Z-_][^\\n{]+\\{",r={cN:"attribute",b:/[a-zA-Z-_]+/,e:/\s*:/,eE:!0,starts:{e:";",r:0,c:[{cN:"variable",b:/\.[a-zA-Z-_]+/},{cN:"keyword",b:/\(optional\)/}]}};return{aliases:["graph","instances"],cI:!0,k:"import",c:[{b:"^facet "+t,e:"}",k:"facet",c:[r,e.HCM]},{b:"^\\s*instance of "+t,e:"}",k:"name count channels instance-data instance-state instance of",i:/\S/,c:["self",r,e.HCM]},{b:"^"+t,e:"}",c:[r,e.HCM]},e.HCM]}}),hljs.registerLanguage("delphi",function(e){var t="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",r=[e.CLCM,e.C(/\{/,/\}/,{r:0}),e.C(/\(\*/,/\*\)/,{r:10})],i={cN:"string",b:/'/,e:/'/,c:[{b:/''/}]},a={cN:"string",b:/(#\d+)+/},n={b:e.IR+"\\s*=\\s*class\\s*\\(",rB:!0,c:[e.TM]},o={cN:"function",bK:"function constructor destructor procedure",e:/[:;]/,k:"function constructor|10 destructor|10 procedure|10",c:[e.TM,{cN:"params",b:/\(/,e:/\)/,k:t,c:[i,a]}].concat(r)};return{cI:!0,k:t,i:/"|\$[G-Zg-z]|\/\*|<\/|\|/,c:[i,a,e.NM,n,o].concat(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:"</",c:[e.CNM,e.ASM,e.QSM,{cN:"string",b:"`",e:"`",c:[e.BE]},{b:"[\\$\\%\\@](\\^\\w\\b|#\\w+|[^\\s\\w{]|{\\w+}|\\w+)"},e.CLCM,e.CBCM]}}),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:"meta",b:"^#",e:"$",r:2}]}}),hljs.registerLanguage("makefile",function(e){var t={cN:"variable",b:/\$\(/,e:/\)/,c:[e.BE]};return{aliases:["mk","mak"],c:[e.HCM,{b:/^\w+\s*\W*=/,rB:!0,r:0,starts:{e:/\s*\W*=/,eE:!0,starts:{e:/$/,r:0,c:[t]}}},{cN:"section",b:/^[\w]+:\s*$/},{cN:"meta",b:/^\.PHONY:/,e:/$/,k:{"meta-keyword":".PHONY"},l:/[\.\w]+/},{b:/^\t+/,e:/$/,r:0,c:[e.QSM,t]}]}}),hljs.registerLanguage("1c",function(e){var t="[a-zA-Z\u0430-\u044f\u0410-\u042f][a-zA-Z0-9_\u0430-\u044f\u0410-\u042f]*",r="\u0432\u043e\u0437\u0432\u0440\u0430\u0442 \u0434\u0430\u0442\u0430 \u0434\u043b\u044f \u0435\u0441\u043b\u0438 \u0438 \u0438\u043b\u0438 \u0438\u043d\u0430\u0447\u0435 \u0438\u043d\u0430\u0447\u0435\u0435\u0441\u043b\u0438 \u0438\u0441\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u043a\u043e\u043d\u0435\u0446\u0435\u0441\u043b\u0438 \u043a\u043e\u043d\u0435\u0446\u043f\u043e\u043f\u044b\u0442\u043a\u0438 \u043a\u043e\u043d\u0435\u0446\u043f\u0440\u043e\u0446\u0435\u0434\u0443\u0440\u044b \u043a\u043e\u043d\u0435\u0446\u0444\u0443\u043d\u043a\u0446\u0438\u0438 \u043a\u043e\u043d\u0435\u0446\u0446\u0438\u043a\u043b\u0430 \u043a\u043e\u043d\u0441\u0442\u0430\u043d\u0442\u0430 \u043d\u0435 \u043f\u0435\u0440\u0435\u0439\u0442\u0438 \u043f\u0435\u0440\u0435\u043c \u043f\u0435\u0440\u0435\u0447\u0438\u0441\u043b\u0435\u043d\u0438\u0435 \u043f\u043e \u043f\u043e\u043a\u0430 \u043f\u043e\u043f\u044b\u0442\u043a\u0430 \u043f\u0440\u0435\u0440\u0432\u0430\u0442\u044c \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c \u043f\u0440\u043e\u0446\u0435\u0434\u0443\u0440\u0430 \u0441\u0442\u0440\u043e\u043a\u0430 \u0442\u043e\u0433\u0434\u0430 \u0444\u0441 \u0444\u0443\u043d\u043a\u0446\u0438\u044f \u0446\u0438\u043a\u043b \u0447\u0438\u0441\u043b\u043e \u044d\u043a\u0441\u043f\u043e\u0440\u0442",i="ansitooem oemtoansi \u0432\u0432\u0435\u0441\u0442\u0438\u0432\u0438\u0434\u0441\u0443\u0431\u043a\u043e\u043d\u0442\u043e \u0432\u0432\u0435\u0441\u0442\u0438\u0434\u0430\u0442\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u043f\u0435\u0440\u0435\u0447\u0438\u0441\u043b\u0435\u043d\u0438\u0435 \u0432\u0432\u0435\u0441\u0442\u0438\u043f\u0435\u0440\u0438\u043e\u0434 \u0432\u0432\u0435\u0441\u0442\u0438\u043f\u043b\u0430\u043d\u0441\u0447\u0435\u0442\u043e\u0432 \u0432\u0432\u0435\u0441\u0442\u0438\u0441\u0442\u0440\u043e\u043a\u0443 \u0432\u0432\u0435\u0441\u0442\u0438\u0447\u0438\u0441\u043b\u043e \u0432\u043e\u043f\u0440\u043e\u0441 \u0432\u043e\u0441\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0432\u0440\u0435\u0433 \u0432\u044b\u0431\u0440\u0430\u043d\u043d\u044b\u0439\u043f\u043b\u0430\u043d\u0441\u0447\u0435\u0442\u043e\u0432 \u0432\u044b\u0437\u0432\u0430\u0442\u044c\u0438\u0441\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0434\u0430\u0442\u0430\u0433\u043e\u0434 \u0434\u0430\u0442\u0430\u043c\u0435\u0441\u044f\u0446 \u0434\u0430\u0442\u0430\u0447\u0438\u0441\u043b\u043e \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c\u043c\u0435\u0441\u044f\u0446 \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044c\u0440\u0430\u0431\u043e\u0442\u0443\u0441\u0438\u0441\u0442\u0435\u043c\u044b \u0437\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a\u0441\u0438\u0441\u0442\u0435\u043c\u044b \u0437\u0430\u043f\u0438\u0441\u044c\u0436\u0443\u0440\u043d\u0430\u043b\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c\u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435 \u0437\u0430\u0444\u0438\u043a\u0441\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u044e \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0432\u0441\u0442\u0440\u043e\u043a\u0443 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0432\u0441\u0442\u0440\u043e\u043a\u0443\u0432\u043d\u0443\u0442\u0440 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0432\u0444\u0430\u0439\u043b \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043e\u043a\u0438 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0438\u0437\u0441\u0442\u0440\u043e\u043a\u0438\u0432\u043d\u0443\u0442\u0440 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435\u0438\u0437\u0444\u0430\u0439\u043b\u0430 \u0438\u043c\u044f\u043a\u043e\u043c\u043f\u044c\u044e\u0442\u0435\u0440\u0430 \u0438\u043c\u044f\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0432\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u0445\u0444\u0430\u0439\u043b\u043e\u0432 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0438\u0431 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u044b \u043a\u043e\u0434\u0441\u0438\u043c\u0432 \u043a\u043e\u043c\u0430\u043d\u0434\u0430\u0441\u0438\u0441\u0442\u0435\u043c\u044b \u043a\u043e\u043d\u0433\u043e\u0434\u0430 \u043a\u043e\u043d\u0435\u0446\u043f\u0435\u0440\u0438\u043e\u0434\u0430\u0431\u0438 \u043a\u043e\u043d\u0435\u0446\u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u043d\u043d\u043e\u0433\u043e\u043f\u0435\u0440\u0438\u043e\u0434\u0430\u0431\u0438 \u043a\u043e\u043d\u0435\u0446\u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u043e\u0433\u043e\u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b\u0430 \u043a\u043e\u043d\u043a\u0432\u0430\u0440\u0442\u0430\u043b\u0430 \u043a\u043e\u043d\u043c\u0435\u0441\u044f\u0446\u0430 \u043a\u043e\u043d\u043d\u0435\u0434\u0435\u043b\u0438 \u043b\u0435\u0432 \u043b\u043e\u0433 \u043b\u043e\u043310 \u043c\u0430\u043a\u0441 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0435\u043a\u043e\u043b\u0438\u0447\u0435\u0441\u0442\u0432\u043e\u0441\u0443\u0431\u043a\u043e\u043d\u0442\u043e \u043c\u0438\u043d \u043c\u043e\u043d\u043e\u043f\u043e\u043b\u044c\u043d\u044b\u0439\u0440\u0435\u0436\u0438\u043c \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435\u0438\u043d\u0442\u0435\u0440\u0444\u0435\u0439\u0441\u0430 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435\u043d\u0430\u0431\u043e\u0440\u0430\u043f\u0440\u0430\u0432 \u043d\u0430\u0437\u043d\u0430\u0447\u0438\u0442\u044c\u0432\u0438\u0434 \u043d\u0430\u0437\u043d\u0430\u0447\u0438\u0442\u044c\u0441\u0447\u0435\u0442 \u043d\u0430\u0439\u0442\u0438 \u043d\u0430\u0439\u0442\u0438\u043f\u043e\u043c\u0435\u0447\u0435\u043d\u043d\u044b\u0435\u043d\u0430\u0443\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u043d\u0430\u0439\u0442\u0438\u0441\u0441\u044b\u043b\u043a\u0438 \u043d\u0430\u0447\u0430\u043b\u043e\u043f\u0435\u0440\u0438\u043e\u0434\u0430\u0431\u0438 \u043d\u0430\u0447\u0430\u043b\u043e\u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u043e\u0433\u043e\u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b\u0430 \u043d\u0430\u0447\u0430\u0442\u044c\u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u044e \u043d\u0430\u0447\u0433\u043e\u0434\u0430 \u043d\u0430\u0447\u043a\u0432\u0430\u0440\u0442\u0430\u043b\u0430 \u043d\u0430\u0447\u043c\u0435\u0441\u044f\u0446\u0430 \u043d\u0430\u0447\u043d\u0435\u0434\u0435\u043b\u0438 \u043d\u043e\u043c\u0435\u0440\u0434\u043d\u044f\u0433\u043e\u0434\u0430 \u043d\u043e\u043c\u0435\u0440\u0434\u043d\u044f\u043d\u0435\u0434\u0435\u043b\u0438 \u043d\u043e\u043c\u0435\u0440\u043d\u0435\u0434\u0435\u043b\u0438\u0433\u043e\u0434\u0430 \u043d\u0440\u0435\u0433 \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u043a\u0430\u043e\u0436\u0438\u0434\u0430\u043d\u0438\u044f \u043e\u043a\u0440 \u043e\u043f\u0438\u0441\u0430\u043d\u0438\u0435\u043e\u0448\u0438\u0431\u043a\u0438 \u043e\u0441\u043d\u043e\u0432\u043d\u043e\u0439\u0436\u0443\u0440\u043d\u0430\u043b\u0440\u0430\u0441\u0447\u0435\u0442\u043e\u0432 \u043e\u0441\u043d\u043e\u0432\u043d\u043e\u0439\u043f\u043b\u0430\u043d\u0441\u0447\u0435\u0442\u043e\u0432 \u043e\u0441\u043d\u043e\u0432\u043d\u043e\u0439\u044f\u0437\u044b\u043a \u043e\u0442\u043a\u0440\u044b\u0442\u044c\u0444\u043e\u0440\u043c\u0443 \u043e\u0442\u043a\u0440\u044b\u0442\u044c\u0444\u043e\u0440\u043c\u0443\u043c\u043e\u0434\u0430\u043b\u044c\u043d\u043e \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c\u0442\u0440\u0430\u043d\u0437\u0430\u043a\u0446\u0438\u044e \u043e\u0447\u0438\u0441\u0442\u0438\u0442\u044c\u043e\u043a\u043d\u043e\u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u0439 \u043f\u0435\u0440\u0438\u043e\u0434\u0441\u0442\u0440 \u043f\u043e\u043b\u043d\u043e\u0435\u0438\u043c\u044f\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0432\u0440\u0435\u043c\u044f\u0442\u0430 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0434\u0430\u0442\u0443\u0442\u0430 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0442\u0430 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f\u043e\u0442\u0431\u043e\u0440\u0430 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u043f\u043e\u0437\u0438\u0446\u0438\u044e\u0442\u0430 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u043f\u0443\u0441\u0442\u043e\u0435\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0442\u0430 \u043f\u0440\u0430\u0432 \u043f\u0440\u0430\u0432\u043e\u0434\u043e\u0441\u0442\u0443\u043f\u0430 \u043f\u0440\u0435\u0434\u0443\u043f\u0440\u0435\u0436\u0434\u0435\u043d\u0438\u0435 \u043f\u0440\u0435\u0444\u0438\u043a\u0441\u0430\u0432\u0442\u043e\u043d\u0443\u043c\u0435\u0440\u0430\u0446\u0438\u0438 \u043f\u0443\u0441\u0442\u0430\u044f\u0441\u0442\u0440\u043e\u043a\u0430 \u043f\u0443\u0441\u0442\u043e\u0435\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0440\u0430\u0431\u043e\u0447\u0430\u044f\u0434\u0430\u0442\u0442\u044c\u043f\u0443\u0441\u0442\u043e\u0435\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0440\u0430\u0431\u043e\u0447\u0430\u044f\u0434\u0430\u0442\u0430 \u0440\u0430\u0437\u0434\u0435\u043b\u0438\u0442\u0435\u043b\u044c\u0441\u0442\u0440\u0430\u043d\u0438\u0446 \u0440\u0430\u0437\u0434\u0435\u043b\u0438\u0442\u0435\u043b\u044c\u0441\u0442\u0440\u043e\u043a \u0440\u0430\u0437\u043c \u0440\u0430\u0437\u043e\u0431\u0440\u0430\u0442\u044c\u043f\u043e\u0437\u0438\u0446\u0438\u044e\u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044c\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044b\u043d\u0430 \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u0430\u0442\u044c\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u044b\u043f\u043e \u0441\u0438\u0433\u043d\u0430\u043b \u0441\u0438\u043c\u0432 \u0441\u0438\u043c\u0432\u043e\u043b\u0442\u0430\u0431\u0443\u043b\u044f\u0446\u0438\u0438 \u0441\u043e\u0437\u0434\u0430\u0442\u044c\u043e\u0431\u044a\u0435\u043a\u0442 \u0441\u043e\u043a\u0440\u043b \u0441\u043e\u043a\u0440\u043b\u043f \u0441\u043e\u043a\u0440\u043f \u0441\u043e\u043e\u0431\u0449\u0438\u0442\u044c \u0441\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u0435 \u0441\u043e\u0445\u0440\u0430\u043d\u0438\u0442\u044c\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0441\u0440\u0435\u0434 \u0441\u0442\u0430\u0442\u0443\u0441\u0432\u043e\u0437\u0432\u0440\u0430\u0442\u0430 \u0441\u0442\u0440\u0434\u043b\u0438\u043d\u0430 \u0441\u0442\u0440\u0437\u0430\u043c\u0435\u043d\u0438\u0442\u044c \u0441\u0442\u0440\u043a\u043e\u043b\u0438\u0447\u0435\u0441\u0442\u0432\u043e\u0441\u0442\u0440\u043e\u043a \u0441\u0442\u0440\u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c\u0441\u0442\u0440\u043e\u043a\u0443 \u0441\u0442\u0440\u0447\u0438\u0441\u043b\u043e\u0432\u0445\u043e\u0436\u0434\u0435\u043d\u0438\u0439 \u0441\u0444\u043e\u0440\u043c\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u043f\u043e\u0437\u0438\u0446\u0438\u044e\u0434\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430 \u0441\u0447\u0435\u0442\u043f\u043e\u043a\u043e\u0434\u0443 \u0442\u0435\u043a\u0443\u0449\u0430\u044f\u0434\u0430\u0442\u0430 \u0442\u0435\u043a\u0443\u0449\u0435\u0435\u0432\u0440\u0435\u043c\u044f \u0442\u0438\u043f\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f \u0442\u0438\u043f\u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f\u0441\u0442\u0440 \u0443\u0434\u0430\u043b\u0438\u0442\u044c\u043e\u0431\u044a\u0435\u043a\u0442\u044b \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c\u0442\u0430\u043d\u0430 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c\u0442\u0430\u043f\u043e \u0444\u0438\u043a\u0441\u0448\u0430\u0431\u043b\u043e\u043d \u0444\u043e\u0440\u043c\u0430\u0442 \u0446\u0435\u043b \u0448\u0430\u0431\u043b\u043e\u043d",a={b:'""'},n={cN:"string",b:'"',e:'"|$',c:[a]},o={cN:"string",b:"\\|",e:'"|$',c:[a]};return{cI:!0,l:t,k:{keyword:r,built_in:i},c:[e.CLCM,e.NM,n,o,{cN:"function",b:"(\u043f\u0440\u043e\u0446\u0435\u0434\u0443\u0440\u0430|\u0444\u0443\u043d\u043a\u0446\u0438\u044f)",e:"$",l:t,k:"\u043f\u0440\u043e\u0446\u0435\u0434\u0443\u0440\u0430 \u0444\u0443\u043d\u043a\u0446\u0438\u044f",c:[{b:"\u044d\u043a\u0441\u043f\u043e\u0440\u0442",eW:!0,l:t,k:"\u044d\u043a\u0441\u043f\u043e\u0440\u0442",c:[e.CLCM]},{cN:"params",b:"\\(",e:"\\)",l:t,k:"\u0437\u043d\u0430\u0447",c:[n,o]},e.CLCM,e.inherit(e.TM,{b:t})]},{cN:"meta",b:"#",e:"$"},{cN:"number",b:"'\\d{2}\\.\\d{2}\\.(\\d{2}|\\d{4})'"}]}}),hljs.registerLanguage("scilab",function(e){var t=[e.CNM,{cN:"string",b:"'|\"",e:"'|\"",c:[e.BE,{b:"''"}]}];return{aliases:["sci"],l:/%?\w+/,k:{keyword:"abort break case clear catch continue do elseif else endfunction end for function global if pause return resume select try then while",literal:"%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 error exec execstr exists exp eye gettext floor fprintf fread fsolve imag isdef isempty isinfisnan isvector lasterror length load linspace list listfiles log10 log2 log max min msprintf mclose mopen ones or pathconvert poly printf prod pwd rand real round sinh sin size gsort sprintf sqrt strcat strcmps tring sum system tanh tan type typename warning zeros matrix"},i:'("|#|/\\*|\\s+/\\w+)',c:[{cN:"function",bK:"function",e:"$",c:[e.UTM,{cN:"params",b:"\\(",e:"\\)"}]},{b:"[a-zA-Z_][a-zA-Z_0-9]*('+[\\.']*|[\\.']+)",e:"",r:0},{b:"\\[",e:"\\]'*[\\.']*",r:0,c:t},e.C("//","$")].concat(t)}
+}),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:"\\*"},{cN:"meta",b:"@[^@\\s]+"},{b:"\\|",e:"\\|\\w*$",c:[{cN:"string",b:"[^|]+"}]},{cN:"variable",b:"<",e:">"},e.HCM,{cN:"string",b:'"""',e:'"""'},e.QSM]}}),hljs.registerLanguage("clojure-repl",function(){return{c:[{cN:"meta",b:/^([\w.-]+|\s*#_)=>/,starts:{e:/$/,sL:"clojure"}}]}}),hljs.registerLanguage("d",function(e){var t={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"},r="(0|[1-9][\\d_]*)",i="(0|[1-9][\\d_]*|\\d[\\d_]*|[\\d_]+?\\d)",a="0[bB][01_]+",n="([\\da-fA-F][\\da-fA-F_]*|_[\\da-fA-F][\\da-fA-F_]*)",o="0[xX]"+n,s="([eE][+-]?"+i+")",l="("+i+"(\\.\\d*|"+s+")|\\d+\\."+i+i+"|\\."+r+s+"?)",c="(0[xX]("+n+"\\."+n+"|\\.?"+n+")[pP][+-]?"+i+")",d="("+r+"|"+a+"|"+o+")",u="("+c+"|"+l+")",m="\\\\(['\"\\?\\\\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,};",p={cN:"number",b:"\\b"+d+"(L|u|U|Lu|LU|uL|UL)?",r:0},_={cN:"number",b:"\\b("+u+"([fF]|L|i|[fF]i|Li)?|"+d+"(i|[fF]i|Li))",r:0},b={cN:"string",b:"'("+m+"|.)",e:"'",i:"."},g={b:m,r:0},I={cN:"string",b:'"',c:[g],e:'"[cwd]?'},C={cN:"string",b:'[rq]"',e:'"[cwd]?',r:5},h={cN:"string",b:"`",e:"`[cwd]?"},f={cN:"string",b:'x"[\\da-fA-F\\s\\n\\r]*"[cwd]?',r:10},S={cN:"string",b:'q"\\{',e:'\\}"'},v={cN:"meta",b:"^#!",e:"$",r:5},y={cN:"meta",b:"#(line)",e:"$",r:5},P={cN:"keyword",b:"@[a-zA-Z_][a-zA-Z_\\d]*"},G=e.C("\\/\\+","\\+\\/",{c:["self"],r:10});return{l:e.UIR,k:t,c:[e.CLCM,e.CBCM,G,f,I,C,h,S,_,p,b,v,y,P]}}),hljs.registerLanguage("puppet",function(e){var t={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("#","$"),i="([A-Za-z_]|::)(\\w|::)*",a=e.inherit(e.TM,{b:i}),n={cN:"variable",b:"\\$"+i},o={cN:"string",c:[e.BE,n],v:[{b:/'/,e:/'/},{b:/"/,e:/"/}]};return{aliases:["pp"],c:[r,n,o,{bK:"class",e:"\\{|;",i:/=/,c:[a,r]},{bK:"define",e:/\{/,c:[{cN:"section",b:e.IR,endsParent:!0}]},{b:e.IR+"\\s+\\{",rB:!0,e:/\S/,c:[{cN:"keyword",b:e.IR},{b:/\{/,e:/\}/,k:t,r:0,c:[o,r,{b:"[a-zA-Z_]+\\s*=>",rB:!0,e:"=>",c:[{cN:"attr",b:e.IR}]},{cN:"number",b:"(\\b0[0-7_]+)|(\\b0x[0-9a-fA-F_]+)|(\\b[1-9][0-9_]*(\\.[0-9_]+)?)|[0_]\\b",r:0},n]}],r:0}]}}),hljs.registerLanguage("armasm",function(e){return{cI:!0,aliases:["arm"],l:"\\.?"+e.IR,k:{meta:".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:"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 {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"},e.C("[;@]","$",{r:0}),e.CBCM,e.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:"symbol",v:[{b:"^[a-z_\\.\\$][a-z0-9_\\.\\$]+"},{b:"^\\s*[a-z_\\.\\$][a-z0-9_\\.\\$]+:"},{b:"[=#]\\w+"}],r:0}]}}),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("nimrod",function(e){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:"meta",b:/{\./,e:/\.}/,r:10},{cN:"string",b:/[a-zA-Z]\w*"/,e:/"/,c:[{b:/""/}]},{cN:"string",b:/([a-zA-Z]\w*)?"""/,e:/"""/},e.QSM,{cN:"type",b:/\b[A-Z]\w+\b/,r:0},{cN:"built_in",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",r:0,v:[{b:/\b(0[xX][0-9a-fA-F][_0-9a-fA-F]*)('?[iIuU](8|16|32|64))?/},{b:/\b(0o[0-7][_0-7]*)('?[iIuUfF](8|16|32|64))?/},{b:/\b(0(b|B)[01][_01]*)('?[iIuUfF](8|16|32|64))?/},{b:/\b(\d[_\d]*)('?[iIuUfF](8|16|32|64))?/}]},e.HCM]}}),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"},r="[A-Za-z$_](?:-[0-9A-Za-z$_]|[0-9A-Za-z$_])*",i=e.inherit(e.TM,{b:r}),a={cN:"subst",b:/#\{/,e:/}/,k:t},n={cN:"subst",b:/#[A-Za-z$_]/,e:/(?:\-[0-9A-Za-z$_]|[0-9A-Za-z$_])*/,k:t},o=[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,a,n]},{b:/"/,e:/"/,c:[e.BE,a,n]},{b:/\\/,e:/(\s|$)/,eE:!0}]},{cN:"regexp",v:[{b:"//",e:"//[gim]*",c:[a,e.HCM]},{b:/\/(?![ *])(\\\/|.)*?\/[gim]*(?=\W|$)/}]},{b:"@"+r},{b:"``",e:"``",eB:!0,eE:!0,sL:"javascript"}];a.c=o;var s={cN:"params",b:"\\(",rB:!0,c:[{b:/\(/,e:/\)/,k:t,c:["self"].concat(o)}]};return{aliases:["ls"],k:t,i:/\/\*/,c:o.concat([e.C("\\/\\*","\\*\\/"),e.HCM,{cN:"function",c:[i,s],rB:!0,v:[{b:"("+r+"\\s*(?:=|:=)\\s*)?(\\(.*\\))?\\s*\\B\\->\\*?",e:"\\->\\*?"},{b:"("+r+"\\s*(?:=|:=)\\s*)?!?(\\(.*\\))?\\s*\\B[-~]{1,2}>\\*?",e:"[-~]{1,2}>\\*?"},{b:"("+r+"\\s*(?:=|:=)\\s*)?(\\(.*\\))?\\s*\\B!?[-~]{1,2}>\\*?",e:"!?[-~]{1,2}>\\*?"}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[i]},i]},{b:r+":",e:":",rB:!0,rE:!0,r:0}])}}),hljs.registerLanguage("haskell",function(e){var t={v:[e.C("--","$"),e.C("{-","-}",{c:["self"]})]},r={cN:"meta",b:"{-#",e:"#-}"},i={cN:"meta",b:"^#",e:"$"},a={cN:"type",b:"\\b[A-Z][\\w']*",r:0},n={b:"\\(",e:"\\)",i:'"',c:[r,i,{cN:"type",b:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},e.inherit(e.TM,{b:"[_a-z][\\w']*"}),t]},o={b:"{",e:"}",c:n.c};return{aliases:["hs"],k:"let in if then else case of where do module import hiding qualified type data newtype deriving class instance as default infix infixl infixr foreign export ccall stdcall cplusplus jvm dotnet safe unsafe family forall mdo proc rec",c:[{bK:"module",e:"where",k:"module where",c:[n,t],i:"\\W\\.|;"},{b:"\\bimport\\b",e:"$",k:"import qualified as hiding",c:[n,t],i:"\\W\\.|;"},{cN:"class",b:"^(\\s*)?(class|instance)\\b",e:"where",k:"class family instance where",c:[a,n,t]},{cN:"class",b:"\\b(data|(new)?type)\\b",e:"$",k:"data family type newtype deriving",c:[r,a,n,o,t]},{bK:"default",e:"$",c:[a,n,t]},{bK:"infix infixl infixr",e:"$",c:[e.CNM,t]},{b:"\\bforeign\\b",e:"$",k:"foreign import export ccall stdcall cplusplus jvm dotnet safe unsafe",c:[a,e.QSM,t]},{cN:"meta",b:"#!\\/usr\\/bin\\/env runhaskell",e:"$"},r,i,e.QSM,e.CNM,a,e.inherit(e.TM,{b:"^[_a-z][\\w']*"}),t,{b:"->|<-"}]}}),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 i={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 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:i,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:"meta",b:"@[A-Za-z]+"},{b:"=>"}]}}),hljs.registerLanguage("lasso",function(e){var t="[a-zA-Z_][a-zA-Z0-9_.]*",r="<\\?(lasso(script)?|=)",i="\\]|\\?>",a={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 and or not"},n=e.C("<!--","-->",{r:0}),o={cN:"meta",b:"\\[noprocess\\]",starts:{e:"\\[/noprocess\\]",rE:!0,c:[n]}},s={cN:"meta",b:"\\[/noprocess|"+r},l={cN:"symbol",b:"'"+t+"'"},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:"`"},{v:[{b:"[#$]"+t},{b:"#",e:"\\d+",i:"\\W"}]},{cN:"type",b:"::\\s*",e:t,i:"\\W"},{cN:"attr",v:[{b:"-(?!infinity)"+e.UIR,r:0},{b:"(\\.\\.\\.)"}]},{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:t+"|&[lg]t;",k:a,c:[{cN:"meta",b:i,r:0,starts:{e:"\\[|"+r,rE:!0,r:0,c:[n]}},o,s,{cN:"meta",b:"\\[no_square_brackets",starts:{e:"\\[/no_square_brackets\\]",l:t+"|&[lg]t;",k:a,c:[{cN:"meta",b:i,r:0,starts:{e:"\\[noprocess\\]|"+r,rE:!0,c:[n]}},o,s].concat(c)}},{cN:"meta",b:"\\[",r:0},{cN:"meta",b:"^#!.+lasso9\\b",r:10}].concat(c)}}),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",literal:"P2D P3D HALF_PI PI QUARTER_PI TAU TWO_PI",title:"setup draw",built_in:"displayHeight displayWidth mouseY mouseX mousePressed pmouseX pmouseY key keyCode pixels focused frameCount frameRate height width 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("fsharp",function(e){var t={b:"<",e:">",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:"meta",b:"\\[<",e:">\\]",r:10},{cN:"symbol",b:"\\B('[A-Za-z])\\b",c:[e.BE]},e.CLCM,e.inherit(e.QSM,{i:null}),e.CNM]}}),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("lua",function(e){var t="\\[=*\\[",r="\\]=*\\]",i={b:t,e:r,c:["self"]},a=[e.C("--(?!"+t+")","$"),e.C("--"+t,r,{c:[i],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:a.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:a}].concat(a)},e.CNM,e.ASM,e.QSM,{cN:"string",b:t,e:r,c:[i],r:5}])}}),hljs.registerLanguage("apache",function(e){var t={cN:"number",b:"[\\$%]\\d+"};return{aliases:["apacheconf"],cI:!0,c:[e.HCM,{cN:"section",b:"</?",e:">"},{cN:"attribute",b:/\w+/,r:0,k:{nomarkup:"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:"meta",b:"\\s\\[",e:"\\]$"},{cN:"variable",b:"[\\$%]\\{",e:"\\}",c:["self",t]},t,e.QSM]}}],i:/\S/}}),hljs.registerLanguage("coffeescript",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 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"},r="[A-Za-z$_][0-9A-Za-z$_]*",i={cN:"subst",b:/#\{/,e:/}/,k:t},a=[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,i]},{b:/"/,e:/"/,c:[e.BE,i]}]},{cN:"regexp",v:[{b:"///",e:"///",c:[i,e.HCM]},{b:"//[gim]*",r:0},{b:/\/(?![ *])(\\\/|.)*?\/[gim]*(?=\W|$)/}]},{b:"@"+r},{b:"`",e:"`",eB:!0,eE:!0,sL:"javascript"}];i.c=a;var n=e.inherit(e.TM,{b:r}),o="(\\(.*\\))?\\s*\\B[-=]>",s={cN:"params",b:"\\([^\\(]",rB:!0,c:[{b:/\(/,e:/\)/,k:t,c:["self"].concat(a)}]};return{aliases:["coffee","cson","iced"],k:t,i:/\/\*/,c:a.concat([e.C("###","###"),e.HCM,{cN:"function",b:"^\\s*"+r+"\\s*=\\s*"+o,e:"[-=]>",rB:!0,c:[n,s]},{b:/[:\(,=]\s*/,r:0,c:[{cN:"function",b:o,e:"[-=]>",rB:!0,c:[s]}]},{cN:"class",bK:"class",e:"$",i:/[:="\[\]]/,c:[{bK:"extends",eW:!0,i:/[:="\[\]]/,c:[n]},n]},{b:r+":",e:":",rB:!0,rE:!0,r:0}])}}),hljs.registerLanguage("dockerfile",function(e){return{aliases:["docker"],cI:!0,k:"from maintainer cmd expose add copy entrypoint volume user workdir onbuild run env label",c:[e.HCM,{k:"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:"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("scheme",function(e){var t="[^\\(\\)\\[\\]\\{\\}\",'`;#|\\\\\\s]+",r="(\\-|\\+)?\\d+([./]\\d+)?",i=r+"[+\\-]"+r+"i",a={"builtin-name":"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-ci>=? char-ci>? char-downcase char-lower-case? char-numeric? char-ready? char-upcase char-upper-case? char-whitespace? char<=? char<? 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-ci>=? string-ci>? string-copy string-fill! string-length string-ref string-set! string<=? string<? 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:"meta",b:"^#!",e:"$"},o={cN:"literal",b:"(#t|#f|#\\\\"+t+"|#\\\\.)"},s={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]+)?"}]},l=e.QSM,c=[e.C(";","$",{r:0}),e.C("#\\|","\\|#")],d={b:t,r:0},u={cN:"symbol",b:"'"+t},m={eW:!0,r:0},p={v:[{b:"\\(",e:"\\)"},{b:"\\[",e:"\\]"}],c:[{cN:"name",b:t,l:t,k:a},m]};return m.c=[o,s,l,d,u,p].concat(c),{i:/\S/,c:[n,s,l,u,p].concat(c)}}),hljs.registerLanguage("smali",function(e){var t=["add","and","cmp","cmpg","cmpl","const","div","double","float","goto","if","int","long","move","mul","neg","new","nop","not","or","rem","return","shl","shr","sput","sub","throw","ushr","xor"],r=["aget","aput","array","check","execute","fill","filled","goto/16","goto/32","iget","instance","invoke","iput","monitor","packed","sget","sparse"],i=["transient","constructor","abstract","final","synthetic","public","private","protected","static","bridge","system"];return{aliases:["smali"],c:[{cN:"string",b:'"',e:'"',r:0},e.C("#","$",{r:0}),{cN:"keyword",v:[{b:"\\s*\\.end\\s[a-zA-Z0-9]*"},{b:"^[ ]*\\.[a-zA-Z]*",r:0},{b:"\\s:[a-zA-Z_0-9]*",r:0},{b:"\\s("+i.join("|")+")"}]},{cN:"built_in",v:[{b:"\\s("+t.join("|")+")\\s"},{b:"\\s("+t.join("|")+")((\\-|/)[a-zA-Z0-9]+)+\\s",r:10},{b:"\\s("+r.join("|")+")((\\-|/)[a-zA-Z0-9]+)*\\s",r:10}]},{cN:"class",b:"L[^(;:\n]*;",r:0},{b:"[vp][0-9]+"}]}}),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("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 DynamicObject|10 DynamicVariable struct Observable map set vector list array",literal:"true false null"},c:[e.HCM,e.QSM,e.CNM,{cN:"meta",b:"@[A-Za-z]+"}]}}),hljs.registerLanguage("twig",function(e){var t={cN:"params",b:"\\(",e:"\\)"},r="attribute block constant cycle date dump include max min parent random range source template_from_string",i={bK:r,k:{name:r},r:0,c:[t]},a={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:[i]},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:/%}/,c:[{cN:"name",b:/\w+/,k:n,starts:{eW:!0,c:[a,i],r:0}}]},{cN:"template-variable",b:/\{\{/,e:/}}/,c:["self",a,i]}]}}),hljs.registerLanguage("haml",function(e){return{cI:!0,c:[{cN:"meta",b:"^!!!( (5|1\\.1|Strict|Frameset|Basic|Mobile|RDFa|XML\\b.*))?$",r:10},e.C("^\\s*(!=#|=#|-#|/).*$",!1,{r:0}),{b:"^\\s*(-|=|!=)(?!#)",starts:{e:"\\n",sL:"ruby"}},{cN:"tag",b:"^\\s*%",c:[{cN:"selector-tag",b:"\\w+"},{cN:"selector-id",b:"#[\\w-]+"},{cN:"selector-class",b:"\\.[\\w-]+"},{b:"{\\s*",e:"\\s*}",c:[{b:":\\w+\\s*=>",e:",\\s+",rB:!0,eW:!0,c:[{cN:"attr",b:":\\w+"},e.ASM,e.QSM,{b:"\\w+",r:0}]}]},{b:"\\(\\s*",e:"\\s*\\)",eE:!0,c:[{b:"\\w+\\s*=",e:"\\s+",rB:!0,eW:!0,c:[{cN:"attr",b:"\\w+",r:0},e.ASM,e.QSM,{b:"\\w+",r:0}]}]}]},{b:"^\\s*[=~]\\s*"},{b:"#{",starts:{e:"}",sL:"ruby"}}]}}),hljs.registerLanguage("gams",function(e){var t="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:t,c:[{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("capnproto",function(e){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:[e.QSM,e.NM,e.HCM,{cN:"meta",b:/@0x[\w\d]{16};/,i:/\n/},{cN:"symbol",b:/@\d+\b/},{cN:"class",bK:"struct enum",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]},{cN:"class",bK:"interface",e:/\{/,i:/\n/,c:[e.inherit(e.TM,{starts:{eW:!0,eE:!0}})]}]}}),hljs.registerLanguage("accesslog",function(){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("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:"</",c:[e.HCM,e.CNM,e.ASM,e.QSM]}}),hljs.registerLanguage("inform7",function(){var e="\\[",t="\\]";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:e,e:t}]},{cN:"section",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:"\\(This",e:"\\)"}]},{cN:"comment",b:e,e:t,c:["self"]}]}}),hljs.registerLanguage("clojure",function(e){var t={"builtin-name":"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_\\-!.?+*=<>&#'",i="["+r+"]["+r+"0-9/;:]*",a="[-+]?\\d+(\\.\\d+)?",n={b:i,r:0},o={cN:"number",b:a,r:0},s=e.inherit(e.QSM,{i:null}),l=e.C(";","$",{r:0}),c={cN:"literal",b:/\b(true|false|nil)\b/},d={b:"[\\[\\{]",e:"[\\]\\}]"},u={cN:"comment",b:"\\^"+i},m=e.C("\\^\\{","\\}"),p={cN:"symbol",b:"[:]"+i},_={b:"\\(",e:"\\)"},b={eW:!0,r:0},g={k:t,l:i,cN:"name",b:i,starts:b},I=[_,s,u,m,l,p,d,o,c,n];return _.c=[e.C("comment",""),g,b],b.c=I,d.c=I,{aliases:["clj"],i:/\S/,c:[_,s,u,m,l,p,d,o,c]}}),hljs.registerLanguage("yaml",function(e){var t={literal:"{ } true false yes no Yes No True False null"},r="^[ \\-]*",i="[a-zA-Z_][\\w\\-]*",a={cN:"attr",v:[{b:r+i+":"},{b:r+'"'+i+'":'},{b:r+"'"+i+"':"}]},n={cN:"template-variable",v:[{b:"{{",e:"}}"},{b:"%{",e:"}"}]},o={cN:"string",r:0,v:[{b:/'/,e:/'/},{b:/"/,e:/"/}],c:[e.BE,n]};return{cI:!0,aliases:["yml","YAML","yaml"],c:[a,{cN:"meta",b:"^---s*$",r:10},{cN:"string",b:"[\\|>] *$",rE:!0,c:o.c,e:a.v[0].b},{b:"<%[%=-]?",e:"[%-]?%>",sL:"ruby",eB:!0,eE:!0,r:0},{cN:"type",b:"!!"+e.UIR},{cN:"meta",b:"&"+e.UIR+"$"},{cN:"meta",b:"\\*"+e.UIR+"$"},{cN:"bullet",b:"^ *-",r:0},o,e.HCM,e.CNM],k:t}}),hljs.registerLanguage("typescript",function(e){var t={keyword:"in 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 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:t,c:[{cN:"meta",b:/^\s*['"]use strict['"]/},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],r:0},{cN:"function",b:"function",e:/[\{;]/,eE:!0,k:t,c:["self",e.inherit(e.TM,{b:/[A-Za-z$_][0-9A-Za-z$_]*/}),{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,k:t,c:[e.CLCM,e.CBCM],i:/["'\(]/}],i:/\[|%/,r:0},{bK:"constructor",e:/\{/,eE:!0},{bK:"module",e:/\{/,eE:!0},{bK:"interface",e:/\{/,eE:!0,k:"interface extends"},{b:/\$[(.]/},{b:"\\."+e.IR,r:0}]}}),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 bool byte complex64 complex128 float32 float64 int8 int16 int32 int64 string uint8 uint16 uint32 uint64 int uint uintptr rune",literal:"true false iota nil",built_in:"append cap close complex copy imag len make new panic print println real recover delete"};return{aliases:["golang"],k:t,i:"</",c:[e.CLCM,e.CBCM,e.QSM,{cN:"string",b:"'",e:"[^\\\\]'"},{cN:"string",b:"`",e:"`"},{cN:"number",b:e.CNR+"[dflsi]?",r:0},e.CNM]}}),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:"symbol",b:/`[a-zA-Z0-9_]+'/},{cN:"variable",b:/\$\{?[a-zA-Z0-9_]+\}?/},{cN:"string",v:[{b:'`"[^\r\n]*?"\''},{b:'"[^\r\n"]*"'}]},{cN:"built_in",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:/\$\{(.*?)}/}]},r={cN:"string",b:/"/,e:/"/,c:[e.BE,t,{cN:"variable",b:/\$\(/,e:/\)/,c:[e.BE]}]},i={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",_:"-ne -eq -lt -gt -f -d -e -s -l -a"},c:[{cN:"meta",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,r,i,t]}}),hljs.registerLanguage("erlang-repl",function(e){return{k:{built_in:"spawn spawn_link self",keyword:"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:"meta",b:"^[0-9]+> ",r:10},e.C("%","$"),{cN:"number",b:"\\b(\\d+#[a-fA-F0-9]+|\\d+(\\.\\d+)?([eE][-+]?\\d+)?)",r:0},e.ASM,e.QSM,{b:"\\?(::)?([A-Z]\\w*(::)?)+"},{b:"->"},{b:"ok"},{b:"!"},{b:"(\\b[a-z'][a-zA-Z0-9_']*:[a-z'][a-zA-Z0-9_']*)|(\\b[a-z'][a-zA-Z0-9_']*)",r:0},{b:"[A-Z][a-zA-Z0-9_']*",r:0}]}}),hljs.registerLanguage("erb",function(e){return{sL:"xml",c:[e.C("<%#","%>"),{b:"<%[%=-]?",e:"[%-]?%>",sL:"ruby",eB:!0,eE:!0}]}}),hljs.registerLanguage("json",function(e){var t={literal:"true false null"},r=[e.QSM,e.CNM],i={e:",",eW:!0,eE:!0,c:r,k:t},a={b:"{",e:"}",c:[{cN:"attr",b:'\\s*"',e:'"\\s*:\\s*',eB:!0,eE:!0,c:[e.BE],i:"\\n",starts:i}],i:"\\S"},n={b:"\\[",e:"\\]",c:[e.inherit(i)],i:"\\S"};return r.splice(r.length,0,a,n),{c:r,k:t,i:"\\S"}}),hljs.registerLanguage("autohotkey",function(e){var t={b:/`[\s\S]/};return{cI:!0,k:{keyword:"Break Continue Else Gosub If Loop Return While",literal:"A true false NOT AND OR",built_in:"ComSpec Clipboard ClipboardAll ErrorLevel"},c:[{cN:"built_in",b:"A_[a-zA-Z0-9]+"},t,e.inherit(e.QSM,{c:[t]}),e.C(";","$",{r:0}),{cN:"number",b:e.NR,r:0},{cN:"variable",b:"%",e:"%",i:"\\n",c:[t]},{cN:"symbol",c:[t],v:[{b:'^[^\\n";]+::(?!=)'},{b:'^[^\\n";]+:(?!=)',r:0}]},{b:",\\s*,"}]}}),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"},{b:/^\s*[A-Z_]+/,e:/\s*=/,eE:!0}]}}),hljs.registerLanguage("xml",function(e){var t="[A-Za-z0-9\\._:-]+",r={b:/<\?(php)?(?!\w)/,e:/\?>/,sL:"php"},i={eW:!0,i:/</,r:0,c:[r,{cN:"attr",b:t,r:0},{b:"=",r:0,c:[{cN:"string",c:[r],v:[{b:/"/,e:/"/},{b:/'/,e:/'/},{b:/[^\s\/>]+/}]}]}]};return{aliases:["html","xhtml","rss","atom","xsl","plist"],cI:!0,c:[{cN:"meta",b:"<!DOCTYPE",e:">",r:10,c:[{b:"\\[",e:"\\]"}]},e.C("<!--","-->",{r:10}),{b:"<\\!\\[CDATA\\[",e:"\\]\\]>",r:10},{cN:"tag",b:"<style(?=\\s|>|$)",e:">",k:{name:"style"},c:[i],starts:{e:"</style>",rE:!0,sL:["css","xml"]}},{cN:"tag",b:"<script(?=\\s|>|$)",e:">",k:{name:"script"},c:[i],starts:{e:"['<', '/', 'script', '>'].join('')",rE:!0,sL:["actionscript","javascript","handlebars","xml"]}},r,{cN:"meta",b:/<\?\w+/,e:/\?>/,r:10},{cN:"tag",b:"</?",e:"/?>",c:[{cN:"name",b:/[^\/><\s]+/,r:0},i]}]}}),hljs.registerLanguage("tp",function(e){var t={cN:"number",b:"[1-9][0-9]*",r:0},r={cN:"symbol",b:":[^\\]]+"},i={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",t,r]},a={cN:"built_in",b:"(AI|AO|DI|DO|F|RI|RO|UI|UO|GI|GO|SI|SO)\\[",e:"\\]",c:["self",t,e.QSM,r]};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 PROG ATTR MN POS",literal:"ON OFF max_speed LPOS JPOS ENABLE DISABLE START STOP RESET"},c:[i,a,{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},e.C("//","[;$]"),e.C("!","[;$]"),e.C("--eg:","$"),e.QSM,{cN:"string",b:"'",e:"'"},e.CNM,{cN:"variable",b:"\\$[A-Za-z0-9_]+"}]}}),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("http",function(){var e="HTTP/[0-9\\.]+";return{aliases:["https"],i:"\\S",c:[{b:"^"+e,e:"$",c:[{cN:"number",b:"\\b\\d{3}\\b"}]},{b:"^[A-Z]+ (.*?) "+e+"$",rB:!0,e:"$",c:[{cN:"string",b:" ",e:" ",eB:!0,eE:!0},{b:e},{cN:"keyword",b:"[A-Z]+"}]},{cN:"attribute",b:"^\\w",e:": ",eE:!0,i:"\\n|\\s|=",starts:{e:"$",r:0}},{b:"\\n\\n",starts:{sL:[],eW:!0}}]}}),hljs.registerLanguage("ceylon",function(e){var t="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",r="shared abstract formal default actual variable late native deprecatedfinal sealed annotation suppressWarnings small",i="doc by license see throws tagged",a={cN:"subst",eB:!0,eE:!0,b:/``/,e:/``/,k:t,r:10},n=[{cN:"string",b:'"""',e:'"""',r:10},{cN:"string",b:'"',e:'"',c:[a]},{cN:"string",b:"'",e:"'"},{cN:"number",b:"#[0-9a-fA-F_]+|\\$[01_]+|[0-9_]+(?:\\.[0-9_](?:[eE][+-]?\\d+)?)?[kMGTPmunpf]?",r:0}];return a.c=n,{k:{keyword:t+" "+r,meta:i},i:"\\$[^01]|#[^0-9a-fA-F]",c:[e.CLCM,e.C("/\\*","\\*/",{c:["self"]}),{cN:"meta",b:'@[a-z]\\w*(?:\\:"[^"]*")?'}].concat(n)}}),hljs.registerLanguage("cos",function(e){var t={cN:"string",v:[{b:'"',e:'"',c:[{b:'""',r:0}]}]},r={cN:"number",b:"\\b(\\d+(\\.\\d*)?|\\.\\d+)",r:0},i=(e.IR+"\\s*\\(",{keyword:["break","catch","close","continue","do","d","else","elseif","for","goto","halt","hang","h","if","job","j","kill","k","lock","l","merge","new","open","quit","q","read","r","return","set","s","tcommit","throw","trollback","try","tstart","use","view","while","write","w","xecute","x","zkill","znspace","zn","ztrap","zwrite","zw","zzdump","zzwrite","print","zbreak","zinsert","zload","zprint","zremove","zsave","zzprint","mv","mvcall","mvcrt","mvdim","mvprint","zquit","zsync","ascii"].join(" ")});
+return{cI:!0,aliases:["cos","cls"],k:i,c:[r,t,e.CLCM,e.CBCM,{cN:"built_in",b:/\$\$?[a-zA-Z]+/},{cN:"keyword",b:/\$\$\$[a-zA-Z]+/},{cN:"symbol",b:/\^%?[a-zA-Z][\w]*/},{cN:"keyword",b:/##class/},{b:/&sql\(/,e:/\)/,eB:!0,eE:!0,sL:"sql"},{b:/&(js|jscript|javascript)</,e:/>/,eB:!0,eE:!0,sL:"javascript"},{b:/&html<\s*</,e:/>\s*>/,sL:"xml"}]}}),hljs.registerLanguage("ruby",function(e){var t="[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",i={cN:"doctag",b:"@[A-Za-z]+"},a={b:"#<",e:">"},n=[e.C("#","$",{c:[i]}),e.C("^\\=begin","^\\=end",{c:[i],r:10}),e.C("^__END__","\\n$")],o={cN:"subst",b:"#\\{",e:"}",k:r},s={cN:"string",c:[e.BE,o],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/}]},l={cN:"params",b:"\\(",e:"\\)",endsParent:!0,k:r},c=[s,a,{cN:"class",bK:"class module",e:"$|;",i:/=/,c:[e.inherit(e.TM,{b:"[A-Za-z_]\\w*(::\\w+)*(\\?|\\!)?"}),{b:"<\\s*",c:[{b:"("+e.IR+"::)?"+e.IR}]}].concat(n)},{cN:"function",bK:"def",e:"$|;",c:[e.inherit(e.TM,{b:t}),l].concat(n)},{cN:"symbol",b:e.UIR+"(\\!|\\?)?:",r:0},{cN:"symbol",b:":",c:[s,{b:t}],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:"(\\$\\W)|((\\$|\\@\\@?)(\\w+))"},{b:"("+e.RSR+")\\s*",c:[a,{cN:"regexp",c:[e.BE,o],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);o.c=c,l.c=c;var d="[>?]>",u="[\\w#]+\\(\\w+\\):\\d+:\\d+>",m="(\\w+-)?\\d+\\.\\d+\\.\\d(p\\d+)?[^>]+>",p=[{b:/^\s*=>/,starts:{e:"$",c:c}},{cN:"meta",b:"^("+d+"|"+u+"|"+m+")",starts:{e:"$",c:c}}];return{aliases:["rb","gemspec","podspec","thor","irb"],k:r,i:/\/\*/,c:n.concat(p).concat(c)}}),hljs.registerLanguage("rust",function(e){var t="([uif](8|16|32|64|size))?",r=e.inherit(e.CBCM);r.c.push("self");var i="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!";return{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",literal:"true false",built_in:i},l:e.IR+"!?",i:"</",c:[e.CLCM,r,e.inherit(e.QSM,{i:null}),{cN:"string",v:[{b:/r(#*)".*?"\1(?!#)/},{b:/'\\?(x\w{2}|u\w{4}|U\w{8}|.)'/}]},{cN:"symbol",b:/'[a-zA-Z_][a-zA-Z0-9_]*/},{cN:"number",v:[{b:"\\b0b([01_]+)"+t},{b:"\\b0o([0-7_]+)"+t},{b:"\\b0x([A-Fa-f0-9_]+)"+t},{b:"\\b(\\d[\\d_]*(\\.[0-9_]+)?([eE][+-]?[0-9_]+)?)"+t}],r:0},{cN:"function",bK:"fn",e:"(\\(|<)",eE:!0,c:[e.UTM]},{cN:"meta",b:"#\\!?\\[",e:"\\]"},{cN:"class",bK:"type",e:"(=|<)",c:[e.UTM],i:"\\S"},{cN:"class",bK:"trait enum",e:"{",c:[e.inherit(e.UTM,{endsParent:!0})],i:"[\\w\\d]"},{b:e.IR+"::",k:{built_in:i}},{b:"->"}]}}),hljs.registerLanguage("oxygene",function(e){var t="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",r=e.C("{","}",{r:0}),i=e.C("\\(\\*","\\*\\)",{r:10}),a={cN:"string",b:"'",e:"'",c:[{b:"''"}]},n={cN:"string",b:"(#\\d+)+"},o={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:t,c:[a,n]},r,i]};return{cI:!0,k:t,i:'("|\\$[G-Zg-z]|\\/\\*|</|=>|->)',c:[r,i,e.CLCM,a,n,e.NM,o,{cN:"class",b:"=\\bclass\\b",e:"end;",k:t,c:[a,n,r,i,e.CLCM,o]}]}}),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:"doctag",b:"'''|<!--|-->",c:[e.PWM]},{cN:"doctag",b:"</?",e:">",c:[e.PWM]}]}),e.CNM,{cN:"meta",b:"#",e:"$",k:{"meta-keyword":"if else elseif end region externalsource"}}]}}),hljs.registerLanguage("groovy",function(e){return{k:{literal:"true false null",keyword:"byte short char int long boolean float double void 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:[{b:/\w+@/,r:0},{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:"meta",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:"meta",b:"@[A-Za-z]+"},{cN:"string",b:/[^\?]{0}[A-Za-z0-9_$]+ *:/},{b:/\?/,e:/\:/},{cN:"symbol",b:"^\\s*[A-Za-z0-9_$]+:",r:0}],i:/#|<\//}}),hljs.registerLanguage("ruleslanguage",function(e){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:[e.CLCM,e.CBCM,e.ASM,e.QSM,e.CNM,{cN:"literal",v:[{b:"#\\s+[a-zA-Z\\ \\.]*",r:0},{b:"#[a-zA-Z\\ \\.]+"}]}]}}),hljs.registerLanguage("parser3",function(e){var t=e.C("{","}",{c:["self"]});return{sL:"xml",r:0,c:[e.C("^#","$"),e.C("\\^rem{","}",{r:10,c:[t]}),{cN:"meta",b:"^@(?:BASE|USE|CLASS|OPTIONS)$",r:10},{cN:"title",b:"@[\\w\\-]+\\[[\\w^;\\-]*\\](?:\\[[\\w^;\\-]*\\])?(?:.*)$"},{cN:"variable",b:"\\$\\{?[\\w\\-\\.\\:]+\\}?"},{cN:"keyword",b:"\\^[\\w\\-\\.\\:]+"},{cN:"number",b:"\\^#[0-9a-fA-F]+"},e.CNM]}}),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 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:"variable",b:"#\\((?!parameter).+\\)"}]}}),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 equal less greater strless strgreater strequal matches"},c:[{cN:"variable",b:"\\${",e:"}"},e.HCM,e.QSM,e.NM]}}),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:"meta",b:"#",e:"$"},{cN:"class",bK:"class interface",e:"{",eE:!0,i:":",c:[{bK:"extends implements"},e.UTM]}]}}),hljs.registerLanguage("nsis",function(e){var t={cN:"variable",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)"},r={cN:"variable",b:"\\$+{[a-zA-Z0-9_]+}"},i={cN:"variable",b:"\\$+[a-zA-Z0-9_]+",i:"\\(\\){}"},a={cN:"variable",b:"\\$+\\([a-zA-Z0-9_]+\\)"},n={cN:"built_in",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)"},o={cN:"keyword",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:[{b:"\\$(\\\\(n|r|t)|\\$)"},t,r,i,a]},e.C(";","$",{r:0}),{cN:"function",bK:"Function PageEx Section SectionGroup SubSection",e:"$"},o,r,i,a,n,e.NM,{b:e.IR+"::"+e.IR}]}}),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 import from as",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:"meta",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:/</,e:/>\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},{cN:"class",bK:"class",e:/[{;=]/,eE:!0,i:/[:"\[\]]/,c:[{bK:"extends"},e.UTM]},{bK:"constructor",e:/\{/,eE:!0}],i:/#/}}),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",i="property rsc_defaults op_defaults",a="params meta operations op rule attributes utilization",n="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",s="Master Started Slave Stopped start promote demote stop monitor true false";return{aliases:["crm","pcmk"],cI:!0,k:{keyword:a+" "+n+" "+o,literal:s},c:[e.HCM,{bK:"node",starts:{e:"\\s*([\\w_-]+:)?",starts:{cN:"title",e:"\\s*[\\$\\w_][\\w_-]*"}}},{bK:t,starts:{cN:"title",e:"\\s*[\\$\\w_][\\w_-]*",starts:{e:"\\s*@?[\\w_][\\w_\\.:-]*"}}},{b:"\\b("+r.split(" ").join("|")+")\\s+",k:r,starts:{cN:"title",e:"[\\$\\w_][\\w_-]*"}},{bK:i,starts:{cN:"title",e:"\\s*([\\w_-]+:)?"}},e.QSM,{cN:"meta",b:"(ocf|systemd|service|lsb):[\\w_:-]+",r:0},{cN:"number",b:"\\b\\d+(\\.\\d+)?(ms|s|h|m)?",r:0},{cN:"literal",b:"[-]?(infinity|inf)",r:0},{cN:"attr",b:/([A-Za-z\$_\#][\w_-]+)=/,r:0},{cN:"tag",b:"</?",e:"/?>",r:0}]}}),hljs.registerLanguage("julia",function(e){var t={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 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 \u03b3 \u03c0 \u03c6 Inf64 NaN64 RoundNearestTiesAway RoundNearestTiesUp ",built_in:"ANY 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 AbstractChannel AbstractFloat AbstractString AssertionError Base64DecodePipe Base64EncodePipe BufferStream CapturedException CartesianIndex CartesianRange Channel Cintmax_t CompositeException Cstring Cuintmax_t Cwstring Date DateTime Dims Enum GenSym GlobalRef HTML InitError InvalidStateException Irrational LinSpace LowerTriangular NullException Nullable OutOfMemoryError Pair PartialQuickSort Pipe RandomDevice ReadOnlyMemoryError ReentrantLock Ref RemoteException SegmentationFault SerializationState SimpleVector TCPSocket Text Tuple UDPSocket UInt UInt128 UInt16 UInt32 UInt64 UInt8 UnicodeError Union UpperTriangular Val Void WorkerConfig AbstractMatrix AbstractSparseMatrix AbstractSparseVector AbstractVecOrMat AbstractVector DenseMatrix DenseVecOrMat DenseVector Matrix SharedMatrix SharedVector StridedArray StridedMatrix StridedVecOrMat StridedVector VecOrMat Vector "},r="[A-Za-z_\\u00A1-\\uFFFF][A-Za-z_0-9\\u00A1-\\uFFFF]*",i={l:r,k:t,i:/<\//},a={cN:"type",b:/::/},n={cN:"type",b:/<:/},o={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},s={cN:"string",b:/'(.|\\[xXuU][a-zA-Z0-9]+)'/},l={cN:"subst",b:/\$\(/,e:/\)/,k:t},c={cN:"variable",b:"\\$"+r},d={cN:"string",c:[e.BE,l,c],v:[{b:/\w*"""/,e:/"""\w*/,r:10},{b:/\w*"/,e:/"\w*/}]},u={cN:"string",c:[e.BE,l,c],b:"`",e:"`"},m={cN:"meta",b:"@"+r},p={cN:"comment",v:[{b:"#=",e:"=#",r:10},{b:"#",e:"$"}]};return i.c=[o,s,a,n,d,u,m,p,e.HCM],l.c=i.c,i}),hljs.registerLanguage("cal",function(e){var t="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",r="false true",i=[e.CLCM,e.C(/\{/,/\}/,{r:0}),e.C(/\(\*/,/\*\)/,{r:10})],a={cN:"string",b:/'/,e:/'/,c:[{b:/''/}]},n={cN:"string",b:/(#\d+)+/},o={cN:"number",b:"\\b\\d+(\\.\\d+)?(DT|D|T)",r:0},s={cN:"string",b:'"',e:'"'},l={cN:"function",bK:"procedure",e:/[:;]/,k:"procedure|10",c:[e.TM,{cN:"params",b:/\(/,e:/\)/,k:t,c:[a,n]}].concat(i)},c={cN:"class",b:"OBJECT (Table|Form|Report|Dataport|Codeunit|XMLport|MenuSuite|Page|Query) (\\d+) ([^\\r\\n]+)",rB:!0,c:[e.TM,l]};return{cI:!0,k:{keyword:t,literal:r},i:/\/\*/,c:[a,n,o,s,e.NM,c,l]}}),hljs.registerLanguage("cs",function(e){var t="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",r=e.IR+"(<"+e.IR+">)?";return{aliases:["csharp"],k:t,i:/::/,c:[e.C("///","$",{rB:!0,c:[{cN:"doctag",v:[{b:"///",r:0},{b:"<!--|-->"},{b:"</?",e:">"}]}]}),e.CLCM,e.CBCM,{cN:"meta",b:"#",e:"$",k:{"meta-keyword":"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:[e.inherit(e.TM,{b:"[a-zA-Z](\\.?\\w)*"}),e.CLCM,e.CBCM]},{bK:"new return throw await",r:0},{cN:"function",b:"("+r+"\\s+)+"+e.IR+"\\s*\\(",rB:!0,e:/[{;=]/,eE:!0,k:t,c:[{b:e.IR+"\\s*\\(",rB:!0,c:[e.TM],r:0},{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,k:t,r:0,c:[e.ASM,e.QSM,e.CNM,e.CBCM]},e.CLCM,e.CBCM]}]}}),hljs.registerLanguage("livecodeserver",function(e){var t={b:"\\b[gtps][A-Z]+[A-Za-z0-9_\\-]*\\b|\\$_[A-Z]+",r:0},r=[e.CBCM,e.HCM,e.C("--","$"),e.C("[^:]//","$")],i=e.inherit(e.TM,{v:[{b:"\\b_*rig[A-Z]+[A-Za-z0-9_\\-]*"},{b:"\\b_[a-z0-9\\-]+"}]}),a=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 div mod wrap and or bitAnd bitNot bitOr bitXor among not in a an within contains ends with begins the keys of keys",literal:"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",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:[t,{cN:"keyword",b:"\\bend\\sif\\b"},{cN:"function",bK:"function",e:"$",c:[t,a,e.ASM,e.QSM,e.BNM,e.CNM,i]},{cN:"function",b:"\\bend\\s+",e:"$",k:"end",c:[a,i]},{bK:"command on",e:"$",c:[t,a,e.ASM,e.QSM,e.BNM,e.CNM,i]},{cN:"meta",v:[{b:"<\\?(rev|lc|livecode)",r:10},{b:"<\\?"},{b:"\\?>"}]},e.ASM,e.QSM,e.BNM,e.CNM,i].concat(r),i:";$|^\\[|^="}
+}),hljs.registerLanguage("openscad",function(e){var t={cN:"keyword",b:"\\$(f[asn]|t|vp[rtd]|children)"},r={cN:"literal",b:"false|true|PI|undef"},i={cN:"number",b:"\\b\\d+(\\.\\d+)?(e-?\\d+)?",r:0},a=e.inherit(e.QSM,{i:null}),n={cN:"meta",k:{"meta-keyword":"include use"},b:"include|use <",e:">"},o={cN:"params",b:"\\(",e:"\\)",c:["self",i,a,t,r]},s={b:"[*!#%]",r:0},l={cN:"function",bK:"module function",e:"\\=|\\{",c:[o,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,n,a,t,s,l]}}),hljs.registerLanguage("prolog",function(e){var t={b:/[a-z][A-Za-z0-9_]*/,r:0},r={cN:"symbol",v:[{b:/[A-Z][a-zA-Z0-9_]*/},{b:/_[A-Za-z0-9_]*/}],r:0},i={b:/\(/,e:/\)/,r:0},a={b:/\[/,e:/\]/},n={cN:"comment",b:/%/,e:/$/,c:[e.PWM]},o={cN:"string",b:/`/,e:/`/,c:[e.BE]},s={cN:"string",b:/0\'(\\\'|.)/},l={cN:"string",b:/0\'\\s/},c={b:/:-/},d=[t,r,i,c,a,n,e.CBCM,e.QSM,e.ASM,o,s,l,e.CNM];return i.c=d,a.c=d,{c:d.concat([{b:/\.$/}])}}),hljs.registerLanguage("diff",function(){return{aliases:["patch"],c:[{cN:"meta",r:10,v:[{b:/^@@ +\-\d+,\d+ +\+\d+,\d+ +@@$/},{b:/^\*\*\* +\d+,\d+ +\*\*\*\*$/},{b:/^\-\-\- +\d+,\d+ +\-\-\-\-$/}]},{cN:"comment",v:[{b:/Index: /,e:/$/},{b:/=====/,e:/=====$/},{b:/^\-\-\-/,e:/$/},{b:/^\*{3} /,e:/$/},{b:/^\+\+\+/,e:/$/},{b:/\*{5}/,e:/\*{5}$/}]},{cN:"addition",b:"^\\+",e:"$"},{cN:"deletion",b:"^\\-",e:"$"},{cN:"addition",b:"^\\!",e:"$"}]}}),hljs.registerLanguage("monkey",function(e){var t={cN:"number",r:0,v:[{b:"[$][a-fA-F0-9]+"},e.NM]};return{cI:!0,k:{keyword:"public private property continue exit extern new try catch eachin not abstract final select case default const local global field end if then else elseif endif while wend repeat until forever for to step next return module inline throw import",built_in:"DebugLog DebugStop Error Print ACos ACosr ASin ASinr ATan ATan2 ATan2r ATanr Abs Abs Ceil Clamp Clamp Cos Cosr Exp Floor Log Max Max Min Min Pow Sgn Sgn Sin Sinr Sqrt Tan Tanr Seed PI HALFPI TWOPI",literal:"true false null and or shl shr mod"},i:/\/\*/,c:[e.C("#rem","#end"),e.C("'","$",{r:0}),{cN:"function",bK:"function method",e:"[(=:]|$",i:/\n/,c:[e.UTM]},{cN:"class",bK:"class interface",e:"$",c:[{bK:"extends implements"},e.UTM]},{cN:"built_in",b:"\\b(self|super)\\b"},{cN:"meta",b:"\\s*#",e:"$",k:{"meta-keyword":"if else elseif endif end then"}},{cN:"meta",b:"^\\s*strict\\b"},{bK:"alias",e:"=",c:[e.UTM]},e.QSM,t]}}),hljs.registerLanguage("profile",function(e){return{c:[e.CNM,{b:"[a-zA-Z_][\\da-zA-Z_]+\\.[\\da-zA-Z_]{1,3}",e:":",eE:!0},{b:"(ncalls|tottime|cumtime)",e:"$",k:"ncalls tottime|10 cumtime|10 filename",r:10},{b:"function calls",e:"$",c:[e.CNM],r:10},e.ASM,e.QSM,{cN:"string",b:"\\(",e:"\\)$",eB:!0,eE:!0,r:0}]}}),hljs.registerLanguage("scss",function(e){var t="[a-zA-Z-][a-zA-Z0-9_-]*",r={cN:"variable",b:"(\\$"+t+")\\b"},i={cN:"number",b:"#[0-9A-Fa-f]+"};return{cN:"attribute",b:"[A-Z\\_\\.\\-]+",e:":",eE:!0,i:"[^\\s]",starts:{eW:!0,eE:!0,c:[i,e.CSSNM,e.QSM,e.ASM,e.CBCM,{cN:"meta",b:"!important"}]}},{cI:!0,i:"[=/|']",c:[e.CLCM,e.CBCM,{cN:"selector-id",b:"\\#[A-Za-z0-9_-]+",r:0},{cN:"selector-class",b:"\\.[A-Za-z0-9_-]+",r:0},{cN:"selector-attr",b:"\\[",e:"\\]",i:"$"},{cN:"selector-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},{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)"},{b:"::(after|before|choices|first-letter|first-line|repeat-index|repeat-item|selection|value)"},r,{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]"},{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"},{b:":",e:";",c:[r,i,e.CSSNM,e.QSM,e.ASM,{cN:"meta",b:"!important"}]},{b:"@",e:"[{;]",k:"mixin include extend for if else each while charset import debug media page content font-face namespace warn",c:[r,e.QSM,e.ASM,i,e.CSSNM,{b:"\\s[A-Za-z0-9_.-]+",r:0}]}]}}),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",r="get set args call";return{k:t,i:/<\/|#/,c:[e.C("/\\*\\*","\\*/",{r:0,c:[{b:/\w+@/,r:0},{cN:"doctag",b:"@[A-Za-z]+"}]}),e.CLCM,e.CBCM,e.ASM,e.QSM,{cN:"class",bK:"aspect",e:/[{;=]/,eE:!0,i:/[:;"\[\]]/,c:[{bK:"extends implements pertypewithin perthis pertarget percflowbelow percflow issingleton"},e.UTM,{b:/\([^\)]*/,e:/[)]+/,k:t+" "+r,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+" "+r},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:"meta",b:"@[A-Za-z]+"}]}}),hljs.registerLanguage("fortran",function(e){var t={cN:"params",b:"\\(",e:"\\)"},r={literal:".False. .True.",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 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",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:r,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("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:"type",b:"`[A-Z][\\w']*"},{cN:"type",b:"\\b[A-Z][\\w']*",r:0},{b:"[a-z_]\\w*'[\\w']*"},e.inherit(e.ASM,{cN:"string",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("q",function(e){var t={keyword:"do while select delete by update from",literal:"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",type:"`float `double int `timestamp `timespan `datetime `time `boolean `symbol `char `byte `short `long `real `month `date `minute `second `guid"};return{aliases:["k","kdb"],k:t,l:/(`?)[A-Za-z0-9_]+\b/,c:[e.CLCM,e.QSM,e.CNM]}}),hljs.registerLanguage("vhdl",function(e){var t="\\d(_|\\d)*",r="[eE][-+]?"+t,i=t+"(\\."+t+")?("+r+")?",a="\\w+",n=t+"#"+a+"(\\."+a+")?#("+r+")?",o="\\b("+n+"|"+i+")";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",built_in:"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:o,r:0},{cN:"literal",b:"'(U|X|0|1|Z|W|L|H|-)'",c:[e.BE]},{cN:"symbol",b:"'[A-Za-z](_?[A-Za-z0-9])*",c:[e.BE]}]}}),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.CLCM,e.CBCM,e.QSM,e.ASM,e.CNM,{cN:"meta",b:"#",e:"$"},{cN:"class",bK:"surface displacement light volume imager",e:"\\("},{bK:"illuminate illuminance gather",e:"\\("}]}}),hljs.registerLanguage("scala",function(e){var t={cN:"meta",b:"@[A-Za-z]+"},r={cN:"subst",v:[{b:"\\$[A-Za-z0-9_]+"},{b:"\\${",e:"}"}]},i={cN:"string",v:[{b:'"',e:'"',i:"\\n",c:[e.BE]},{b:'"""',e:'"""',r:10},{b:'[a-z]+"',e:'"',i:"\\n",c:[e.BE,r]},{cN:"string",b:'[a-z]+"""',e:'"""',c:[r],r:10}]},a={cN:"symbol",b:"'\\w[\\w\\d_]*(?!')"},n={cN:"type",b:"\\b[A-Z][A-Za-z0-9_]*",r:0},o={cN:"title",b:/[^0-9\n\t "'(),.`{}\[\]:;][^\n\t "'(),.`{}\[\]:;]+|[^0-9\n\t "'(),.`{}\[\]:;=]/,r:0},s={cN:"class",bK:"class object trait type",e:/[:={\[\n;]/,eE:!0,c:[{bK:"extends with",r:10},{b:/\[/,e:/\]/,eB:!0,eE:!0,r:0,c:[n]},{cN:"params",b:/\(/,e:/\)/,eB:!0,eE:!0,r:0,c:[n]},o]},l={cN:"function",bK:"def",e:/[:={\[(\n;]/,eE:!0,c:[o]};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,i,a,n,l,s,e.CNM,t]}}),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},i={b:"->{",e:"}"},a={v:[{b:/\$\d/},{b:/[\$%@](\^\w\b|#\w+(::\w+)*|{\w+}|\w+(::\w*)*)/},{b:/[\$%@][^\s\w{]/,r:0}]},n=[e.BE,r,a],o=[a,e.HCM,e.C("^\\=\\w","\\=cut",{eW:!0}),i,{cN:"string",c:n,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:"function",bK:"sub",e:"(\\s*\\(.*?\\))?[;{]",eE:!0,r:5,c:[e.TM]},{b:"-\\w\\b",r:0},{b:"^__DATA__$",e:"^__END__$",sL:"mojolicious",c:[{b:"^@@.*",e:"$",cN:"comment"}]}];return r.c=o,i.c=o,{aliases:["pl"],k:t,c:o}}),hljs.registerLanguage("pf",function(e){var t={cN:"variable",b:/\$[\w\d#@][\w\d_]*/},r={cN:"variable",b:/</,e:/>/};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:[e.HCM,e.NM,e.QSM,t,r]}}),hljs.registerLanguage("haxe",function(e){var t="([*]|[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:"meta",b:"#",e:"$",k:{"meta-keyword":"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]},{b:":\\s*"+t}]}]}}),hljs.registerLanguage("cpp",function(e){var t={cN:"keyword",b:"\\b[a-z\\d_]*_t\\b"},r={cN:"string",v:[e.inherit(e.QSM,{b:'((u8?|U)|L)?"'}),{b:'(u8?|U)?R"',e:'"',c:[e.BE]},{b:"'\\\\?.",e:"'",i:"."}]},i={cN:"number",v:[{b:"\\b(\\d+(\\.\\d*)?|\\.\\d+)(u|U|l|L|ul|UL|f|F)"},{b:e.CNR}],r:0},a={cN:"meta",b:"#",e:"$",k:{"meta-keyword":"if else elif endif define undef warning error line pragma ifdef ifndef"},c:[{b:/\\\n/,r:0},{bK:"include",e:"$",k:{"meta-keyword":"include"},c:[e.inherit(r,{cN:"meta-string"}),{cN:"meta-string",b:"<",e:">",i:"\\n"}]},r,e.CLCM,e.CBCM]},n=e.IR+"\\s*\\(",o={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 endl initializer_list unique_ptr",literal:"true false nullptr NULL"};return{aliases:["c","cc","h","c++","h++","hpp"],k:o,i:"</",c:[t,e.CLCM,e.CBCM,i,r,a,{b:"\\b(deque|list|queue|stack|vector|map|set|bitset|multiset|multimap|unordered_map|unordered_set|unordered_multiset|unordered_multimap|array)\\s*<",e:">",k:o,c:["self",t]},{b:e.IR+"::",k:o},{bK:"new throw return else",r:0},{cN:"function",b:"("+e.IR+"[\\*&\\s]+)+"+n,rB:!0,e:/[{;=]/,eE:!0,k:o,i:/[^\w\s\*&]/,c:[{b:n,rB:!0,c:[e.TM],r:0},{cN:"params",b:/\(/,e:/\)/,k:o,r:0,c:[e.CLCM,e.CBCM,r,i]},e.CLCM,e.CBCM,a]}]}}),hljs.registerLanguage("css",function(e){var t="[a-zA-Z-][a-zA-Z0-9_-]*",r={b:/[A-Z\_\.\-]+\s*:/,rB:!0,e:";",eW:!0,c:[{cN:"attribute",b:/\S/,e:":",eE:!0,starts:{eW:!0,eE:!0,c:[{b:/[\w-]+\s*\(/,rB:!0,c:[{cN:"built_in",b:/[\w-]+/}]},e.CSSNM,e.QSM,e.ASM,e.CBCM,{cN:"number",b:"#[0-9A-Fa-f]+"},{cN:"meta",b:"!important"}]}}]};return{cI:!0,i:/[=\/|'\$]/,c:[e.CBCM,{cN:"selector-id",b:/#[A-Za-z0-9_-]+/},{cN:"selector-class",b:/\.[A-Za-z0-9_-]+/},{cN:"selector-attr",b:/\[/,e:/\]/,i:"$"},{cN:"selector-pseudo",b:/:(:)?[a-zA-Z0-9\_\-\+\(\)"']+/},{b:"@(font-face|page)",l:"[a-z-]+",k:"font-face page"},{b:"@",e:"[{;]",c:[{cN:"keyword",b:/\S+/},{b:/\s/,eW:!0,eE:!0,r:0,c:[e.ASM,e.QSM,e.CSSNM]}]},{cN:"selector-tag",b:t,r:0},{b:"{",e:"}",i:/\S/,c:[e.CBCM,r]}]}}),hljs.registerLanguage("django",function(e){var t={b:/\|[A-Za-z]+:?/,k:{name:"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:[e.QSM,e.ASM]};return{aliases:["jinja"],cI:!0,sL:"xml",c:[e.C(/\{%\s*comment\s*%}/,/\{%\s*endcomment\s*%}/),e.C(/\{#/,/#}/),{cN:"template-tag",b:/\{%/,e:/%}/,c:[{cN:"name",b:/\w+/,k:{name:"comment endcomment load templatetag ifchanged endifchanged if endif firstof for endfor ifnotequal endifnotequal widthratio extends include spaceless endspaceless regroup 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"},starts:{eW:!0,k:"in by as",c:[t],r:0}}]},{cN:"template-variable",b:/\{\{/,e:/}}/,c:[t]}]}}),hljs.registerLanguage("erlang",function(e){var t="[a-z'][a-zA-Z0-9_']*",r="("+t+":"+t+"|"+t+")",i={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"},a=e.C("%","$"),n={cN:"number",b:"\\b(\\d+#[a-fA-F0-9]+|\\d+(\\.\\d+)?([eE][-+]?\\d+)?)",r:0},o={b:"fun\\s+"+t+"/\\d+"},s={b:r+"\\(",e:"\\)",rB:!0,r:0,c:[{b:r,r:0},{b:"\\(",e:"\\)",eW:!0,rE:!0,r:0}]},l={b:"{",e:"}",r:0},c={b:"\\b_([A-Z][A-Za-z0-9_]*)?",r:0},d={b:"[A-Z][a-zA-Z0-9_]*",r:0},u={b:"#"+e.UIR,r:0,rB:!0,c:[{b:"#"+e.UIR,r:0},{b:"{",e:"}",r:0}]},m={bK:"fun receive if try case",e:"end",k:i};m.c=[a,o,e.inherit(e.ASM,{cN:""}),m,s,e.QSM,n,l,c,d,u];var p=[a,o,m,s,e.QSM,n,l,c,d,u];s.c[1].c=p,l.c=p,u.c[1].c=p;var _={cN:"params",b:"\\(",e:"\\)",c:p};return{aliases:["erl"],k:i,i:"(</|\\*=|\\+=|-=|/\\*|\\*/|\\(\\*|\\*\\))",c:[{cN:"function",b:"^"+t+"\\s*\\(",e:"->",rB:!0,i:"\\(|#|//|/\\*|\\\\|:|;",c:[_,e.inherit(e.TM,{b:t})],starts:{e:";|\\.",k:i,c:p}},a,{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:[_]},n,e.QSM,u,c,d,l,{b:/\.$/}]}}),hljs.registerLanguage("hsp",function(e){return{cI:!0,k:"goto gosub return break repeat loop continue wait await dim sdim foreach dimtype dup dupptr end stop newmod delmod mref run exgoto on mcall assert logmes newlab resume yield onexit onerror onkey onclick oncmd exist delete mkdir chdir dirlist bload bsave bcopy memfile if else poke wpoke lpoke getstr chdpm memexpand memcpy memset notesel noteadd notedel noteload notesave randomize noteunsel noteget split strrep setease button chgdisp exec dialog mmload mmplay mmstop mci pset pget syscolor mes print title pos circle cls font sysfont objsize picload color palcolor palette redraw width gsel gcopy gzoom gmode bmpsave hsvcolor getkey listbox chkbox combox input mesbox buffer screen bgscr mouse objsel groll line clrobj boxf objprm objmode stick grect grotate gsquare gradf objimage objskip objenable celload celdiv celput newcom querycom delcom cnvstow comres axobj winobj sendmsg comevent comevarg sarrayconv callfunc cnvwtos comevdisp libptr system hspstat hspver stat cnt err strsize looplev sublev iparam wparam lparam refstr refdval int rnd strlen length length2 length3 length4 vartype gettime peek wpeek lpeek varptr varuse noteinfo instr abs limit getease str strmid strf getpath strtrim sin cos tan atan sqrt double absf expf logf limitf powf geteasef mousex mousey mousew hwnd hinstance hdc ginfo objinfo dirinfo sysinfo thismod __hspver__ __hsp30__ __date__ __time__ __line__ __file__ _debug __hspdef__ and or xor not screen_normal screen_palette screen_hide screen_fixedsize screen_tool screen_frame gmode_gdi gmode_mem gmode_rgb0 gmode_alpha gmode_rgb0alpha gmode_add gmode_sub gmode_pixela ginfo_mx ginfo_my ginfo_act ginfo_sel ginfo_wx1 ginfo_wy1 ginfo_wx2 ginfo_wy2 ginfo_vx ginfo_vy ginfo_sizex ginfo_sizey ginfo_winx ginfo_winy ginfo_mesx ginfo_mesy ginfo_r ginfo_g ginfo_b ginfo_paluse ginfo_dispx ginfo_dispy ginfo_cx ginfo_cy ginfo_intid ginfo_newid ginfo_sx ginfo_sy objinfo_mode objinfo_bmscr objinfo_hwnd notemax notesize dir_cur dir_exe dir_win dir_sys dir_cmdline dir_desktop dir_mydoc dir_tv font_normal font_bold font_italic font_underline font_strikeout font_antialias objmode_normal objmode_guifont objmode_usefont gsquare_grad msgothic msmincho do until while wend for next _break _continue switch case default swbreak swend ddim ldim alloc m_pi rad2deg deg2rad ease_linear ease_quad_in ease_quad_out ease_quad_inout ease_cubic_in ease_cubic_out ease_cubic_inout ease_quartic_in ease_quartic_out ease_quartic_inout ease_bounce_in ease_bounce_out ease_bounce_inout ease_shake_in ease_shake_out ease_shake_inout ease_loop",c:[e.CLCM,e.CBCM,e.QSM,e.ASM,{cN:"string",b:'{"',e:'"}',c:[e.BE]},e.C(";","$"),{cN:"meta",b:"#",e:"$",k:{"meta-keyword":"addion cfunc cmd cmpopt comfunc const defcfunc deffunc define else endif enum epack func global if ifdef ifndef include modcfunc modfunc modinit modterm module pack packopt regcmd runtime undef usecom uselib"},c:[e.inherit(e.QSM,{cN:"meta-string"}),e.NM,e.CNM,e.CLCM,e.CBCM]},{cN:"symbol",b:"^\\*(\\w+|@)"},e.NM,e.CNM]}
+}),hljs.registerLanguage("elm",function(e){var t={v:[e.C("--","$"),e.C("{-","-}",{c:["self"]})]},r={cN:"type",b:"\\b[A-Z][\\w']*",r:0},i={b:"\\(",e:"\\)",i:'"',c:[{cN:"type",b:"\\b[A-Z][\\w]*(\\((\\.\\.|,|\\w+)\\))?"},t]},a={b:"{",e:"}",c:i.c};return{k:"let in if then else case of where module import exposing type alias as infix infixl infixr port",c:[{bK:"module",e:"where",k:"module where",c:[i,t],i:"\\W\\.|;"},{b:"import",e:"$",k:"import as exposing",c:[i,t],i:"\\W\\.|;"},{b:"type",e:"$",k:"type alias",c:[r,i,a,t]},{bK:"infix infixl infixr",e:"$",c:[e.CNM,t]},{b:"port",e:"$",k:"port",c:[t]},e.QSM,e.CNM,r,e.inherit(e.TM,{b:"^[_a-z][\\w']*"}),t,{b:"->|<-"}]}}),hljs.registerLanguage("r",function(e){var t="([a-zA-Z]|\\.[a-zA-Z.])[a-zA-Z0-9._]*";return{c:[e.HCM,{b:t,l:t,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:[{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("irpf90",function(e){var t={cN:"params",b:"\\(",e:"\\)"},r={literal:".False. .True.",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 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 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:r,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}]}});
+ </script>
+ <script>
+ !function(t,e,i){function n(t,e){return typeof t===e}function s(){var t,e,i,s,o,a,r;for(var l in b){if(t=[],e=b[l],e.name&&(t.push(e.name.toLowerCase()),e.options&&e.options.aliases&&e.options.aliases.length))for(i=0;i<e.options.aliases.length;i++)t.push(e.options.aliases[i].toLowerCase());for(s=n(e.fn,"function")?e.fn():e.fn,o=0;o<t.length;o++)a=t[o],r=a.split("."),1===r.length?S[r[0]]=s:2===r.length&&(!S[r[0]]||S[r[0]]instanceof Boolean||(S[r[0]]=new Boolean(S[r[0]])),S[r[0]][r[1]]=s),v.push((s?"":"no-")+r.join("-"))}}function o(t){var e=T.className,i=S._config.classPrefix||"",n=new RegExp("(^|\\s)"+i+"no-js(\\s|$)");e=e.replace(n,"$1"+i+"js$2"),S._config.enableClasses&&(e+=" "+i+t.join(" "+i),T.className=e)}function a(){var t=e.body;return t||(t=w("body"),t.fake=!0),t}function r(t,e,i,n){var s,o,r,l,c="modernizr",d=w("div"),h=a();if(parseInt(i,10))for(;i--;)r=w("div"),r.id=n?n[i]:c+(i+1),d.appendChild(r);return s=["\xad",'<style id="s',c,'">',t,"</style>"].join(""),d.id=c,(h.fake?h:d).innerHTML+=s,h.appendChild(d),h.fake&&(h.style.background="",h.style.overflow="hidden",l=T.style.overflow,T.style.overflow="hidden",T.appendChild(h)),o=e(d,t),h.fake?(h.parentNode.removeChild(h),T.style.overflow=l,T.offsetHeight):d.parentNode.removeChild(d),!!o}function l(t,e){return!!~(""+t).indexOf(e)}function c(t){return t.replace(/([a-z])-([a-z])/g,function(t,e,i){return e+i.toUpperCase()}).replace(/^-/,"")}function d(t){return t.replace(/([A-Z])/g,function(t,e){return"-"+e.toLowerCase()}).replace(/^ms-/,"-ms-")}function h(e,n){var s=e.length;if("CSS"in t&&"supports"in t.CSS){for(;s--;)if(t.CSS.supports(d(e[s]),n))return!0;return!1}if("CSSSupportsRule"in t){for(var o=[];s--;)o.push("("+d(e[s])+":"+n+")");return o=o.join(" or "),r("@supports ("+o+") { #modernizr { position: absolute; } }",function(e){return"absolute"==(t.getComputedStyle?getComputedStyle(e,null):e.currentStyle).position})}return i}function u(t,e,s,o){function a(){c&&(delete x.style,delete x.modElem)}if(o=n(o,"undefined")?!1:o,!n(s,"undefined")){var r=h(t,s);if(!n(r,"undefined"))return r}var c,d,u,p;x.style||(c=!0,x.modElem=w("modernizr"),x.style=x.modElem.style);for(d in t)if(u=t[d],p=x.style[u],!l(u,"-")&&x.style[u]!==i){if(o||n(s,"undefined"))return a(),"pfx"==e?u:!0;try{x.style[u]=s}catch(f){}if(x.style[u]!=p)return a(),"pfx"==e?u:!0}return a(),!1}function p(t,e){return function(){return t.apply(e,arguments)}}function f(t,e,i){var s;for(var o in t)if(t[o]in e)return i===!1?t[o]:(s=e[t[o]],n(s,"function")?p(s,i||e):s);return!1}function m(t,e,i,s,o){var a=t.charAt(0).toUpperCase()+t.slice(1),r=(t+" "+C.join(a+" ")+a).split(" ");return n(e,"string")||n(e,"undefined")?u(r,e,s,o):(r=(t+" "+_.join(a+" ")+a).split(" "),f(r,e,i))}function g(t,e,n){return m(t,i,i,e,n)}var v=[],b=[],y={_version:"v3.0.0pre",_config:{classPrefix:"mz-",enableClasses:!0,usePrefixes:!0},_q:[],on:function(t,e){setTimeout(function(){e(this[t])},0)},addTest:function(t,e,i){b.push({name:t,fn:e,options:i})},addAsyncTest:function(t){b.push({name:null,fn:t})}},S=function(){};S.prototype=y,S=new S,S.addTest("applicationcache","applicationCache"in t),S.addTest("history",function(){var e=navigator.userAgent;return-1===e.indexOf("Android 2.")&&-1===e.indexOf("Android 4.0")||-1===e.indexOf("Mobile Safari")||-1!==e.indexOf("Chrome")?t.history&&"pushState"in t.history:!1}),S.addTest("localstorage",function(){var t="modernizr";try{return localStorage.setItem(t,t),localStorage.removeItem(t),!0}catch(e){return!1}}),S.addTest("svg",!!e.createElementNS&&!!e.createElementNS("http://www.w3.org/2000/svg","svg").createSVGRect);var E=y._config.usePrefixes?" -webkit- -moz- -o- -ms- ".split(" "):[];y._prefixes=E;var T=e.documentElement,L="Webkit Moz O ms",_=y._config.usePrefixes?L.toLowerCase().split(" "):[];y._domPrefixes=_;var w=function(){return e.createElement.apply(e,arguments)};S.addTest("opacity",function(){var t=w("div"),e=t.style;return e.cssText=E.join("opacity:.55;"),/^0.55$/.test(e.opacity)}),S.addTest("rgba",function(){var t=w("div"),e=t.style;return e.cssText="background-color:rgba(150,255,150,.5)",(""+e.backgroundColor).indexOf("rgba")>-1});var k=y.testStyles=r,C=y._config.usePrefixes?L.split(" "):[];y._cssomPrefixes=C;var A={elem:w("modernizr")};S._q.push(function(){delete A.elem});var x={style:A.elem.style};S._q.unshift(function(){delete x.style});y.testProp=function(t,e,n){return u([t],i,e,n)};y.testAllProps=m,y.testAllProps=g,S.addTest("backgroundsize",g("backgroundSize","100%",!0)),S.addTest("cssanimations",g("animationName","a",!0)),S.addTest("csstransforms",g("transform","scale(1)",!0)),S.addTest("csstransforms3d",function(){var t=!!g("perspective","1px",!0),e=S._config.usePrefixes;if(t&&(!e||"webkitPerspective"in T.style)){var i="@media (transform-3d)";e&&(i+=",(-webkit-transform-3d)"),i+="{#modernizr{left:9px;position:absolute;height:5px;margin:0;padding:0;border:0}}",k(i,function(e){t=9===e.offsetLeft&&5===e.offsetHeight})}return t}),S.addTest("csstransitions",g("transition","all",!0)),S.addTest("flexbox",g("flexBasis","1px",!0)),S.addTest("flexboxlegacy",g("boxDirection","reverse",!0));var D=y.prefixed=function(t,e,i){return-1!=t.indexOf("-")&&(t=c(t)),e?m(t,e,i):m(t,"pfx")};S.addTest("fullscreen",!(!D("exitFullscreen",e,!1)&&!D("cancelFullScreen",e,!1))),s(),o(v),delete y.addTest,delete y.addAsyncTest;for(var I=0;I<S._q.length;I++)S._q[I]();t.Modernizr=S}(this,document),function(t,e){"object"==typeof module&&"object"==typeof module.exports?module.exports=t.document?e(t,!0):function(t){if(!t.document)throw new Error("jQuery requires a window with a document");return e(t)}:e(t)}("undefined"!=typeof window?window:this,function(t,e){function i(t){var e=t.length,i=se.type(t);return"function"===i||se.isWindow(t)?!1:1===t.nodeType&&e?!0:"array"===i||0===e||"number"==typeof e&&e>0&&e-1 in t}function n(t,e,i){if(se.isFunction(e))return se.grep(t,function(t,n){return!!e.call(t,n,t)!==i});if(e.nodeType)return se.grep(t,function(t){return t===e!==i});if("string"==typeof e){if(ue.test(e))return se.filter(e,t,i);e=se.filter(e,t)}return se.grep(t,function(t){return se.inArray(t,e)>=0!==i})}function s(t,e){do t=t[e];while(t&&1!==t.nodeType);return t}function o(t){var e=Se[t]={};return se.each(t.match(ye)||[],function(t,i){e[i]=!0}),e}function a(){fe.addEventListener?(fe.removeEventListener("DOMContentLoaded",r,!1),t.removeEventListener("load",r,!1)):(fe.detachEvent("onreadystatechange",r),t.detachEvent("onload",r))}function r(){(fe.addEventListener||"load"===event.type||"complete"===fe.readyState)&&(a(),se.ready())}function l(t,e,i){if(void 0===i&&1===t.nodeType){var n="data-"+e.replace(we,"-$1").toLowerCase();if(i=t.getAttribute(n),"string"==typeof i){try{i="true"===i?!0:"false"===i?!1:"null"===i?null:+i+""===i?+i:_e.test(i)?se.parseJSON(i):i}catch(s){}se.data(t,e,i)}else i=void 0}return i}function c(t){var e;for(e in t)if(("data"!==e||!se.isEmptyObject(t[e]))&&"toJSON"!==e)return!1;return!0}function d(t,e,i,n){if(se.acceptData(t)){var s,o,a=se.expando,r=t.nodeType,l=r?se.cache:t,c=r?t[a]:t[a]&&a;if(c&&l[c]&&(n||l[c].data)||void 0!==i||"string"!=typeof e)return c||(c=r?t[a]=J.pop()||se.guid++:a),l[c]||(l[c]=r?{}:{toJSON:se.noop}),("object"==typeof e||"function"==typeof e)&&(n?l[c]=se.extend(l[c],e):l[c].data=se.extend(l[c].data,e)),o=l[c],n||(o.data||(o.data={}),o=o.data),void 0!==i&&(o[se.camelCase(e)]=i),"string"==typeof e?(s=o[e],null==s&&(s=o[se.camelCase(e)])):s=o,s}}function h(t,e,i){if(se.acceptData(t)){var n,s,o=t.nodeType,a=o?se.cache:t,r=o?t[se.expando]:se.expando;if(a[r]){if(e&&(n=i?a[r]:a[r].data)){se.isArray(e)?e=e.concat(se.map(e,se.camelCase)):e in n?e=[e]:(e=se.camelCase(e),e=e in n?[e]:e.split(" ")),s=e.length;for(;s--;)delete n[e[s]];if(i?!c(n):!se.isEmptyObject(n))return}(i||(delete a[r].data,c(a[r])))&&(o?se.cleanData([t],!0):ie.deleteExpando||a!=a.window?delete a[r]:a[r]=null)}}}function u(){return!0}function p(){return!1}function f(){try{return fe.activeElement}catch(t){}}function m(t){var e=Pe.split("|"),i=t.createDocumentFragment();if(i.createElement)for(;e.length;)i.createElement(e.pop());return i}function g(t,e){var i,n,s=0,o=typeof t.getElementsByTagName!==Le?t.getElementsByTagName(e||"*"):typeof t.querySelectorAll!==Le?t.querySelectorAll(e||"*"):void 0;if(!o)for(o=[],i=t.childNodes||t;null!=(n=i[s]);s++)!e||se.nodeName(n,e)?o.push(n):se.merge(o,g(n,e));return void 0===e||e&&se.nodeName(t,e)?se.merge([t],o):o}function v(t){De.test(t.type)&&(t.defaultChecked=t.checked)}function b(t,e){return se.nodeName(t,"table")&&se.nodeName(11!==e.nodeType?e:e.firstChild,"tr")?t.getElementsByTagName("tbody")[0]||t.appendChild(t.ownerDocument.createElement("tbody")):t}function y(t){return t.type=(null!==se.find.attr(t,"type"))+"/"+t.type,t}function S(t){var e=We.exec(t.type);return e?t.type=e[1]:t.removeAttribute("type"),t}function E(t,e){for(var i,n=0;null!=(i=t[n]);n++)se._data(i,"globalEval",!e||se._data(e[n],"globalEval"))}function T(t,e){if(1===e.nodeType&&se.hasData(t)){var i,n,s,o=se._data(t),a=se._data(e,o),r=o.events;if(r){delete a.handle,a.events={};for(i in r)for(n=0,s=r[i].length;s>n;n++)se.event.add(e,i,r[i][n])}a.data&&(a.data=se.extend({},a.data))}}function L(t,e){var i,n,s;if(1===e.nodeType){if(i=e.nodeName.toLowerCase(),!ie.noCloneEvent&&e[se.expando]){s=se._data(e);for(n in s.events)se.removeEvent(e,n,s.handle);e.removeAttribute(se.expando)}"script"===i&&e.text!==t.text?(y(e).text=t.text,S(e)):"object"===i?(e.parentNode&&(e.outerHTML=t.outerHTML),ie.html5Clone&&t.innerHTML&&!se.trim(e.innerHTML)&&(e.innerHTML=t.innerHTML)):"input"===i&&De.test(t.type)?(e.defaultChecked=e.checked=t.checked,e.value!==t.value&&(e.value=t.value)):"option"===i?e.defaultSelected=e.selected=t.defaultSelected:("input"===i||"textarea"===i)&&(e.defaultValue=t.defaultValue)}}function _(e,i){var n,s=se(i.createElement(e)).appendTo(i.body),o=t.getDefaultComputedStyle&&(n=t.getDefaultComputedStyle(s[0]))?n.display:se.css(s[0],"display");return s.detach(),o}function w(t){var e=fe,i=Ze[t];return i||(i=_(t,e),"none"!==i&&i||(Qe=(Qe||se("<iframe frameborder='0' width='0' height='0'/>")).appendTo(e.documentElement),e=(Qe[0].contentWindow||Qe[0].contentDocument).document,e.write(),e.close(),i=_(t,e),Qe.detach()),Ze[t]=i),i}function k(t,e){return{get:function(){var i=t();if(null!=i)return i?void delete this.get:(this.get=e).apply(this,arguments)}}}function C(t,e){if(e in t)return e;for(var i=e.charAt(0).toUpperCase()+e.slice(1),n=e,s=ui.length;s--;)if(e=ui[s]+i,e in t)return e;return n}function A(t,e){for(var i,n,s,o=[],a=0,r=t.length;r>a;a++)n=t[a],n.style&&(o[a]=se._data(n,"olddisplay"),i=n.style.display,e?(o[a]||"none"!==i||(n.style.display=""),""===n.style.display&&Ae(n)&&(o[a]=se._data(n,"olddisplay",w(n.nodeName)))):(s=Ae(n),(i&&"none"!==i||!s)&&se._data(n,"olddisplay",s?i:se.css(n,"display"))));for(a=0;r>a;a++)n=t[a],n.style&&(e&&"none"!==n.style.display&&""!==n.style.display||(n.style.display=e?o[a]||"":"none"));return t}function x(t,e,i){var n=li.exec(e);return n?Math.max(0,n[1]-(i||0))+(n[2]||"px"):e}function D(t,e,i,n,s){for(var o=i===(n?"border":"content")?4:"width"===e?1:0,a=0;4>o;o+=2)"margin"===i&&(a+=se.css(t,i+Ce[o],!0,s)),n?("content"===i&&(a-=se.css(t,"padding"+Ce[o],!0,s)),"margin"!==i&&(a-=se.css(t,"border"+Ce[o]+"Width",!0,s))):(a+=se.css(t,"padding"+Ce[o],!0,s),"padding"!==i&&(a+=se.css(t,"border"+Ce[o]+"Width",!0,s)));return a}function I(t,e,i){var n=!0,s="width"===e?t.offsetWidth:t.offsetHeight,o=ti(t),a=ie.boxSizing&&"border-box"===se.css(t,"boxSizing",!1,o);if(0>=s||null==s){if(s=ei(t,e,o),(0>s||null==s)&&(s=t.style[e]),ni.test(s))return s;n=a&&(ie.boxSizingReliable()||s===t.style[e]),s=parseFloat(s)||0}return s+D(t,e,i||(a?"border":"content"),n,o)+"px"}function M(t,e,i,n,s){return new M.prototype.init(t,e,i,n,s)}function R(){return setTimeout(function(){pi=void 0}),pi=se.now()}function O(t,e){var i,n={height:t},s=0;for(e=e?1:0;4>s;s+=2-e)i=Ce[s],n["margin"+i]=n["padding"+i]=t;return e&&(n.opacity=n.width=t),n}function N(t,e,i){for(var n,s=(yi[e]||[]).concat(yi["*"]),o=0,a=s.length;a>o;o++)if(n=s[o].call(i,e,t))return n}function P(t,e,i){var n,s,o,a,r,l,c,d,h=this,u={},p=t.style,f=t.nodeType&&Ae(t),m=se._data(t,"fxshow");i.queue||(r=se._queueHooks(t,"fx"),null==r.unqueued&&(r.unqueued=0,l=r.empty.fire,r.empty.fire=function(){r.unqueued||l()}),r.unqueued++,h.always(function(){h.always(function(){r.unqueued--,se.queue(t,"fx").length||r.empty.fire()})})),1===t.nodeType&&("height"in e||"width"in e)&&(i.overflow=[p.overflow,p.overflowX,p.overflowY],c=se.css(t,"display"),d="none"===c?se._data(t,"olddisplay")||w(t.nodeName):c,"inline"===d&&"none"===se.css(t,"float")&&(ie.inlineBlockNeedsLayout&&"inline"!==w(t.nodeName)?p.zoom=1:p.display="inline-block")),i.overflow&&(p.overflow="hidden",ie.shrinkWrapBlocks()||h.always(function(){p.overflow=i.overflow[0],p.overflowX=i.overflow[1],p.overflowY=i.overflow[2]}));for(n in e)if(s=e[n],mi.exec(s)){if(delete e[n],o=o||"toggle"===s,s===(f?"hide":"show")){if("show"!==s||!m||void 0===m[n])continue;f=!0}u[n]=m&&m[n]||se.style(t,n)}else c=void 0;if(se.isEmptyObject(u))"inline"===("none"===c?w(t.nodeName):c)&&(p.display=c);else{m?"hidden"in m&&(f=m.hidden):m=se._data(t,"fxshow",{}),o&&(m.hidden=!f),f?se(t).show():h.done(function(){se(t).hide()}),h.done(function(){var e;se._removeData(t,"fxshow");for(e in u)se.style(t,e,u[e])});for(n in u)a=N(f?m[n]:0,n,h),n in m||(m[n]=a.start,f&&(a.end=a.start,a.start="width"===n||"height"===n?1:0))}}function U(t,e){var i,n,s,o,a;for(i in t)if(n=se.camelCase(i),s=e[n],o=t[i],se.isArray(o)&&(s=o[1],o=t[i]=o[0]),i!==n&&(t[n]=o,delete t[i]),a=se.cssHooks[n],a&&"expand"in a){o=a.expand(o),delete t[n];for(i in o)i in t||(t[i]=o[i],e[i]=s)}else e[n]=s}function $(t,e,i){var n,s,o=0,a=bi.length,r=se.Deferred().always(function(){delete l.elem}),l=function(){if(s)return!1;for(var e=pi||R(),i=Math.max(0,c.startTime+c.duration-e),n=i/c.duration||0,o=1-n,a=0,l=c.tweens.length;l>a;a++)c.tweens[a].run(o);return r.notifyWith(t,[c,o,i]),1>o&&l?i:(r.resolveWith(t,[c]),!1)},c=r.promise({elem:t,props:se.extend({},e),opts:se.extend(!0,{specialEasing:{}},i),originalProperties:e,originalOptions:i,startTime:pi||R(),duration:i.duration,tweens:[],createTween:function(e,i){var n=se.Tween(t,c.opts,e,i,c.opts.specialEasing[e]||c.opts.easing);return c.tweens.push(n),n},stop:function(e){var i=0,n=e?c.tweens.length:0;if(s)return this;for(s=!0;n>i;i++)c.tweens[i].run(1);return e?r.resolveWith(t,[c,e]):r.rejectWith(t,[c,e]),this}}),d=c.props;for(U(d,c.opts.specialEasing);a>o;o++)if(n=bi[o].call(c,t,d,c.opts))return n;return se.map(d,N,c),se.isFunction(c.opts.start)&&c.opts.start.call(t,c),se.fx.timer(se.extend(l,{elem:t,anim:c,queue:c.opts.queue})),c.progress(c.opts.progress).done(c.opts.done,c.opts.complete).fail(c.opts.fail).always(c.opts.always)}function F(t){return function(e,i){"string"!=typeof e&&(i=e,e="*");var n,s=0,o=e.toLowerCase().match(ye)||[];if(se.isFunction(i))for(;n=o[s++];)"+"===n.charAt(0)?(n=n.slice(1)||"*",(t[n]=t[n]||[]).unshift(i)):(t[n]=t[n]||[]).push(i)}}function j(t,e,i,n){function s(r){var l;return o[r]=!0,se.each(t[r]||[],function(t,r){var c=r(e,i,n);return"string"!=typeof c||a||o[c]?a?!(l=c):void 0:(e.dataTypes.unshift(c),s(c),!1)}),l}var o={},a=t===zi;return s(e.dataTypes[0])||!o["*"]&&s("*")}function B(t,e){var i,n,s=se.ajaxSettings.flatOptions||{};for(n in e)void 0!==e[n]&&((s[n]?t:i||(i={}))[n]=e[n]);return i&&se.extend(!0,t,i),t}function H(t,e,i){for(var n,s,o,a,r=t.contents,l=t.dataTypes;"*"===l[0];)l.shift(),void 0===s&&(s=t.mimeType||e.getResponseHeader("Content-Type"));if(s)for(a in r)if(r[a]&&r[a].test(s)){l.unshift(a);break}if(l[0]in i)o=l[0];else{for(a in i){if(!l[0]||t.converters[a+" "+l[0]]){o=a;break}n||(n=a)}o=o||n}return o?(o!==l[0]&&l.unshift(o),i[o]):void 0}function z(t,e,i,n){var s,o,a,r,l,c={},d=t.dataTypes.slice();if(d[1])for(a in t.converters)c[a.toLowerCase()]=t.converters[a];for(o=d.shift();o;)if(t.responseFields[o]&&(i[t.responseFields[o]]=e),!l&&n&&t.dataFilter&&(e=t.dataFilter(e,t.dataType)),l=o,o=d.shift())if("*"===o)o=l;else if("*"!==l&&l!==o){if(a=c[l+" "+o]||c["* "+o],!a)for(s in c)if(r=s.split(" "),r[1]===o&&(a=c[l+" "+r[0]]||c["* "+r[0]])){a===!0?a=c[s]:c[s]!==!0&&(o=r[0],d.unshift(r[1]));break}if(a!==!0)if(a&&t["throws"])e=a(e);else try{e=a(e)}catch(h){return{state:"parsererror",error:a?h:"No conversion from "+l+" to "+o}}}return{state:"success",data:e}}function V(t,e,i,n){var s;if(se.isArray(e))se.each(e,function(e,s){i||Wi.test(t)?n(t,s):V(t+"["+("object"==typeof s?e:"")+"]",s,i,n)});else if(i||"object"!==se.type(e))n(t,e);else for(s in e)V(t+"["+s+"]",e[s],i,n)}function G(){try{return new t.XMLHttpRequest}catch(e){}}function X(){try{return new t.ActiveXObject("Microsoft.XMLHTTP")}catch(e){}}function W(t){return se.isWindow(t)?t:9===t.nodeType?t.defaultView||t.parentWindow:!1}var J=[],Y=J.slice,q=J.concat,K=J.push,Q=J.indexOf,Z={},te=Z.toString,ee=Z.hasOwnProperty,ie={},ne="1.11.1",se=function(t,e){return new se.fn.init(t,e)},oe=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,ae=/^-ms-/,re=/-([\da-z])/gi,le=function(t,e){return e.toUpperCase()};se.fn=se.prototype={jquery:ne,constructor:se,selector:"",length:0,toArray:function(){return Y.call(this)},get:function(t){return null!=t?0>t?this[t+this.length]:this[t]:Y.call(this)},pushStack:function(t){var e=se.merge(this.constructor(),t);return e.prevObject=this,e.context=this.context,e},each:function(t,e){return se.each(this,t,e)},map:function(t){return this.pushStack(se.map(this,function(e,i){return t.call(e,i,e)}))},slice:function(){return this.pushStack(Y.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(t){var e=this.length,i=+t+(0>t?e:0);return this.pushStack(i>=0&&e>i?[this[i]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:K,sort:J.sort,splice:J.splice},se.extend=se.fn.extend=function(){var t,e,i,n,s,o,a=arguments[0]||{},r=1,l=arguments.length,c=!1;for("boolean"==typeof a&&(c=a,a=arguments[r]||{},r++),"object"==typeof a||se.isFunction(a)||(a={}),r===l&&(a=this,r--);l>r;r++)if(null!=(s=arguments[r]))for(n in s)t=a[n],i=s[n],a!==i&&(c&&i&&(se.isPlainObject(i)||(e=se.isArray(i)))?(e?(e=!1,o=t&&se.isArray(t)?t:[]):o=t&&se.isPlainObject(t)?t:{},a[n]=se.extend(c,o,i)):void 0!==i&&(a[n]=i));return a},se.extend({expando:"jQuery"+(ne+Math.random()).replace(/\D/g,""),isReady:!0,error:function(t){throw new Error(t)},noop:function(){},isFunction:function(t){return"function"===se.type(t)},isArray:Array.isArray||function(t){return"array"===se.type(t)},isWindow:function(t){return null!=t&&t==t.window},isNumeric:function(t){return!se.isArray(t)&&t-parseFloat(t)>=0},isEmptyObject:function(t){var e;for(e in t)return!1;return!0},isPlainObject:function(t){var e;if(!t||"object"!==se.type(t)||t.nodeType||se.isWindow(t))return!1;try{if(t.constructor&&!ee.call(t,"constructor")&&!ee.call(t.constructor.prototype,"isPrototypeOf"))return!1}catch(i){return!1}if(ie.ownLast)for(e in t)return ee.call(t,e);for(e in t);return void 0===e||ee.call(t,e)},type:function(t){return null==t?t+"":"object"==typeof t||"function"==typeof t?Z[te.call(t)]||"object":typeof t},globalEval:function(e){e&&se.trim(e)&&(t.execScript||function(e){t.eval.call(t,e)})(e)},camelCase:function(t){return t.replace(ae,"ms-").replace(re,le)},nodeName:function(t,e){return t.nodeName&&t.nodeName.toLowerCase()===e.toLowerCase()},each:function(t,e,n){var s,o=0,a=t.length,r=i(t);if(n){if(r)for(;a>o&&(s=e.apply(t[o],n),s!==!1);o++);else for(o in t)if(s=e.apply(t[o],n),s===!1)break}else if(r)for(;a>o&&(s=e.call(t[o],o,t[o]),s!==!1);o++);else for(o in t)if(s=e.call(t[o],o,t[o]),s===!1)break;return t},trim:function(t){return null==t?"":(t+"").replace(oe,"")},makeArray:function(t,e){var n=e||[];return null!=t&&(i(Object(t))?se.merge(n,"string"==typeof t?[t]:t):K.call(n,t)),n},inArray:function(t,e,i){var n;if(e){if(Q)return Q.call(e,t,i);for(n=e.length,i=i?0>i?Math.max(0,n+i):i:0;n>i;i++)if(i in e&&e[i]===t)return i}return-1},merge:function(t,e){for(var i=+e.length,n=0,s=t.length;i>n;)t[s++]=e[n++];if(i!==i)for(;void 0!==e[n];)t[s++]=e[n++];return t.length=s,t},grep:function(t,e,i){for(var n,s=[],o=0,a=t.length,r=!i;a>o;o++)n=!e(t[o],o),n!==r&&s.push(t[o]);return s},map:function(t,e,n){var s,o=0,a=t.length,r=i(t),l=[];if(r)for(;a>o;o++)s=e(t[o],o,n),null!=s&&l.push(s);else for(o in t)s=e(t[o],o,n),null!=s&&l.push(s);return q.apply([],l)},guid:1,proxy:function(t,e){var i,n,s;return"string"==typeof e&&(s=t[e],e=t,t=s),se.isFunction(t)?(i=Y.call(arguments,2),n=function(){return t.apply(e||this,i.concat(Y.call(arguments)))},n.guid=t.guid=t.guid||se.guid++,n):void 0},now:function(){return+new Date},support:ie}),se.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(t,e){Z["[object "+e+"]"]=e.toLowerCase()});var ce=function(t){function e(t,e,i,n){var s,o,a,r,l,c,h,p,f,m;if((e?e.ownerDocument||e:j)!==M&&I(e),e=e||M,i=i||[],!t||"string"!=typeof t)return i;if(1!==(r=e.nodeType)&&9!==r)return[];if(O&&!n){if(s=be.exec(t))if(a=s[1]){if(9===r){if(o=e.getElementById(a),!o||!o.parentNode)return i;if(o.id===a)return i.push(o),i}else if(e.ownerDocument&&(o=e.ownerDocument.getElementById(a))&&$(e,o)&&o.id===a)return i.push(o),i}else{if(s[2])return Z.apply(i,e.getElementsByTagName(t)),i;if((a=s[3])&&E.getElementsByClassName&&e.getElementsByClassName)return Z.apply(i,e.getElementsByClassName(a)),i}if(E.qsa&&(!N||!N.test(t))){if(p=h=F,f=e,m=9===r&&t,1===r&&"object"!==e.nodeName.toLowerCase()){for(c=w(t),(h=e.getAttribute("id"))?p=h.replace(Se,"\\$&"):e.setAttribute("id",p),p="[id='"+p+"'] ",l=c.length;l--;)c[l]=p+u(c[l]);f=ye.test(t)&&d(e.parentNode)||e,m=c.join(",")}if(m)try{return Z.apply(i,f.querySelectorAll(m)),i}catch(g){}finally{h||e.removeAttribute("id")}}}return C(t.replace(le,"$1"),e,i,n)}function i(){function t(i,n){return e.push(i+" ")>T.cacheLength&&delete t[e.shift()],t[i+" "]=n}var e=[];return t}function n(t){return t[F]=!0,t}function s(t){var e=M.createElement("div");try{return!!t(e)}catch(i){return!1}finally{e.parentNode&&e.parentNode.removeChild(e),e=null}}function o(t,e){for(var i=t.split("|"),n=t.length;n--;)T.attrHandle[i[n]]=e}function a(t,e){var i=e&&t,n=i&&1===t.nodeType&&1===e.nodeType&&(~e.sourceIndex||J)-(~t.sourceIndex||J);if(n)return n;if(i)for(;i=i.nextSibling;)if(i===e)return-1;return t?1:-1}function r(t){return function(e){var i=e.nodeName.toLowerCase();return"input"===i&&e.type===t}}function l(t){return function(e){var i=e.nodeName.toLowerCase();return("input"===i||"button"===i)&&e.type===t}}function c(t){return n(function(e){return e=+e,n(function(i,n){for(var s,o=t([],i.length,e),a=o.length;a--;)i[s=o[a]]&&(i[s]=!(n[s]=i[s]))})})}function d(t){return t&&typeof t.getElementsByTagName!==W&&t}function h(){}function u(t){for(var e=0,i=t.length,n="";i>e;e++)n+=t[e].value;return n}function p(t,e,i){var n=e.dir,s=i&&"parentNode"===n,o=H++;return e.first?function(e,i,o){for(;e=e[n];)if(1===e.nodeType||s)return t(e,i,o)}:function(e,i,a){var r,l,c=[B,o];if(a){for(;e=e[n];)if((1===e.nodeType||s)&&t(e,i,a))return!0}else for(;e=e[n];)if(1===e.nodeType||s){if(l=e[F]||(e[F]={}),(r=l[n])&&r[0]===B&&r[1]===o)return c[2]=r[2];if(l[n]=c,c[2]=t(e,i,a))return!0}}}function f(t){return t.length>1?function(e,i,n){for(var s=t.length;s--;)if(!t[s](e,i,n))return!1;return!0}:t[0]}function m(t,i,n){for(var s=0,o=i.length;o>s;s++)e(t,i[s],n);return n}function g(t,e,i,n,s){for(var o,a=[],r=0,l=t.length,c=null!=e;l>r;r++)(o=t[r])&&(!i||i(o,n,s))&&(a.push(o),c&&e.push(r));return a}function v(t,e,i,s,o,a){return s&&!s[F]&&(s=v(s)),o&&!o[F]&&(o=v(o,a)),n(function(n,a,r,l){var c,d,h,u=[],p=[],f=a.length,v=n||m(e||"*",r.nodeType?[r]:r,[]),b=!t||!n&&e?v:g(v,u,t,r,l),y=i?o||(n?t:f||s)?[]:a:b;if(i&&i(b,y,r,l),s)for(c=g(y,p),s(c,[],r,l),d=c.length;d--;)(h=c[d])&&(y[p[d]]=!(b[p[d]]=h));if(n){if(o||t){if(o){for(c=[],d=y.length;d--;)(h=y[d])&&c.push(b[d]=h);o(null,y=[],c,l)}for(d=y.length;d--;)(h=y[d])&&(c=o?ee.call(n,h):u[d])>-1&&(n[c]=!(a[c]=h))}}else y=g(y===a?y.splice(f,y.length):y),o?o(null,a,y,l):Z.apply(a,y)})}function b(t){for(var e,i,n,s=t.length,o=T.relative[t[0].type],a=o||T.relative[" "],r=o?1:0,l=p(function(t){return t===e},a,!0),c=p(function(t){return ee.call(e,t)>-1},a,!0),d=[function(t,i,n){return!o&&(n||i!==A)||((e=i).nodeType?l(t,i,n):c(t,i,n))}];s>r;r++)if(i=T.relative[t[r].type])d=[p(f(d),i)];else{if(i=T.filter[t[r].type].apply(null,t[r].matches),i[F]){for(n=++r;s>n&&!T.relative[t[n].type];n++);return v(r>1&&f(d),r>1&&u(t.slice(0,r-1).concat({value:" "===t[r-2].type?"*":""})).replace(le,"$1"),i,n>r&&b(t.slice(r,n)),s>n&&b(t=t.slice(n)),s>n&&u(t))}d.push(i)}return f(d)}function y(t,i){var s=i.length>0,o=t.length>0,a=function(n,a,r,l,c){var d,h,u,p=0,f="0",m=n&&[],v=[],b=A,y=n||o&&T.find.TAG("*",c),S=B+=null==b?1:Math.random()||.1,E=y.length;for(c&&(A=a!==M&&a);f!==E&&null!=(d=y[f]);f++){if(o&&d){for(h=0;u=t[h++];)if(u(d,a,r)){l.push(d);break}c&&(B=S)}s&&((d=!u&&d)&&p--,n&&m.push(d))}if(p+=f,s&&f!==p){for(h=0;u=i[h++];)u(m,v,a,r);if(n){if(p>0)for(;f--;)m[f]||v[f]||(v[f]=K.call(l));v=g(v)}Z.apply(l,v),c&&!n&&v.length>0&&p+i.length>1&&e.uniqueSort(l)}return c&&(B=S,A=b),m};return s?n(a):a}var S,E,T,L,_,w,k,C,A,x,D,I,M,R,O,N,P,U,$,F="sizzle"+-new Date,j=t.document,B=0,H=0,z=i(),V=i(),G=i(),X=function(t,e){return t===e&&(D=!0),0},W="undefined",J=1<<31,Y={}.hasOwnProperty,q=[],K=q.pop,Q=q.push,Z=q.push,te=q.slice,ee=q.indexOf||function(t){for(var e=0,i=this.length;i>e;e++)if(this[e]===t)return e;return-1},ie="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",ne="[\\x20\\t\\r\\n\\f]",se="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",oe=se.replace("w","w#"),ae="\\["+ne+"*("+se+")(?:"+ne+"*([*^$|!~]?=)"+ne+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+oe+"))|)"+ne+"*\\]",re=":("+se+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+ae+")*)|.*)\\)|)",le=new RegExp("^"+ne+"+|((?:^|[^\\\\])(?:\\\\.)*)"+ne+"+$","g"),ce=new RegExp("^"+ne+"*,"+ne+"*"),de=new RegExp("^"+ne+"*([>+~]|"+ne+")"+ne+"*"),he=new RegExp("="+ne+"*([^\\]'\"]*?)"+ne+"*\\]","g"),ue=new RegExp(re),pe=new RegExp("^"+oe+"$"),fe={ID:new RegExp("^#("+se+")"),CLASS:new RegExp("^\\.("+se+")"),TAG:new RegExp("^("+se.replace("w","w*")+")"),ATTR:new RegExp("^"+ae),PSEUDO:new RegExp("^"+re),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+ne+"*(even|odd|(([+-]|)(\\d*)n|)"+ne+"*(?:([+-]|)"+ne+"*(\\d+)|))"+ne+"*\\)|)","i"),bool:new RegExp("^(?:"+ie+")$","i"),needsContext:new RegExp("^"+ne+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+ne+"*((?:-\\d)?\\d*)"+ne+"*\\)|)(?=[^-]|$)","i")},me=/^(?:input|select|textarea|button)$/i,ge=/^h\d$/i,ve=/^[^{]+\{\s*\[native \w/,be=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,ye=/[+~]/,Se=/'|\\/g,Ee=new RegExp("\\\\([\\da-f]{1,6}"+ne+"?|("+ne+")|.)","ig"),Te=function(t,e,i){var n="0x"+e-65536;return n!==n||i?e:0>n?String.fromCharCode(n+65536):String.fromCharCode(n>>10|55296,1023&n|56320)};try{Z.apply(q=te.call(j.childNodes),j.childNodes),q[j.childNodes.length].nodeType}catch(Le){Z={apply:q.length?function(t,e){Q.apply(t,te.call(e))}:function(t,e){for(var i=t.length,n=0;t[i++]=e[n++];);t.length=i-1}}}E=e.support={},_=e.isXML=function(t){var e=t&&(t.ownerDocument||t).documentElement;return e?"HTML"!==e.nodeName:!1},I=e.setDocument=function(t){var e,i=t?t.ownerDocument||t:j,n=i.defaultView;return i!==M&&9===i.nodeType&&i.documentElement?(M=i,R=i.documentElement,O=!_(i),n&&n!==n.top&&(n.addEventListener?n.addEventListener("unload",function(){I()},!1):n.attachEvent&&n.attachEvent("onunload",function(){I()})),E.attributes=s(function(t){return t.className="i",!t.getAttribute("className")}),E.getElementsByTagName=s(function(t){return t.appendChild(i.createComment("")),!t.getElementsByTagName("*").length}),E.getElementsByClassName=ve.test(i.getElementsByClassName)&&s(function(t){return t.innerHTML="<div class='a'></div><div class='a i'></div>",t.firstChild.className="i",2===t.getElementsByClassName("i").length}),E.getById=s(function(t){return R.appendChild(t).id=F,!i.getElementsByName||!i.getElementsByName(F).length}),E.getById?(T.find.ID=function(t,e){if(typeof e.getElementById!==W&&O){var i=e.getElementById(t);return i&&i.parentNode?[i]:[]}},T.filter.ID=function(t){var e=t.replace(Ee,Te);return function(t){return t.getAttribute("id")===e}}):(delete T.find.ID,T.filter.ID=function(t){var e=t.replace(Ee,Te);return function(t){var i=typeof t.getAttributeNode!==W&&t.getAttributeNode("id");return i&&i.value===e}}),T.find.TAG=E.getElementsByTagName?function(t,e){return typeof e.getElementsByTagName!==W?e.getElementsByTagName(t):void 0}:function(t,e){var i,n=[],s=0,o=e.getElementsByTagName(t);if("*"===t){for(;i=o[s++];)1===i.nodeType&&n.push(i);return n}return o},T.find.CLASS=E.getElementsByClassName&&function(t,e){return typeof e.getElementsByClassName!==W&&O?e.getElementsByClassName(t):void 0},P=[],N=[],(E.qsa=ve.test(i.querySelectorAll))&&(s(function(t){t.innerHTML="<select msallowclip=''><option selected=''></option></select>",t.querySelectorAll("[msallowclip^='']").length&&N.push("[*^$]="+ne+"*(?:''|\"\")"),t.querySelectorAll("[selected]").length||N.push("\\["+ne+"*(?:value|"+ie+")"),t.querySelectorAll(":checked").length||N.push(":checked")}),s(function(t){var e=i.createElement("input");e.setAttribute("type","hidden"),t.appendChild(e).setAttribute("name","D"),t.querySelectorAll("[name=d]").length&&N.push("name"+ne+"*[*^$|!~]?="),t.querySelectorAll(":enabled").length||N.push(":enabled",":disabled"),t.querySelectorAll("*,:x"),N.push(",.*:")})),(E.matchesSelector=ve.test(U=R.matches||R.webkitMatchesSelector||R.mozMatchesSelector||R.oMatchesSelector||R.msMatchesSelector))&&s(function(t){E.disconnectedMatch=U.call(t,"div"),U.call(t,"[s!='']:x"),P.push("!=",re)}),N=N.length&&new RegExp(N.join("|")),P=P.length&&new RegExp(P.join("|")),e=ve.test(R.compareDocumentPosition),$=e||ve.test(R.contains)?function(t,e){var i=9===t.nodeType?t.documentElement:t,n=e&&e.parentNode;return t===n||!(!n||1!==n.nodeType||!(i.contains?i.contains(n):t.compareDocumentPosition&&16&t.compareDocumentPosition(n)))}:function(t,e){if(e)for(;e=e.parentNode;)if(e===t)return!0;return!1},X=e?function(t,e){if(t===e)return D=!0,0;var n=!t.compareDocumentPosition-!e.compareDocumentPosition;return n?n:(n=(t.ownerDocument||t)===(e.ownerDocument||e)?t.compareDocumentPosition(e):1,1&n||!E.sortDetached&&e.compareDocumentPosition(t)===n?t===i||t.ownerDocument===j&&$(j,t)?-1:e===i||e.ownerDocument===j&&$(j,e)?1:x?ee.call(x,t)-ee.call(x,e):0:4&n?-1:1)}:function(t,e){if(t===e)return D=!0,0;var n,s=0,o=t.parentNode,r=e.parentNode,l=[t],c=[e];if(!o||!r)return t===i?-1:e===i?1:o?-1:r?1:x?ee.call(x,t)-ee.call(x,e):0;if(o===r)return a(t,e);for(n=t;n=n.parentNode;)l.unshift(n);for(n=e;n=n.parentNode;)c.unshift(n);for(;l[s]===c[s];)s++;return s?a(l[s],c[s]):l[s]===j?-1:c[s]===j?1:0},i):M},e.matches=function(t,i){return e(t,null,null,i)},e.matchesSelector=function(t,i){if((t.ownerDocument||t)!==M&&I(t),i=i.replace(he,"='$1']"),!(!E.matchesSelector||!O||P&&P.test(i)||N&&N.test(i)))try{var n=U.call(t,i);if(n||E.disconnectedMatch||t.document&&11!==t.document.nodeType)return n}catch(s){}return e(i,M,null,[t]).length>0},e.contains=function(t,e){return(t.ownerDocument||t)!==M&&I(t),$(t,e)},e.attr=function(t,e){(t.ownerDocument||t)!==M&&I(t);var i=T.attrHandle[e.toLowerCase()],n=i&&Y.call(T.attrHandle,e.toLowerCase())?i(t,e,!O):void 0;return void 0!==n?n:E.attributes||!O?t.getAttribute(e):(n=t.getAttributeNode(e))&&n.specified?n.value:null},e.error=function(t){throw new Error("Syntax error, unrecognized expression: "+t)},e.uniqueSort=function(t){var e,i=[],n=0,s=0;if(D=!E.detectDuplicates,x=!E.sortStable&&t.slice(0),t.sort(X),D){for(;e=t[s++];)e===t[s]&&(n=i.push(s));for(;n--;)t.splice(i[n],1)}return x=null,t},L=e.getText=function(t){var e,i="",n=0,s=t.nodeType;if(s){if(1===s||9===s||11===s){if("string"==typeof t.textContent)return t.textContent;for(t=t.firstChild;t;t=t.nextSibling)i+=L(t)}else if(3===s||4===s)return t.nodeValue}else for(;e=t[n++];)i+=L(e);return i},T=e.selectors={cacheLength:50,createPseudo:n,match:fe,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(t){return t[1]=t[1].replace(Ee,Te),t[3]=(t[3]||t[4]||t[5]||"").replace(Ee,Te),"~="===t[2]&&(t[3]=" "+t[3]+" "),t.slice(0,4)},CHILD:function(t){return t[1]=t[1].toLowerCase(),"nth"===t[1].slice(0,3)?(t[3]||e.error(t[0]),t[4]=+(t[4]?t[5]+(t[6]||1):2*("even"===t[3]||"odd"===t[3])),t[5]=+(t[7]+t[8]||"odd"===t[3])):t[3]&&e.error(t[0]),t},PSEUDO:function(t){var e,i=!t[6]&&t[2];return fe.CHILD.test(t[0])?null:(t[3]?t[2]=t[4]||t[5]||"":i&&ue.test(i)&&(e=w(i,!0))&&(e=i.indexOf(")",i.length-e)-i.length)&&(t[0]=t[0].slice(0,e),t[2]=i.slice(0,e)),t.slice(0,3))
+}},filter:{TAG:function(t){var e=t.replace(Ee,Te).toLowerCase();return"*"===t?function(){return!0}:function(t){return t.nodeName&&t.nodeName.toLowerCase()===e}},CLASS:function(t){var e=z[t+" "];return e||(e=new RegExp("(^|"+ne+")"+t+"("+ne+"|$)"))&&z(t,function(t){return e.test("string"==typeof t.className&&t.className||typeof t.getAttribute!==W&&t.getAttribute("class")||"")})},ATTR:function(t,i,n){return function(s){var o=e.attr(s,t);return null==o?"!="===i:i?(o+="","="===i?o===n:"!="===i?o!==n:"^="===i?n&&0===o.indexOf(n):"*="===i?n&&o.indexOf(n)>-1:"$="===i?n&&o.slice(-n.length)===n:"~="===i?(" "+o+" ").indexOf(n)>-1:"|="===i?o===n||o.slice(0,n.length+1)===n+"-":!1):!0}},CHILD:function(t,e,i,n,s){var o="nth"!==t.slice(0,3),a="last"!==t.slice(-4),r="of-type"===e;return 1===n&&0===s?function(t){return!!t.parentNode}:function(e,i,l){var c,d,h,u,p,f,m=o!==a?"nextSibling":"previousSibling",g=e.parentNode,v=r&&e.nodeName.toLowerCase(),b=!l&&!r;if(g){if(o){for(;m;){for(h=e;h=h[m];)if(r?h.nodeName.toLowerCase()===v:1===h.nodeType)return!1;f=m="only"===t&&!f&&"nextSibling"}return!0}if(f=[a?g.firstChild:g.lastChild],a&&b){for(d=g[F]||(g[F]={}),c=d[t]||[],p=c[0]===B&&c[1],u=c[0]===B&&c[2],h=p&&g.childNodes[p];h=++p&&h&&h[m]||(u=p=0)||f.pop();)if(1===h.nodeType&&++u&&h===e){d[t]=[B,p,u];break}}else if(b&&(c=(e[F]||(e[F]={}))[t])&&c[0]===B)u=c[1];else for(;(h=++p&&h&&h[m]||(u=p=0)||f.pop())&&((r?h.nodeName.toLowerCase()!==v:1!==h.nodeType)||!++u||(b&&((h[F]||(h[F]={}))[t]=[B,u]),h!==e)););return u-=s,u===n||u%n===0&&u/n>=0}}},PSEUDO:function(t,i){var s,o=T.pseudos[t]||T.setFilters[t.toLowerCase()]||e.error("unsupported pseudo: "+t);return o[F]?o(i):o.length>1?(s=[t,t,"",i],T.setFilters.hasOwnProperty(t.toLowerCase())?n(function(t,e){for(var n,s=o(t,i),a=s.length;a--;)n=ee.call(t,s[a]),t[n]=!(e[n]=s[a])}):function(t){return o(t,0,s)}):o}},pseudos:{not:n(function(t){var e=[],i=[],s=k(t.replace(le,"$1"));return s[F]?n(function(t,e,i,n){for(var o,a=s(t,null,n,[]),r=t.length;r--;)(o=a[r])&&(t[r]=!(e[r]=o))}):function(t,n,o){return e[0]=t,s(e,null,o,i),!i.pop()}}),has:n(function(t){return function(i){return e(t,i).length>0}}),contains:n(function(t){return function(e){return(e.textContent||e.innerText||L(e)).indexOf(t)>-1}}),lang:n(function(t){return pe.test(t||"")||e.error("unsupported lang: "+t),t=t.replace(Ee,Te).toLowerCase(),function(e){var i;do if(i=O?e.lang:e.getAttribute("xml:lang")||e.getAttribute("lang"))return i=i.toLowerCase(),i===t||0===i.indexOf(t+"-");while((e=e.parentNode)&&1===e.nodeType);return!1}}),target:function(e){var i=t.location&&t.location.hash;return i&&i.slice(1)===e.id},root:function(t){return t===R},focus:function(t){return t===M.activeElement&&(!M.hasFocus||M.hasFocus())&&!!(t.type||t.href||~t.tabIndex)},enabled:function(t){return t.disabled===!1},disabled:function(t){return t.disabled===!0},checked:function(t){var e=t.nodeName.toLowerCase();return"input"===e&&!!t.checked||"option"===e&&!!t.selected},selected:function(t){return t.parentNode&&t.parentNode.selectedIndex,t.selected===!0},empty:function(t){for(t=t.firstChild;t;t=t.nextSibling)if(t.nodeType<6)return!1;return!0},parent:function(t){return!T.pseudos.empty(t)},header:function(t){return ge.test(t.nodeName)},input:function(t){return me.test(t.nodeName)},button:function(t){var e=t.nodeName.toLowerCase();return"input"===e&&"button"===t.type||"button"===e},text:function(t){var e;return"input"===t.nodeName.toLowerCase()&&"text"===t.type&&(null==(e=t.getAttribute("type"))||"text"===e.toLowerCase())},first:c(function(){return[0]}),last:c(function(t,e){return[e-1]}),eq:c(function(t,e,i){return[0>i?i+e:i]}),even:c(function(t,e){for(var i=0;e>i;i+=2)t.push(i);return t}),odd:c(function(t,e){for(var i=1;e>i;i+=2)t.push(i);return t}),lt:c(function(t,e,i){for(var n=0>i?i+e:i;--n>=0;)t.push(n);return t}),gt:c(function(t,e,i){for(var n=0>i?i+e:i;++n<e;)t.push(n);return t})}},T.pseudos.nth=T.pseudos.eq;for(S in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})T.pseudos[S]=r(S);for(S in{submit:!0,reset:!0})T.pseudos[S]=l(S);return h.prototype=T.filters=T.pseudos,T.setFilters=new h,w=e.tokenize=function(t,i){var n,s,o,a,r,l,c,d=V[t+" "];if(d)return i?0:d.slice(0);for(r=t,l=[],c=T.preFilter;r;){(!n||(s=ce.exec(r)))&&(s&&(r=r.slice(s[0].length)||r),l.push(o=[])),n=!1,(s=de.exec(r))&&(n=s.shift(),o.push({value:n,type:s[0].replace(le," ")}),r=r.slice(n.length));for(a in T.filter)!(s=fe[a].exec(r))||c[a]&&!(s=c[a](s))||(n=s.shift(),o.push({value:n,type:a,matches:s}),r=r.slice(n.length));if(!n)break}return i?r.length:r?e.error(t):V(t,l).slice(0)},k=e.compile=function(t,e){var i,n=[],s=[],o=G[t+" "];if(!o){for(e||(e=w(t)),i=e.length;i--;)o=b(e[i]),o[F]?n.push(o):s.push(o);o=G(t,y(s,n)),o.selector=t}return o},C=e.select=function(t,e,i,n){var s,o,a,r,l,c="function"==typeof t&&t,h=!n&&w(t=c.selector||t);if(i=i||[],1===h.length){if(o=h[0]=h[0].slice(0),o.length>2&&"ID"===(a=o[0]).type&&E.getById&&9===e.nodeType&&O&&T.relative[o[1].type]){if(e=(T.find.ID(a.matches[0].replace(Ee,Te),e)||[])[0],!e)return i;c&&(e=e.parentNode),t=t.slice(o.shift().value.length)}for(s=fe.needsContext.test(t)?0:o.length;s--&&(a=o[s],!T.relative[r=a.type]);)if((l=T.find[r])&&(n=l(a.matches[0].replace(Ee,Te),ye.test(o[0].type)&&d(e.parentNode)||e))){if(o.splice(s,1),t=n.length&&u(o),!t)return Z.apply(i,n),i;break}}return(c||k(t,h))(n,e,!O,i,ye.test(t)&&d(e.parentNode)||e),i},E.sortStable=F.split("").sort(X).join("")===F,E.detectDuplicates=!!D,I(),E.sortDetached=s(function(t){return 1&t.compareDocumentPosition(M.createElement("div"))}),s(function(t){return t.innerHTML="<a href='#'></a>","#"===t.firstChild.getAttribute("href")})||o("type|href|height|width",function(t,e,i){return i?void 0:t.getAttribute(e,"type"===e.toLowerCase()?1:2)}),E.attributes&&s(function(t){return t.innerHTML="<input/>",t.firstChild.setAttribute("value",""),""===t.firstChild.getAttribute("value")})||o("value",function(t,e,i){return i||"input"!==t.nodeName.toLowerCase()?void 0:t.defaultValue}),s(function(t){return null==t.getAttribute("disabled")})||o(ie,function(t,e,i){var n;return i?void 0:t[e]===!0?e.toLowerCase():(n=t.getAttributeNode(e))&&n.specified?n.value:null}),e}(t);se.find=ce,se.expr=ce.selectors,se.expr[":"]=se.expr.pseudos,se.unique=ce.uniqueSort,se.text=ce.getText,se.isXMLDoc=ce.isXML,se.contains=ce.contains;var de=se.expr.match.needsContext,he=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,ue=/^.[^:#\[\.,]*$/;se.filter=function(t,e,i){var n=e[0];return i&&(t=":not("+t+")"),1===e.length&&1===n.nodeType?se.find.matchesSelector(n,t)?[n]:[]:se.find.matches(t,se.grep(e,function(t){return 1===t.nodeType}))},se.fn.extend({find:function(t){var e,i=[],n=this,s=n.length;if("string"!=typeof t)return this.pushStack(se(t).filter(function(){for(e=0;s>e;e++)if(se.contains(n[e],this))return!0}));for(e=0;s>e;e++)se.find(t,n[e],i);return i=this.pushStack(s>1?se.unique(i):i),i.selector=this.selector?this.selector+" "+t:t,i},filter:function(t){return this.pushStack(n(this,t||[],!1))},not:function(t){return this.pushStack(n(this,t||[],!0))},is:function(t){return!!n(this,"string"==typeof t&&de.test(t)?se(t):t||[],!1).length}});var pe,fe=t.document,me=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,ge=se.fn.init=function(t,e){var i,n;if(!t)return this;if("string"==typeof t){if(i="<"===t.charAt(0)&&">"===t.charAt(t.length-1)&&t.length>=3?[null,t,null]:me.exec(t),!i||!i[1]&&e)return!e||e.jquery?(e||pe).find(t):this.constructor(e).find(t);if(i[1]){if(e=e instanceof se?e[0]:e,se.merge(this,se.parseHTML(i[1],e&&e.nodeType?e.ownerDocument||e:fe,!0)),he.test(i[1])&&se.isPlainObject(e))for(i in e)se.isFunction(this[i])?this[i](e[i]):this.attr(i,e[i]);return this}if(n=fe.getElementById(i[2]),n&&n.parentNode){if(n.id!==i[2])return pe.find(t);this.length=1,this[0]=n}return this.context=fe,this.selector=t,this}return t.nodeType?(this.context=this[0]=t,this.length=1,this):se.isFunction(t)?"undefined"!=typeof pe.ready?pe.ready(t):t(se):(void 0!==t.selector&&(this.selector=t.selector,this.context=t.context),se.makeArray(t,this))};ge.prototype=se.fn,pe=se(fe);var ve=/^(?:parents|prev(?:Until|All))/,be={children:!0,contents:!0,next:!0,prev:!0};se.extend({dir:function(t,e,i){for(var n=[],s=t[e];s&&9!==s.nodeType&&(void 0===i||1!==s.nodeType||!se(s).is(i));)1===s.nodeType&&n.push(s),s=s[e];return n},sibling:function(t,e){for(var i=[];t;t=t.nextSibling)1===t.nodeType&&t!==e&&i.push(t);return i}}),se.fn.extend({has:function(t){var e,i=se(t,this),n=i.length;return this.filter(function(){for(e=0;n>e;e++)if(se.contains(this,i[e]))return!0})},closest:function(t,e){for(var i,n=0,s=this.length,o=[],a=de.test(t)||"string"!=typeof t?se(t,e||this.context):0;s>n;n++)for(i=this[n];i&&i!==e;i=i.parentNode)if(i.nodeType<11&&(a?a.index(i)>-1:1===i.nodeType&&se.find.matchesSelector(i,t))){o.push(i);break}return this.pushStack(o.length>1?se.unique(o):o)},index:function(t){return t?"string"==typeof t?se.inArray(this[0],se(t)):se.inArray(t.jquery?t[0]:t,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(t,e){return this.pushStack(se.unique(se.merge(this.get(),se(t,e))))},addBack:function(t){return this.add(null==t?this.prevObject:this.prevObject.filter(t))}}),se.each({parent:function(t){var e=t.parentNode;return e&&11!==e.nodeType?e:null},parents:function(t){return se.dir(t,"parentNode")},parentsUntil:function(t,e,i){return se.dir(t,"parentNode",i)},next:function(t){return s(t,"nextSibling")},prev:function(t){return s(t,"previousSibling")},nextAll:function(t){return se.dir(t,"nextSibling")},prevAll:function(t){return se.dir(t,"previousSibling")},nextUntil:function(t,e,i){return se.dir(t,"nextSibling",i)},prevUntil:function(t,e,i){return se.dir(t,"previousSibling",i)},siblings:function(t){return se.sibling((t.parentNode||{}).firstChild,t)},children:function(t){return se.sibling(t.firstChild)},contents:function(t){return se.nodeName(t,"iframe")?t.contentDocument||t.contentWindow.document:se.merge([],t.childNodes)}},function(t,e){se.fn[t]=function(i,n){var s=se.map(this,e,i);return"Until"!==t.slice(-5)&&(n=i),n&&"string"==typeof n&&(s=se.filter(n,s)),this.length>1&&(be[t]||(s=se.unique(s)),ve.test(t)&&(s=s.reverse())),this.pushStack(s)}});var ye=/\S+/g,Se={};se.Callbacks=function(t){t="string"==typeof t?Se[t]||o(t):se.extend({},t);var e,i,n,s,a,r,l=[],c=!t.once&&[],d=function(o){for(i=t.memory&&o,n=!0,a=r||0,r=0,s=l.length,e=!0;l&&s>a;a++)if(l[a].apply(o[0],o[1])===!1&&t.stopOnFalse){i=!1;break}e=!1,l&&(c?c.length&&d(c.shift()):i?l=[]:h.disable())},h={add:function(){if(l){var n=l.length;!function o(e){se.each(e,function(e,i){var n=se.type(i);"function"===n?t.unique&&h.has(i)||l.push(i):i&&i.length&&"string"!==n&&o(i)})}(arguments),e?s=l.length:i&&(r=n,d(i))}return this},remove:function(){return l&&se.each(arguments,function(t,i){for(var n;(n=se.inArray(i,l,n))>-1;)l.splice(n,1),e&&(s>=n&&s--,a>=n&&a--)}),this},has:function(t){return t?se.inArray(t,l)>-1:!(!l||!l.length)},empty:function(){return l=[],s=0,this},disable:function(){return l=c=i=void 0,this},disabled:function(){return!l},lock:function(){return c=void 0,i||h.disable(),this},locked:function(){return!c},fireWith:function(t,i){return!l||n&&!c||(i=i||[],i=[t,i.slice?i.slice():i],e?c.push(i):d(i)),this},fire:function(){return h.fireWith(this,arguments),this},fired:function(){return!!n}};return h},se.extend({Deferred:function(t){var e=[["resolve","done",se.Callbacks("once memory"),"resolved"],["reject","fail",se.Callbacks("once memory"),"rejected"],["notify","progress",se.Callbacks("memory")]],i="pending",n={state:function(){return i},always:function(){return s.done(arguments).fail(arguments),this},then:function(){var t=arguments;return se.Deferred(function(i){se.each(e,function(e,o){var a=se.isFunction(t[e])&&t[e];s[o[1]](function(){var t=a&&a.apply(this,arguments);t&&se.isFunction(t.promise)?t.promise().done(i.resolve).fail(i.reject).progress(i.notify):i[o[0]+"With"](this===n?i.promise():this,a?[t]:arguments)})}),t=null}).promise()},promise:function(t){return null!=t?se.extend(t,n):n}},s={};return n.pipe=n.then,se.each(e,function(t,o){var a=o[2],r=o[3];n[o[1]]=a.add,r&&a.add(function(){i=r},e[1^t][2].disable,e[2][2].lock),s[o[0]]=function(){return s[o[0]+"With"](this===s?n:this,arguments),this},s[o[0]+"With"]=a.fireWith}),n.promise(s),t&&t.call(s,s),s},when:function(t){var e,i,n,s=0,o=Y.call(arguments),a=o.length,r=1!==a||t&&se.isFunction(t.promise)?a:0,l=1===r?t:se.Deferred(),c=function(t,i,n){return function(s){i[t]=this,n[t]=arguments.length>1?Y.call(arguments):s,n===e?l.notifyWith(i,n):--r||l.resolveWith(i,n)}};if(a>1)for(e=new Array(a),i=new Array(a),n=new Array(a);a>s;s++)o[s]&&se.isFunction(o[s].promise)?o[s].promise().done(c(s,n,o)).fail(l.reject).progress(c(s,i,e)):--r;return r||l.resolveWith(n,o),l.promise()}});var Ee;se.fn.ready=function(t){return se.ready.promise().done(t),this},se.extend({isReady:!1,readyWait:1,holdReady:function(t){t?se.readyWait++:se.ready(!0)},ready:function(t){if(t===!0?!--se.readyWait:!se.isReady){if(!fe.body)return setTimeout(se.ready);se.isReady=!0,t!==!0&&--se.readyWait>0||(Ee.resolveWith(fe,[se]),se.fn.triggerHandler&&(se(fe).triggerHandler("ready"),se(fe).off("ready")))}}}),se.ready.promise=function(e){if(!Ee)if(Ee=se.Deferred(),"complete"===fe.readyState)setTimeout(se.ready);else if(fe.addEventListener)fe.addEventListener("DOMContentLoaded",r,!1),t.addEventListener("load",r,!1);else{fe.attachEvent("onreadystatechange",r),t.attachEvent("onload",r);var i=!1;try{i=null==t.frameElement&&fe.documentElement}catch(n){}i&&i.doScroll&&!function s(){if(!se.isReady){try{i.doScroll("left")}catch(t){return setTimeout(s,50)}a(),se.ready()}}()}return Ee.promise(e)};var Te,Le="undefined";for(Te in se(ie))break;ie.ownLast="0"!==Te,ie.inlineBlockNeedsLayout=!1,se(function(){var t,e,i,n;i=fe.getElementsByTagName("body")[0],i&&i.style&&(e=fe.createElement("div"),n=fe.createElement("div"),n.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",i.appendChild(n).appendChild(e),typeof e.style.zoom!==Le&&(e.style.cssText="display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1",ie.inlineBlockNeedsLayout=t=3===e.offsetWidth,t&&(i.style.zoom=1)),i.removeChild(n))}),function(){var t=fe.createElement("div");if(null==ie.deleteExpando){ie.deleteExpando=!0;try{delete t.test}catch(e){ie.deleteExpando=!1}}t=null}(),se.acceptData=function(t){var e=se.noData[(t.nodeName+" ").toLowerCase()],i=+t.nodeType||1;return 1!==i&&9!==i?!1:!e||e!==!0&&t.getAttribute("classid")===e};var _e=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,we=/([A-Z])/g;se.extend({cache:{},noData:{"applet ":!0,"embed ":!0,"object ":"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(t){return t=t.nodeType?se.cache[t[se.expando]]:t[se.expando],!!t&&!c(t)},data:function(t,e,i){return d(t,e,i)},removeData:function(t,e){return h(t,e)},_data:function(t,e,i){return d(t,e,i,!0)},_removeData:function(t,e){return h(t,e,!0)}}),se.fn.extend({data:function(t,e){var i,n,s,o=this[0],a=o&&o.attributes;if(void 0===t){if(this.length&&(s=se.data(o),1===o.nodeType&&!se._data(o,"parsedAttrs"))){for(i=a.length;i--;)a[i]&&(n=a[i].name,0===n.indexOf("data-")&&(n=se.camelCase(n.slice(5)),l(o,n,s[n])));se._data(o,"parsedAttrs",!0)}return s}return"object"==typeof t?this.each(function(){se.data(this,t)}):arguments.length>1?this.each(function(){se.data(this,t,e)}):o?l(o,t,se.data(o,t)):void 0},removeData:function(t){return this.each(function(){se.removeData(this,t)})}}),se.extend({queue:function(t,e,i){var n;return t?(e=(e||"fx")+"queue",n=se._data(t,e),i&&(!n||se.isArray(i)?n=se._data(t,e,se.makeArray(i)):n.push(i)),n||[]):void 0},dequeue:function(t,e){e=e||"fx";var i=se.queue(t,e),n=i.length,s=i.shift(),o=se._queueHooks(t,e),a=function(){se.dequeue(t,e)};"inprogress"===s&&(s=i.shift(),n--),s&&("fx"===e&&i.unshift("inprogress"),delete o.stop,s.call(t,a,o)),!n&&o&&o.empty.fire()},_queueHooks:function(t,e){var i=e+"queueHooks";return se._data(t,i)||se._data(t,i,{empty:se.Callbacks("once memory").add(function(){se._removeData(t,e+"queue"),se._removeData(t,i)})})}}),se.fn.extend({queue:function(t,e){var i=2;return"string"!=typeof t&&(e=t,t="fx",i--),arguments.length<i?se.queue(this[0],t):void 0===e?this:this.each(function(){var i=se.queue(this,t,e);se._queueHooks(this,t),"fx"===t&&"inprogress"!==i[0]&&se.dequeue(this,t)})},dequeue:function(t){return this.each(function(){se.dequeue(this,t)})},clearQueue:function(t){return this.queue(t||"fx",[])},promise:function(t,e){var i,n=1,s=se.Deferred(),o=this,a=this.length,r=function(){--n||s.resolveWith(o,[o])};for("string"!=typeof t&&(e=t,t=void 0),t=t||"fx";a--;)i=se._data(o[a],t+"queueHooks"),i&&i.empty&&(n++,i.empty.add(r));return r(),s.promise(e)}});var ke=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,Ce=["Top","Right","Bottom","Left"],Ae=function(t,e){return t=e||t,"none"===se.css(t,"display")||!se.contains(t.ownerDocument,t)},xe=se.access=function(t,e,i,n,s,o,a){var r=0,l=t.length,c=null==i;if("object"===se.type(i)){s=!0;for(r in i)se.access(t,e,r,i[r],!0,o,a)}else if(void 0!==n&&(s=!0,se.isFunction(n)||(a=!0),c&&(a?(e.call(t,n),e=null):(c=e,e=function(t,e,i){return c.call(se(t),i)})),e))for(;l>r;r++)e(t[r],i,a?n:n.call(t[r],r,e(t[r],i)));return s?t:c?e.call(t):l?e(t[0],i):o},De=/^(?:checkbox|radio)$/i;!function(){var t=fe.createElement("input"),e=fe.createElement("div"),i=fe.createDocumentFragment();if(e.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",ie.leadingWhitespace=3===e.firstChild.nodeType,ie.tbody=!e.getElementsByTagName("tbody").length,ie.htmlSerialize=!!e.getElementsByTagName("link").length,ie.html5Clone="<:nav></:nav>"!==fe.createElement("nav").cloneNode(!0).outerHTML,t.type="checkbox",t.checked=!0,i.appendChild(t),ie.appendChecked=t.checked,e.innerHTML="<textarea>x</textarea>",ie.noCloneChecked=!!e.cloneNode(!0).lastChild.defaultValue,i.appendChild(e),e.innerHTML="<input type='radio' checked='checked' name='t'/>",ie.checkClone=e.cloneNode(!0).cloneNode(!0).lastChild.checked,ie.noCloneEvent=!0,e.attachEvent&&(e.attachEvent("onclick",function(){ie.noCloneEvent=!1}),e.cloneNode(!0).click()),null==ie.deleteExpando){ie.deleteExpando=!0;try{delete e.test}catch(n){ie.deleteExpando=!1}}}(),function(){var e,i,n=fe.createElement("div");for(e in{submit:!0,change:!0,focusin:!0})i="on"+e,(ie[e+"Bubbles"]=i in t)||(n.setAttribute(i,"t"),ie[e+"Bubbles"]=n.attributes[i].expando===!1);n=null}();var Ie=/^(?:input|select|textarea)$/i,Me=/^key/,Re=/^(?:mouse|pointer|contextmenu)|click/,Oe=/^(?:focusinfocus|focusoutblur)$/,Ne=/^([^.]*)(?:\.(.+)|)$/;se.event={global:{},add:function(t,e,i,n,s){var o,a,r,l,c,d,h,u,p,f,m,g=se._data(t);if(g){for(i.handler&&(l=i,i=l.handler,s=l.selector),i.guid||(i.guid=se.guid++),(a=g.events)||(a=g.events={}),(d=g.handle)||(d=g.handle=function(t){return typeof se===Le||t&&se.event.triggered===t.type?void 0:se.event.dispatch.apply(d.elem,arguments)},d.elem=t),e=(e||"").match(ye)||[""],r=e.length;r--;)o=Ne.exec(e[r])||[],p=m=o[1],f=(o[2]||"").split(".").sort(),p&&(c=se.event.special[p]||{},p=(s?c.delegateType:c.bindType)||p,c=se.event.special[p]||{},h=se.extend({type:p,origType:m,data:n,handler:i,guid:i.guid,selector:s,needsContext:s&&se.expr.match.needsContext.test(s),namespace:f.join(".")},l),(u=a[p])||(u=a[p]=[],u.delegateCount=0,c.setup&&c.setup.call(t,n,f,d)!==!1||(t.addEventListener?t.addEventListener(p,d,!1):t.attachEvent&&t.attachEvent("on"+p,d))),c.add&&(c.add.call(t,h),h.handler.guid||(h.handler.guid=i.guid)),s?u.splice(u.delegateCount++,0,h):u.push(h),se.event.global[p]=!0);t=null}},remove:function(t,e,i,n,s){var o,a,r,l,c,d,h,u,p,f,m,g=se.hasData(t)&&se._data(t);if(g&&(d=g.events)){for(e=(e||"").match(ye)||[""],c=e.length;c--;)if(r=Ne.exec(e[c])||[],p=m=r[1],f=(r[2]||"").split(".").sort(),p){for(h=se.event.special[p]||{},p=(n?h.delegateType:h.bindType)||p,u=d[p]||[],r=r[2]&&new RegExp("(^|\\.)"+f.join("\\.(?:.*\\.|)")+"(\\.|$)"),l=o=u.length;o--;)a=u[o],!s&&m!==a.origType||i&&i.guid!==a.guid||r&&!r.test(a.namespace)||n&&n!==a.selector&&("**"!==n||!a.selector)||(u.splice(o,1),a.selector&&u.delegateCount--,h.remove&&h.remove.call(t,a));l&&!u.length&&(h.teardown&&h.teardown.call(t,f,g.handle)!==!1||se.removeEvent(t,p,g.handle),delete d[p])}else for(p in d)se.event.remove(t,p+e[c],i,n,!0);se.isEmptyObject(d)&&(delete g.handle,se._removeData(t,"events"))}},trigger:function(e,i,n,s){var o,a,r,l,c,d,h,u=[n||fe],p=ee.call(e,"type")?e.type:e,f=ee.call(e,"namespace")?e.namespace.split("."):[];if(r=d=n=n||fe,3!==n.nodeType&&8!==n.nodeType&&!Oe.test(p+se.event.triggered)&&(p.indexOf(".")>=0&&(f=p.split("."),p=f.shift(),f.sort()),a=p.indexOf(":")<0&&"on"+p,e=e[se.expando]?e:new se.Event(p,"object"==typeof e&&e),e.isTrigger=s?2:3,e.namespace=f.join("."),e.namespace_re=e.namespace?new RegExp("(^|\\.)"+f.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,e.result=void 0,e.target||(e.target=n),i=null==i?[e]:se.makeArray(i,[e]),c=se.event.special[p]||{},s||!c.trigger||c.trigger.apply(n,i)!==!1)){if(!s&&!c.noBubble&&!se.isWindow(n)){for(l=c.delegateType||p,Oe.test(l+p)||(r=r.parentNode);r;r=r.parentNode)u.push(r),d=r;d===(n.ownerDocument||fe)&&u.push(d.defaultView||d.parentWindow||t)}for(h=0;(r=u[h++])&&!e.isPropagationStopped();)e.type=h>1?l:c.bindType||p,o=(se._data(r,"events")||{})[e.type]&&se._data(r,"handle"),o&&o.apply(r,i),o=a&&r[a],o&&o.apply&&se.acceptData(r)&&(e.result=o.apply(r,i),e.result===!1&&e.preventDefault());if(e.type=p,!s&&!e.isDefaultPrevented()&&(!c._default||c._default.apply(u.pop(),i)===!1)&&se.acceptData(n)&&a&&n[p]&&!se.isWindow(n)){d=n[a],d&&(n[a]=null),se.event.triggered=p;try{n[p]()}catch(m){}se.event.triggered=void 0,d&&(n[a]=d)}return e.result}},dispatch:function(t){t=se.event.fix(t);var e,i,n,s,o,a=[],r=Y.call(arguments),l=(se._data(this,"events")||{})[t.type]||[],c=se.event.special[t.type]||{};if(r[0]=t,t.delegateTarget=this,!c.preDispatch||c.preDispatch.call(this,t)!==!1){for(a=se.event.handlers.call(this,t,l),e=0;(s=a[e++])&&!t.isPropagationStopped();)for(t.currentTarget=s.elem,o=0;(n=s.handlers[o++])&&!t.isImmediatePropagationStopped();)(!t.namespace_re||t.namespace_re.test(n.namespace))&&(t.handleObj=n,t.data=n.data,i=((se.event.special[n.origType]||{}).handle||n.handler).apply(s.elem,r),void 0!==i&&(t.result=i)===!1&&(t.preventDefault(),t.stopPropagation()));return c.postDispatch&&c.postDispatch.call(this,t),t.result}},handlers:function(t,e){var i,n,s,o,a=[],r=e.delegateCount,l=t.target;if(r&&l.nodeType&&(!t.button||"click"!==t.type))for(;l!=this;l=l.parentNode||this)if(1===l.nodeType&&(l.disabled!==!0||"click"!==t.type)){for(s=[],o=0;r>o;o++)n=e[o],i=n.selector+" ",void 0===s[i]&&(s[i]=n.needsContext?se(i,this).index(l)>=0:se.find(i,this,null,[l]).length),s[i]&&s.push(n);s.length&&a.push({elem:l,handlers:s})}return r<e.length&&a.push({elem:this,handlers:e.slice(r)}),a},fix:function(t){if(t[se.expando])return t;var e,i,n,s=t.type,o=t,a=this.fixHooks[s];for(a||(this.fixHooks[s]=a=Re.test(s)?this.mouseHooks:Me.test(s)?this.keyHooks:{}),n=a.props?this.props.concat(a.props):this.props,t=new se.Event(o),e=n.length;e--;)i=n[e],t[i]=o[i];return t.target||(t.target=o.srcElement||fe),3===t.target.nodeType&&(t.target=t.target.parentNode),t.metaKey=!!t.metaKey,a.filter?a.filter(t,o):t},props:"altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(t,e){return null==t.which&&(t.which=null!=e.charCode?e.charCode:e.keyCode),t}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(t,e){var i,n,s,o=e.button,a=e.fromElement;return null==t.pageX&&null!=e.clientX&&(n=t.target.ownerDocument||fe,s=n.documentElement,i=n.body,t.pageX=e.clientX+(s&&s.scrollLeft||i&&i.scrollLeft||0)-(s&&s.clientLeft||i&&i.clientLeft||0),t.pageY=e.clientY+(s&&s.scrollTop||i&&i.scrollTop||0)-(s&&s.clientTop||i&&i.clientTop||0)),!t.relatedTarget&&a&&(t.relatedTarget=a===t.target?e.toElement:a),t.which||void 0===o||(t.which=1&o?1:2&o?3:4&o?2:0),t}},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==f()&&this.focus)try{return this.focus(),!1}catch(t){}},delegateType:"focusin"},blur:{trigger:function(){return this===f()&&this.blur?(this.blur(),!1):void 0},delegateType:"focusout"},click:{trigger:function(){return se.nodeName(this,"input")&&"checkbox"===this.type&&this.click?(this.click(),!1):void 0},_default:function(t){return se.nodeName(t.target,"a")}},beforeunload:{postDispatch:function(t){void 0!==t.result&&t.originalEvent&&(t.originalEvent.returnValue=t.result)}}},simulate:function(t,e,i,n){var s=se.extend(new se.Event,i,{type:t,isSimulated:!0,originalEvent:{}});n?se.event.trigger(s,null,e):se.event.dispatch.call(e,s),s.isDefaultPrevented()&&i.preventDefault()}},se.removeEvent=fe.removeEventListener?function(t,e,i){t.removeEventListener&&t.removeEventListener(e,i,!1)}:function(t,e,i){var n="on"+e;t.detachEvent&&(typeof t[n]===Le&&(t[n]=null),t.detachEvent(n,i))},se.Event=function(t,e){return this instanceof se.Event?(t&&t.type?(this.originalEvent=t,this.type=t.type,this.isDefaultPrevented=t.defaultPrevented||void 0===t.defaultPrevented&&t.returnValue===!1?u:p):this.type=t,e&&se.extend(this,e),this.timeStamp=t&&t.timeStamp||se.now(),void(this[se.expando]=!0)):new se.Event(t,e)},se.Event.prototype={isDefaultPrevented:p,isPropagationStopped:p,isImmediatePropagationStopped:p,preventDefault:function(){var t=this.originalEvent;this.isDefaultPrevented=u,t&&(t.preventDefault?t.preventDefault():t.returnValue=!1)},stopPropagation:function(){var t=this.originalEvent;this.isPropagationStopped=u,t&&(t.stopPropagation&&t.stopPropagation(),t.cancelBubble=!0)},stopImmediatePropagation:function(){var t=this.originalEvent;this.isImmediatePropagationStopped=u,t&&t.stopImmediatePropagation&&t.stopImmediatePropagation(),this.stopPropagation()}},se.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(t,e){se.event.special[t]={delegateType:e,bindType:e,handle:function(t){var i,n=this,s=t.relatedTarget,o=t.handleObj;return(!s||s!==n&&!se.contains(n,s))&&(t.type=o.origType,i=o.handler.apply(this,arguments),t.type=e),i}}}),ie.submitBubbles||(se.event.special.submit={setup:function(){return se.nodeName(this,"form")?!1:void se.event.add(this,"click._submit keypress._submit",function(t){var e=t.target,i=se.nodeName(e,"input")||se.nodeName(e,"button")?e.form:void 0;i&&!se._data(i,"submitBubbles")&&(se.event.add(i,"submit._submit",function(t){t._submit_bubble=!0}),se._data(i,"submitBubbles",!0))})},postDispatch:function(t){t._submit_bubble&&(delete t._submit_bubble,this.parentNode&&!t.isTrigger&&se.event.simulate("submit",this.parentNode,t,!0))},teardown:function(){return se.nodeName(this,"form")?!1:void se.event.remove(this,"._submit")}}),ie.changeBubbles||(se.event.special.change={setup:function(){return Ie.test(this.nodeName)?(("checkbox"===this.type||"radio"===this.type)&&(se.event.add(this,"propertychange._change",function(t){"checked"===t.originalEvent.propertyName&&(this._just_changed=!0)}),se.event.add(this,"click._change",function(t){this._just_changed&&!t.isTrigger&&(this._just_changed=!1),se.event.simulate("change",this,t,!0)})),!1):void se.event.add(this,"beforeactivate._change",function(t){var e=t.target;Ie.test(e.nodeName)&&!se._data(e,"changeBubbles")&&(se.event.add(e,"change._change",function(t){!this.parentNode||t.isSimulated||t.isTrigger||se.event.simulate("change",this.parentNode,t,!0)}),se._data(e,"changeBubbles",!0))})},handle:function(t){var e=t.target;return this!==e||t.isSimulated||t.isTrigger||"radio"!==e.type&&"checkbox"!==e.type?t.handleObj.handler.apply(this,arguments):void 0},teardown:function(){return se.event.remove(this,"._change"),!Ie.test(this.nodeName)}}),ie.focusinBubbles||se.each({focus:"focusin",blur:"focusout"},function(t,e){var i=function(t){se.event.simulate(e,t.target,se.event.fix(t),!0)};se.event.special[e]={setup:function(){var n=this.ownerDocument||this,s=se._data(n,e);s||n.addEventListener(t,i,!0),se._data(n,e,(s||0)+1)},teardown:function(){var n=this.ownerDocument||this,s=se._data(n,e)-1;s?se._data(n,e,s):(n.removeEventListener(t,i,!0),se._removeData(n,e))}}}),se.fn.extend({on:function(t,e,i,n,s){var o,a;if("object"==typeof t){"string"!=typeof e&&(i=i||e,e=void 0);for(o in t)this.on(o,e,i,t[o],s);return this}if(null==i&&null==n?(n=e,i=e=void 0):null==n&&("string"==typeof e?(n=i,i=void 0):(n=i,i=e,e=void 0)),n===!1)n=p;else if(!n)return this;return 1===s&&(a=n,n=function(t){return se().off(t),a.apply(this,arguments)},n.guid=a.guid||(a.guid=se.guid++)),this.each(function(){se.event.add(this,t,n,i,e)})},one:function(t,e,i,n){return this.on(t,e,i,n,1)},off:function(t,e,i){var n,s;if(t&&t.preventDefault&&t.handleObj)return n=t.handleObj,se(t.delegateTarget).off(n.namespace?n.origType+"."+n.namespace:n.origType,n.selector,n.handler),this;if("object"==typeof t){for(s in t)this.off(s,e,t[s]);return this}return(e===!1||"function"==typeof e)&&(i=e,e=void 0),i===!1&&(i=p),this.each(function(){se.event.remove(this,t,i,e)})},trigger:function(t,e){return this.each(function(){se.event.trigger(t,e,this)})},triggerHandler:function(t,e){var i=this[0];return i?se.event.trigger(t,e,i,!0):void 0}});var Pe="abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",Ue=/ jQuery\d+="(?:null|\d+)"/g,$e=new RegExp("<(?:"+Pe+")[\\s/>]","i"),Fe=/^\s+/,je=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,Be=/<([\w:]+)/,He=/<tbody/i,ze=/<|&#?\w+;/,Ve=/<(?:script|style|link)/i,Ge=/checked\s*(?:[^=]|=\s*.checked.)/i,Xe=/^$|\/(?:java|ecma)script/i,We=/^true\/(.*)/,Je=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,Ye={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],area:[1,"<map>","</map>"],param:[1,"<object>","</object>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:ie.htmlSerialize?[0,"",""]:[1,"X<div>","</div>"]},qe=m(fe),Ke=qe.appendChild(fe.createElement("div"));Ye.optgroup=Ye.option,Ye.tbody=Ye.tfoot=Ye.colgroup=Ye.caption=Ye.thead,Ye.th=Ye.td,se.extend({clone:function(t,e,i){var n,s,o,a,r,l=se.contains(t.ownerDocument,t);if(ie.html5Clone||se.isXMLDoc(t)||!$e.test("<"+t.nodeName+">")?o=t.cloneNode(!0):(Ke.innerHTML=t.outerHTML,Ke.removeChild(o=Ke.firstChild)),!(ie.noCloneEvent&&ie.noCloneChecked||1!==t.nodeType&&11!==t.nodeType||se.isXMLDoc(t)))for(n=g(o),r=g(t),a=0;null!=(s=r[a]);++a)n[a]&&L(s,n[a]);if(e)if(i)for(r=r||g(t),n=n||g(o),a=0;null!=(s=r[a]);a++)T(s,n[a]);else T(t,o);return n=g(o,"script"),n.length>0&&E(n,!l&&g(t,"script")),n=r=s=null,o},buildFragment:function(t,e,i,n){for(var s,o,a,r,l,c,d,h=t.length,u=m(e),p=[],f=0;h>f;f++)if(o=t[f],o||0===o)if("object"===se.type(o))se.merge(p,o.nodeType?[o]:o);else if(ze.test(o)){for(r=r||u.appendChild(e.createElement("div")),l=(Be.exec(o)||["",""])[1].toLowerCase(),d=Ye[l]||Ye._default,r.innerHTML=d[1]+o.replace(je,"<$1></$2>")+d[2],s=d[0];s--;)r=r.lastChild;if(!ie.leadingWhitespace&&Fe.test(o)&&p.push(e.createTextNode(Fe.exec(o)[0])),!ie.tbody)for(o="table"!==l||He.test(o)?"<table>"!==d[1]||He.test(o)?0:r:r.firstChild,s=o&&o.childNodes.length;s--;)se.nodeName(c=o.childNodes[s],"tbody")&&!c.childNodes.length&&o.removeChild(c);for(se.merge(p,r.childNodes),r.textContent="";r.firstChild;)r.removeChild(r.firstChild);r=u.lastChild}else p.push(e.createTextNode(o));for(r&&u.removeChild(r),ie.appendChecked||se.grep(g(p,"input"),v),f=0;o=p[f++];)if((!n||-1===se.inArray(o,n))&&(a=se.contains(o.ownerDocument,o),r=g(u.appendChild(o),"script"),a&&E(r),i))for(s=0;o=r[s++];)Xe.test(o.type||"")&&i.push(o);return r=null,u},cleanData:function(t,e){for(var i,n,s,o,a=0,r=se.expando,l=se.cache,c=ie.deleteExpando,d=se.event.special;null!=(i=t[a]);a++)if((e||se.acceptData(i))&&(s=i[r],o=s&&l[s])){if(o.events)for(n in o.events)d[n]?se.event.remove(i,n):se.removeEvent(i,n,o.handle);l[s]&&(delete l[s],c?delete i[r]:typeof i.removeAttribute!==Le?i.removeAttribute(r):i[r]=null,J.push(s))}}}),se.fn.extend({text:function(t){return xe(this,function(t){return void 0===t?se.text(this):this.empty().append((this[0]&&this[0].ownerDocument||fe).createTextNode(t))},null,t,arguments.length)},append:function(){return this.domManip(arguments,function(t){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var e=b(this,t);e.appendChild(t)}})},prepend:function(){return this.domManip(arguments,function(t){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var e=b(this,t);
+e.insertBefore(t,e.firstChild)}})},before:function(){return this.domManip(arguments,function(t){this.parentNode&&this.parentNode.insertBefore(t,this)})},after:function(){return this.domManip(arguments,function(t){this.parentNode&&this.parentNode.insertBefore(t,this.nextSibling)})},remove:function(t,e){for(var i,n=t?se.filter(t,this):this,s=0;null!=(i=n[s]);s++)e||1!==i.nodeType||se.cleanData(g(i)),i.parentNode&&(e&&se.contains(i.ownerDocument,i)&&E(g(i,"script")),i.parentNode.removeChild(i));return this},empty:function(){for(var t,e=0;null!=(t=this[e]);e++){for(1===t.nodeType&&se.cleanData(g(t,!1));t.firstChild;)t.removeChild(t.firstChild);t.options&&se.nodeName(t,"select")&&(t.options.length=0)}return this},clone:function(t,e){return t=null==t?!1:t,e=null==e?t:e,this.map(function(){return se.clone(this,t,e)})},html:function(t){return xe(this,function(t){var e=this[0]||{},i=0,n=this.length;if(void 0===t)return 1===e.nodeType?e.innerHTML.replace(Ue,""):void 0;if(!("string"!=typeof t||Ve.test(t)||!ie.htmlSerialize&&$e.test(t)||!ie.leadingWhitespace&&Fe.test(t)||Ye[(Be.exec(t)||["",""])[1].toLowerCase()])){t=t.replace(je,"<$1></$2>");try{for(;n>i;i++)e=this[i]||{},1===e.nodeType&&(se.cleanData(g(e,!1)),e.innerHTML=t);e=0}catch(s){}}e&&this.empty().append(t)},null,t,arguments.length)},replaceWith:function(){var t=arguments[0];return this.domManip(arguments,function(e){t=this.parentNode,se.cleanData(g(this)),t&&t.replaceChild(e,this)}),t&&(t.length||t.nodeType)?this:this.remove()},detach:function(t){return this.remove(t,!0)},domManip:function(t,e){t=q.apply([],t);var i,n,s,o,a,r,l=0,c=this.length,d=this,h=c-1,u=t[0],p=se.isFunction(u);if(p||c>1&&"string"==typeof u&&!ie.checkClone&&Ge.test(u))return this.each(function(i){var n=d.eq(i);p&&(t[0]=u.call(this,i,n.html())),n.domManip(t,e)});if(c&&(r=se.buildFragment(t,this[0].ownerDocument,!1,this),i=r.firstChild,1===r.childNodes.length&&(r=i),i)){for(o=se.map(g(r,"script"),y),s=o.length;c>l;l++)n=r,l!==h&&(n=se.clone(n,!0,!0),s&&se.merge(o,g(n,"script"))),e.call(this[l],n,l);if(s)for(a=o[o.length-1].ownerDocument,se.map(o,S),l=0;s>l;l++)n=o[l],Xe.test(n.type||"")&&!se._data(n,"globalEval")&&se.contains(a,n)&&(n.src?se._evalUrl&&se._evalUrl(n.src):se.globalEval((n.text||n.textContent||n.innerHTML||"").replace(Je,"")));r=i=null}return this}}),se.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(t,e){se.fn[t]=function(t){for(var i,n=0,s=[],o=se(t),a=o.length-1;a>=n;n++)i=n===a?this:this.clone(!0),se(o[n])[e](i),K.apply(s,i.get());return this.pushStack(s)}});var Qe,Ze={};!function(){var t;ie.shrinkWrapBlocks=function(){if(null!=t)return t;t=!1;var e,i,n;return i=fe.getElementsByTagName("body")[0],i&&i.style?(e=fe.createElement("div"),n=fe.createElement("div"),n.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",i.appendChild(n).appendChild(e),typeof e.style.zoom!==Le&&(e.style.cssText="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:1px;width:1px;zoom:1",e.appendChild(fe.createElement("div")).style.width="5px",t=3!==e.offsetWidth),i.removeChild(n),t):void 0}}();var ti,ei,ii=/^margin/,ni=new RegExp("^("+ke+")(?!px)[a-z%]+$","i"),si=/^(top|right|bottom|left)$/;t.getComputedStyle?(ti=function(t){return t.ownerDocument.defaultView.getComputedStyle(t,null)},ei=function(t,e,i){var n,s,o,a,r=t.style;return i=i||ti(t),a=i?i.getPropertyValue(e)||i[e]:void 0,i&&(""!==a||se.contains(t.ownerDocument,t)||(a=se.style(t,e)),ni.test(a)&&ii.test(e)&&(n=r.width,s=r.minWidth,o=r.maxWidth,r.minWidth=r.maxWidth=r.width=a,a=i.width,r.width=n,r.minWidth=s,r.maxWidth=o)),void 0===a?a:a+""}):fe.documentElement.currentStyle&&(ti=function(t){return t.currentStyle},ei=function(t,e,i){var n,s,o,a,r=t.style;return i=i||ti(t),a=i?i[e]:void 0,null==a&&r&&r[e]&&(a=r[e]),ni.test(a)&&!si.test(e)&&(n=r.left,s=t.runtimeStyle,o=s&&s.left,o&&(s.left=t.currentStyle.left),r.left="fontSize"===e?"1em":a,a=r.pixelLeft+"px",r.left=n,o&&(s.left=o)),void 0===a?a:a+""||"auto"}),function(){function e(){var e,i,n,s;i=fe.getElementsByTagName("body")[0],i&&i.style&&(e=fe.createElement("div"),n=fe.createElement("div"),n.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",i.appendChild(n).appendChild(e),e.style.cssText="-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;display:block;margin-top:1%;top:1%;border:1px;padding:1px;width:4px;position:absolute",o=a=!1,l=!0,t.getComputedStyle&&(o="1%"!==(t.getComputedStyle(e,null)||{}).top,a="4px"===(t.getComputedStyle(e,null)||{width:"4px"}).width,s=e.appendChild(fe.createElement("div")),s.style.cssText=e.style.cssText="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:0",s.style.marginRight=s.style.width="0",e.style.width="1px",l=!parseFloat((t.getComputedStyle(s,null)||{}).marginRight)),e.innerHTML="<table><tr><td></td><td>t</td></tr></table>",s=e.getElementsByTagName("td"),s[0].style.cssText="margin:0;border:0;padding:0;display:none",r=0===s[0].offsetHeight,r&&(s[0].style.display="",s[1].style.display="none",r=0===s[0].offsetHeight),i.removeChild(n))}var i,n,s,o,a,r,l;i=fe.createElement("div"),i.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",s=i.getElementsByTagName("a")[0],n=s&&s.style,n&&(n.cssText="float:left;opacity:.5",ie.opacity="0.5"===n.opacity,ie.cssFloat=!!n.cssFloat,i.style.backgroundClip="content-box",i.cloneNode(!0).style.backgroundClip="",ie.clearCloneStyle="content-box"===i.style.backgroundClip,ie.boxSizing=""===n.boxSizing||""===n.MozBoxSizing||""===n.WebkitBoxSizing,se.extend(ie,{reliableHiddenOffsets:function(){return null==r&&e(),r},boxSizingReliable:function(){return null==a&&e(),a},pixelPosition:function(){return null==o&&e(),o},reliableMarginRight:function(){return null==l&&e(),l}}))}(),se.swap=function(t,e,i,n){var s,o,a={};for(o in e)a[o]=t.style[o],t.style[o]=e[o];s=i.apply(t,n||[]);for(o in e)t.style[o]=a[o];return s};var oi=/alpha\([^)]*\)/i,ai=/opacity\s*=\s*([^)]*)/,ri=/^(none|table(?!-c[ea]).+)/,li=new RegExp("^("+ke+")(.*)$","i"),ci=new RegExp("^([+-])=("+ke+")","i"),di={position:"absolute",visibility:"hidden",display:"block"},hi={letterSpacing:"0",fontWeight:"400"},ui=["Webkit","O","Moz","ms"];se.extend({cssHooks:{opacity:{get:function(t,e){if(e){var i=ei(t,"opacity");return""===i?"1":i}}}},cssNumber:{columnCount:!0,fillOpacity:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":ie.cssFloat?"cssFloat":"styleFloat"},style:function(t,e,i,n){if(t&&3!==t.nodeType&&8!==t.nodeType&&t.style){var s,o,a,r=se.camelCase(e),l=t.style;if(e=se.cssProps[r]||(se.cssProps[r]=C(l,r)),a=se.cssHooks[e]||se.cssHooks[r],void 0===i)return a&&"get"in a&&void 0!==(s=a.get(t,!1,n))?s:l[e];if(o=typeof i,"string"===o&&(s=ci.exec(i))&&(i=(s[1]+1)*s[2]+parseFloat(se.css(t,e)),o="number"),null!=i&&i===i&&("number"!==o||se.cssNumber[r]||(i+="px"),ie.clearCloneStyle||""!==i||0!==e.indexOf("background")||(l[e]="inherit"),!(a&&"set"in a&&void 0===(i=a.set(t,i,n)))))try{l[e]=i}catch(c){}}},css:function(t,e,i,n){var s,o,a,r=se.camelCase(e);return e=se.cssProps[r]||(se.cssProps[r]=C(t.style,r)),a=se.cssHooks[e]||se.cssHooks[r],a&&"get"in a&&(o=a.get(t,!0,i)),void 0===o&&(o=ei(t,e,n)),"normal"===o&&e in hi&&(o=hi[e]),""===i||i?(s=parseFloat(o),i===!0||se.isNumeric(s)?s||0:o):o}}),se.each(["height","width"],function(t,e){se.cssHooks[e]={get:function(t,i,n){return i?ri.test(se.css(t,"display"))&&0===t.offsetWidth?se.swap(t,di,function(){return I(t,e,n)}):I(t,e,n):void 0},set:function(t,i,n){var s=n&&ti(t);return x(t,i,n?D(t,e,n,ie.boxSizing&&"border-box"===se.css(t,"boxSizing",!1,s),s):0)}}}),ie.opacity||(se.cssHooks.opacity={get:function(t,e){return ai.test((e&&t.currentStyle?t.currentStyle.filter:t.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":e?"1":""},set:function(t,e){var i=t.style,n=t.currentStyle,s=se.isNumeric(e)?"alpha(opacity="+100*e+")":"",o=n&&n.filter||i.filter||"";i.zoom=1,(e>=1||""===e)&&""===se.trim(o.replace(oi,""))&&i.removeAttribute&&(i.removeAttribute("filter"),""===e||n&&!n.filter)||(i.filter=oi.test(o)?o.replace(oi,s):o+" "+s)}}),se.cssHooks.marginRight=k(ie.reliableMarginRight,function(t,e){return e?se.swap(t,{display:"inline-block"},ei,[t,"marginRight"]):void 0}),se.each({margin:"",padding:"",border:"Width"},function(t,e){se.cssHooks[t+e]={expand:function(i){for(var n=0,s={},o="string"==typeof i?i.split(" "):[i];4>n;n++)s[t+Ce[n]+e]=o[n]||o[n-2]||o[0];return s}},ii.test(t)||(se.cssHooks[t+e].set=x)}),se.fn.extend({css:function(t,e){return xe(this,function(t,e,i){var n,s,o={},a=0;if(se.isArray(e)){for(n=ti(t),s=e.length;s>a;a++)o[e[a]]=se.css(t,e[a],!1,n);return o}return void 0!==i?se.style(t,e,i):se.css(t,e)},t,e,arguments.length>1)},show:function(){return A(this,!0)},hide:function(){return A(this)},toggle:function(t){return"boolean"==typeof t?t?this.show():this.hide():this.each(function(){Ae(this)?se(this).show():se(this).hide()})}}),se.Tween=M,M.prototype={constructor:M,init:function(t,e,i,n,s,o){this.elem=t,this.prop=i,this.easing=s||"swing",this.options=e,this.start=this.now=this.cur(),this.end=n,this.unit=o||(se.cssNumber[i]?"":"px")},cur:function(){var t=M.propHooks[this.prop];return t&&t.get?t.get(this):M.propHooks._default.get(this)},run:function(t){var e,i=M.propHooks[this.prop];return this.pos=e=this.options.duration?se.easing[this.easing](t,this.options.duration*t,0,1,this.options.duration):t,this.now=(this.end-this.start)*e+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),i&&i.set?i.set(this):M.propHooks._default.set(this),this}},M.prototype.init.prototype=M.prototype,M.propHooks={_default:{get:function(t){var e;return null==t.elem[t.prop]||t.elem.style&&null!=t.elem.style[t.prop]?(e=se.css(t.elem,t.prop,""),e&&"auto"!==e?e:0):t.elem[t.prop]},set:function(t){se.fx.step[t.prop]?se.fx.step[t.prop](t):t.elem.style&&(null!=t.elem.style[se.cssProps[t.prop]]||se.cssHooks[t.prop])?se.style(t.elem,t.prop,t.now+t.unit):t.elem[t.prop]=t.now}}},M.propHooks.scrollTop=M.propHooks.scrollLeft={set:function(t){t.elem.nodeType&&t.elem.parentNode&&(t.elem[t.prop]=t.now)}},se.easing={linear:function(t){return t},swing:function(t){return.5-Math.cos(t*Math.PI)/2}},se.fx=M.prototype.init,se.fx.step={};var pi,fi,mi=/^(?:toggle|show|hide)$/,gi=new RegExp("^(?:([+-])=|)("+ke+")([a-z%]*)$","i"),vi=/queueHooks$/,bi=[P],yi={"*":[function(t,e){var i=this.createTween(t,e),n=i.cur(),s=gi.exec(e),o=s&&s[3]||(se.cssNumber[t]?"":"px"),a=(se.cssNumber[t]||"px"!==o&&+n)&&gi.exec(se.css(i.elem,t)),r=1,l=20;if(a&&a[3]!==o){o=o||a[3],s=s||[],a=+n||1;do r=r||".5",a/=r,se.style(i.elem,t,a+o);while(r!==(r=i.cur()/n)&&1!==r&&--l)}return s&&(a=i.start=+a||+n||0,i.unit=o,i.end=s[1]?a+(s[1]+1)*s[2]:+s[2]),i}]};se.Animation=se.extend($,{tweener:function(t,e){se.isFunction(t)?(e=t,t=["*"]):t=t.split(" ");for(var i,n=0,s=t.length;s>n;n++)i=t[n],yi[i]=yi[i]||[],yi[i].unshift(e)},prefilter:function(t,e){e?bi.unshift(t):bi.push(t)}}),se.speed=function(t,e,i){var n=t&&"object"==typeof t?se.extend({},t):{complete:i||!i&&e||se.isFunction(t)&&t,duration:t,easing:i&&e||e&&!se.isFunction(e)&&e};return n.duration=se.fx.off?0:"number"==typeof n.duration?n.duration:n.duration in se.fx.speeds?se.fx.speeds[n.duration]:se.fx.speeds._default,(null==n.queue||n.queue===!0)&&(n.queue="fx"),n.old=n.complete,n.complete=function(){se.isFunction(n.old)&&n.old.call(this),n.queue&&se.dequeue(this,n.queue)},n},se.fn.extend({fadeTo:function(t,e,i,n){return this.filter(Ae).css("opacity",0).show().end().animate({opacity:e},t,i,n)},animate:function(t,e,i,n){var s=se.isEmptyObject(t),o=se.speed(e,i,n),a=function(){var e=$(this,se.extend({},t),o);(s||se._data(this,"finish"))&&e.stop(!0)};return a.finish=a,s||o.queue===!1?this.each(a):this.queue(o.queue,a)},stop:function(t,e,i){var n=function(t){var e=t.stop;delete t.stop,e(i)};return"string"!=typeof t&&(i=e,e=t,t=void 0),e&&t!==!1&&this.queue(t||"fx",[]),this.each(function(){var e=!0,s=null!=t&&t+"queueHooks",o=se.timers,a=se._data(this);if(s)a[s]&&a[s].stop&&n(a[s]);else for(s in a)a[s]&&a[s].stop&&vi.test(s)&&n(a[s]);for(s=o.length;s--;)o[s].elem!==this||null!=t&&o[s].queue!==t||(o[s].anim.stop(i),e=!1,o.splice(s,1));(e||!i)&&se.dequeue(this,t)})},finish:function(t){return t!==!1&&(t=t||"fx"),this.each(function(){var e,i=se._data(this),n=i[t+"queue"],s=i[t+"queueHooks"],o=se.timers,a=n?n.length:0;for(i.finish=!0,se.queue(this,t,[]),s&&s.stop&&s.stop.call(this,!0),e=o.length;e--;)o[e].elem===this&&o[e].queue===t&&(o[e].anim.stop(!0),o.splice(e,1));for(e=0;a>e;e++)n[e]&&n[e].finish&&n[e].finish.call(this);delete i.finish})}}),se.each(["toggle","show","hide"],function(t,e){var i=se.fn[e];se.fn[e]=function(t,n,s){return null==t||"boolean"==typeof t?i.apply(this,arguments):this.animate(O(e,!0),t,n,s)}}),se.each({slideDown:O("show"),slideUp:O("hide"),slideToggle:O("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(t,e){se.fn[t]=function(t,i,n){return this.animate(e,t,i,n)}}),se.timers=[],se.fx.tick=function(){var t,e=se.timers,i=0;for(pi=se.now();i<e.length;i++)t=e[i],t()||e[i]!==t||e.splice(i--,1);e.length||se.fx.stop(),pi=void 0},se.fx.timer=function(t){se.timers.push(t),t()?se.fx.start():se.timers.pop()},se.fx.interval=13,se.fx.start=function(){fi||(fi=setInterval(se.fx.tick,se.fx.interval))},se.fx.stop=function(){clearInterval(fi),fi=null},se.fx.speeds={slow:600,fast:200,_default:400},se.fn.delay=function(t,e){return t=se.fx?se.fx.speeds[t]||t:t,e=e||"fx",this.queue(e,function(e,i){var n=setTimeout(e,t);i.stop=function(){clearTimeout(n)}})},function(){var t,e,i,n,s;e=fe.createElement("div"),e.setAttribute("className","t"),e.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",n=e.getElementsByTagName("a")[0],i=fe.createElement("select"),s=i.appendChild(fe.createElement("option")),t=e.getElementsByTagName("input")[0],n.style.cssText="top:1px",ie.getSetAttribute="t"!==e.className,ie.style=/top/.test(n.getAttribute("style")),ie.hrefNormalized="/a"===n.getAttribute("href"),ie.checkOn=!!t.value,ie.optSelected=s.selected,ie.enctype=!!fe.createElement("form").enctype,i.disabled=!0,ie.optDisabled=!s.disabled,t=fe.createElement("input"),t.setAttribute("value",""),ie.input=""===t.getAttribute("value"),t.value="t",t.setAttribute("type","radio"),ie.radioValue="t"===t.value}();var Si=/\r/g;se.fn.extend({val:function(t){var e,i,n,s=this[0];{if(arguments.length)return n=se.isFunction(t),this.each(function(i){var s;1===this.nodeType&&(s=n?t.call(this,i,se(this).val()):t,null==s?s="":"number"==typeof s?s+="":se.isArray(s)&&(s=se.map(s,function(t){return null==t?"":t+""})),e=se.valHooks[this.type]||se.valHooks[this.nodeName.toLowerCase()],e&&"set"in e&&void 0!==e.set(this,s,"value")||(this.value=s))});if(s)return e=se.valHooks[s.type]||se.valHooks[s.nodeName.toLowerCase()],e&&"get"in e&&void 0!==(i=e.get(s,"value"))?i:(i=s.value,"string"==typeof i?i.replace(Si,""):null==i?"":i)}}}),se.extend({valHooks:{option:{get:function(t){var e=se.find.attr(t,"value");return null!=e?e:se.trim(se.text(t))}},select:{get:function(t){for(var e,i,n=t.options,s=t.selectedIndex,o="select-one"===t.type||0>s,a=o?null:[],r=o?s+1:n.length,l=0>s?r:o?s:0;r>l;l++)if(i=n[l],!(!i.selected&&l!==s||(ie.optDisabled?i.disabled:null!==i.getAttribute("disabled"))||i.parentNode.disabled&&se.nodeName(i.parentNode,"optgroup"))){if(e=se(i).val(),o)return e;a.push(e)}return a},set:function(t,e){for(var i,n,s=t.options,o=se.makeArray(e),a=s.length;a--;)if(n=s[a],se.inArray(se.valHooks.option.get(n),o)>=0)try{n.selected=i=!0}catch(r){n.scrollHeight}else n.selected=!1;return i||(t.selectedIndex=-1),s}}}}),se.each(["radio","checkbox"],function(){se.valHooks[this]={set:function(t,e){return se.isArray(e)?t.checked=se.inArray(se(t).val(),e)>=0:void 0}},ie.checkOn||(se.valHooks[this].get=function(t){return null===t.getAttribute("value")?"on":t.value})});var Ei,Ti,Li=se.expr.attrHandle,_i=/^(?:checked|selected)$/i,wi=ie.getSetAttribute,ki=ie.input;se.fn.extend({attr:function(t,e){return xe(this,se.attr,t,e,arguments.length>1)},removeAttr:function(t){return this.each(function(){se.removeAttr(this,t)})}}),se.extend({attr:function(t,e,i){var n,s,o=t.nodeType;if(t&&3!==o&&8!==o&&2!==o)return typeof t.getAttribute===Le?se.prop(t,e,i):(1===o&&se.isXMLDoc(t)||(e=e.toLowerCase(),n=se.attrHooks[e]||(se.expr.match.bool.test(e)?Ti:Ei)),void 0===i?n&&"get"in n&&null!==(s=n.get(t,e))?s:(s=se.find.attr(t,e),null==s?void 0:s):null!==i?n&&"set"in n&&void 0!==(s=n.set(t,i,e))?s:(t.setAttribute(e,i+""),i):void se.removeAttr(t,e))},removeAttr:function(t,e){var i,n,s=0,o=e&&e.match(ye);if(o&&1===t.nodeType)for(;i=o[s++];)n=se.propFix[i]||i,se.expr.match.bool.test(i)?ki&&wi||!_i.test(i)?t[n]=!1:t[se.camelCase("default-"+i)]=t[n]=!1:se.attr(t,i,""),t.removeAttribute(wi?i:n)},attrHooks:{type:{set:function(t,e){if(!ie.radioValue&&"radio"===e&&se.nodeName(t,"input")){var i=t.value;return t.setAttribute("type",e),i&&(t.value=i),e}}}}}),Ti={set:function(t,e,i){return e===!1?se.removeAttr(t,i):ki&&wi||!_i.test(i)?t.setAttribute(!wi&&se.propFix[i]||i,i):t[se.camelCase("default-"+i)]=t[i]=!0,i}},se.each(se.expr.match.bool.source.match(/\w+/g),function(t,e){var i=Li[e]||se.find.attr;Li[e]=ki&&wi||!_i.test(e)?function(t,e,n){var s,o;return n||(o=Li[e],Li[e]=s,s=null!=i(t,e,n)?e.toLowerCase():null,Li[e]=o),s}:function(t,e,i){return i?void 0:t[se.camelCase("default-"+e)]?e.toLowerCase():null}}),ki&&wi||(se.attrHooks.value={set:function(t,e,i){return se.nodeName(t,"input")?void(t.defaultValue=e):Ei&&Ei.set(t,e,i)}}),wi||(Ei={set:function(t,e,i){var n=t.getAttributeNode(i);return n||t.setAttributeNode(n=t.ownerDocument.createAttribute(i)),n.value=e+="","value"===i||e===t.getAttribute(i)?e:void 0}},Li.id=Li.name=Li.coords=function(t,e,i){var n;return i?void 0:(n=t.getAttributeNode(e))&&""!==n.value?n.value:null},se.valHooks.button={get:function(t,e){var i=t.getAttributeNode(e);return i&&i.specified?i.value:void 0},set:Ei.set},se.attrHooks.contenteditable={set:function(t,e,i){Ei.set(t,""===e?!1:e,i)}},se.each(["width","height"],function(t,e){se.attrHooks[e]={set:function(t,i){return""===i?(t.setAttribute(e,"auto"),i):void 0}}})),ie.style||(se.attrHooks.style={get:function(t){return t.style.cssText||void 0},set:function(t,e){return t.style.cssText=e+""}});var Ci=/^(?:input|select|textarea|button|object)$/i,Ai=/^(?:a|area)$/i;se.fn.extend({prop:function(t,e){return xe(this,se.prop,t,e,arguments.length>1)},removeProp:function(t){return t=se.propFix[t]||t,this.each(function(){try{this[t]=void 0,delete this[t]}catch(e){}})}}),se.extend({propFix:{"for":"htmlFor","class":"className"},prop:function(t,e,i){var n,s,o,a=t.nodeType;if(t&&3!==a&&8!==a&&2!==a)return o=1!==a||!se.isXMLDoc(t),o&&(e=se.propFix[e]||e,s=se.propHooks[e]),void 0!==i?s&&"set"in s&&void 0!==(n=s.set(t,i,e))?n:t[e]=i:s&&"get"in s&&null!==(n=s.get(t,e))?n:t[e]},propHooks:{tabIndex:{get:function(t){var e=se.find.attr(t,"tabindex");return e?parseInt(e,10):Ci.test(t.nodeName)||Ai.test(t.nodeName)&&t.href?0:-1}}}}),ie.hrefNormalized||se.each(["href","src"],function(t,e){se.propHooks[e]={get:function(t){return t.getAttribute(e,4)}}}),ie.optSelected||(se.propHooks.selected={get:function(t){var e=t.parentNode;return e&&(e.selectedIndex,e.parentNode&&e.parentNode.selectedIndex),null}}),se.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){se.propFix[this.toLowerCase()]=this}),ie.enctype||(se.propFix.enctype="encoding");var xi=/[\t\r\n\f]/g;se.fn.extend({addClass:function(t){var e,i,n,s,o,a,r=0,l=this.length,c="string"==typeof t&&t;if(se.isFunction(t))return this.each(function(e){se(this).addClass(t.call(this,e,this.className))});if(c)for(e=(t||"").match(ye)||[];l>r;r++)if(i=this[r],n=1===i.nodeType&&(i.className?(" "+i.className+" ").replace(xi," "):" ")){for(o=0;s=e[o++];)n.indexOf(" "+s+" ")<0&&(n+=s+" ");a=se.trim(n),i.className!==a&&(i.className=a)}return this},removeClass:function(t){var e,i,n,s,o,a,r=0,l=this.length,c=0===arguments.length||"string"==typeof t&&t;if(se.isFunction(t))return this.each(function(e){se(this).removeClass(t.call(this,e,this.className))});if(c)for(e=(t||"").match(ye)||[];l>r;r++)if(i=this[r],n=1===i.nodeType&&(i.className?(" "+i.className+" ").replace(xi," "):"")){for(o=0;s=e[o++];)for(;n.indexOf(" "+s+" ")>=0;)n=n.replace(" "+s+" "," ");a=t?se.trim(n):"",i.className!==a&&(i.className=a)}return this},toggleClass:function(t,e){var i=typeof t;return"boolean"==typeof e&&"string"===i?e?this.addClass(t):this.removeClass(t):this.each(se.isFunction(t)?function(i){se(this).toggleClass(t.call(this,i,this.className,e),e)}:function(){if("string"===i)for(var e,n=0,s=se(this),o=t.match(ye)||[];e=o[n++];)s.hasClass(e)?s.removeClass(e):s.addClass(e);else(i===Le||"boolean"===i)&&(this.className&&se._data(this,"__className__",this.className),this.className=this.className||t===!1?"":se._data(this,"__className__")||"")})},hasClass:function(t){for(var e=" "+t+" ",i=0,n=this.length;n>i;i++)if(1===this[i].nodeType&&(" "+this[i].className+" ").replace(xi," ").indexOf(e)>=0)return!0;return!1}}),se.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(t,e){se.fn[e]=function(t,i){return arguments.length>0?this.on(e,null,t,i):this.trigger(e)}}),se.fn.extend({hover:function(t,e){return this.mouseenter(t).mouseleave(e||t)},bind:function(t,e,i){return this.on(t,null,e,i)},unbind:function(t,e){return this.off(t,null,e)},delegate:function(t,e,i,n){return this.on(e,t,i,n)},undelegate:function(t,e,i){return 1===arguments.length?this.off(t,"**"):this.off(e,t||"**",i)}});var Di=se.now(),Ii=/\?/,Mi=/(,)|(\[|{)|(}|])|"(?:[^"\\\r\n]|\\["\\\/bfnrt]|\\u[\da-fA-F]{4})*"\s*:?|true|false|null|-?(?!0\d)\d+(?:\.\d+|)(?:[eE][+-]?\d+|)/g;se.parseJSON=function(e){if(t.JSON&&t.JSON.parse)return t.JSON.parse(e+"");var i,n=null,s=se.trim(e+"");return s&&!se.trim(s.replace(Mi,function(t,e,s,o){return i&&e&&(n=0),0===n?t:(i=s||e,n+=!o-!s,"")}))?Function("return "+s)():se.error("Invalid JSON: "+e)},se.parseXML=function(e){var i,n;if(!e||"string"!=typeof e)return null;try{t.DOMParser?(n=new DOMParser,i=n.parseFromString(e,"text/xml")):(i=new ActiveXObject("Microsoft.XMLDOM"),i.async="false",i.loadXML(e))}catch(s){i=void 0}return i&&i.documentElement&&!i.getElementsByTagName("parsererror").length||se.error("Invalid XML: "+e),i};var Ri,Oi,Ni=/#.*$/,Pi=/([?&])_=[^&]*/,Ui=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,$i=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Fi=/^(?:GET|HEAD)$/,ji=/^\/\//,Bi=/^([\w.+-]+:)(?:\/\/(?:[^\/?#]*@|)([^\/?#:]*)(?::(\d+)|)|)/,Hi={},zi={},Vi="*/".concat("*");try{Oi=location.href}catch(Gi){Oi=fe.createElement("a"),Oi.href="",Oi=Oi.href}Ri=Bi.exec(Oi.toLowerCase())||[],se.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:Oi,type:"GET",isLocal:$i.test(Ri[1]),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Vi,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/xml/,html:/html/,json:/json/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":se.parseJSON,"text xml":se.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(t,e){return e?B(B(t,se.ajaxSettings),e):B(se.ajaxSettings,t)},ajaxPrefilter:F(Hi),ajaxTransport:F(zi),ajax:function(t,e){function i(t,e,i,n){var s,d,v,b,S,T=e;2!==y&&(y=2,r&&clearTimeout(r),c=void 0,a=n||"",E.readyState=t>0?4:0,s=t>=200&&300>t||304===t,i&&(b=H(h,E,i)),b=z(h,b,E,s),s?(h.ifModified&&(S=E.getResponseHeader("Last-Modified"),S&&(se.lastModified[o]=S),S=E.getResponseHeader("etag"),S&&(se.etag[o]=S)),204===t||"HEAD"===h.type?T="nocontent":304===t?T="notmodified":(T=b.state,d=b.data,v=b.error,s=!v)):(v=T,(t||!T)&&(T="error",0>t&&(t=0))),E.status=t,E.statusText=(e||T)+"",s?f.resolveWith(u,[d,T,E]):f.rejectWith(u,[E,T,v]),E.statusCode(g),g=void 0,l&&p.trigger(s?"ajaxSuccess":"ajaxError",[E,h,s?d:v]),m.fireWith(u,[E,T]),l&&(p.trigger("ajaxComplete",[E,h]),--se.active||se.event.trigger("ajaxStop")))}"object"==typeof t&&(e=t,t=void 0),e=e||{};var n,s,o,a,r,l,c,d,h=se.ajaxSetup({},e),u=h.context||h,p=h.context&&(u.nodeType||u.jquery)?se(u):se.event,f=se.Deferred(),m=se.Callbacks("once memory"),g=h.statusCode||{},v={},b={},y=0,S="canceled",E={readyState:0,getResponseHeader:function(t){var e;if(2===y){if(!d)for(d={};e=Ui.exec(a);)d[e[1].toLowerCase()]=e[2];e=d[t.toLowerCase()]}return null==e?null:e},getAllResponseHeaders:function(){return 2===y?a:null},setRequestHeader:function(t,e){var i=t.toLowerCase();return y||(t=b[i]=b[i]||t,v[t]=e),this},overrideMimeType:function(t){return y||(h.mimeType=t),this},statusCode:function(t){var e;if(t)if(2>y)for(e in t)g[e]=[g[e],t[e]];else E.always(t[E.status]);return this},abort:function(t){var e=t||S;return c&&c.abort(e),i(0,e),this}};if(f.promise(E).complete=m.add,E.success=E.done,E.error=E.fail,h.url=((t||h.url||Oi)+"").replace(Ni,"").replace(ji,Ri[1]+"//"),h.type=e.method||e.type||h.method||h.type,h.dataTypes=se.trim(h.dataType||"*").toLowerCase().match(ye)||[""],null==h.crossDomain&&(n=Bi.exec(h.url.toLowerCase()),h.crossDomain=!(!n||n[1]===Ri[1]&&n[2]===Ri[2]&&(n[3]||("http:"===n[1]?"80":"443"))===(Ri[3]||("http:"===Ri[1]?"80":"443")))),h.data&&h.processData&&"string"!=typeof h.data&&(h.data=se.param(h.data,h.traditional)),j(Hi,h,e,E),2===y)return E;l=h.global,l&&0===se.active++&&se.event.trigger("ajaxStart"),h.type=h.type.toUpperCase(),h.hasContent=!Fi.test(h.type),o=h.url,h.hasContent||(h.data&&(o=h.url+=(Ii.test(o)?"&":"?")+h.data,delete h.data),h.cache===!1&&(h.url=Pi.test(o)?o.replace(Pi,"$1_="+Di++):o+(Ii.test(o)?"&":"?")+"_="+Di++)),h.ifModified&&(se.lastModified[o]&&E.setRequestHeader("If-Modified-Since",se.lastModified[o]),se.etag[o]&&E.setRequestHeader("If-None-Match",se.etag[o])),(h.data&&h.hasContent&&h.contentType!==!1||e.contentType)&&E.setRequestHeader("Content-Type",h.contentType),E.setRequestHeader("Accept",h.dataTypes[0]&&h.accepts[h.dataTypes[0]]?h.accepts[h.dataTypes[0]]+("*"!==h.dataTypes[0]?", "+Vi+"; q=0.01":""):h.accepts["*"]);for(s in h.headers)E.setRequestHeader(s,h.headers[s]);if(h.beforeSend&&(h.beforeSend.call(u,E,h)===!1||2===y))return E.abort();S="abort";for(s in{success:1,error:1,complete:1})E[s](h[s]);if(c=j(zi,h,e,E)){E.readyState=1,l&&p.trigger("ajaxSend",[E,h]),h.async&&h.timeout>0&&(r=setTimeout(function(){E.abort("timeout")},h.timeout));try{y=1,c.send(v,i)}catch(T){if(!(2>y))throw T;i(-1,T)}}else i(-1,"No Transport");return E},getJSON:function(t,e,i){return se.get(t,e,i,"json")},getScript:function(t,e){return se.get(t,void 0,e,"script")}}),se.each(["get","post"],function(t,e){se[e]=function(t,i,n,s){return se.isFunction(i)&&(s=s||n,n=i,i=void 0),se.ajax({url:t,type:e,dataType:s,data:i,success:n})}}),se.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(t,e){se.fn[e]=function(t){return this.on(e,t)}}),se._evalUrl=function(t){return se.ajax({url:t,type:"GET",dataType:"script",async:!1,global:!1,"throws":!0})},se.fn.extend({wrapAll:function(t){if(se.isFunction(t))return this.each(function(e){se(this).wrapAll(t.call(this,e))});if(this[0]){var e=se(t,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&e.insertBefore(this[0]),e.map(function(){for(var t=this;t.firstChild&&1===t.firstChild.nodeType;)t=t.firstChild;return t}).append(this)}return this},wrapInner:function(t){return this.each(se.isFunction(t)?function(e){se(this).wrapInner(t.call(this,e))}:function(){var e=se(this),i=e.contents();i.length?i.wrapAll(t):e.append(t)})},wrap:function(t){var e=se.isFunction(t);return this.each(function(i){se(this).wrapAll(e?t.call(this,i):t)})},unwrap:function(){return this.parent().each(function(){se.nodeName(this,"body")||se(this).replaceWith(this.childNodes)}).end()}}),se.expr.filters.hidden=function(t){return t.offsetWidth<=0&&t.offsetHeight<=0||!ie.reliableHiddenOffsets()&&"none"===(t.style&&t.style.display||se.css(t,"display"))},se.expr.filters.visible=function(t){return!se.expr.filters.hidden(t)};var Xi=/%20/g,Wi=/\[\]$/,Ji=/\r?\n/g,Yi=/^(?:submit|button|image|reset|file)$/i,qi=/^(?:input|select|textarea|keygen)/i;se.param=function(t,e){var i,n=[],s=function(t,e){e=se.isFunction(e)?e():null==e?"":e,n[n.length]=encodeURIComponent(t)+"="+encodeURIComponent(e)};if(void 0===e&&(e=se.ajaxSettings&&se.ajaxSettings.traditional),se.isArray(t)||t.jquery&&!se.isPlainObject(t))se.each(t,function(){s(this.name,this.value)});else for(i in t)V(i,t[i],e,s);return n.join("&").replace(Xi,"+")},se.fn.extend({serialize:function(){return se.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var t=se.prop(this,"elements");return t?se.makeArray(t):this}).filter(function(){var t=this.type;return this.name&&!se(this).is(":disabled")&&qi.test(this.nodeName)&&!Yi.test(t)&&(this.checked||!De.test(t))}).map(function(t,e){var i=se(this).val();return null==i?null:se.isArray(i)?se.map(i,function(t){return{name:e.name,value:t.replace(Ji,"\r\n")}}):{name:e.name,value:i.replace(Ji,"\r\n")}}).get()}}),se.ajaxSettings.xhr=void 0!==t.ActiveXObject?function(){return!this.isLocal&&/^(get|post|head|put|delete|options)$/i.test(this.type)&&G()||X()}:G;var Ki=0,Qi={},Zi=se.ajaxSettings.xhr();t.ActiveXObject&&se(t).on("unload",function(){for(var t in Qi)Qi[t](void 0,!0)}),ie.cors=!!Zi&&"withCredentials"in Zi,Zi=ie.ajax=!!Zi,Zi&&se.ajaxTransport(function(t){if(!t.crossDomain||ie.cors){var e;return{send:function(i,n){var s,o=t.xhr(),a=++Ki;if(o.open(t.type,t.url,t.async,t.username,t.password),t.xhrFields)for(s in t.xhrFields)o[s]=t.xhrFields[s];t.mimeType&&o.overrideMimeType&&o.overrideMimeType(t.mimeType),t.crossDomain||i["X-Requested-With"]||(i["X-Requested-With"]="XMLHttpRequest");for(s in i)void 0!==i[s]&&o.setRequestHeader(s,i[s]+"");o.send(t.hasContent&&t.data||null),e=function(i,s){var r,l,c;if(e&&(s||4===o.readyState))if(delete Qi[a],e=void 0,o.onreadystatechange=se.noop,s)4!==o.readyState&&o.abort();else{c={},r=o.status,"string"==typeof o.responseText&&(c.text=o.responseText);try{l=o.statusText}catch(d){l=""}r||!t.isLocal||t.crossDomain?1223===r&&(r=204):r=c.text?200:404}c&&n(r,l,c,o.getAllResponseHeaders())},t.async?4===o.readyState?setTimeout(e):o.onreadystatechange=Qi[a]=e:e()},abort:function(){e&&e(void 0,!0)}}}}),se.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/(?:java|ecma)script/},converters:{"text script":function(t){return se.globalEval(t),t}}}),se.ajaxPrefilter("script",function(t){void 0===t.cache&&(t.cache=!1),t.crossDomain&&(t.type="GET",t.global=!1)}),se.ajaxTransport("script",function(t){if(t.crossDomain){var e,i=fe.head||se("head")[0]||fe.documentElement;return{send:function(n,s){e=fe.createElement("script"),e.async=!0,t.scriptCharset&&(e.charset=t.scriptCharset),e.src=t.url,e.onload=e.onreadystatechange=function(t,i){(i||!e.readyState||/loaded|complete/.test(e.readyState))&&(e.onload=e.onreadystatechange=null,e.parentNode&&e.parentNode.removeChild(e),e=null,i||s(200,"success"))},i.insertBefore(e,i.firstChild)},abort:function(){e&&e.onload(void 0,!0)}}}});var tn=[],en=/(=)\?(?=&|$)|\?\?/;se.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var t=tn.pop()||se.expando+"_"+Di++;return this[t]=!0,t}}),se.ajaxPrefilter("json jsonp",function(e,i,n){var s,o,a,r=e.jsonp!==!1&&(en.test(e.url)?"url":"string"==typeof e.data&&!(e.contentType||"").indexOf("application/x-www-form-urlencoded")&&en.test(e.data)&&"data");return r||"jsonp"===e.dataTypes[0]?(s=e.jsonpCallback=se.isFunction(e.jsonpCallback)?e.jsonpCallback():e.jsonpCallback,r?e[r]=e[r].replace(en,"$1"+s):e.jsonp!==!1&&(e.url+=(Ii.test(e.url)?"&":"?")+e.jsonp+"="+s),e.converters["script json"]=function(){return a||se.error(s+" was not called"),a[0]},e.dataTypes[0]="json",o=t[s],t[s]=function(){a=arguments},n.always(function(){t[s]=o,e[s]&&(e.jsonpCallback=i.jsonpCallback,tn.push(s)),a&&se.isFunction(o)&&o(a[0]),a=o=void 0}),"script"):void 0}),se.parseHTML=function(t,e,i){if(!t||"string"!=typeof t)return null;"boolean"==typeof e&&(i=e,e=!1),e=e||fe;var n=he.exec(t),s=!i&&[];return n?[e.createElement(n[1])]:(n=se.buildFragment([t],e,s),s&&s.length&&se(s).remove(),se.merge([],n.childNodes))
+};var nn=se.fn.load;se.fn.load=function(t,e,i){if("string"!=typeof t&&nn)return nn.apply(this,arguments);var n,s,o,a=this,r=t.indexOf(" ");return r>=0&&(n=se.trim(t.slice(r,t.length)),t=t.slice(0,r)),se.isFunction(e)?(i=e,e=void 0):e&&"object"==typeof e&&(o="POST"),a.length>0&&se.ajax({url:t,type:o,dataType:"html",data:e}).done(function(t){s=arguments,a.html(n?se("<div>").append(se.parseHTML(t)).find(n):t)}).complete(i&&function(t,e){a.each(i,s||[t.responseText,e,t])}),this},se.expr.filters.animated=function(t){return se.grep(se.timers,function(e){return t===e.elem}).length};var sn=t.document.documentElement;se.offset={setOffset:function(t,e,i){var n,s,o,a,r,l,c,d=se.css(t,"position"),h=se(t),u={};"static"===d&&(t.style.position="relative"),r=h.offset(),o=se.css(t,"top"),l=se.css(t,"left"),c=("absolute"===d||"fixed"===d)&&se.inArray("auto",[o,l])>-1,c?(n=h.position(),a=n.top,s=n.left):(a=parseFloat(o)||0,s=parseFloat(l)||0),se.isFunction(e)&&(e=e.call(t,i,r)),null!=e.top&&(u.top=e.top-r.top+a),null!=e.left&&(u.left=e.left-r.left+s),"using"in e?e.using.call(t,u):h.css(u)}},se.fn.extend({offset:function(t){if(arguments.length)return void 0===t?this:this.each(function(e){se.offset.setOffset(this,t,e)});var e,i,n={top:0,left:0},s=this[0],o=s&&s.ownerDocument;if(o)return e=o.documentElement,se.contains(e,s)?(typeof s.getBoundingClientRect!==Le&&(n=s.getBoundingClientRect()),i=W(o),{top:n.top+(i.pageYOffset||e.scrollTop)-(e.clientTop||0),left:n.left+(i.pageXOffset||e.scrollLeft)-(e.clientLeft||0)}):n},position:function(){if(this[0]){var t,e,i={top:0,left:0},n=this[0];return"fixed"===se.css(n,"position")?e=n.getBoundingClientRect():(t=this.offsetParent(),e=this.offset(),se.nodeName(t[0],"html")||(i=t.offset()),i.top+=se.css(t[0],"borderTopWidth",!0),i.left+=se.css(t[0],"borderLeftWidth",!0)),{top:e.top-i.top-se.css(n,"marginTop",!0),left:e.left-i.left-se.css(n,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){for(var t=this.offsetParent||sn;t&&!se.nodeName(t,"html")&&"static"===se.css(t,"position");)t=t.offsetParent;return t||sn})}}),se.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(t,e){var i=/Y/.test(e);se.fn[t]=function(n){return xe(this,function(t,n,s){var o=W(t);return void 0===s?o?e in o?o[e]:o.document.documentElement[n]:t[n]:void(o?o.scrollTo(i?se(o).scrollLeft():s,i?s:se(o).scrollTop()):t[n]=s)},t,n,arguments.length,null)}}),se.each(["top","left"],function(t,e){se.cssHooks[e]=k(ie.pixelPosition,function(t,i){return i?(i=ei(t,e),ni.test(i)?se(t).position()[e]+"px":i):void 0})}),se.each({Height:"height",Width:"width"},function(t,e){se.each({padding:"inner"+t,content:e,"":"outer"+t},function(i,n){se.fn[n]=function(n,s){var o=arguments.length&&(i||"boolean"!=typeof n),a=i||(n===!0||s===!0?"margin":"border");return xe(this,function(e,i,n){var s;return se.isWindow(e)?e.document.documentElement["client"+t]:9===e.nodeType?(s=e.documentElement,Math.max(e.body["scroll"+t],s["scroll"+t],e.body["offset"+t],s["offset"+t],s["client"+t])):void 0===n?se.css(e,i,a):se.style(e,i,n,a)},e,o?n:void 0,o,null)}})}),se.fn.size=function(){return this.length},se.fn.andSelf=se.fn.addBack,"function"==typeof define&&define.amd&&define("jquery",[],function(){return se});var on=t.jQuery,an=t.$;return se.noConflict=function(e){return t.$===se&&(t.$=an),e&&t.jQuery===se&&(t.jQuery=on),se},typeof e===Le&&(t.jQuery=t.$=se),se}),function(t,e){t.rails!==e&&t.error("jquery-ujs has already been loaded!");var i,n=t(document);t.rails=i={linkClickSelector:"a[data-confirm], a[data-method], a[data-remote], a[data-disable-with], a[data-disable]",buttonClickSelector:"button[data-remote]:not(form button), button[data-confirm]:not(form button)",inputChangeSelector:"select[data-remote], input[data-remote], textarea[data-remote]",formSubmitSelector:"form",formInputClickSelector:"form input[type=submit], form input[type=image], form button[type=submit], form button:not([type]), input[type=submit][form], input[type=image][form], button[type=submit][form], button[form]:not([type])",disableSelector:"input[data-disable-with]:enabled, button[data-disable-with]:enabled, textarea[data-disable-with]:enabled, input[data-disable]:enabled, button[data-disable]:enabled, textarea[data-disable]:enabled",enableSelector:"input[data-disable-with]:disabled, button[data-disable-with]:disabled, textarea[data-disable-with]:disabled, input[data-disable]:disabled, button[data-disable]:disabled, textarea[data-disable]:disabled",requiredInputSelector:"input[name][required]:not([disabled]),textarea[name][required]:not([disabled])",fileInputSelector:"input[type=file]",linkDisableSelector:"a[data-disable-with], a[data-disable]",buttonDisableSelector:"button[data-remote][data-disable-with], button[data-remote][data-disable]",CSRFProtection:function(e){var i=t('meta[name="csrf-token"]').attr("content");i&&e.setRequestHeader("X-CSRF-Token",i)},refreshCSRFTokens:function(){var e=t("meta[name=csrf-token]").attr("content"),i=t("meta[name=csrf-param]").attr("content");t('form input[name="'+i+'"]').val(e)},fire:function(e,i,n){var s=t.Event(i);return e.trigger(s,n),s.result!==!1},confirm:function(t){return confirm(t)},ajax:function(e){return t.ajax(e)},href:function(t){return t.attr("href")},handleRemote:function(n){var s,o,a,r,l,c,d,h;if(i.fire(n,"ajax:before")){if(r=n.data("cross-domain"),l=r===e?null:r,c=n.data("with-credentials")||null,d=n.data("type")||t.ajaxSettings&&t.ajaxSettings.dataType,n.is("form")){s=n.attr("method"),o=n.attr("action"),a=n.serializeArray();var u=n.data("ujs:submit-button");u&&(a.push(u),n.data("ujs:submit-button",null))}else n.is(i.inputChangeSelector)?(s=n.data("method"),o=n.data("url"),a=n.serialize(),n.data("params")&&(a=a+"&"+n.data("params"))):n.is(i.buttonClickSelector)?(s=n.data("method")||"get",o=n.data("url"),a=n.serialize(),n.data("params")&&(a=a+"&"+n.data("params"))):(s=n.data("method"),o=i.href(n),a=n.data("params")||null);return h={type:s||"GET",data:a,dataType:d,beforeSend:function(t,s){return s.dataType===e&&t.setRequestHeader("accept","*/*;q=0.5, "+s.accepts.script),i.fire(n,"ajax:beforeSend",[t,s])?void n.trigger("ajax:send",t):!1},success:function(t,e,i){n.trigger("ajax:success",[t,e,i])},complete:function(t,e){n.trigger("ajax:complete",[t,e])},error:function(t,e,i){n.trigger("ajax:error",[t,e,i])},crossDomain:l},c&&(h.xhrFields={withCredentials:c}),o&&(h.url=o),i.ajax(h)}return!1},handleMethod:function(n){var s=i.href(n),o=n.data("method"),a=n.attr("target"),r=t("meta[name=csrf-token]").attr("content"),l=t("meta[name=csrf-param]").attr("content"),c=t('<form method="post" action="'+s+'"></form>'),d='<input name="_method" value="'+o+'" type="hidden" />';l!==e&&r!==e&&(d+='<input name="'+l+'" value="'+r+'" type="hidden" />'),a&&c.attr("target",a),c.hide().append(d).appendTo("body"),c.submit()},formElements:function(e,i){return e.is("form")?t(e[0].elements).filter(i):e.find(i)},disableFormElements:function(e){i.formElements(e,i.disableSelector).each(function(){i.disableFormElement(t(this))})},disableFormElement:function(t){var i,n;i=t.is("button")?"html":"val",n=t.data("disable-with"),t.data("ujs:enable-with",t[i]()),n!==e&&t[i](n),t.prop("disabled",!0)},enableFormElements:function(e){i.formElements(e,i.enableSelector).each(function(){i.enableFormElement(t(this))})},enableFormElement:function(t){var e=t.is("button")?"html":"val";t.data("ujs:enable-with")&&t[e](t.data("ujs:enable-with")),t.prop("disabled",!1)},allowAction:function(t){var e,n=t.data("confirm"),s=!1;return n?(i.fire(t,"confirm")&&(s=i.confirm(n),e=i.fire(t,"confirm:complete",[s])),s&&e):!0},blankInputs:function(e,i,n){var s,o,a=t(),r=i||"input,textarea",l=e.find(r);return l.each(function(){if(s=t(this),o=s.is("input[type=checkbox],input[type=radio]")?s.is(":checked"):s.val(),!o==!n){if(s.is("input[type=radio]")&&l.filter('input[type=radio]:checked[name="'+s.attr("name")+'"]').length)return!0;a=a.add(s)}}),a.length?a:!1},nonBlankInputs:function(t,e){return i.blankInputs(t,e,!0)},stopEverything:function(e){return t(e.target).trigger("ujs:everythingStopped"),e.stopImmediatePropagation(),!1},disableElement:function(t){var n=t.data("disable-with");t.data("ujs:enable-with",t.html()),n!==e&&t.html(n),t.bind("click.railsDisable",function(t){return i.stopEverything(t)})},enableElement:function(t){t.data("ujs:enable-with")!==e&&(t.html(t.data("ujs:enable-with")),t.removeData("ujs:enable-with")),t.unbind("click.railsDisable")}},i.fire(n,"rails:attachBindings")&&(t.ajaxPrefilter(function(t,e,n){t.crossDomain||i.CSRFProtection(n)}),n.delegate(i.linkDisableSelector,"ajax:complete",function(){i.enableElement(t(this))}),n.delegate(i.buttonDisableSelector,"ajax:complete",function(){i.enableFormElement(t(this))}),n.delegate(i.linkClickSelector,"click.rails",function(n){var s=t(this),o=s.data("method"),a=s.data("params"),r=n.metaKey||n.ctrlKey;if(!i.allowAction(s))return i.stopEverything(n);if(!r&&s.is(i.linkDisableSelector)&&i.disableElement(s),s.data("remote")!==e){if(r&&(!o||"GET"===o)&&!a)return!0;var l=i.handleRemote(s);return l===!1?i.enableElement(s):l.error(function(){i.enableElement(s)}),!1}return s.data("method")?(i.handleMethod(s),!1):void 0}),n.delegate(i.buttonClickSelector,"click.rails",function(e){var n=t(this);if(!i.allowAction(n))return i.stopEverything(e);n.is(i.buttonDisableSelector)&&i.disableFormElement(n);var s=i.handleRemote(n);return s===!1?i.enableFormElement(n):s.error(function(){i.enableFormElement(n)}),!1}),n.delegate(i.inputChangeSelector,"change.rails",function(e){var n=t(this);return i.allowAction(n)?(i.handleRemote(n),!1):i.stopEverything(e)}),n.delegate(i.formSubmitSelector,"submit.rails",function(n){var s,o,a=t(this),r=a.data("remote")!==e;if(!i.allowAction(a))return i.stopEverything(n);if(a.attr("novalidate")==e&&(s=i.blankInputs(a,i.requiredInputSelector),s&&i.fire(a,"ajax:aborted:required",[s])))return i.stopEverything(n);if(r){if(o=i.nonBlankInputs(a,i.fileInputSelector)){setTimeout(function(){i.disableFormElements(a)},13);var l=i.fire(a,"ajax:aborted:file",[o]);return l||setTimeout(function(){i.enableFormElements(a)},13),l}return i.handleRemote(a),!1}setTimeout(function(){i.disableFormElements(a)},13)}),n.delegate(i.formInputClickSelector,"click.rails",function(e){var n=t(this);if(!i.allowAction(n))return i.stopEverything(e);var s=n.attr("name"),o=s?{name:s,value:n.val()}:null;n.closest("form").data("ujs:submit-button",o)}),n.delegate(i.formSubmitSelector,"ajax:send.rails",function(e){this==e.target&&i.disableFormElements(t(this))}),n.delegate(i.formSubmitSelector,"ajax:complete.rails",function(e){this==e.target&&i.enableFormElements(t(this))}),t(function(){i.refreshCSRFTokens()}))}(jQuery),function(t){t.extend({debounce:function(t,e,i,n){3==arguments.length&&"boolean"!=typeof i&&(n=i,i=!1);var s;return function(){var o=arguments;n=n||this,i&&!s&&t.apply(n,o),clearTimeout(s),s=setTimeout(function(){i||t.apply(n,o),s=null},e)}},throttle:function(t,e,i){var n,s,o;return function(){s=arguments,o=!0,i=i||this,n||function(){o?(t.apply(i,s),o=!1,n=setTimeout(arguments.callee,e)):n=null}()}}})}(jQuery),jQuery.easing.jswing=jQuery.easing.swing,jQuery.extend(jQuery.easing,{def:"easeOutQuad",swing:function(t,e,i,n,s){return jQuery.easing[jQuery.easing.def](t,e,i,n,s)},easeInQuad:function(t,e,i,n,s){return n*(e/=s)*e+i},easeOutQuad:function(t,e,i,n,s){return-n*(e/=s)*(e-2)+i},easeInOutQuad:function(t,e,i,n,s){return(e/=s/2)<1?n/2*e*e+i:-n/2*(--e*(e-2)-1)+i},easeInCubic:function(t,e,i,n,s){return n*(e/=s)*e*e+i},easeOutCubic:function(t,e,i,n,s){return n*((e=e/s-1)*e*e+1)+i},easeInOutCubic:function(t,e,i,n,s){return(e/=s/2)<1?n/2*e*e*e+i:n/2*((e-=2)*e*e+2)+i},easeInQuart:function(t,e,i,n,s){return n*(e/=s)*e*e*e+i},easeOutQuart:function(t,e,i,n,s){return-n*((e=e/s-1)*e*e*e-1)+i},easeInOutQuart:function(t,e,i,n,s){return(e/=s/2)<1?n/2*e*e*e*e+i:-n/2*((e-=2)*e*e*e-2)+i},easeInQuint:function(t,e,i,n,s){return n*(e/=s)*e*e*e*e+i},easeOutQuint:function(t,e,i,n,s){return n*((e=e/s-1)*e*e*e*e+1)+i},easeInOutQuint:function(t,e,i,n,s){return(e/=s/2)<1?n/2*e*e*e*e*e+i:n/2*((e-=2)*e*e*e*e+2)+i},easeInSine:function(t,e,i,n,s){return-n*Math.cos(e/s*(Math.PI/2))+n+i},easeOutSine:function(t,e,i,n,s){return n*Math.sin(e/s*(Math.PI/2))+i},easeInOutSine:function(t,e,i,n,s){return-n/2*(Math.cos(Math.PI*e/s)-1)+i},easeInExpo:function(t,e,i,n,s){return 0==e?i:n*Math.pow(2,10*(e/s-1))+i},easeOutExpo:function(t,e,i,n,s){return e==s?i+n:n*(-Math.pow(2,-10*e/s)+1)+i},easeInOutExpo:function(t,e,i,n,s){return 0==e?i:e==s?i+n:(e/=s/2)<1?n/2*Math.pow(2,10*(e-1))+i:n/2*(-Math.pow(2,-10*--e)+2)+i},easeInCirc:function(t,e,i,n,s){return-n*(Math.sqrt(1-(e/=s)*e)-1)+i},easeOutCirc:function(t,e,i,n,s){return n*Math.sqrt(1-(e=e/s-1)*e)+i},easeInOutCirc:function(t,e,i,n,s){return(e/=s/2)<1?-n/2*(Math.sqrt(1-e*e)-1)+i:n/2*(Math.sqrt(1-(e-=2)*e)+1)+i},easeInElastic:function(t,e,i,n,s){var o=1.70158,a=0,r=n;if(0==e)return i;if(1==(e/=s))return i+n;if(a||(a=.3*s),r<Math.abs(n)){r=n;var o=a/4}else var o=a/(2*Math.PI)*Math.asin(n/r);return-(r*Math.pow(2,10*(e-=1))*Math.sin(2*(e*s-o)*Math.PI/a))+i},easeOutElastic:function(t,e,i,n,s){var o=1.70158,a=0,r=n;if(0==e)return i;if(1==(e/=s))return i+n;if(a||(a=.3*s),r<Math.abs(n)){r=n;var o=a/4}else var o=a/(2*Math.PI)*Math.asin(n/r);return r*Math.pow(2,-10*e)*Math.sin(2*(e*s-o)*Math.PI/a)+n+i},easeInOutElastic:function(t,e,i,n,s){var o=1.70158,a=0,r=n;if(0==e)return i;if(2==(e/=s/2))return i+n;if(a||(a=.3*s*1.5),r<Math.abs(n)){r=n;var o=a/4}else var o=a/(2*Math.PI)*Math.asin(n/r);return 1>e?-.5*r*Math.pow(2,10*(e-=1))*Math.sin(2*(e*s-o)*Math.PI/a)+i:r*Math.pow(2,-10*(e-=1))*Math.sin(2*(e*s-o)*Math.PI/a)*.5+n+i},easeInBack:function(t,e,i,n,s,o){return void 0==o&&(o=1.70158),n*(e/=s)*e*((o+1)*e-o)+i},easeOutBack:function(t,e,i,n,s,o){return void 0==o&&(o=1.70158),n*((e=e/s-1)*e*((o+1)*e+o)+1)+i},easeInOutBack:function(t,e,i,n,s,o){return void 0==o&&(o=1.70158),(e/=s/2)<1?n/2*e*e*(((o*=1.525)+1)*e-o)+i:n/2*((e-=2)*e*(((o*=1.525)+1)*e+o)+2)+i},easeInBounce:function(t,e,i,n,s){return n-jQuery.easing.easeOutBounce(t,s-e,0,n,s)+i},easeOutBounce:function(t,e,i,n,s){return(e/=s)<1/2.75?7.5625*n*e*e+i:2/2.75>e?n*(7.5625*(e-=1.5/2.75)*e+.75)+i:2.5/2.75>e?n*(7.5625*(e-=2.25/2.75)*e+.9375)+i:n*(7.5625*(e-=2.625/2.75)*e+.984375)+i},easeInOutBounce:function(t,e,i,n,s){return s/2>e?.5*jQuery.easing.easeInBounce(t,2*e,0,n,s)+i:.5*jQuery.easing.easeOutBounce(t,2*e-s,0,n,s)+.5*n+i}}),function(){var t,e,i,n,s,o,a,r,l,c,d,h,u,p,f,m,g,v,b,y=[].slice,S=[].indexOf||function(t){for(var e=0,i=this.length;i>e;e++)if(e in this&&this[e]===t)return e;return-1};t=jQuery,t.payment={},t.payment.fn={},t.fn.payment=function(){var e,i;return i=arguments[0],e=2<=arguments.length?y.call(arguments,1):[],t.payment.fn[i].apply(this,e)},s=/(\d{1,4})/g,n=[{type:"maestro",pattern:/^(5018|5020|5038|6304|6759|676[1-3])/,format:s,length:[12,13,14,15,16,17,18,19],cvcLength:[3],luhn:!0},{type:"dinersclub",pattern:/^(36|38|30[0-5])/,format:s,length:[14],cvcLength:[3],luhn:!0},{type:"laser",pattern:/^(6706|6771|6709)/,format:s,length:[16,17,18,19],cvcLength:[3],luhn:!0},{type:"jcb",pattern:/^35/,format:s,length:[16],cvcLength:[3],luhn:!0},{type:"unionpay",pattern:/^62/,format:s,length:[16,17,18,19],cvcLength:[3],luhn:!1},{type:"discover",pattern:/^(6011|65|64[4-9]|622)/,format:s,length:[16],cvcLength:[3],luhn:!0},{type:"mastercard",pattern:/^5[1-5]/,format:s,length:[16],cvcLength:[3],luhn:!0},{type:"amex",pattern:/^3[47]/,format:/(\d{1,4})(\d{1,6})?(\d{1,5})?/,length:[15],cvcLength:[3,4],luhn:!0},{type:"visa",pattern:/^4/,format:s,length:[13,14,15,16],cvcLength:[3],luhn:!0}],e=function(t){var e,i,s;for(t=(t+"").replace(/\D/g,""),i=0,s=n.length;s>i;i++)if(e=n[i],e.pattern.test(t))return e},i=function(t){var e,i,s;for(i=0,s=n.length;s>i;i++)if(e=n[i],e.type===t)return e},u=function(t){var e,i,n,s,o,a;for(n=!0,s=0,i=(t+"").split("").reverse(),o=0,a=i.length;a>o;o++)e=i[o],e=parseInt(e,10),(n=!n)&&(e*=2),e>9&&(e-=9),s+=e;return s%10===0},h=function(t){var e;return null!=t.prop("selectionStart")&&t.prop("selectionStart")!==t.prop("selectionEnd")?!0:("undefined"!=typeof document&&null!==document&&null!=(e=document.selection)&&"function"==typeof e.createRange?e.createRange().text:void 0)?!0:!1},p=function(e){return setTimeout(function(){var i,n;return i=t(e.currentTarget),n=i.val(),n=t.payment.formatCardNumber(n),i.val(n)})},r=function(i){var n,s,o,a,r,l,c;return o=String.fromCharCode(i.which),!/^\d+$/.test(o)||(n=t(i.currentTarget),c=n.val(),s=e(c+o),a=(c.replace(/\D/g,"")+o).length,l=16,s&&(l=s.length[s.length.length-1]),a>=l||null!=n.prop("selectionStart")&&n.prop("selectionStart")!==c.length)?void 0:(r=s&&"amex"===s.type?/^(\d{4}|\d{4}\s\d{6})$/:/(?:^|\s)(\d{4})$/,r.test(c)?(i.preventDefault(),n.val(c+" "+o)):r.test(c+o)?(i.preventDefault(),n.val(c+o+" ")):void 0)},o=function(e){var i,n;return i=t(e.currentTarget),n=i.val(),e.meta||null!=i.prop("selectionStart")&&i.prop("selectionStart")!==n.length?void 0:8===e.which&&/\s\d?$/.test(n)?(e.preventDefault(),i.val(n.replace(/\s\d?$/,""))):void 0},l=function(e){var i,n,s;return n=String.fromCharCode(e.which),/^\d+$/.test(n)?(i=t(e.currentTarget),s=i.val()+n,/^\d$/.test(s)&&"0"!==s&&"1"!==s?(e.preventDefault(),i.val("0"+s+" / ")):/^\d\d$/.test(s)?(e.preventDefault(),i.val(""+s+" / ")):void 0):void 0},c=function(e){var i,n,s;return n=String.fromCharCode(e.which),/^\d+$/.test(n)?(i=t(e.currentTarget),s=i.val(),/^\d\d$/.test(s)?i.val(""+s+" / "):void 0):void 0},d=function(e){var i,n,s;return n=String.fromCharCode(e.which),"/"===n?(i=t(e.currentTarget),s=i.val(),/^\d$/.test(s)&&"0"!==s?i.val("0"+s+" / "):void 0):void 0},a=function(e){var i,n;if(!e.meta&&(i=t(e.currentTarget),n=i.val(),8===e.which&&(null==i.prop("selectionStart")||i.prop("selectionStart")===n.length)))return/\s\/\s?\d?$/.test(n)?(e.preventDefault(),i.val(n.replace(/\s\/\s?\d?$/,""))):void 0},v=function(t){var e;return t.metaKey||t.ctrlKey?!0:32===t.which?!1:0===t.which?!0:t.which<33?!0:(e=String.fromCharCode(t.which),!!/[\d\s]/.test(e))},m=function(i){var n,s,o,a;return n=t(i.currentTarget),o=String.fromCharCode(i.which),/^\d+$/.test(o)&&!h(n)?(a=(n.val()+o).replace(/\D/g,""),s=e(a),s?a.length<=s.length[s.length.length-1]:a.length<=16):void 0},g=function(e){var i,n,s;return i=t(e.currentTarget),n=String.fromCharCode(e.which),/^\d+$/.test(n)&&!h(i)?(s=i.val()+n,s=s.replace(/\D/g,""),s.length>6?!1:void 0):void 0},f=function(e){var i,n,s;return i=t(e.currentTarget),n=String.fromCharCode(e.which),/^\d+$/.test(n)?(s=i.val()+n,s.length<=4):void 0},b=function(e){var i,s,o,a,r;return i=t(e.currentTarget),r=i.val(),a=t.payment.cardType(r)||"unknown",i.hasClass(a)?void 0:(s=function(){var t,e,i;for(i=[],t=0,e=n.length;e>t;t++)o=n[t],i.push(o.type);return i}(),i.removeClass("unknown"),i.removeClass(s.join(" ")),i.addClass(a),i.toggleClass("identified","unknown"!==a),i.trigger("payment.cardType",a))},t.payment.fn.formatCardCVC=function(){return this.payment("restrictNumeric"),this.on("keypress",f),this},t.payment.fn.formatCardExpiry=function(){return this.payment("restrictNumeric"),this.on("keypress",g),this.on("keypress",l),this.on("keypress",d),this.on("keypress",c),this.on("keydown",a),this},t.payment.fn.formatCardNumber=function(){return this.payment("restrictNumeric"),this.on("keypress",m),this.on("keypress",r),this.on("keydown",o),this.on("keyup",b),this.on("paste",p),this},t.payment.fn.restrictNumeric=function(){return this.on("keypress",v),this},t.payment.fn.cardExpiryVal=function(){return t.payment.cardExpiryVal(t(this).val())},t.payment.cardExpiryVal=function(t){var e,i,n,s;return t=t.replace(/\s/g,""),s=t.split("/",2),e=s[0],n=s[1],2===(null!=n?n.length:void 0)&&/^\d+$/.test(n)&&(i=(new Date).getFullYear(),i=i.toString().slice(0,2),n=i+n),e=parseInt(e,10),n=parseInt(n,10),{month:e,year:n}},t.payment.validateCardNumber=function(t){var i,n;return t=(t+"").replace(/\s+|-/g,""),/^\d+$/.test(t)?(i=e(t),i?(n=t.length,S.call(i.length,n)>=0&&(i.luhn===!1||u(t))):!1):!1},t.payment.validateCardExpiry=function(e,i){var n,s,o,a;return"object"==typeof e&&"month"in e&&(a=e,e=a.month,i=a.year),e&&i?(e=t.trim(e),i=t.trim(i),/^\d+$/.test(e)&&/^\d+$/.test(i)&&parseInt(e,10)<=12?(2===i.length&&(o=(new Date).getFullYear(),o=o.toString().slice(0,2),i=o+i),s=new Date(i,e),n=new Date,s.setMonth(s.getMonth()-1),s.setMonth(s.getMonth()+1,1),s>n):!1):!1},t.payment.validateCardCVC=function(e,n){var s,o;return e=t.trim(e),/^\d+$/.test(e)?n?(s=e.length,S.call(null!=(o=i(n))?o.cvcLength:void 0,s)>=0):e.length>=3&&e.length<=4:!1},t.payment.cardType=function(t){var i;return t?(null!=(i=e(t))?i.type:void 0)||null:null},t.payment.formatCardNumber=function(t){var i,n,s,o;return(i=e(t))?(s=i.length[i.length.length-1],t=t.replace(/\D/g,""),t=t.slice(0,+s+1||9e9),i.format.global?null!=(o=t.match(i.format))?o.join(" "):void 0:(n=i.format.exec(t),null!=n&&n.shift(),null!=n?n.join(" "):void 0)):t}}.call(this),function(t){t.fn.changeElementType=function(e){this.each(function(i,n){var s={};t.each(n.attributes,function(t,e){s[e.nodeName]=e.nodeValue});var o=t("<"+e+"/>",s).append(t(n).contents());return t(n).replaceWith(o),o})}}(jQuery),function(t,e,i){"function"==typeof define&&define.amd?define(["jquery"],function(n){return i(n,t,e),n.mobile}):i(t.jQuery,t,e)}(this,document,function(t,e,i){!function(t,e,i,n){function s(t){for(;t&&"undefined"!=typeof t.originalEvent;)t=t.originalEvent;return t}function o(e,i){var o,a,r,l,c,d,h,u,p,f=e.type;if(e=t.Event(e),e.type=i,o=e.originalEvent,a=t.event.props,f.search(/^(mouse|click)/)>-1&&(a=D),o)for(h=a.length,l;h;)l=a[--h],e[l]=o[l];if(f.search(/mouse(down|up)|click/)>-1&&!e.which&&(e.which=1),-1!==f.search(/^touch/)&&(r=s(o),f=r.touches,c=r.changedTouches,d=f&&f.length?f[0]:c&&c.length?c[0]:n))for(u=0,p=A.length;p>u;u++)l=A[u],e[l]=d[l];return e}function a(e){for(var i,n,s={};e;){i=t.data(e,w);for(n in i)i[n]&&(s[n]=s.hasVirtualBinding=!0);e=e.parentNode}return s}function r(e,i){for(var n;e;){if(n=t.data(e,w),n&&(!i||n[i]))return e;e=e.parentNode}return null}function l(){$=!1}function c(){$=!0}function d(){H=0,P.length=0,U=!1,c()}function h(){l()}function u(){p(),M=setTimeout(function(){M=0,d()},t.vmouse.resetTimerDuration)}function p(){M&&(clearTimeout(M),M=0)}function f(e,i,n){var s;return(n&&n[e]||!n&&r(i.target,e))&&(s=o(i,e),t(i.target).trigger(s)),s}function m(e){var i,n=t.data(e.target,k);U||H&&H===n||(i=f("v"+e.type,e),i&&(i.isDefaultPrevented()&&e.preventDefault(),i.isPropagationStopped()&&e.stopPropagation(),i.isImmediatePropagationStopped()&&e.stopImmediatePropagation()))}function g(e){var i,n,o,r=s(e).touches;r&&1===r.length&&(i=e.target,n=a(i),n.hasVirtualBinding&&(H=B++,t.data(i,k,H),p(),h(),N=!1,o=s(e).touches[0],R=o.pageX,O=o.pageY,f("vmouseover",e,n),f("vmousedown",e,n)))}function v(t){$||(N||f("vmousecancel",t,a(t.target)),N=!0,u())}function b(e){if(!$){var i=s(e).touches[0],n=N,o=t.vmouse.moveDistanceThreshold,r=a(e.target);N=N||Math.abs(i.pageX-R)>o||Math.abs(i.pageY-O)>o,N&&!n&&f("vmousecancel",e,r),f("vmousemove",e,r),u()}}function y(t){if(!$){c();var e,i,n=a(t.target);f("vmouseup",t,n),N||(e=f("vclick",t,n),e&&e.isDefaultPrevented()&&(i=s(t).changedTouches[0],P.push({touchID:H,x:i.clientX,y:i.clientY}),U=!0)),f("vmouseout",t,n),N=!1,u()}}function S(e){var i,n=t.data(e,w);if(n)for(i in n)if(n[i])return!0;return!1}function E(){}function T(e){var i=e.substr(1);return{setup:function(){S(this)||t.data(this,w,{});var n=t.data(this,w);n[e]=!0,I[e]=(I[e]||0)+1,1===I[e]&&j.bind(i,m),t(this).bind(i,E),F&&(I.touchstart=(I.touchstart||0)+1,1===I.touchstart&&j.bind("touchstart",g).bind("touchend",y).bind("touchmove",b).bind("scroll",v))},teardown:function(){--I[e],I[e]||j.unbind(i,m),F&&(--I.touchstart,I.touchstart||j.unbind("touchstart",g).unbind("touchmove",b).unbind("touchend",y).unbind("scroll",v));var n=t(this),s=t.data(this,w);s&&(s[e]=!1),n.unbind(i,E),S(this)||n.removeData(w)}}}var L,_,w="virtualMouseBindings",k="virtualTouchID",C="vmouseover vmousedown vmousemove vmouseup vclick vmouseout vmousecancel".split(" "),A="clientX clientY pageX pageY screenX screenY".split(" "),x=t.event.mouseHooks?t.event.mouseHooks.props:[],D=t.event.props.concat(x),I={},M=0,R=0,O=0,N=!1,P=[],U=!1,$=!1,F="addEventListener"in i,j=t(i),B=1,H=0;for(t.vmouse={moveDistanceThreshold:10,clickDistanceThreshold:10,resetTimerDuration:1500},_=0;_<C.length;_++)t.event.special[C[_]]=T(C[_]);F&&i.addEventListener("click",function(e){var i,n,s,o,a,r,l=P.length,c=e.target;if(l)for(i=e.clientX,n=e.clientY,L=t.vmouse.clickDistanceThreshold,s=c;s;){for(o=0;l>o;o++)if(a=P[o],r=0,s===c&&Math.abs(a.x-i)<L&&Math.abs(a.y-n)<L||t.data(s,k)===a.touchID)return e.preventDefault(),void e.stopPropagation();s=s.parentNode}},!0)}(t,e,i)}),jQuery.extend({highlight:function(t,e,i,n){if(3===t.nodeType){var s=t.data.match(e);if(s){var o=document.createElement(i||"span");o.className=n||"highlight";var a=t.splitText(s.index);a.splitText(s[0].length);var r=a.cloneNode(!0);return o.appendChild(r),a.parentNode.replaceChild(o,a),1}}else if(1===t.nodeType&&t.childNodes&&!/(script|style)/i.test(t.tagName)&&(t.tagName!==i.toUpperCase()||t.className!==n))for(var l=0;l<t.childNodes.length;l++)l+=jQuery.highlight(t.childNodes[l],e,i,n);return 0}}),jQuery.fn.unhighlight=function(t){var e={className:"highlight",element:"span"};return jQuery.extend(e,t),this.find(e.element+"."+e.className).each(function(){var t=this.parentNode;t.replaceChild(this.firstChild,this),t.normalize()}).end()},jQuery.fn.highlight=function(t,e){var i={className:"highlight",element:"span",caseSensitive:!1,wordsOnly:!1};if(jQuery.extend(i,e),t.constructor===String&&(t=[t]),t=jQuery.grep(t,function(t){return""!=t}),t=jQuery.map(t,function(t){return t.replace(/[-[\]{}()*+?.,\\^$|#\s]/g,"\\$&")}),0==t.length)return this;var n=i.caseSensitive?"":"i",s="("+t.join("|")+")";i.wordsOnly&&(s="\\b"+s+"\\b");var o=new RegExp(s,n);return this.each(function(){jQuery.highlight(this,o,i.element,i.className)})},function(){var t=!1,e=/xyz/.test(function(){})?/\b_super\b/:/.*/;this.Class=function(){},Class.extend=function(i){function n(){!t&&this.init&&this.init.apply(this,arguments)}var s=this.prototype;t=!0;var o=new this;t=!1;for(var a in i)o[a]="function"==typeof i[a]&&"function"==typeof s[a]&&e.test(i[a])?function(t,e){return function(){var i=this._super;this._super=s[t];var n=e.apply(this,arguments);return this._super=i,n}}(a,i[a]):i[a];return n.prototype=o,n.constructor=n,n.extend=arguments.callee,n}}(),function(t){"function"==typeof define?define(function(){t()}):t()}(function(t){if(!Function.prototype.bind){var e=Array.prototype.slice;Function.prototype.bind=function(){function t(){if(this instanceof t){var s=Object.create(i.prototype);return i.apply(s,n.concat(e.call(arguments))),s}return i.call.apply(i,n.concat(e.call(arguments)))}var i=this;if("function"!=typeof i.apply||"function"!=typeof i.call)return new TypeError;var n=e.call(arguments);return t.length="function"==typeof i?Math.max(i.length-n.length,0):0,t}}var i,n,s,o,a,r=Function.prototype.call,l=Object.prototype,c=r.bind(l.hasOwnProperty);(a=c(l,"__defineGetter__"))&&(i=r.bind(l.__defineGetter__),n=r.bind(l.__defineSetter__),s=r.bind(l.__lookupGetter__),o=r.bind(l.__lookupSetter__)),Array.isArray||(Array.isArray=function(t){return"[object Array]"===Object.prototype.toString.call(t)}),Array.prototype.forEach||(Array.prototype.forEach=function(t,e){for(var i=+this.length,n=0;i>n;n++)n in this&&t.call(e,this[n],n,this)}),Array.prototype.map||(Array.prototype.map=function(t,e){var i=+this.length;if("function"!=typeof t)throw new TypeError;for(var n=Array(i),s=0;i>s;s++)s in this&&(n[s]=t.call(e,this[s],s,this));return n}),Array.prototype.filter||(Array.prototype.filter=function(t,e){for(var i=[],n=0;n<this.length;n++)t.call(e,this[n])&&i.push(this[n]);return i}),Array.prototype.every||(Array.prototype.every=function(t,e){for(var i=0;i<this.length;i++)if(!t.call(e,this[i]))return!1;return!0}),Array.prototype.some||(Array.prototype.some=function(t,e){for(var i=0;i<this.length;i++)if(t.call(e,this[i]))return!0;return!1}),Array.prototype.reduce||(Array.prototype.reduce=function(t){var e=+this.length;if("function"!=typeof t)throw new TypeError;if(0===e&&1===arguments.length)throw new TypeError;var i=0;if(arguments.length>=2)var n=arguments[1];else for(;;){if(i in this){n=this[i++];break}if(++i>=e)throw new TypeError}for(;e>i;i++)i in this&&(n=t.call(null,n,this[i],i,this));return n}),Array.prototype.reduceRight||(Array.prototype.reduceRight=function(t){var e=+this.length;if("function"!=typeof t)throw new TypeError;if(0===e&&1===arguments.length)throw new TypeError;var i;if(e-=1,arguments.length>=2)i=arguments[1];else for(;;){if(e in this){i=this[e--];break}if(--e<0)throw new TypeError}for(;e>=0;e--)e in this&&(i=t.call(null,i,this[e],e,this));return i}),Array.prototype.indexOf||(Array.prototype.indexOf=function(t,e){var i=this.length;if(!i)return-1;var n=e||0;if(n>=i)return-1;for(0>n&&(n+=i);i>n;n++)if(n in this&&t===this[n])return n;return-1}),Array.prototype.lastIndexOf||(Array.prototype.lastIndexOf=function(t,e){var i=this.length;if(!i)return-1;var n=e||i;for(0>n&&(n+=i),n=Math.min(n,i-1);n>=0;n--)if(n in this&&t===this[n])return n;return-1}),Object.getPrototypeOf||(Object.getPrototypeOf=function(t){return t.__proto__||t.constructor.prototype}),Object.getOwnPropertyDescriptor||(Object.getOwnPropertyDescriptor=function(e,i){if("object"!=typeof e&&"function"!=typeof e||null===e)throw new TypeError("Object.getOwnPropertyDescriptor called on a non-object: "+e);if(!c(e,i))return t;var n,r,d;if(n={enumerable:!0,configurable:!0},a){var h=e.__proto__;if(e.__proto__=l,r=s(e,i),d=o(e,i),e.__proto__=h,r||d)return r&&(n.get=r),d&&(n.set=d),n}return n.value=e[i],n}),Object.getOwnPropertyNames||(Object.getOwnPropertyNames=function(t){return Object.keys(t)}),Object.create||(Object.create=function(t,e){var i;if(null===t)i={__proto__:null};else{if("object"!=typeof t)throw new TypeError("typeof prototype["+typeof t+"] != 'object'");i=function(){},i.prototype=t,i=new i,i.__proto__=t}return"undefined"!=typeof e&&Object.defineProperties(i,e),i}),Object.defineProperty||(Object.defineProperty=function(t,e,r){if("object"!=typeof t&&"function"!=typeof t)throw new TypeError("Object.defineProperty called on non-object: "+t);if("object"!=typeof r||null===r)throw new TypeError("Property description must be an object: "+r);if(c(r,"value"))a&&(s(t,e)||o(t,e))&&(t.__proto__=l,delete t[e]),t[e]=r.value;else{if(!a)throw new TypeError("getters & setters can not be defined on this javascript engine");c(r,"get")&&i(t,e,r.get),c(r,"set")&&n(t,e,r.set)}return t}),Object.defineProperties||(Object.defineProperties=function(t,e){for(var i in e)c(e,i)&&Object.defineProperty(t,i,e[i]);return t}),Object.seal||(Object.seal=function(t){return t}),Object.freeze||(Object.freeze=function(t){return t});try{Object.freeze(function(){})}catch(d){Object.freeze=function(t){return function(e){return"function"==typeof e?e:t(e)}}(Object.freeze)}if(Object.preventExtensions||(Object.preventExtensions=function(t){return t}),Object.isSealed||(Object.isSealed=function(){return!1}),Object.isFrozen||(Object.isFrozen=function(){return!1}),Object.isExtensible||(Object.isExtensible=function(){return!0}),!Object.keys){var h,u=!0,p=["toString","toLocaleString","valueOf","hasOwnProperty","isPrototypeOf","propertyIsEnumerable","constructor"],f=p.length;for(h in{toString:null})u=!1;Object.keys=function v(t){if("object"!=typeof t&&"function"!=typeof t||null===t)throw new TypeError("Object.keys called on a non-object");var e,v=[];for(e in t)c(t,e)&&v.push(e);if(u)for(e=0;f>e;e++){var i=p[e];c(t,i)&&v.push(i)}return v}}if(Date.prototype.toISOString||(Date.prototype.toISOString=function(){return this.getUTCFullYear()+"-"+(this.getUTCMonth()+1)+"-"+this.getUTCDate()+"T"+this.getUTCHours()+":"+this.getUTCMinutes()+":"+this.getUTCSeconds()+"Z"}),Date.now||(Date.now=function(){return(new Date).getTime()}),Date.prototype.toJSON||(Date.prototype.toJSON=function(){if("function"!=typeof this.toISOString)throw new TypeError;return this.toISOString()}),isNaN(Date.parse("T00:00"))&&(Date=function(e){var i,n=function(t,i,s,o,a,r,l){var c=arguments.length;return this instanceof e?(c=1===c&&String(t)===t?new e(n.parse(t)):c>=7?new e(t,i,s,o,a,r,l):c>=6?new e(t,i,s,o,a,r):c>=5?new e(t,i,s,o,a):c>=4?new e(t,i,s,o):c>=3?new e(t,i,s):c>=2?new e(t,i):c>=1?new e(t):new e,c.constructor=n,c):e.apply(this,arguments)},s=RegExp("^(?:((?:[+-]\\d\\d)?\\d\\d\\d\\d)(?:-(\\d\\d)(?:-(\\d\\d))?)?)?(?:T(\\d\\d):(\\d\\d)(?::(\\d\\d)(?:\\.(\\d\\d\\d))?)?)?(?:Z|([+-])(\\d\\d):(\\d\\d))?$");for(i in e)n[i]=e[i];return n.now=e.now,n.UTC=e.UTC,n.prototype=e.prototype,n.prototype.constructor=n,n.parse=function(i){var n=s.exec(i);if(n){n.shift();for(var o=n[0]===t,a=0;10>a;a++)7!==a&&(n[a]=+(n[a]||(3>a?1:0)),1===a&&n[a]--);
+return o?1e3*(60*(60*n[3]+n[4])+n[5])+n[6]:(o=6e4*(60*n[8]+n[9]),"-"===n[6]&&(o=-o),e.UTC.apply(this,n.slice(0,7))+o)}return e.parse.apply(this,arguments)},n}(Date)),!String.prototype.trim){var m=/^\s\s*/,g=/\s\s*$/;String.prototype.trim=function(){return String(this).replace(m,"").replace(g,"")}}}),"undefined"==typeof document||"classList"in document.createElement("a")||!function(t){var e="classList",i="prototype",n=(t.HTMLElement||t.Element)[i],s=Object,o=String[i].trim||function(){return this.replace(/^\s+|\s+$/g,"")},a=Array[i].indexOf||function(t){for(var e=0,i=this.length;i>e;e++)if(e in this&&this[e]===t)return e;return-1},r=function(t,e){this.name=t,this.code=DOMException[t],this.message=e},l=function(t,e){if(""===e)throw new r("SYNTAX_ERR","An invalid or illegal string was specified");if(/\s/.test(e))throw new r("INVALID_CHARACTER_ERR","String contains an invalid character");return a.call(t,e)},c=function(t){for(var e=o.call(t.className),i=e?e.split(/\s+/):[],n=0,s=i.length;s>n;n++)this.push(i[n]);this._updateClassName=function(){t.className=this.toString()}},d=c[i]=[],h=function(){return new c(this)};if(r[i]=Error[i],d.item=function(t){return this[t]||null},d.contains=function(t){return t+="",-1!==l(this,t)},d.add=function(t){t+="",-1===l(this,t)&&(this.push(t),this._updateClassName())},d.remove=function(t){t+="";var e=l(this,t);-1!==e&&(this.splice(e,1),this._updateClassName())},d.toggle=function(t){t+="",-1===l(this,t)?this.add(t):this.remove(t)},d.toString=function(){return this.join(" ")},s.defineProperty){var u={get:h,enumerable:!0,configurable:!0};try{s.defineProperty(n,e,u)}catch(p){-2146823252===p.number&&(u.enumerable=!1,s.defineProperty(n,e,u))}}else s[i].__defineGetter__&&n.__defineGetter__(e,h)}(self),function(t){function e(){p||(p=!0,l(m,function(t){h(t)}))}function i(e,i){var n=t.createElement("script");n.type="text/"+(e.type||"javascript"),n.src=e.src||e,n.async=!1,n.onreadystatechange=n.onload=function(){var t=n.readyState;!i.done&&(!t||/loaded|complete/.test(t))&&(i.done=!0,i())},(t.body||f).appendChild(n)}function n(t,e){return t.state==w?e&&e():t.state==_?E.ready(t.name,e):t.state==L?t.onpreload.push(function(){n(t,e)}):(t.state=_,void i(t.url,function(){t.state=w,e&&e(),l(v[t.name],function(t){h(t)}),a()&&p&&l(v.ALL,function(t){h(t)})}))}function s(t){void 0===t.state&&(t.state=L,t.onpreload=[],i({src:t.url,type:"cache"},function(){o(t)}))}function o(t){t.state=T,l(t.onpreload,function(t){t.call()})}function a(t){t=t||b;var e;for(var i in t){if(t.hasOwnProperty(i)&&t[i].state!=w)return!1;e=!0}return e}function r(t){return"[object Function]"==Object.prototype.toString.call(t)}function l(t,e){if(t){"object"==typeof t&&(t=[].slice.call(t));for(var i=0;i<t.length;i++)e.call(t,t[i],i)}}function c(t){var e;if("object"==typeof t)for(var i in t)t[i]&&(e={name:i,url:t[i]});else e={name:d(t),url:t};var n=b[e.name];return n&&n.url===e.url?n:(b[e.name]=e,e)}function d(t){var e=t.split("/"),i=e[e.length-1],n=i.indexOf("?");return-1!=n?i.substring(0,n):i}function h(t){t._done||(t(),t._done=1)}var u,p,f=t.documentElement,m=[],g=[],v={},b={},y=t.createElement("script").async===!0||"MozAppearance"in t.documentElement.style||window.opera,S=window.head_conf&&head_conf.head||"head",E=window[S]=window[S]||function(){E.ready.apply(null,arguments)},T=1,L=2,_=3,w=4;if(E.js=y?function(){var t=arguments,e=t[t.length-1],i={};return r(e)||(e=null),l(t,function(s,o){s!=e&&(s=c(s),i[s.name]=s,n(s,e&&o==t.length-2?function(){a(i)&&h(e)}:null))}),E}:function(){var t=arguments,e=[].slice.call(t,1),i=e[0];return u?(i?(l(e,function(t){r(t)||s(c(t))}),n(c(t[0]),r(i)?i:function(){E.js.apply(null,e)})):n(c(t[0])),E):(g.push(function(){E.js.apply(null,t)}),E)},E.ready=function(e,i){if(e==t)return p?h(i):m.push(i),E;if(r(e)&&(i=e,e="ALL"),"string"!=typeof e||!r(i))return E;var n=b[e];if(n&&n.state==w||"ALL"==e&&a()&&p)return h(i),E;var s=v[e];return s?s.push(i):s=v[e]=[i],E},E.ready(t,function(){a()&&l(v.ALL,function(t){h(t)}),E.feature&&E.feature("domloaded",!0)}),window.addEventListener)t.addEventListener("DOMContentLoaded",e,!1),window.addEventListener("load",e,!1);else if(window.attachEvent){t.attachEvent("onreadystatechange",function(){"complete"===t.readyState&&e()});var k=1;try{k=window.frameElement}catch(C){}!k&&f.doScroll&&function(){try{f.doScroll("left"),e()}catch(t){return void setTimeout(arguments.callee,1)}}(),window.attachEvent("onload",e)}!t.readyState&&t.addEventListener&&(t.readyState="loading",t.addEventListener("DOMContentLoaded",handler=function(){t.removeEventListener("DOMContentLoaded",handler,!1),t.readyState="complete"},!1)),setTimeout(function(){u=!0,l(g,function(t){t()})},300)}(document),function(t){function e(t,e,i,n,s){this._listener=e,this._isOnce=i,this.context=n,this._signal=t,this._priority=s||0}function i(t,e){if("function"!=typeof t)throw new Error("listener is a required param of {fn}() and should be a Function.".replace("{fn}",e))}function n(){this._bindings=[],this._prevParams=null;var t=this;this.dispatch=function(){n.prototype.dispatch.apply(t,arguments)}}e.prototype={active:!0,params:null,execute:function(t){var e,i;return this.active&&this._listener&&(i=this.params?this.params.concat(t):t,e=this._listener.apply(this.context,i),this._isOnce&&this.detach()),e},detach:function(){return this.isBound()?this._signal.remove(this._listener,this.context):null},isBound:function(){return!!this._signal&&!!this._listener},isOnce:function(){return this._isOnce},getListener:function(){return this._listener},getSignal:function(){return this._signal},_destroy:function(){delete this._signal,delete this._listener,delete this.context},toString:function(){return"[SignalBinding isOnce:"+this._isOnce+", isBound:"+this.isBound()+", active:"+this.active+"]"}},n.prototype={VERSION:"1.0.0",memorize:!1,_shouldPropagate:!0,active:!0,_registerListener:function(t,i,n,s){var o,a=this._indexOfListener(t,n);if(-1!==a){if(o=this._bindings[a],o.isOnce()!==i)throw new Error("You cannot add"+(i?"":"Once")+"() then add"+(i?"Once":"")+"() the same listener without removing the relationship first.")}else o=new e(this,t,i,n,s),this._addBinding(o);return this.memorize&&this._prevParams&&o.execute(this._prevParams),o},_addBinding:function(t){var e=this._bindings.length;do--e;while(this._bindings[e]&&t._priority<=this._bindings[e]._priority);this._bindings.splice(e+1,0,t)},_indexOfListener:function(t,e){for(var i,n=this._bindings.length;n--;)if(i=this._bindings[n],i._listener===t&&i.context===e)return n;return-1},has:function(t,e){return-1!==this._indexOfListener(t,e)},add:function(t,e,n){return i(t,"add"),this._registerListener(t,!1,e,n)},addOnce:function(t,e,n){return i(t,"addOnce"),this._registerListener(t,!0,e,n)},remove:function(t,e){i(t,"remove");var n=this._indexOfListener(t,e);return-1!==n&&(this._bindings[n]._destroy(),this._bindings.splice(n,1)),t},removeAll:function(){for(var t=this._bindings.length;t--;)this._bindings[t]._destroy();this._bindings.length=0},getNumListeners:function(){return this._bindings.length},halt:function(){this._shouldPropagate=!1},dispatch:function(){if(this.active){var t,e=Array.prototype.slice.call(arguments),i=this._bindings.length;if(this.memorize&&(this._prevParams=e),i){t=this._bindings.slice(),this._shouldPropagate=!0;do i--;while(t[i]&&this._shouldPropagate&&t[i].execute(e)!==!1)}}},forget:function(){this._prevParams=null},dispose:function(){this.removeAll(),delete this._bindings,delete this._prevParams},toString:function(){return"[Signal active:"+this.active+" numListeners:"+this.getNumListeners()+"]"}};var s=n;s.Signal=n,"function"==typeof define&&define.amd?define(function(){return s}):"undefined"!=typeof module&&module.exports?module.exports=s:t.signals=s}(this);var JSON;JSON||(JSON={}),function(){"use strict";function f(t){return 10>t?"0"+t:t}function quote(t){return escapable.lastIndex=0,escapable.test(t)?'"'+t.replace(escapable,function(t){var e=meta[t];return"string"==typeof e?e:"\\u"+("0000"+t.charCodeAt(0).toString(16)).slice(-4)})+'"':'"'+t+'"'}function str(t,e){var i,n,s,o,a,r=gap,l=e[t];switch(l&&"object"==typeof l&&"function"==typeof l.toJSON&&(l=l.toJSON(t)),"function"==typeof rep&&(l=rep.call(e,t,l)),typeof l){case"string":return quote(l);case"number":return isFinite(l)?String(l):"null";case"boolean":case"null":return String(l);case"object":if(!l)return"null";if(gap+=indent,a=[],"[object Array]"===Object.prototype.toString.apply(l)){for(o=l.length,i=0;o>i;i+=1)a[i]=str(i,l)||"null";return s=0===a.length?"[]":gap?"[\n"+gap+a.join(",\n"+gap)+"\n"+r+"]":"["+a.join(",")+"]",gap=r,s}if(rep&&"object"==typeof rep)for(o=rep.length,i=0;o>i;i+=1)"string"==typeof rep[i]&&(n=rep[i],s=str(n,l),s&&a.push(quote(n)+(gap?": ":":")+s));else for(n in l)Object.prototype.hasOwnProperty.call(l,n)&&(s=str(n,l),s&&a.push(quote(n)+(gap?": ":":")+s));return s=0===a.length?"{}":gap?"{\n"+gap+a.join(",\n"+gap)+"\n"+r+"}":"{"+a.join(",")+"}",gap=r,s}}"function"!=typeof Date.prototype.toJSON&&(Date.prototype.toJSON=function(){return isFinite(this.valueOf())?this.getUTCFullYear()+"-"+f(this.getUTCMonth()+1)+"-"+f(this.getUTCDate())+"T"+f(this.getUTCHours())+":"+f(this.getUTCMinutes())+":"+f(this.getUTCSeconds())+"Z":null},String.prototype.toJSON=Number.prototype.toJSON=Boolean.prototype.toJSON=function(){return this.valueOf()});var cx=/[\u0000\u00ad\u0600-\u0604\u070f\u17b4\u17b5\u200c-\u200f\u2028-\u202f\u2060-\u206f\ufeff\ufff0-\uffff]/g,escapable=/[\\\"\x00-\x1f\x7f-\x9f\u00ad\u0600-\u0604\u070f\u17b4\u17b5\u200c-\u200f\u2028-\u202f\u2060-\u206f\ufeff\ufff0-\uffff]/g,gap,indent,meta={"\b":"\\b"," ":"\\t","\n":"\\n","\f":"\\f","\r":"\\r",'"':'\\"',"\\":"\\\\"},rep;"function"!=typeof JSON.stringify&&(JSON.stringify=function(t,e,i){var n;if(gap="",indent="","number"==typeof i)for(n=0;i>n;n+=1)indent+=" ";else"string"==typeof i&&(indent=i);if(rep=e,e&&"function"!=typeof e&&("object"!=typeof e||"number"!=typeof e.length))throw new Error("JSON.stringify");return str("",{"":t})}),"function"!=typeof JSON.parse&&(JSON.parse=function(text,reviver){function walk(t,e){var i,n,s=t[e];if(s&&"object"==typeof s)for(i in s)Object.prototype.hasOwnProperty.call(s,i)&&(n=walk(s,i),void 0!==n?s[i]=n:delete s[i]);return reviver.call(t,e,s)}var j;if(text=String(text),cx.lastIndex=0,cx.test(text)&&(text=text.replace(cx,function(t){return"\\u"+("0000"+t.charCodeAt(0).toString(16)).slice(-4)})),/^[\],:{}\s]*$/.test(text.replace(/\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g,"@").replace(/"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,"]").replace(/(?:^|:|,)(?:\s*\[)+/g,"")))return j=eval("("+text+")"),"function"==typeof reviver?walk({"":j},""):j;throw new SyntaxError("JSON.parse")})}(),function(t){function e(t,e){return function(i){return l(t.call(this,i),e)}}function i(t,e){return function(i){return this.lang().ordinal(t.call(this,i),e)}}function n(){}function s(t){a(this,t)}function o(t){var e=t.years||t.year||t.y||0,i=t.months||t.month||t.M||0,n=t.weeks||t.week||t.w||0,s=t.days||t.day||t.d||0,o=t.hours||t.hour||t.h||0,a=t.minutes||t.minute||t.m||0,r=t.seconds||t.second||t.s||0,l=t.milliseconds||t.millisecond||t.ms||0;this._input=t,this._milliseconds=+l+1e3*r+6e4*a+36e5*o,this._days=+s+7*n,this._months=+i+12*e,this._data={},this._bubble()}function a(t,e){for(var i in e)e.hasOwnProperty(i)&&(t[i]=e[i]);return t}function r(t){return 0>t?Math.ceil(t):Math.floor(t)}function l(t,e){for(var i=t+"";i.length<e;)i="0"+i;return i}function c(t,e,i,n){var s,o,a=e._milliseconds,r=e._days,l=e._months;a&&t._d.setTime(+t._d+a*i),(r||l)&&(s=t.minute(),o=t.hour()),r&&t.date(t.date()+r*i),l&&t.month(t.month()+l*i),a&&!n&&U.updateOffset(t),(r||l)&&(t.minute(s),t.hour(o))}function d(t){return"[object Array]"===Object.prototype.toString.call(t)}function h(t,e){var i,n=Math.min(t.length,e.length),s=Math.abs(t.length-e.length),o=0;for(i=0;n>i;i++)~~t[i]!==~~e[i]&&o++;return o+s}function u(t){return t?le[t]||t.toLowerCase().replace(/(.)s$/,"$1"):t}function p(t,e){return e.abbr=t,B[t]||(B[t]=new n),B[t].set(e),B[t]}function f(t){delete B[t]}function m(t){if(!t)return U.fn._lang;if(!B[t]&&H)try{require("./lang/"+t)}catch(e){return U.fn._lang}return B[t]||U.fn._lang}function g(t){return t.match(/\[.*\]/)?t.replace(/^\[|\]$/g,""):t.replace(/\\/g,"")}function v(t){var e,i,n=t.match(G);for(e=0,i=n.length;i>e;e++)n[e]=ue[n[e]]?ue[n[e]]:g(n[e]);return function(s){var o="";for(e=0;i>e;e++)o+=n[e]instanceof Function?n[e].call(s,t):n[e];return o}}function b(t,e){return e=y(e,t.lang()),ce[e]||(ce[e]=v(e)),ce[e](t)}function y(t,e){function i(t){return e.longDateFormat(t)||t}for(var n=5;n--&&(X.lastIndex=0,X.test(t));)t=t.replace(X,i);return t}function S(t,e){switch(t){case"DDDD":return Y;case"YYYY":return q;case"YYYYY":return K;case"S":case"SS":case"SSS":case"DDD":return J;case"MMM":case"MMMM":case"dd":case"ddd":case"dddd":return Q;case"a":case"A":return m(e._l)._meridiemParse;case"X":return ee;case"Z":case"ZZ":return Z;case"T":return te;case"MM":case"DD":case"YY":case"HH":case"hh":case"mm":case"ss":case"M":case"D":case"d":case"H":case"h":case"m":case"s":return W;default:return new RegExp(t.replace("\\",""))}}function E(t){var e=(Z.exec(t)||[])[0],i=(e+"").match(oe)||["-",0,0],n=+(60*i[1])+~~i[2];return"+"===i[0]?-n:n}function T(t,e,i){var n,s=i._a;switch(t){case"M":case"MM":null!=e&&(s[1]=~~e-1);break;case"MMM":case"MMMM":n=m(i._l).monthsParse(e),null!=n?s[1]=n:i._isValid=!1;break;case"D":case"DD":null!=e&&(s[2]=~~e);break;case"DDD":case"DDDD":null!=e&&(s[1]=0,s[2]=~~e);break;case"YY":s[0]=~~e+(~~e>68?1900:2e3);break;case"YYYY":case"YYYYY":s[0]=~~e;break;case"a":case"A":i._isPm=m(i._l).isPM(e);break;case"H":case"HH":case"h":case"hh":s[3]=~~e;break;case"m":case"mm":s[4]=~~e;break;case"s":case"ss":s[5]=~~e;break;case"S":case"SS":case"SSS":s[6]=~~(1e3*("0."+e));break;case"X":i._d=new Date(1e3*parseFloat(e));break;case"Z":case"ZZ":i._useUTC=!0,i._tzm=E(e)}null==e&&(i._isValid=!1)}function L(t){var e,i,n,s=[];if(!t._d){for(n=w(t),e=0;3>e&&null==t._a[e];++e)t._a[e]=s[e]=n[e];for(;7>e;e++)t._a[e]=s[e]=null==t._a[e]?2===e?1:0:t._a[e];s[3]+=~~((t._tzm||0)/60),s[4]+=~~((t._tzm||0)%60),i=new Date(0),t._useUTC?(i.setUTCFullYear(s[0],s[1],s[2]),i.setUTCHours(s[3],s[4],s[5],s[6])):(i.setFullYear(s[0],s[1],s[2]),i.setHours(s[3],s[4],s[5],s[6])),t._d=i}}function _(t){var e=t._i;t._d||(t._a=[e.years||e.year||e.y,e.months||e.month||e.M,e.days||e.day||e.d,e.hours||e.hour||e.h,e.minutes||e.minute||e.m,e.seconds||e.second||e.s,e.milliseconds||e.millisecond||e.ms],L(t))}function w(t){var e=new Date;return t._useUTC?[e.getUTCFullYear(),e.getUTCMonth(),e.getUTCDate()]:[e.getFullYear(),e.getMonth(),e.getDate()]}function k(t){var e,i,n,s=m(t._l),o=""+t._i;for(n=y(t._f,s).match(G),t._a=[],e=0;e<n.length;e++)i=(S(n[e],t).exec(o)||[])[0],i&&(o=o.slice(o.indexOf(i)+i.length)),ue[n[e]]&&T(n[e],i,t);o&&(t._il=o),t._isPm&&t._a[3]<12&&(t._a[3]+=12),t._isPm===!1&&12===t._a[3]&&(t._a[3]=0),L(t)}function C(t){var e,i,n,o,r,l=99;for(o=0;o<t._f.length;o++)e=a({},t),e._f=t._f[o],k(e),i=new s(e),r=h(e._a,i.toArray()),i._il&&(r+=i._il.length),l>r&&(l=r,n=i);a(t,n)}function A(t){var e,i=t._i,n=ie.exec(i);if(n){for(t._f="YYYY-MM-DD"+(n[2]||" "),e=0;4>e;e++)if(se[e][1].exec(i)){t._f+=se[e][0];break}Z.exec(i)&&(t._f+=" Z"),k(t)}else t._d=new Date(i)}function x(e){var i=e._i,n=z.exec(i);i===t?e._d=new Date:n?e._d=new Date(+n[1]):"string"==typeof i?A(e):d(i)?(e._a=i.slice(0),L(e)):i instanceof Date?e._d=new Date(+i):"object"==typeof i?_(e):e._d=new Date(i)}function D(t,e,i,n,s){return s.relativeTime(e||1,!!i,t,n)}function I(t,e,i){var n=j(Math.abs(t)/1e3),s=j(n/60),o=j(s/60),a=j(o/24),r=j(a/365),l=45>n&&["s",n]||1===s&&["m"]||45>s&&["mm",s]||1===o&&["h"]||22>o&&["hh",o]||1===a&&["d"]||25>=a&&["dd",a]||45>=a&&["M"]||345>a&&["MM",j(a/30)]||1===r&&["y"]||["yy",r];return l[2]=e,l[3]=t>0,l[4]=i,D.apply({},l)}function M(t,e,i){var n,s=i-e,o=i-t.day();return o>s&&(o-=7),s-7>o&&(o+=7),n=U(t).add("d",o),{week:Math.ceil(n.dayOfYear()/7),year:n.year()}}function R(t){var e=t._i,i=t._f;return null===e||""===e?null:("string"==typeof e&&(t._i=e=m().preparse(e)),U.isMoment(e)?(t=a({},e),t._d=new Date(+e._d)):i?d(i)?C(t):k(t):x(t),new s(t))}function O(t,e){U.fn[t]=U.fn[t+"s"]=function(t){var i=this._isUTC?"UTC":"";return null!=t?(this._d["set"+i+e](t),U.updateOffset(this),this):this._d["get"+i+e]()}}function N(t){U.duration.fn[t]=function(){return this._data[t]}}function P(t,e){U.duration.fn["as"+t]=function(){return+this/e}}for(var U,$,F="2.2.1",j=Math.round,B={},H="undefined"!=typeof module&&module.exports,z=/^\/?Date\((\-?\d+)/i,V=/(\-)?(?:(\d*)\.)?(\d+)\:(\d+)\:(\d+)\.?(\d{3})?/,G=/(\[[^\[]*\])|(\\)?(Mo|MM?M?M?|Do|DDDo|DD?D?D?|ddd?d?|do?|w[o|w]?|W[o|W]?|YYYYY|YYYY|YY|gg(ggg?)?|GG(GGG?)?|e|E|a|A|hh?|HH?|mm?|ss?|SS?S?|X|zz?|ZZ?|.)/g,X=/(\[[^\[]*\])|(\\)?(LT|LL?L?L?|l{1,4})/g,W=/\d\d?/,J=/\d{1,3}/,Y=/\d{3}/,q=/\d{1,4}/,K=/[+\-]?\d{1,6}/,Q=/[0-9]*['a-z\u00A0-\u05FF\u0700-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]+|[\u0600-\u06FF\/]+(\s*?[\u0600-\u06FF]+){1,2}/i,Z=/Z|[\+\-]\d\d:?\d\d/i,te=/T/i,ee=/[\+\-]?\d+(\.\d{1,3})?/,ie=/^\s*\d{4}-\d\d-\d\d((T| )(\d\d(:\d\d(:\d\d(\.\d\d?\d?)?)?)?)?([\+\-]\d\d:?\d\d)?)?/,ne="YYYY-MM-DDTHH:mm:ssZ",se=[["HH:mm:ss.S",/(T| )\d\d:\d\d:\d\d\.\d{1,3}/],["HH:mm:ss",/(T| )\d\d:\d\d:\d\d/],["HH:mm",/(T| )\d\d:\d\d/],["HH",/(T| )\d\d/]],oe=/([\+\-]|\d\d)/gi,ae="Date|Hours|Minutes|Seconds|Milliseconds".split("|"),re={Milliseconds:1,Seconds:1e3,Minutes:6e4,Hours:36e5,Days:864e5,Months:2592e6,Years:31536e6},le={ms:"millisecond",s:"second",m:"minute",h:"hour",d:"day",w:"week",W:"isoweek",M:"month",y:"year"},ce={},de="DDD w W M D d".split(" "),he="M D H h m s w W".split(" "),ue={M:function(){return this.month()+1},MMM:function(t){return this.lang().monthsShort(this,t)},MMMM:function(t){return this.lang().months(this,t)},D:function(){return this.date()},DDD:function(){return this.dayOfYear()},d:function(){return this.day()},dd:function(t){return this.lang().weekdaysMin(this,t)},ddd:function(t){return this.lang().weekdaysShort(this,t)},dddd:function(t){return this.lang().weekdays(this,t)},w:function(){return this.week()},W:function(){return this.isoWeek()},YY:function(){return l(this.year()%100,2)},YYYY:function(){return l(this.year(),4)},YYYYY:function(){return l(this.year(),5)},gg:function(){return l(this.weekYear()%100,2)},gggg:function(){return this.weekYear()},ggggg:function(){return l(this.weekYear(),5)},GG:function(){return l(this.isoWeekYear()%100,2)},GGGG:function(){return this.isoWeekYear()},GGGGG:function(){return l(this.isoWeekYear(),5)},e:function(){return this.weekday()},E:function(){return this.isoWeekday()},a:function(){return this.lang().meridiem(this.hours(),this.minutes(),!0)},A:function(){return this.lang().meridiem(this.hours(),this.minutes(),!1)},H:function(){return this.hours()},h:function(){return this.hours()%12||12},m:function(){return this.minutes()},s:function(){return this.seconds()},S:function(){return~~(this.milliseconds()/100)},SS:function(){return l(~~(this.milliseconds()/10),2)},SSS:function(){return l(this.milliseconds(),3)},Z:function(){var t=-this.zone(),e="+";return 0>t&&(t=-t,e="-"),e+l(~~(t/60),2)+":"+l(~~t%60,2)},ZZ:function(){var t=-this.zone(),e="+";return 0>t&&(t=-t,e="-"),e+l(~~(10*t/6),4)},z:function(){return this.zoneAbbr()},zz:function(){return this.zoneName()},X:function(){return this.unix()}};de.length;)$=de.pop(),ue[$+"o"]=i(ue[$],$);for(;he.length;)$=he.pop(),ue[$+$]=e(ue[$],2);for(ue.DDDD=e(ue.DDD,3),a(n.prototype,{set:function(t){var e,i;for(i in t)e=t[i],"function"==typeof e?this[i]=e:this["_"+i]=e},_months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),months:function(t){return this._months[t.month()]},_monthsShort:"Jan_Feb_Mar_Apr_May_Jun_Jul_Aug_Sep_Oct_Nov_Dec".split("_"),monthsShort:function(t){return this._monthsShort[t.month()]},monthsParse:function(t){var e,i,n;for(this._monthsParse||(this._monthsParse=[]),e=0;12>e;e++)if(this._monthsParse[e]||(i=U.utc([2e3,e]),n="^"+this.months(i,"")+"|^"+this.monthsShort(i,""),this._monthsParse[e]=new RegExp(n.replace(".",""),"i")),this._monthsParse[e].test(t))return e},_weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),weekdays:function(t){return this._weekdays[t.day()]},_weekdaysShort:"Sun_Mon_Tue_Wed_Thu_Fri_Sat".split("_"),weekdaysShort:function(t){return this._weekdaysShort[t.day()]},_weekdaysMin:"Su_Mo_Tu_We_Th_Fr_Sa".split("_"),weekdaysMin:function(t){return this._weekdaysMin[t.day()]},weekdaysParse:function(t){var e,i,n;for(this._weekdaysParse||(this._weekdaysParse=[]),e=0;7>e;e++)if(this._weekdaysParse[e]||(i=U([2e3,1]).day(e),n="^"+this.weekdays(i,"")+"|^"+this.weekdaysShort(i,"")+"|^"+this.weekdaysMin(i,""),this._weekdaysParse[e]=new RegExp(n.replace(".",""),"i")),this._weekdaysParse[e].test(t))return e},_longDateFormat:{LT:"h:mm A",L:"MM/DD/YYYY",LL:"MMMM D YYYY",LLL:"MMMM D YYYY LT",LLLL:"dddd, MMMM D YYYY LT"},longDateFormat:function(t){var e=this._longDateFormat[t];return!e&&this._longDateFormat[t.toUpperCase()]&&(e=this._longDateFormat[t.toUpperCase()].replace(/MMMM|MM|DD|dddd/g,function(t){return t.slice(1)}),this._longDateFormat[t]=e),e},isPM:function(t){return"p"===(t+"").toLowerCase().charAt(0)},_meridiemParse:/[ap]\.?m?\.?/i,meridiem:function(t,e,i){return t>11?i?"pm":"PM":i?"am":"AM"},_calendar:{sameDay:"[Today at] LT",nextDay:"[Tomorrow at] LT",nextWeek:"dddd [at] LT",lastDay:"[Yesterday at] LT",lastWeek:"[Last] dddd [at] LT",sameElse:"L"},calendar:function(t,e){var i=this._calendar[t];return"function"==typeof i?i.apply(e):i},_relativeTime:{future:"in %s",past:"%s ago",s:"a few seconds",m:"a minute",mm:"%d minutes",h:"an hour",hh:"%d hours",d:"a day",dd:"%d days",M:"a month",MM:"%d months",y:"a year",yy:"%d years"},relativeTime:function(t,e,i,n){var s=this._relativeTime[i];return"function"==typeof s?s(t,e,i,n):s.replace(/%d/i,t)},pastFuture:function(t,e){var i=this._relativeTime[t>0?"future":"past"];return"function"==typeof i?i(e):i.replace(/%s/i,e)},ordinal:function(t){return this._ordinal.replace("%d",t)},_ordinal:"%d",preparse:function(t){return t},postformat:function(t){return t},week:function(t){return M(t,this._week.dow,this._week.doy).week},_week:{dow:0,doy:6}}),U=function(t,e,i){return R({_i:t,_f:e,_l:i,_isUTC:!1})},U.utc=function(t,e,i){return R({_useUTC:!0,_isUTC:!0,_l:i,_i:t,_f:e}).utc()},U.unix=function(t){return U(1e3*t)},U.duration=function(t,e){var i,n,s=U.isDuration(t),a="number"==typeof t,r=s?t._input:a?{}:t,l=V.exec(t);return a?e?r[e]=t:r.milliseconds=t:l&&(i="-"===l[1]?-1:1,r={y:0,d:~~l[2]*i,h:~~l[3]*i,m:~~l[4]*i,s:~~l[5]*i,ms:~~l[6]*i}),n=new o(r),s&&t.hasOwnProperty("_lang")&&(n._lang=t._lang),n},U.version=F,U.defaultFormat=ne,U.updateOffset=function(){},U.lang=function(t,e){return t?(t=t.toLowerCase(),t=t.replace("_","-"),e?p(t,e):null===e?(f(t),t="en"):B[t]||m(t),void(U.duration.fn._lang=U.fn._lang=m(t))):U.fn._lang._abbr},U.langData=function(t){return t&&t._lang&&t._lang._abbr&&(t=t._lang._abbr),m(t)},U.isMoment=function(t){return t instanceof s},U.isDuration=function(t){return t instanceof o},a(U.fn=s.prototype,{clone:function(){return U(this)},valueOf:function(){return+this._d+6e4*(this._offset||0)},unix:function(){return Math.floor(+this/1e3)},toString:function(){return this.format("ddd MMM DD YYYY HH:mm:ss [GMT]ZZ")},toDate:function(){return this._offset?new Date(+this):this._d},toISOString:function(){return b(U(this).utc(),"YYYY-MM-DD[T]HH:mm:ss.SSS[Z]")},toArray:function(){var t=this;return[t.year(),t.month(),t.date(),t.hours(),t.minutes(),t.seconds(),t.milliseconds()]},isValid:function(){return null==this._isValid&&(this._isValid=this._a?!h(this._a,(this._isUTC?U.utc(this._a):U(this._a)).toArray()):!isNaN(this._d.getTime())),!!this._isValid},invalidAt:function(){var t,e=this._a,i=(this._isUTC?U.utc(this._a):U(this._a)).toArray();for(t=6;t>=0&&e[t]===i[t];--t);return t},utc:function(){return this.zone(0)},local:function(){return this.zone(0),this._isUTC=!1,this},format:function(t){var e=b(this,t||U.defaultFormat);return this.lang().postformat(e)},add:function(t,e){var i;return i="string"==typeof t?U.duration(+e,t):U.duration(t,e),c(this,i,1),this},subtract:function(t,e){var i;return i="string"==typeof t?U.duration(+e,t):U.duration(t,e),c(this,i,-1),this},diff:function(t,e,i){var n,s,o=this._isUTC?U(t).zone(this._offset||0):U(t).local(),a=6e4*(this.zone()-o.zone());return e=u(e),"year"===e||"month"===e?(n=432e5*(this.daysInMonth()+o.daysInMonth()),s=12*(this.year()-o.year())+(this.month()-o.month()),s+=(this-U(this).startOf("month")-(o-U(o).startOf("month")))/n,s-=6e4*(this.zone()-U(this).startOf("month").zone()-(o.zone()-U(o).startOf("month").zone()))/n,"year"===e&&(s/=12)):(n=this-o,s="second"===e?n/1e3:"minute"===e?n/6e4:"hour"===e?n/36e5:"day"===e?(n-a)/864e5:"week"===e?(n-a)/6048e5:n),i?s:r(s)},from:function(t,e){return U.duration(this.diff(t)).lang(this.lang()._abbr).humanize(!e)},fromNow:function(t){return this.from(U(),t)},calendar:function(){var t=this.diff(U().zone(this.zone()).startOf("day"),"days",!0),e=-6>t?"sameElse":-1>t?"lastWeek":0>t?"lastDay":1>t?"sameDay":2>t?"nextDay":7>t?"nextWeek":"sameElse";return this.format(this.lang().calendar(e,this))},isLeapYear:function(){var t=this.year();return 0===t%4&&0!==t%100||0===t%400},isDST:function(){return this.zone()<this.clone().month(0).zone()||this.zone()<this.clone().month(5).zone()},day:function(t){var e=this._isUTC?this._d.getUTCDay():this._d.getDay();return null!=t?"string"==typeof t&&(t=this.lang().weekdaysParse(t),"number"!=typeof t)?this:this.add({d:t-e}):e},month:function(t){var e,i=this._isUTC?"UTC":"";return null!=t?"string"==typeof t&&(t=this.lang().monthsParse(t),"number"!=typeof t)?this:(e=this.date(),this.date(1),this._d["set"+i+"Month"](t),this.date(Math.min(e,this.daysInMonth())),U.updateOffset(this),this):this._d["get"+i+"Month"]()},startOf:function(t){switch(t=u(t)){case"year":this.month(0);case"month":this.date(1);case"week":case"isoweek":case"day":this.hours(0);case"hour":this.minutes(0);case"minute":this.seconds(0);case"second":this.milliseconds(0)}return"week"===t?this.weekday(0):"isoweek"===t&&this.isoWeekday(1),this},endOf:function(t){return t=u(t),this.startOf(t).add("isoweek"===t?"week":t,1).subtract("ms",1)},isAfter:function(t,e){return e="undefined"!=typeof e?e:"millisecond",+this.clone().startOf(e)>+U(t).startOf(e)},isBefore:function(t,e){return e="undefined"!=typeof e?e:"millisecond",+this.clone().startOf(e)<+U(t).startOf(e)},isSame:function(t,e){return e="undefined"!=typeof e?e:"millisecond",+this.clone().startOf(e)===+U(t).startOf(e)},min:function(t){return t=U.apply(null,arguments),this>t?this:t},max:function(t){return t=U.apply(null,arguments),t>this?this:t},zone:function(t){var e=this._offset||0;return null==t?this._isUTC?e:this._d.getTimezoneOffset():("string"==typeof t&&(t=E(t)),Math.abs(t)<16&&(t=60*t),this._offset=t,this._isUTC=!0,e!==t&&c(this,U.duration(e-t,"m"),1,!0),this)},zoneAbbr:function(){return this._isUTC?"UTC":""},zoneName:function(){return this._isUTC?"Coordinated Universal Time":""},hasAlignedHourOffset:function(t){return t=t?U(t).zone():0,0===(this.zone()-t)%60},daysInMonth:function(){return U.utc([this.year(),this.month()+1,0]).date()},dayOfYear:function(t){var e=j((U(this).startOf("day")-U(this).startOf("year"))/864e5)+1;return null==t?e:this.add("d",t-e)},weekYear:function(t){var e=M(this,this.lang()._week.dow,this.lang()._week.doy).year;return null==t?e:this.add("y",t-e)},isoWeekYear:function(t){var e=M(this,1,4).year;return null==t?e:this.add("y",t-e)},week:function(t){var e=this.lang().week(this);return null==t?e:this.add("d",7*(t-e))},isoWeek:function(t){var e=M(this,1,4).week;return null==t?e:this.add("d",7*(t-e))},weekday:function(t){var e=(this._d.getDay()+7-this.lang()._week.dow)%7;return null==t?e:this.add("d",t-e)},isoWeekday:function(t){return null==t?this.day()||7:this.day(this.day()%7?t:t-7)},get:function(t){return t=u(t),this[t.toLowerCase()]()},set:function(t,e){t=u(t),this[t.toLowerCase()](e)},lang:function(e){return e===t?this._lang:(this._lang=m(e),this)}}),$=0;$<ae.length;$++)O(ae[$].toLowerCase().replace(/s$/,""),ae[$]);O("year","FullYear"),U.fn.days=U.fn.day,U.fn.months=U.fn.month,U.fn.weeks=U.fn.week,U.fn.isoWeeks=U.fn.isoWeek,U.fn.toJSON=U.fn.toISOString,a(U.duration.fn=o.prototype,{_bubble:function(){var t,e,i,n,s=this._milliseconds,o=this._days,a=this._months,l=this._data;l.milliseconds=s%1e3,t=r(s/1e3),l.seconds=t%60,e=r(t/60),l.minutes=e%60,i=r(e/60),l.hours=i%24,o+=r(i/24),l.days=o%30,a+=r(o/30),l.months=a%12,n=r(a/12),l.years=n},weeks:function(){return r(this.days()/7)},valueOf:function(){return this._milliseconds+864e5*this._days+2592e6*(this._months%12)+31536e6*~~(this._months/12)},humanize:function(t){var e=+this,i=I(e,!t,this.lang());return t&&(i=this.lang().pastFuture(e,i)),this.lang().postformat(i)},add:function(t,e){var i=U.duration(t,e);return this._milliseconds+=i._milliseconds,this._days+=i._days,this._months+=i._months,this._bubble(),this},subtract:function(t,e){var i=U.duration(t,e);return this._milliseconds-=i._milliseconds,this._days-=i._days,this._months-=i._months,this._bubble(),this},get:function(t){return t=u(t),this[t.toLowerCase()+"s"]()},as:function(t){return t=u(t),this["as"+t.charAt(0).toUpperCase()+t.slice(1)+"s"]()},lang:U.fn.lang});for($ in re)re.hasOwnProperty($)&&(P($,re[$]),N($.toLowerCase()));P("Weeks",6048e5),U.duration.fn.asMonths=function(){return(+this-31536e6*this.years())/2592e6+12*this.years()},U.lang("en",{ordinal:function(t){var e=t%10,i=1===~~(t%100/10)?"th":1===e?"st":2===e?"nd":3===e?"rd":"th";return t+i}}),H&&(module.exports=U),"undefined"==typeof ender&&(this.moment=U),"function"==typeof define&&define.amd&&define("moment",[],function(){return U})}.call(this),function(t,e){"object"==typeof exports?module.exports=e():"function"==typeof define&&define.amd?define(e):t.Spinner=e()}(this,function(){"use strict";function t(t,e){var i,n=document.createElement(t||"div");for(i in e)n[i]=e[i];return n}function e(t){for(var e=1,i=arguments.length;i>e;e++)t.appendChild(arguments[e]);return t}function i(t,e,i,n){var s=["opacity",e,~~(100*t),i,n].join("-"),o=.01+i/n*100,a=Math.max(1-(1-t)/e*(100-o),t),r=c.substring(0,c.indexOf("Animation")).toLowerCase(),l=r&&"-"+r+"-"||"";return h[s]||(u.insertRule("@"+l+"keyframes "+s+"{0%{opacity:"+a+"}"+o+"%{opacity:"+t+"}"+(o+.01)+"%{opacity:1}"+(o+e)%100+"%{opacity:"+t+"}100%{opacity:"+a+"}}",u.cssRules.length),h[s]=1),s}function n(t,e){var i,n,s=t.style;if(void 0!==s[e])return e;for(e=e.charAt(0).toUpperCase()+e.slice(1),n=0;n<d.length;n++)if(i=d[n]+e,void 0!==s[i])return i}function s(t,e){for(var i in e)t.style[n(t,i)||i]=e[i];return t}function o(t){for(var e=1;e<arguments.length;e++){var i=arguments[e];for(var n in i)void 0===t[n]&&(t[n]=i[n])}return t}function a(t){for(var e={x:t.offsetLeft,y:t.offsetTop};t=t.offsetParent;)e.x+=t.offsetLeft,e.y+=t.offsetTop;return e}function r(t){return"undefined"==typeof this?new r(t):void(this.opts=o(t||{},r.defaults,p))}function l(){function i(e,i){return t("<"+e+' xmlns="urn:schemas-microsoft.com:vml" class="spin-vml">',i)}u.addRule(".spin-vml","behavior:url(#default#VML)"),r.prototype.lines=function(t,n){function o(){return s(i("group",{coordsize:c+" "+c,coordorigin:-l+" "+-l}),{width:c,height:c})}function a(t,a,r){e(h,e(s(o(),{rotation:360/n.lines*t+"deg",left:~~a}),e(s(i("roundrect",{arcsize:n.corners}),{width:l,height:n.width,left:n.radius,top:-n.width>>1,filter:r}),i("fill",{color:n.color,opacity:n.opacity}),i("stroke",{opacity:0}))))}var r,l=n.length+n.width,c=2*l,d=2*-(n.width+n.length)+"px",h=s(o(),{position:"absolute",top:d,left:d});if(n.shadow)for(r=1;r<=n.lines;r++)a(r,-2,"progid:DXImageTransform.Microsoft.Blur(pixelradius=2,makeshadow=1,shadowopacity=.3)");for(r=1;r<=n.lines;r++)a(r);return e(t,h)},r.prototype.opacity=function(t,e,i,n){var s=t.firstChild;n=n.shadow&&n.lines||0,s&&e+n<s.childNodes.length&&(s=s.childNodes[e+n],s=s&&s.firstChild,s=s&&s.firstChild,s&&(s.opacity=i))}}var c,d=["webkit","Moz","ms","O"],h={},u=function(){var i=t("style",{type:"text/css"});return e(document.getElementsByTagName("head")[0],i),i.sheet||i.styleSheet}(),p={lines:12,length:7,width:5,radius:10,rotate:0,corners:1,color:"#000",direction:1,speed:1,trail:100,opacity:.25,fps:20,zIndex:2e9,className:"spinner",top:"auto",left:"auto",position:"relative"};r.defaults={},o(r.prototype,{spin:function(e){this.stop();var i,n,o=this,r=o.opts,l=o.el=s(t(0,{className:r.className}),{position:r.position,width:0,zIndex:r.zIndex}),d=r.radius+r.length+r.width;if(e&&(e.insertBefore(l,e.firstChild||null),n=a(e),i=a(l),s(l,{left:("auto"==r.left?n.x-i.x+(e.offsetWidth>>1):parseInt(r.left,10)+d)+"px",top:("auto"==r.top?n.y-i.y+(e.offsetHeight>>1):parseInt(r.top,10)+d)+"px"})),l.setAttribute("role","progressbar"),o.lines(l,o.opts),!c){var h,u=0,p=(r.lines-1)*(1-r.direction)/2,f=r.fps,m=f/r.speed,g=(1-r.opacity)/(m*r.trail/100),v=m/r.lines;
+!function b(){u++;for(var t=0;t<r.lines;t++)h=Math.max(1-(u+(r.lines-t)*v)%m*g,r.opacity),o.opacity(l,t*r.direction+p,h,r);o.timeout=o.el&&setTimeout(b,~~(1e3/f))}()}return o},stop:function(){var t=this.el;return t&&(clearTimeout(this.timeout),t.parentNode&&t.parentNode.removeChild(t),this.el=void 0),this},lines:function(n,o){function a(e,i){return s(t(),{position:"absolute",width:o.length+o.width+"px",height:o.width+"px",background:e,boxShadow:i,transformOrigin:"left",transform:"rotate("+~~(360/o.lines*l+o.rotate)+"deg) translate("+o.radius+"px,0)",borderRadius:(o.corners*o.width>>1)+"px"})}for(var r,l=0,d=(o.lines-1)*(1-o.direction)/2;l<o.lines;l++)r=s(t(),{position:"absolute",top:1+~(o.width/2)+"px",transform:o.hwaccel?"translate3d(0,0,0)":"",opacity:o.opacity,animation:c&&i(o.opacity,o.trail,d+l*o.direction,o.lines)+" "+1/o.speed+"s linear infinite"}),o.shadow&&e(r,s(a("#000","0 0 4px #000"),{top:"2px"})),e(n,e(r,a(o.color,"0 0 1px rgba(0,0,0,.1)")));return n},opacity:function(t,e,i){e<t.childNodes.length&&(t.childNodes[e].style.opacity=i)}});var f=s(t("group"),{behavior:"url(#default#VML)"});return!n(f,"transform")&&f.adj?l():c=n(f,"animation"),r}),function(t,e){"object"==typeof exports?module.exports=e(require("spin.js")):"function"==typeof define&&define.amd?define(["spin"],e):t.Ladda=e(t.Spinner)}(this,function(t){"use strict";function e(t){if("undefined"==typeof t)return void console.warn("Ladda button target must be defined.");t.querySelector(".ladda-label")||(t.innerHTML='<span class="ladda-label">'+t.innerHTML+"</span>");var e,i=t.querySelector(".ladda-spinner");i||(i=document.createElement("span"),i.className="ladda-spinner"),t.appendChild(i);var n,s={start:function(){return e||(e=a(t)),t.setAttribute("disabled",""),t.setAttribute("data-loading",""),clearTimeout(n),e.spin(i),this.setProgress(0),this},startAfter:function(t){return clearTimeout(n),n=setTimeout(function(){s.start()},t),this},stop:function(){return t.removeAttribute("disabled"),t.removeAttribute("data-loading"),clearTimeout(n),e&&(n=setTimeout(function(){e.stop()},1e3)),this},toggle:function(){return this.isLoading()?this.stop():this.start(),this},setProgress:function(e){e=Math.max(Math.min(e,1),0);var i=t.querySelector(".ladda-progress");0===e&&i&&i.parentNode?i.parentNode.removeChild(i):(i||(i=document.createElement("div"),i.className="ladda-progress",t.appendChild(i)),i.style.width=(e||0)*t.offsetWidth+"px")},enable:function(){return this.stop(),this},disable:function(){return this.stop(),t.setAttribute("disabled",""),this},isLoading:function(){return t.hasAttribute("data-loading")},remove:function(){clearTimeout(n),t.removeAttribute("disabled",""),t.removeAttribute("data-loading",""),e&&(e.stop(),e=null);for(var i=0,o=l.length;o>i;i++)if(s===l[i]){l.splice(i,1);break}}};return l.push(s),s}function i(t,e){for(;t.parentNode&&t.tagName!==e;)t=t.parentNode;return e===t.tagName?t:void 0}function n(t){for(var e=["input","textarea","select"],i=[],n=0;n<e.length;n++)for(var s=t.getElementsByTagName(e[n]),o=0;o<s.length;o++)s[o].hasAttribute("required")&&i.push(s[o]);return i}function s(t,s){s=s||{};var o=[];"string"==typeof t?o=r(document.querySelectorAll(t)):"object"==typeof t&&"string"==typeof t.nodeName&&(o=[t]);for(var a=0,l=o.length;l>a;a++)!function(){var t=o[a];if("function"==typeof t.addEventListener){var r=e(t),l=-1;t.addEventListener("click",function(){var e=!0,o=i(t,"FORM");if("undefined"!=typeof o)for(var a=n(o),c=0;c<a.length;c++)""===a[c].value.replace(/^\s+|\s+$/g,"")&&(e=!1),"checkbox"!==a[c].type&&"radio"!==a[c].type||a[c].checked||(e=!1);e&&(r.startAfter(1),"number"==typeof s.timeout&&(clearTimeout(l),l=setTimeout(r.stop,s.timeout)),"function"==typeof s.callback&&s.callback.apply(null,[r]))},!1)}}()}function o(){for(var t=0,e=l.length;e>t;t++)l[t].stop()}function a(e){var i,n=e.offsetHeight;0===n&&(n=parseFloat(window.getComputedStyle(e).height)),n>32&&(n*=.8),e.hasAttribute("data-spinner-size")&&(n=parseInt(e.getAttribute("data-spinner-size"),10)),e.hasAttribute("data-spinner-color")&&(i=e.getAttribute("data-spinner-color"));var s=12,o=.2*n,a=.6*o,r=7>o?2:3;return new t({color:i||"#fff",lines:s,radius:o,length:a,width:r,zIndex:"auto",top:"auto",left:"auto",className:""})}function r(t){for(var e=[],i=0;i<t.length;i++)e.push(t[i]);return e}var l=[];return{bind:s,create:e,stopAll:o}}),function(t,e){function i(t,e,i){return t.addEventListener?void t.addEventListener(e,i,!1):void t.attachEvent("on"+e,i)}function n(t){if("keypress"==t.type){var e=String.fromCharCode(t.which);return t.shiftKey||(e=e.toLowerCase()),e}return _[t.which]?_[t.which]:w[t.which]?w[t.which]:String.fromCharCode(t.which).toLowerCase()}function s(t,e){return t.sort().join(",")===e.sort().join(",")}function o(t){t=t||{};var e,i=!1;for(e in D)t[e]?i=!0:D[e]=0;i||(R=!1)}function a(t,e,i,n,o,a){var r,l,c=[],d=i.type;if(!A[t])return[];for("keyup"==d&&p(t)&&(e=[t]),r=0;r<A[t].length;++r)if(l=A[t][r],(n||!l.seq||D[l.seq]==l.level)&&d==l.action&&("keypress"==d&&!i.metaKey&&!i.ctrlKey||s(e,l.modifiers))){var h=!n&&l.combo==o,u=n&&l.seq==n&&l.level==a;(h||u)&&A[t].splice(r,1),c.push(l)}return c}function r(t){var e=[];return t.shiftKey&&e.push("shift"),t.altKey&&e.push("alt"),t.ctrlKey&&e.push("ctrl"),t.metaKey&&e.push("meta"),e}function l(t){return t.preventDefault?void t.preventDefault():void(t.returnValue=!1)}function c(t){return t.stopPropagation?void t.stopPropagation():void(t.cancelBubble=!0)}function d(t,e,i,n){N.stopCallback(e,e.target||e.srcElement,i,n)||t(e,i)===!1&&(l(e),c(e))}function h(t,e,i){var n,s=a(t,e,i),r={},l=0,c=!1;for(n=0;n<s.length;++n)s[n].seq&&(l=Math.max(l,s[n].level));for(n=0;n<s.length;++n)if(s[n].seq){if(s[n].level!=l)continue;c=!0,r[s[n].seq]=1,d(s[n].callback,i,s[n].combo,s[n].seq)}else c||d(s[n].callback,i,s[n].combo);var h="keypress"==i.type&&M;i.type!=R||p(t)||h||o(r),M=c&&"keydown"==i.type}function u(t){"number"!=typeof t.which&&(t.which=t.keyCode);var e=n(t);if(e)return"keyup"==t.type&&I===e?void(I=!1):void N.handleKey(e,r(t),t)}function p(t){return"shift"==t||"ctrl"==t||"alt"==t||"meta"==t}function f(){clearTimeout(L),L=setTimeout(o,1e3)}function m(){if(!T){T={};for(var t in _)t>95&&112>t||_.hasOwnProperty(t)&&(T[_[t]]=t)}return T}function g(t,e,i){return i||(i=m()[t]?"keydown":"keypress"),"keypress"==i&&e.length&&(i="keydown"),i}function v(t,e,i,s){function a(e){return function(){R=e,++D[t],f()}}function r(e){d(i,e,t),"keyup"!==s&&(I=n(e)),setTimeout(o,10)}D[t]=0;for(var l=0;l<e.length;++l){var c=l+1===e.length,h=c?r:a(s||y(e[l+1]).action);S(e[l],h,s,t,l)}}function b(t){return"+"===t?["+"]:t.split("+")}function y(t,e){var i,n,s,o=[];for(i=b(t),s=0;s<i.length;++s)n=i[s],C[n]&&(n=C[n]),e&&"keypress"!=e&&k[n]&&(n=k[n],o.push("shift")),p(n)&&o.push(n);return e=g(n,o,e),{key:n,modifiers:o,action:e}}function S(t,e,i,n,s){x[t+":"+i]=e,t=t.replace(/\s+/g," ");var o,r=t.split(" ");return r.length>1?void v(t,r,e,i):(o=y(t,i),A[o.key]=A[o.key]||[],a(o.key,o.modifiers,{type:o.action},n,t,s),void A[o.key][n?"unshift":"push"]({callback:e,modifiers:o.modifiers,action:o.action,seq:n,level:s,combo:t}))}function E(t,e,i){for(var n=0;n<t.length;++n)S(t[n],e,i)}for(var T,L,_={8:"backspace",9:"tab",13:"enter",16:"shift",17:"ctrl",18:"alt",20:"capslock",27:"esc",32:"space",33:"pageup",34:"pagedown",35:"end",36:"home",37:"left",38:"up",39:"right",40:"down",45:"ins",46:"del",91:"meta",93:"meta",224:"meta"},w={106:"*",107:"+",109:"-",110:".",111:"/",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'"},k={"~":"`","!":"1","@":"2","#":"3",$:"4","%":"5","^":"6","&":"7","*":"8","(":"9",")":"0",_:"-","+":"=",":":";",'"':"'","<":",",">":".","?":"/","|":"\\"},C={option:"alt",command:"meta","return":"enter",escape:"esc",mod:/Mac|iPod|iPhone|iPad/.test(navigator.platform)?"meta":"ctrl"},A={},x={},D={},I=!1,M=!1,R=!1,O=1;20>O;++O)_[111+O]="f"+O;for(O=0;9>=O;++O)_[O+96]=O;i(e,"keypress",u),i(e,"keydown",u),i(e,"keyup",u);var N={bind:function(t,e,i){return t=t instanceof Array?t:[t],E(t,e,i),this},unbind:function(t,e){return N.bind(t,function(){},e)},trigger:function(t,e){return x[t+":"+e]&&x[t+":"+e]({},t),this},reset:function(){return A={},x={},this},stopCallback:function(t,e){return(" "+e.className+" ").indexOf(" mousetrap ")>-1?!1:"INPUT"==e.tagName||"SELECT"==e.tagName||"TEXTAREA"==e.tagName||e.isContentEditable},handleKey:h};t.Mousetrap=N,"function"==typeof define&&define.amd&&define(N)}(window,document),function(t,e,i,n){"use strict";function s(t,e,i){return setTimeout(d(t,i),e)}function o(t,e,i){return Array.isArray(t)?(a(t,i[e],i),!0):!1}function a(t,e,i){var s;if(t)if(t.forEach)t.forEach(e,i);else if(t.length!==n)for(s=0;s<t.length;)e.call(i,t[s],s,t),s++;else for(s in t)t.hasOwnProperty(s)&&e.call(i,t[s],s,t)}function r(t,e,i){for(var s=Object.keys(e),o=0;o<s.length;)(!i||i&&t[s[o]]===n)&&(t[s[o]]=e[s[o]]),o++;return t}function l(t,e){return r(t,e,!0)}function c(t,e,i){var n,s=e.prototype;n=t.prototype=Object.create(s),n.constructor=t,n._super=s,i&&r(n,i)}function d(t,e){return function(){return t.apply(e,arguments)}}function h(t,e){return typeof t==de?t.apply(e?e[0]||n:n,e):t}function u(t,e){return t===n?e:t}function p(t,e,i){a(v(e),function(e){t.addEventListener(e,i,!1)})}function f(t,e,i){a(v(e),function(e){t.removeEventListener(e,i,!1)})}function m(t,e){for(;t;){if(t==e)return!0;t=t.parentNode}return!1}function g(t,e){return t.indexOf(e)>-1}function v(t){return t.trim().split(/\s+/g)}function b(t,e,i){if(t.indexOf&&!i)return t.indexOf(e);for(var n=0;n<t.length;){if(i&&t[n][i]==e||!i&&t[n]===e)return n;n++}return-1}function y(t){return Array.prototype.slice.call(t,0)}function S(t,e,i){for(var n=[],s=[],o=0;o<t.length;){var a=e?t[o][e]:t[o];b(s,a)<0&&n.push(t[o]),s[o]=a,o++}return i&&(n=e?n.sort(function(t,i){return t[e]>i[e]}):n.sort()),n}function E(t,e){for(var i,s,o=e[0].toUpperCase()+e.slice(1),a=0;a<le.length;){if(i=le[a],s=i?i+o:e,s in t)return s;a++}return n}function T(){return fe++}function L(t){var e=t.ownerDocument;return e.defaultView||e.parentWindow}function _(t,e){var i=this;this.manager=t,this.callback=e,this.element=t.element,this.target=t.options.inputTarget,this.domHandler=function(e){h(t.options.enable,[t])&&i.handler(e)},this.init()}function w(t){var e,i=t.options.inputClass;return new(e=i?i:ve?F:be?H:ge?V:$)(t,k)}function k(t,e,i){var n=i.pointers.length,s=i.changedPointers.length,o=e&_e&&n-s===0,a=e&(ke|Ce)&&n-s===0;i.isFirst=!!o,i.isFinal=!!a,o&&(t.session={}),i.eventType=e,C(t,i),t.emit("hammer.input",i),t.recognize(i),t.session.prevInput=i}function C(t,e){var i=t.session,n=e.pointers,s=n.length;i.firstInput||(i.firstInput=D(e)),s>1&&!i.firstMultiple?i.firstMultiple=D(e):1===s&&(i.firstMultiple=!1);var o=i.firstInput,a=i.firstMultiple,r=a?a.center:o.center,l=e.center=I(n);e.timeStamp=pe(),e.deltaTime=e.timeStamp-o.timeStamp,e.angle=N(r,l),e.distance=O(r,l),A(i,e),e.offsetDirection=R(e.deltaX,e.deltaY),e.scale=a?U(a.pointers,n):1,e.rotation=a?P(a.pointers,n):0,x(i,e);var c=t.element;m(e.srcEvent.target,c)&&(c=e.srcEvent.target),e.target=c}function A(t,e){var i=e.center,n=t.offsetDelta||{},s=t.prevDelta||{},o=t.prevInput||{};(e.eventType===_e||o.eventType===ke)&&(s=t.prevDelta={x:o.deltaX||0,y:o.deltaY||0},n=t.offsetDelta={x:i.x,y:i.y}),e.deltaX=s.x+(i.x-n.x),e.deltaY=s.y+(i.y-n.y)}function x(t,e){var i,s,o,a,r=t.lastInterval||e,l=e.timeStamp-r.timeStamp;if(e.eventType!=Ce&&(l>Le||r.velocity===n)){var c=r.deltaX-e.deltaX,d=r.deltaY-e.deltaY,h=M(l,c,d);s=h.x,o=h.y,i=ue(h.x)>ue(h.y)?h.x:h.y,a=R(c,d),t.lastInterval=e}else i=r.velocity,s=r.velocityX,o=r.velocityY,a=r.direction;e.velocity=i,e.velocityX=s,e.velocityY=o,e.direction=a}function D(t){for(var e=[],i=0;i<t.pointers.length;)e[i]={clientX:he(t.pointers[i].clientX),clientY:he(t.pointers[i].clientY)},i++;return{timeStamp:pe(),pointers:e,center:I(e),deltaX:t.deltaX,deltaY:t.deltaY}}function I(t){var e=t.length;if(1===e)return{x:he(t[0].clientX),y:he(t[0].clientY)};for(var i=0,n=0,s=0;e>s;)i+=t[s].clientX,n+=t[s].clientY,s++;return{x:he(i/e),y:he(n/e)}}function M(t,e,i){return{x:e/t||0,y:i/t||0}}function R(t,e){return t===e?Ae:ue(t)>=ue(e)?t>0?xe:De:e>0?Ie:Me}function O(t,e,i){i||(i=Pe);var n=e[i[0]]-t[i[0]],s=e[i[1]]-t[i[1]];return Math.sqrt(n*n+s*s)}function N(t,e,i){i||(i=Pe);var n=e[i[0]]-t[i[0]],s=e[i[1]]-t[i[1]];return 180*Math.atan2(s,n)/Math.PI}function P(t,e){return N(e[1],e[0],Ue)-N(t[1],t[0],Ue)}function U(t,e){return O(e[0],e[1],Ue)/O(t[0],t[1],Ue)}function $(){this.evEl=Fe,this.evWin=je,this.allow=!0,this.pressed=!1,_.apply(this,arguments)}function F(){this.evEl=ze,this.evWin=Ve,_.apply(this,arguments),this.store=this.manager.session.pointerEvents=[]}function j(){this.evTarget=Xe,this.evWin=We,this.started=!1,_.apply(this,arguments)}function B(t,e){var i=y(t.touches),n=y(t.changedTouches);return e&(ke|Ce)&&(i=S(i.concat(n),"identifier",!0)),[i,n]}function H(){this.evTarget=Ye,this.targetIds={},_.apply(this,arguments)}function z(t,e){var i=y(t.touches),n=this.targetIds;if(e&(_e|we)&&1===i.length)return n[i[0].identifier]=!0,[i,i];var s,o,a=y(t.changedTouches),r=[],l=this.target;if(o=i.filter(function(t){return m(t.target,l)}),e===_e)for(s=0;s<o.length;)n[o[s].identifier]=!0,s++;for(s=0;s<a.length;)n[a[s].identifier]&&r.push(a[s]),e&(ke|Ce)&&delete n[a[s].identifier],s++;return r.length?[S(o.concat(r),"identifier",!0),r]:void 0}function V(){_.apply(this,arguments);var t=d(this.handler,this);this.touch=new H(this.manager,t),this.mouse=new $(this.manager,t)}function G(t,e){this.manager=t,this.set(e)}function X(t){if(g(t,ei))return ei;var e=g(t,ii),i=g(t,ni);return e&&i?ii+" "+ni:e||i?e?ii:ni:g(t,ti)?ti:Ze}function W(t){this.id=T(),this.manager=null,this.options=l(t||{},this.defaults),this.options.enable=u(this.options.enable,!0),this.state=si,this.simultaneous={},this.requireFail=[]}function J(t){return t&ci?"cancel":t&ri?"end":t&ai?"move":t&oi?"start":""}function Y(t){return t==Me?"down":t==Ie?"up":t==xe?"left":t==De?"right":""}function q(t,e){var i=e.manager;return i?i.get(t):t}function K(){W.apply(this,arguments)}function Q(){K.apply(this,arguments),this.pX=null,this.pY=null}function Z(){K.apply(this,arguments)}function te(){W.apply(this,arguments),this._timer=null,this._input=null}function ee(){K.apply(this,arguments)}function ie(){K.apply(this,arguments)}function ne(){W.apply(this,arguments),this.pTime=!1,this.pCenter=!1,this._timer=null,this._input=null,this.count=0}function se(t,e){return e=e||{},e.recognizers=u(e.recognizers,se.defaults.preset),new oe(t,e)}function oe(t,e){e=e||{},this.options=l(e,se.defaults),this.options.inputTarget=this.options.inputTarget||t,this.handlers={},this.session={},this.recognizers=[],this.element=t,this.input=w(this),this.touchAction=new G(this,this.options.touchAction),ae(this,!0),a(e.recognizers,function(t){var e=this.add(new t[0](t[1]));t[2]&&e.recognizeWith(t[2]),t[3]&&e.requireFailure(t[3])},this)}function ae(t,e){var i=t.element;a(t.options.cssProps,function(t,n){i.style[E(i.style,n)]=e?t:""})}function re(t,i){var n=e.createEvent("Event");n.initEvent(t,!0,!0),n.gesture=i,i.target.dispatchEvent(n)}var le=["","webkit","moz","MS","ms","o"],ce=e.createElement("div"),de="function",he=Math.round,ue=Math.abs,pe=Date.now,fe=1,me=/mobile|tablet|ip(ad|hone|od)|android/i,ge="ontouchstart"in t,ve=E(t,"PointerEvent")!==n,be=ge&&me.test(navigator.userAgent),ye="touch",Se="pen",Ee="mouse",Te="kinect",Le=25,_e=1,we=2,ke=4,Ce=8,Ae=1,xe=2,De=4,Ie=8,Me=16,Re=xe|De,Oe=Ie|Me,Ne=Re|Oe,Pe=["x","y"],Ue=["clientX","clientY"];_.prototype={handler:function(){},init:function(){this.evEl&&p(this.element,this.evEl,this.domHandler),this.evTarget&&p(this.target,this.evTarget,this.domHandler),this.evWin&&p(L(this.element),this.evWin,this.domHandler)},destroy:function(){this.evEl&&f(this.element,this.evEl,this.domHandler),this.evTarget&&f(this.target,this.evTarget,this.domHandler),this.evWin&&f(L(this.element),this.evWin,this.domHandler)}};var $e={mousedown:_e,mousemove:we,mouseup:ke},Fe="mousedown",je="mousemove mouseup";c($,_,{handler:function(t){var e=$e[t.type];e&_e&&0===t.button&&(this.pressed=!0),e&we&&1!==t.which&&(e=ke),this.pressed&&this.allow&&(e&ke&&(this.pressed=!1),this.callback(this.manager,e,{pointers:[t],changedPointers:[t],pointerType:Ee,srcEvent:t}))}});var Be={pointerdown:_e,pointermove:we,pointerup:ke,pointercancel:Ce,pointerout:Ce},He={2:ye,3:Se,4:Ee,5:Te},ze="pointerdown",Ve="pointermove pointerup pointercancel";t.MSPointerEvent&&(ze="MSPointerDown",Ve="MSPointerMove MSPointerUp MSPointerCancel"),c(F,_,{handler:function(t){var e=this.store,i=!1,n=t.type.toLowerCase().replace("ms",""),s=Be[n],o=He[t.pointerType]||t.pointerType,a=o==ye,r=b(e,t.pointerId,"pointerId");s&_e&&(0===t.button||a)?0>r&&(e.push(t),r=e.length-1):s&(ke|Ce)&&(i=!0),0>r||(e[r]=t,this.callback(this.manager,s,{pointers:e,changedPointers:[t],pointerType:o,srcEvent:t}),i&&e.splice(r,1))}});var Ge={touchstart:_e,touchmove:we,touchend:ke,touchcancel:Ce},Xe="touchstart",We="touchstart touchmove touchend touchcancel";c(j,_,{handler:function(t){var e=Ge[t.type];if(e===_e&&(this.started=!0),this.started){var i=B.call(this,t,e);e&(ke|Ce)&&i[0].length-i[1].length===0&&(this.started=!1),this.callback(this.manager,e,{pointers:i[0],changedPointers:i[1],pointerType:ye,srcEvent:t})}}});var Je={touchstart:_e,touchmove:we,touchend:ke,touchcancel:Ce},Ye="touchstart touchmove touchend touchcancel";c(H,_,{handler:function(t){var e=Je[t.type],i=z.call(this,t,e);i&&this.callback(this.manager,e,{pointers:i[0],changedPointers:i[1],pointerType:ye,srcEvent:t})}}),c(V,_,{handler:function(t,e,i){var n=i.pointerType==ye,s=i.pointerType==Ee;if(n)this.mouse.allow=!1;else if(s&&!this.mouse.allow)return;e&(ke|Ce)&&(this.mouse.allow=!0),this.callback(t,e,i)},destroy:function(){this.touch.destroy(),this.mouse.destroy()}});var qe=E(ce.style,"touchAction"),Ke=qe!==n,Qe="compute",Ze="auto",ti="manipulation",ei="none",ii="pan-x",ni="pan-y";G.prototype={set:function(t){t==Qe&&(t=this.compute()),Ke&&(this.manager.element.style[qe]=t),this.actions=t.toLowerCase().trim()},update:function(){this.set(this.manager.options.touchAction)},compute:function(){var t=[];return a(this.manager.recognizers,function(e){h(e.options.enable,[e])&&(t=t.concat(e.getTouchAction()))}),X(t.join(" "))},preventDefaults:function(t){if(!Ke){var e=t.srcEvent,i=t.offsetDirection;if(this.manager.session.prevented)return void e.preventDefault();var n=this.actions,s=g(n,ei),o=g(n,ni),a=g(n,ii);return s||o&&i&Re||a&&i&Oe?this.preventSrc(e):void 0}},preventSrc:function(t){this.manager.session.prevented=!0,t.preventDefault()}};var si=1,oi=2,ai=4,ri=8,li=ri,ci=16,di=32;W.prototype={defaults:{},set:function(t){return r(this.options,t),this.manager&&this.manager.touchAction.update(),this},recognizeWith:function(t){if(o(t,"recognizeWith",this))return this;var e=this.simultaneous;return t=q(t,this),e[t.id]||(e[t.id]=t,t.recognizeWith(this)),this},dropRecognizeWith:function(t){return o(t,"dropRecognizeWith",this)?this:(t=q(t,this),delete this.simultaneous[t.id],this)},requireFailure:function(t){if(o(t,"requireFailure",this))return this;var e=this.requireFail;return t=q(t,this),-1===b(e,t)&&(e.push(t),t.requireFailure(this)),this},dropRequireFailure:function(t){if(o(t,"dropRequireFailure",this))return this;t=q(t,this);var e=b(this.requireFail,t);return e>-1&&this.requireFail.splice(e,1),this},hasRequireFailures:function(){return this.requireFail.length>0},canRecognizeWith:function(t){return!!this.simultaneous[t.id]},emit:function(t){function e(e){i.manager.emit(i.options.event+(e?J(n):""),t)}var i=this,n=this.state;ri>n&&e(!0),e(),n>=ri&&e(!0)},tryEmit:function(t){return this.canEmit()?this.emit(t):void(this.state=di)},canEmit:function(){for(var t=0;t<this.requireFail.length;){if(!(this.requireFail[t].state&(di|si)))return!1;t++}return!0},recognize:function(t){var e=r({},t);return h(this.options.enable,[this,e])?(this.state&(li|ci|di)&&(this.state=si),this.state=this.process(e),void(this.state&(oi|ai|ri|ci)&&this.tryEmit(e))):(this.reset(),void(this.state=di))},process:function(){},getTouchAction:function(){},reset:function(){}},c(K,W,{defaults:{pointers:1},attrTest:function(t){var e=this.options.pointers;return 0===e||t.pointers.length===e},process:function(t){var e=this.state,i=t.eventType,n=e&(oi|ai),s=this.attrTest(t);return n&&(i&Ce||!s)?e|ci:n||s?i&ke?e|ri:e&oi?e|ai:oi:di}}),c(Q,K,{defaults:{event:"pan",threshold:10,pointers:1,direction:Ne},getTouchAction:function(){var t=this.options.direction,e=[];return t&Re&&e.push(ni),t&Oe&&e.push(ii),e},directionTest:function(t){var e=this.options,i=!0,n=t.distance,s=t.direction,o=t.deltaX,a=t.deltaY;return s&e.direction||(e.direction&Re?(s=0===o?Ae:0>o?xe:De,i=o!=this.pX,n=Math.abs(t.deltaX)):(s=0===a?Ae:0>a?Ie:Me,i=a!=this.pY,n=Math.abs(t.deltaY))),t.direction=s,i&&n>e.threshold&&s&e.direction},attrTest:function(t){return K.prototype.attrTest.call(this,t)&&(this.state&oi||!(this.state&oi)&&this.directionTest(t))},emit:function(t){this.pX=t.deltaX,this.pY=t.deltaY;var e=Y(t.direction);e&&this.manager.emit(this.options.event+e,t),this._super.emit.call(this,t)}}),c(Z,K,{defaults:{event:"pinch",threshold:0,pointers:2},getTouchAction:function(){return[ei]},attrTest:function(t){return this._super.attrTest.call(this,t)&&(Math.abs(t.scale-1)>this.options.threshold||this.state&oi)},emit:function(t){if(this._super.emit.call(this,t),1!==t.scale){var e=t.scale<1?"in":"out";this.manager.emit(this.options.event+e,t)}}}),c(te,W,{defaults:{event:"press",pointers:1,time:500,threshold:5},getTouchAction:function(){return[Ze]},process:function(t){var e=this.options,i=t.pointers.length===e.pointers,n=t.distance<e.threshold,o=t.deltaTime>e.time;if(this._input=t,!n||!i||t.eventType&(ke|Ce)&&!o)this.reset();else if(t.eventType&_e)this.reset(),this._timer=s(function(){this.state=li,this.tryEmit()},e.time,this);else if(t.eventType&ke)return li;return di},reset:function(){clearTimeout(this._timer)},emit:function(t){this.state===li&&(t&&t.eventType&ke?this.manager.emit(this.options.event+"up",t):(this._input.timeStamp=pe(),this.manager.emit(this.options.event,this._input)))}}),c(ee,K,{defaults:{event:"rotate",threshold:0,pointers:2},getTouchAction:function(){return[ei]},attrTest:function(t){return this._super.attrTest.call(this,t)&&(Math.abs(t.rotation)>this.options.threshold||this.state&oi)}}),c(ie,K,{defaults:{event:"swipe",threshold:10,velocity:.65,direction:Re|Oe,pointers:1},getTouchAction:function(){return Q.prototype.getTouchAction.call(this)},attrTest:function(t){var e,i=this.options.direction;return i&(Re|Oe)?e=t.velocity:i&Re?e=t.velocityX:i&Oe&&(e=t.velocityY),this._super.attrTest.call(this,t)&&i&t.direction&&t.distance>this.options.threshold&&ue(e)>this.options.velocity&&t.eventType&ke},emit:function(t){var e=Y(t.direction);e&&this.manager.emit(this.options.event+e,t),this.manager.emit(this.options.event,t)}}),c(ne,W,{defaults:{event:"tap",pointers:1,taps:1,interval:300,time:250,threshold:2,posThreshold:10},getTouchAction:function(){return[ti]},process:function(t){var e=this.options,i=t.pointers.length===e.pointers,n=t.distance<e.threshold,o=t.deltaTime<e.time;if(this.reset(),t.eventType&_e&&0===this.count)return this.failTimeout();if(n&&o&&i){if(t.eventType!=ke)return this.failTimeout();var a=this.pTime?t.timeStamp-this.pTime<e.interval:!0,r=!this.pCenter||O(this.pCenter,t.center)<e.posThreshold;this.pTime=t.timeStamp,this.pCenter=t.center,r&&a?this.count+=1:this.count=1,this._input=t;var l=this.count%e.taps;if(0===l)return this.hasRequireFailures()?(this._timer=s(function(){this.state=li,this.tryEmit()},e.interval,this),oi):li}return di},failTimeout:function(){return this._timer=s(function(){this.state=di},this.options.interval,this),di},reset:function(){clearTimeout(this._timer)},emit:function(){this.state==li&&(this._input.tapCount=this.count,this.manager.emit(this.options.event,this._input))}}),se.VERSION="2.0.4",se.defaults={domEvents:!1,touchAction:Qe,enable:!0,inputTarget:null,inputClass:null,preset:[[ee,{enable:!1}],[Z,{enable:!1},["rotate"]],[ie,{direction:Re}],[Q,{direction:Re},["swipe"]],[ne],[ne,{event:"doubletap",taps:2},["tap"]],[te]],cssProps:{userSelect:"none",touchSelect:"none",touchCallout:"none",contentZooming:"none",userDrag:"none",tapHighlightColor:"rgba(0,0,0,0)"}};var hi=1,ui=2;oe.prototype={set:function(t){return r(this.options,t),t.touchAction&&this.touchAction.update(),t.inputTarget&&(this.input.destroy(),this.input.target=t.inputTarget,this.input.init()),this},stop:function(t){this.session.stopped=t?ui:hi},recognize:function(t){var e=this.session;if(!e.stopped){this.touchAction.preventDefaults(t);var i,n=this.recognizers,s=e.curRecognizer;(!s||s&&s.state&li)&&(s=e.curRecognizer=null);for(var o=0;o<n.length;)i=n[o],e.stopped===ui||s&&i!=s&&!i.canRecognizeWith(s)?i.reset():i.recognize(t),!s&&i.state&(oi|ai|ri)&&(s=e.curRecognizer=i),o++}},get:function(t){if(t instanceof W)return t;for(var e=this.recognizers,i=0;i<e.length;i++)if(e[i].options.event==t)return e[i];return null},add:function(t){if(o(t,"add",this))return this;var e=this.get(t.options.event);return e&&this.remove(e),this.recognizers.push(t),t.manager=this,this.touchAction.update(),t},remove:function(t){if(o(t,"remove",this))return this;var e=this.recognizers;return t=this.get(t),e.splice(b(e,t),1),this.touchAction.update(),this},on:function(t,e){var i=this.handlers;return a(v(t),function(t){i[t]=i[t]||[],i[t].push(e)}),this},off:function(t,e){var i=this.handlers;return a(v(t),function(t){e?i[t].splice(b(i[t],e),1):delete i[t]}),this},emit:function(t,e){this.options.domEvents&&re(t,e);var i=this.handlers[t]&&this.handlers[t].slice();if(i&&i.length){e.type=t,e.preventDefault=function(){e.srcEvent.preventDefault()};for(var n=0;n<i.length;)i[n](e),n++}},destroy:function(){this.element&&ae(this,!1),this.handlers={},this.session={},this.input.destroy(),this.element=null}},r(se,{INPUT_START:_e,INPUT_MOVE:we,INPUT_END:ke,INPUT_CANCEL:Ce,STATE_POSSIBLE:si,STATE_BEGAN:oi,STATE_CHANGED:ai,STATE_ENDED:ri,STATE_RECOGNIZED:li,STATE_CANCELLED:ci,STATE_FAILED:di,DIRECTION_NONE:Ae,DIRECTION_LEFT:xe,DIRECTION_RIGHT:De,DIRECTION_UP:Ie,DIRECTION_DOWN:Me,DIRECTION_HORIZONTAL:Re,DIRECTION_VERTICAL:Oe,DIRECTION_ALL:Ne,Manager:oe,Input:_,TouchAction:G,TouchInput:H,MouseInput:$,PointerEventInput:F,TouchMouseInput:V,SingleTouchInput:j,Recognizer:W,AttrRecognizer:K,Tap:ne,Pan:Q,Swipe:ie,Pinch:Z,Rotate:ee,Press:te,on:p,off:f,each:a,merge:l,extend:r,inherit:c,bindFn:d,prefixed:E}),typeof define==de&&define.amd?define(function(){return se}):"undefined"!=typeof module&&module.exports?module.exports=se:t[i]=se}(window,document,"Hammer");var CryptoJS=CryptoJS||function(t,e){var i={},n=i.lib={},s=function(){},o=n.Base={extend:function(t){s.prototype=this;var e=new s;return t&&e.mixIn(t),e.hasOwnProperty("init")||(e.init=function(){e.$super.init.apply(this,arguments)}),e.init.prototype=e,e.$super=this,e},create:function(){var t=this.extend();return t.init.apply(t,arguments),t},init:function(){},mixIn:function(t){for(var e in t)t.hasOwnProperty(e)&&(this[e]=t[e]);t.hasOwnProperty("toString")&&(this.toString=t.toString)},clone:function(){return this.init.prototype.extend(this)}},a=n.WordArray=o.extend({init:function(t,i){t=this.words=t||[],this.sigBytes=i!=e?i:4*t.length},toString:function(t){return(t||l).stringify(this)},concat:function(t){var e=this.words,i=t.words,n=this.sigBytes;if(t=t.sigBytes,this.clamp(),n%4)for(var s=0;t>s;s++)e[n+s>>>2]|=(i[s>>>2]>>>24-8*(s%4)&255)<<24-8*((n+s)%4);else if(65535<i.length)for(s=0;t>s;s+=4)e[n+s>>>2]=i[s>>>2];else e.push.apply(e,i);return this.sigBytes+=t,this},clamp:function(){var e=this.words,i=this.sigBytes;e[i>>>2]&=4294967295<<32-8*(i%4),e.length=t.ceil(i/4)},clone:function(){var t=o.clone.call(this);return t.words=this.words.slice(0),t},random:function(e){for(var i=[],n=0;e>n;n+=4)i.push(4294967296*t.random()|0);return new a.init(i,e)}}),r=i.enc={},l=r.Hex={stringify:function(t){var e=t.words;t=t.sigBytes;for(var i=[],n=0;t>n;n++){var s=e[n>>>2]>>>24-8*(n%4)&255;i.push((s>>>4).toString(16)),i.push((15&s).toString(16))}return i.join("")},parse:function(t){for(var e=t.length,i=[],n=0;e>n;n+=2)i[n>>>3]|=parseInt(t.substr(n,2),16)<<24-4*(n%8);return new a.init(i,e/2)}},c=r.Latin1={stringify:function(t){var e=t.words;t=t.sigBytes;for(var i=[],n=0;t>n;n++)i.push(String.fromCharCode(e[n>>>2]>>>24-8*(n%4)&255));return i.join("")},parse:function(t){for(var e=t.length,i=[],n=0;e>n;n++)i[n>>>2]|=(255&t.charCodeAt(n))<<24-8*(n%4);return new a.init(i,e)}},d=r.Utf8={stringify:function(t){try{return decodeURIComponent(escape(c.stringify(t)))}catch(e){throw Error("Malformed UTF-8 data")}},parse:function(t){return c.parse(unescape(encodeURIComponent(t)))}},h=n.BufferedBlockAlgorithm=o.extend({reset:function(){this._data=new a.init,this._nDataBytes=0},_append:function(t){"string"==typeof t&&(t=d.parse(t)),this._data.concat(t),this._nDataBytes+=t.sigBytes},_process:function(e){var i=this._data,n=i.words,s=i.sigBytes,o=this.blockSize,r=s/(4*o),r=e?t.ceil(r):t.max((0|r)-this._minBufferSize,0);if(e=r*o,s=t.min(4*e,s),e){for(var l=0;e>l;l+=o)this._doProcessBlock(n,l);l=n.splice(0,e),i.sigBytes-=s}return new a.init(l,s)},clone:function(){var t=o.clone.call(this);return t._data=this._data.clone(),t},_minBufferSize:0});n.Hasher=h.extend({cfg:o.extend(),init:function(t){this.cfg=this.cfg.extend(t),this.reset()},reset:function(){h.reset.call(this),this._doReset()},update:function(t){return this._append(t),this._process(),this},finalize:function(t){return t&&this._append(t),this._doFinalize()},blockSize:16,_createHelper:function(t){return function(e,i){return new t.init(i).finalize(e)}},_createHmacHelper:function(t){return function(e,i){return new u.HMAC.init(t,i).finalize(e)}}});var u=i.algo={};return i}(Math);!function(t){function e(t,e,i,n,s,o,a){return t=t+(e&i|~e&n)+s+a,(t<<o|t>>>32-o)+e}function i(t,e,i,n,s,o,a){return t=t+(e&n|i&~n)+s+a,(t<<o|t>>>32-o)+e}function n(t,e,i,n,s,o,a){return t=t+(e^i^n)+s+a,(t<<o|t>>>32-o)+e}function s(t,e,i,n,s,o,a){return t=t+(i^(e|~n))+s+a,(t<<o|t>>>32-o)+e}for(var o=CryptoJS,a=o.lib,r=a.WordArray,l=a.Hasher,a=o.algo,c=[],d=0;64>d;d++)c[d]=4294967296*t.abs(t.sin(d+1))|0;a=a.MD5=l.extend({_doReset:function(){this._hash=new r.init([1732584193,4023233417,2562383102,271733878])},_doProcessBlock:function(t,o){for(var a=0;16>a;a++){var r=o+a,l=t[r];t[r]=16711935&(l<<8|l>>>24)|4278255360&(l<<24|l>>>8)}var a=this._hash.words,r=t[o+0],l=t[o+1],d=t[o+2],h=t[o+3],u=t[o+4],p=t[o+5],f=t[o+6],m=t[o+7],g=t[o+8],v=t[o+9],b=t[o+10],y=t[o+11],S=t[o+12],E=t[o+13],T=t[o+14],L=t[o+15],_=a[0],w=a[1],k=a[2],C=a[3],_=e(_,w,k,C,r,7,c[0]),C=e(C,_,w,k,l,12,c[1]),k=e(k,C,_,w,d,17,c[2]),w=e(w,k,C,_,h,22,c[3]),_=e(_,w,k,C,u,7,c[4]),C=e(C,_,w,k,p,12,c[5]),k=e(k,C,_,w,f,17,c[6]),w=e(w,k,C,_,m,22,c[7]),_=e(_,w,k,C,g,7,c[8]),C=e(C,_,w,k,v,12,c[9]),k=e(k,C,_,w,b,17,c[10]),w=e(w,k,C,_,y,22,c[11]),_=e(_,w,k,C,S,7,c[12]),C=e(C,_,w,k,E,12,c[13]),k=e(k,C,_,w,T,17,c[14]),w=e(w,k,C,_,L,22,c[15]),_=i(_,w,k,C,l,5,c[16]),C=i(C,_,w,k,f,9,c[17]),k=i(k,C,_,w,y,14,c[18]),w=i(w,k,C,_,r,20,c[19]),_=i(_,w,k,C,p,5,c[20]),C=i(C,_,w,k,b,9,c[21]),k=i(k,C,_,w,L,14,c[22]),w=i(w,k,C,_,u,20,c[23]),_=i(_,w,k,C,v,5,c[24]),C=i(C,_,w,k,T,9,c[25]),k=i(k,C,_,w,h,14,c[26]),w=i(w,k,C,_,g,20,c[27]),_=i(_,w,k,C,E,5,c[28]),C=i(C,_,w,k,d,9,c[29]),k=i(k,C,_,w,m,14,c[30]),w=i(w,k,C,_,S,20,c[31]),_=n(_,w,k,C,p,4,c[32]),C=n(C,_,w,k,g,11,c[33]),k=n(k,C,_,w,y,16,c[34]),w=n(w,k,C,_,T,23,c[35]),_=n(_,w,k,C,l,4,c[36]),C=n(C,_,w,k,u,11,c[37]),k=n(k,C,_,w,m,16,c[38]),w=n(w,k,C,_,b,23,c[39]),_=n(_,w,k,C,E,4,c[40]),C=n(C,_,w,k,r,11,c[41]),k=n(k,C,_,w,h,16,c[42]),w=n(w,k,C,_,f,23,c[43]),_=n(_,w,k,C,v,4,c[44]),C=n(C,_,w,k,S,11,c[45]),k=n(k,C,_,w,L,16,c[46]),w=n(w,k,C,_,d,23,c[47]),_=s(_,w,k,C,r,6,c[48]),C=s(C,_,w,k,m,10,c[49]),k=s(k,C,_,w,T,15,c[50]),w=s(w,k,C,_,p,21,c[51]),_=s(_,w,k,C,S,6,c[52]),C=s(C,_,w,k,h,10,c[53]),k=s(k,C,_,w,b,15,c[54]),w=s(w,k,C,_,l,21,c[55]),_=s(_,w,k,C,g,6,c[56]),C=s(C,_,w,k,L,10,c[57]),k=s(k,C,_,w,f,15,c[58]),w=s(w,k,C,_,E,21,c[59]),_=s(_,w,k,C,u,6,c[60]),C=s(C,_,w,k,y,10,c[61]),k=s(k,C,_,w,d,15,c[62]),w=s(w,k,C,_,v,21,c[63]);a[0]=a[0]+_|0,a[1]=a[1]+w|0,a[2]=a[2]+k|0,a[3]=a[3]+C|0},_doFinalize:function(){var e=this._data,i=e.words,n=8*this._nDataBytes,s=8*e.sigBytes;i[s>>>5]|=128<<24-s%32;var o=t.floor(n/4294967296);for(i[(s+64>>>9<<4)+15]=16711935&(o<<8|o>>>24)|4278255360&(o<<24|o>>>8),i[(s+64>>>9<<4)+14]=16711935&(n<<8|n>>>24)|4278255360&(n<<24|n>>>8),e.sigBytes=4*(i.length+1),this._process(),e=this._hash,i=e.words,n=0;4>n;n++)s=i[n],i[n]=16711935&(s<<8|s>>>24)|4278255360&(s<<24|s>>>8);return e},clone:function(){var t=l.clone.call(this);return t._hash=this._hash.clone(),t}}),o.MD5=l._createHelper(a),o.HmacMD5=l._createHmacHelper(a)}(Math),function(){function t(t){var i={r:0,g:0,b:0},s=1,a=!1,r=!1;
+return"string"==typeof t&&(t=M(t)),"object"==typeof t&&(t.hasOwnProperty("r")&&t.hasOwnProperty("g")&&t.hasOwnProperty("b")?(i=e(t.r,t.g,t.b),a=!0,r="%"===String(t.r).substr(-1)?"prgb":"rgb"):t.hasOwnProperty("h")&&t.hasOwnProperty("s")&&t.hasOwnProperty("v")?(t.s=x(t.s),t.v=x(t.v),i=o(t.h,t.s,t.v),a=!0,r="hsv"):t.hasOwnProperty("h")&&t.hasOwnProperty("s")&&t.hasOwnProperty("l")&&(t.s=x(t.s),t.l=x(t.l),i=n(t.h,t.s,t.l),a=!0,r="hsl"),t.hasOwnProperty("a")&&(s=t.a)),s=T(s),{ok:a,format:t.format||r,r:$(255,F(i.r,0)),g:$(255,F(i.g,0)),b:$(255,F(i.b,0)),a:s}}function e(t,e,i){return{r:255*L(t,255),g:255*L(e,255),b:255*L(i,255)}}function i(t,e,i){t=L(t,255),e=L(e,255),i=L(i,255);var n,s,o=F(t,e,i),a=$(t,e,i),r=(o+a)/2;if(o==a)n=s=0;else{var l=o-a;switch(s=r>.5?l/(2-o-a):l/(o+a),o){case t:n=(e-i)/l+(i>e?6:0);break;case e:n=(i-t)/l+2;break;case i:n=(t-e)/l+4}n/=6}return{h:n,s:s,l:r}}function n(t,e,i){function n(t,e,i){return 0>i&&(i+=1),i>1&&(i-=1),1/6>i?t+6*(e-t)*i:.5>i?e:2/3>i?t+(e-t)*(2/3-i)*6:t}var s,o,a;if(t=L(t,360),e=L(e,100),i=L(i,100),0===e)s=o=a=i;else{var r=.5>i?i*(1+e):i+e-i*e,l=2*i-r;s=n(l,r,t+1/3),o=n(l,r,t),a=n(l,r,t-1/3)}return{r:255*s,g:255*o,b:255*a}}function s(t,e,i){t=L(t,255),e=L(e,255),i=L(i,255);var n,s,o=F(t,e,i),a=$(t,e,i),r=o,l=o-a;if(s=0===o?0:l/o,o==a)n=0;else{switch(o){case t:n=(e-i)/l+(i>e?6:0);break;case e:n=(i-t)/l+2;break;case i:n=(t-e)/l+4}n/=6}return{h:n,s:s,v:r}}function o(t,e,i){t=6*L(t,360),e=L(e,100),i=L(i,100);var n=P.floor(t),s=t-n,o=i*(1-e),a=i*(1-s*e),r=i*(1-(1-s)*e),l=n%6,c=[i,a,o,o,r,i][l],d=[r,i,i,a,o,o][l],h=[o,o,r,i,i,a][l];return{r:255*c,g:255*d,b:255*h}}function a(t,e,i,n){var s=[A(U(t).toString(16)),A(U(e).toString(16)),A(U(i).toString(16))];return n&&s[0].charAt(0)==s[0].charAt(1)&&s[1].charAt(0)==s[1].charAt(1)&&s[2].charAt(0)==s[2].charAt(1)?s[0].charAt(0)+s[1].charAt(0)+s[2].charAt(0):s.join("")}function r(t,e,i,n){var s=[A(D(n)),A(U(t).toString(16)),A(U(e).toString(16)),A(U(i).toString(16))];return s.join("")}function l(t,e){e=0===e?0:e||10;var i=B(t).toHsl();return i.s-=e/100,i.s=_(i.s),B(i)}function c(t,e){e=0===e?0:e||10;var i=B(t).toHsl();return i.s+=e/100,i.s=_(i.s),B(i)}function d(t){return B(t).desaturate(100)}function h(t,e){e=0===e?0:e||10;var i=B(t).toHsl();return i.l+=e/100,i.l=_(i.l),B(i)}function u(t,e){e=0===e?0:e||10;var i=B(t).toRgb();return i.r=F(0,$(255,i.r-U(255*-(e/100)))),i.g=F(0,$(255,i.g-U(255*-(e/100)))),i.b=F(0,$(255,i.b-U(255*-(e/100)))),B(i)}function p(t,e){e=0===e?0:e||10;var i=B(t).toHsl();return i.l-=e/100,i.l=_(i.l),B(i)}function f(t,e){var i=B(t).toHsl(),n=(U(i.h)+e)%360;return i.h=0>n?360+n:n,B(i)}function m(t){var e=B(t).toHsl();return e.h=(e.h+180)%360,B(e)}function g(t){var e=B(t).toHsl(),i=e.h;return[B(t),B({h:(i+120)%360,s:e.s,l:e.l}),B({h:(i+240)%360,s:e.s,l:e.l})]}function v(t){var e=B(t).toHsl(),i=e.h;return[B(t),B({h:(i+90)%360,s:e.s,l:e.l}),B({h:(i+180)%360,s:e.s,l:e.l}),B({h:(i+270)%360,s:e.s,l:e.l})]}function b(t){var e=B(t).toHsl(),i=e.h;return[B(t),B({h:(i+72)%360,s:e.s,l:e.l}),B({h:(i+216)%360,s:e.s,l:e.l})]}function y(t,e,i){e=e||6,i=i||30;var n=B(t).toHsl(),s=360/i,o=[B(t)];for(n.h=(n.h-(s*e>>1)+720)%360;--e;)n.h=(n.h+s)%360,o.push(B(n));return o}function S(t,e){e=e||6;for(var i=B(t).toHsv(),n=i.h,s=i.s,o=i.v,a=[],r=1/e;e--;)a.push(B({h:n,s:s,v:o})),o=(o+r)%1;return a}function E(t){var e={};for(var i in t)t.hasOwnProperty(i)&&(e[t[i]]=i);return e}function T(t){return t=parseFloat(t),(isNaN(t)||0>t||t>1)&&(t=1),t}function L(t,e){k(t)&&(t="100%");var i=C(t);return t=$(e,F(0,parseFloat(t))),i&&(t=parseInt(t*e,10)/100),P.abs(t-e)<1e-6?1:t%e/parseFloat(e)}function _(t){return $(1,F(0,t))}function w(t){return parseInt(t,16)}function k(t){return"string"==typeof t&&-1!=t.indexOf(".")&&1===parseFloat(t)}function C(t){return"string"==typeof t&&-1!=t.indexOf("%")}function A(t){return 1==t.length?"0"+t:""+t}function x(t){return 1>=t&&(t=100*t+"%"),t}function D(t){return Math.round(255*parseFloat(t)).toString(16)}function I(t){return w(t)/255}function M(t){t=t.replace(R,"").replace(O,"").toLowerCase();var e=!1;if(H[t])t=H[t],e=!0;else if("transparent"==t)return{r:0,g:0,b:0,a:0,format:"name"};var i;return(i=V.rgb.exec(t))?{r:i[1],g:i[2],b:i[3]}:(i=V.rgba.exec(t))?{r:i[1],g:i[2],b:i[3],a:i[4]}:(i=V.hsl.exec(t))?{h:i[1],s:i[2],l:i[3]}:(i=V.hsla.exec(t))?{h:i[1],s:i[2],l:i[3],a:i[4]}:(i=V.hsv.exec(t))?{h:i[1],s:i[2],v:i[3]}:(i=V.hex8.exec(t))?{a:I(i[1]),r:w(i[2]),g:w(i[3]),b:w(i[4]),format:e?"name":"hex8"}:(i=V.hex6.exec(t))?{r:w(i[1]),g:w(i[2]),b:w(i[3]),format:e?"name":"hex"}:(i=V.hex3.exec(t))?{r:w(i[1]+""+i[1]),g:w(i[2]+""+i[2]),b:w(i[3]+""+i[3]),format:e?"name":"hex"}:!1}var R=/^[\s,#]+/,O=/\s+$/,N=0,P=Math,U=P.round,$=P.min,F=P.max,j=P.random,B=function G(e,i){if(e=e?e:"",i=i||{},e instanceof G)return e;if(!(this instanceof G))return new G(e,i);var n=t(e);this._r=n.r,this._g=n.g,this._b=n.b,this._a=n.a,this._roundA=U(100*this._a)/100,this._format=i.format||n.format,this._gradientType=i.gradientType,this._r<1&&(this._r=U(this._r)),this._g<1&&(this._g=U(this._g)),this._b<1&&(this._b=U(this._b)),this._ok=n.ok,this._tc_id=N++};B.prototype={isDark:function(){return this.getBrightness()<128},isLight:function(){return!this.isDark()},isValid:function(){return this._ok},getFormat:function(){return this._format},getAlpha:function(){return this._a},getBrightness:function(){var t=this.toRgb();return(299*t.r+587*t.g+114*t.b)/1e3},setAlpha:function(t){return this._a=T(t),this._roundA=U(100*this._a)/100,this},toHsv:function(){var t=s(this._r,this._g,this._b);return{h:360*t.h,s:t.s,v:t.v,a:this._a}},toHsvString:function(){var t=s(this._r,this._g,this._b),e=U(360*t.h),i=U(100*t.s),n=U(100*t.v);return 1==this._a?"hsv("+e+", "+i+"%, "+n+"%)":"hsva("+e+", "+i+"%, "+n+"%, "+this._roundA+")"},toHsl:function(){var t=i(this._r,this._g,this._b);return{h:360*t.h,s:t.s,l:t.l,a:this._a}},toHslString:function(){var t=i(this._r,this._g,this._b),e=U(360*t.h),n=U(100*t.s),s=U(100*t.l);return 1==this._a?"hsl("+e+", "+n+"%, "+s+"%)":"hsla("+e+", "+n+"%, "+s+"%, "+this._roundA+")"},toHex:function(t){return a(this._r,this._g,this._b,t)},toHexString:function(t){return"#"+this.toHex(t)},toHex8:function(){return r(this._r,this._g,this._b,this._a)},toHex8String:function(){return"#"+this.toHex8()},toRgb:function(){return{r:U(this._r),g:U(this._g),b:U(this._b),a:this._a}},toRgbString:function(){return 1==this._a?"rgb("+U(this._r)+", "+U(this._g)+", "+U(this._b)+")":"rgba("+U(this._r)+", "+U(this._g)+", "+U(this._b)+", "+this._roundA+")"},toPercentageRgb:function(){return{r:U(100*L(this._r,255))+"%",g:U(100*L(this._g,255))+"%",b:U(100*L(this._b,255))+"%",a:this._a}},toPercentageRgbString:function(){return 1==this._a?"rgb("+U(100*L(this._r,255))+"%, "+U(100*L(this._g,255))+"%, "+U(100*L(this._b,255))+"%)":"rgba("+U(100*L(this._r,255))+"%, "+U(100*L(this._g,255))+"%, "+U(100*L(this._b,255))+"%, "+this._roundA+")"},toName:function(){return 0===this._a?"transparent":this._a<1?!1:z[a(this._r,this._g,this._b,!0)]||!1},toFilter:function(t){var e="#"+r(this._r,this._g,this._b,this._a),i=e,n=this._gradientType?"GradientType = 1, ":"";if(t){var s=B(t);i=s.toHex8String()}return"progid:DXImageTransform.Microsoft.gradient("+n+"startColorstr="+e+",endColorstr="+i+")"},toString:function(t){var e=!!t;t=t||this._format;var i=!1,n=this._a<1&&this._a>=0,s=!e&&n&&("hex"===t||"hex6"===t||"hex3"===t||"name"===t);return s?"name"===t&&0===this._a?this.toName():this.toRgbString():("rgb"===t&&(i=this.toRgbString()),"prgb"===t&&(i=this.toPercentageRgbString()),("hex"===t||"hex6"===t)&&(i=this.toHexString()),"hex3"===t&&(i=this.toHexString(!0)),"hex8"===t&&(i=this.toHex8String()),"name"===t&&(i=this.toName()),"hsl"===t&&(i=this.toHslString()),"hsv"===t&&(i=this.toHsvString()),i||this.toHexString())},_applyModification:function(t,e){var i=t.apply(null,[this].concat([].slice.call(e)));return this._r=i._r,this._g=i._g,this._b=i._b,this.setAlpha(i._a),this},lighten:function(){return this._applyModification(h,arguments)},brighten:function(){return this._applyModification(u,arguments)},darken:function(){return this._applyModification(p,arguments)},desaturate:function(){return this._applyModification(l,arguments)},saturate:function(){return this._applyModification(c,arguments)},greyscale:function(){return this._applyModification(d,arguments)},spin:function(){return this._applyModification(f,arguments)},_applyCombination:function(t,e){return t.apply(null,[this].concat([].slice.call(e)))},analogous:function(){return this._applyCombination(y,arguments)},complement:function(){return this._applyCombination(m,arguments)},monochromatic:function(){return this._applyCombination(S,arguments)},splitcomplement:function(){return this._applyCombination(b,arguments)},triad:function(){return this._applyCombination(g,arguments)},tetrad:function(){return this._applyCombination(v,arguments)}},B.fromRatio=function(t,e){if("object"==typeof t){var i={};for(var n in t)t.hasOwnProperty(n)&&(i[n]="a"===n?t[n]:x(t[n]));t=i}return B(t,e)},B.equals=function(t,e){return t&&e?B(t).toRgbString()==B(e).toRgbString():!1},B.random=function(){return B.fromRatio({r:j(),g:j(),b:j()})},B.mix=function(t,e,i){i=0===i?0:i||50;var n,s=B(t).toRgb(),o=B(e).toRgb(),a=i/100,r=2*a-1,l=o.a-s.a;n=r*l==-1?r:(r+l)/(1+r*l),n=(n+1)/2;var c=1-n,d={r:o.r*n+s.r*c,g:o.g*n+s.g*c,b:o.b*n+s.b*c,a:o.a*a+s.a*(1-a)};return B(d)},B.readability=function(t,e){var i=B(t),n=B(e),s=i.toRgb(),o=n.toRgb(),a=i.getBrightness(),r=n.getBrightness(),l=Math.max(s.r,o.r)-Math.min(s.r,o.r)+Math.max(s.g,o.g)-Math.min(s.g,o.g)+Math.max(s.b,o.b)-Math.min(s.b,o.b);return{brightness:Math.abs(a-r),color:l}},B.isReadable=function(t,e){var i=B.readability(t,e);return i.brightness>125&&i.color>500},B.mostReadable=function(t,e){for(var i=null,n=0,s=!1,o=0;o<e.length;o++){var a=B.readability(t,e[o]),r=a.brightness>125&&a.color>500,l=3*(a.brightness/125)+a.color/500;(r&&!s||r&&s&&l>n||!r&&!s&&l>n)&&(s=r,n=l,i=B(e[o]))}return i};var H=B.names={aliceblue:"f0f8ff",antiquewhite:"faebd7",aqua:"0ff",aquamarine:"7fffd4",azure:"f0ffff",beige:"f5f5dc",bisque:"ffe4c4",black:"000",blanchedalmond:"ffebcd",blue:"00f",blueviolet:"8a2be2",brown:"a52a2a",burlywood:"deb887",burntsienna:"ea7e5d",cadetblue:"5f9ea0",chartreuse:"7fff00",chocolate:"d2691e",coral:"ff7f50",cornflowerblue:"6495ed",cornsilk:"fff8dc",crimson:"dc143c",cyan:"0ff",darkblue:"00008b",darkcyan:"008b8b",darkgoldenrod:"b8860b",darkgray:"a9a9a9",darkgreen:"006400",darkgrey:"a9a9a9",darkkhaki:"bdb76b",darkmagenta:"8b008b",darkolivegreen:"556b2f",darkorange:"ff8c00",darkorchid:"9932cc",darkred:"8b0000",darksalmon:"e9967a",darkseagreen:"8fbc8f",darkslateblue:"483d8b",darkslategray:"2f4f4f",darkslategrey:"2f4f4f",darkturquoise:"00ced1",darkviolet:"9400d3",deeppink:"ff1493",deepskyblue:"00bfff",dimgray:"696969",dimgrey:"696969",dodgerblue:"1e90ff",firebrick:"b22222",floralwhite:"fffaf0",forestgreen:"228b22",fuchsia:"f0f",gainsboro:"dcdcdc",ghostwhite:"f8f8ff",gold:"ffd700",goldenrod:"daa520",gray:"808080",green:"008000",greenyellow:"adff2f",grey:"808080",honeydew:"f0fff0",hotpink:"ff69b4",indianred:"cd5c5c",indigo:"4b0082",ivory:"fffff0",khaki:"f0e68c",lavender:"e6e6fa",lavenderblush:"fff0f5",lawngreen:"7cfc00",lemonchiffon:"fffacd",lightblue:"add8e6",lightcoral:"f08080",lightcyan:"e0ffff",lightgoldenrodyellow:"fafad2",lightgray:"d3d3d3",lightgreen:"90ee90",lightgrey:"d3d3d3",lightpink:"ffb6c1",lightsalmon:"ffa07a",lightseagreen:"20b2aa",lightskyblue:"87cefa",lightslategray:"789",lightslategrey:"789",lightsteelblue:"b0c4de",lightyellow:"ffffe0",lime:"0f0",limegreen:"32cd32",linen:"faf0e6",magenta:"f0f",maroon:"800000",mediumaquamarine:"66cdaa",mediumblue:"0000cd",mediumorchid:"ba55d3",mediumpurple:"9370db",mediumseagreen:"3cb371",mediumslateblue:"7b68ee",mediumspringgreen:"00fa9a",mediumturquoise:"48d1cc",mediumvioletred:"c71585",midnightblue:"191970",mintcream:"f5fffa",mistyrose:"ffe4e1",moccasin:"ffe4b5",navajowhite:"ffdead",navy:"000080",oldlace:"fdf5e6",olive:"808000",olivedrab:"6b8e23",orange:"ffa500",orangered:"ff4500",orchid:"da70d6",palegoldenrod:"eee8aa",palegreen:"98fb98",paleturquoise:"afeeee",palevioletred:"db7093",papayawhip:"ffefd5",peachpuff:"ffdab9",peru:"cd853f",pink:"ffc0cb",plum:"dda0dd",powderblue:"b0e0e6",purple:"800080",red:"f00",rosybrown:"bc8f8f",royalblue:"4169e1",saddlebrown:"8b4513",salmon:"fa8072",sandybrown:"f4a460",seagreen:"2e8b57",seashell:"fff5ee",sienna:"a0522d",silver:"c0c0c0",skyblue:"87ceeb",slateblue:"6a5acd",slategray:"708090",slategrey:"708090",snow:"fffafa",springgreen:"00ff7f",steelblue:"4682b4",tan:"d2b48c",teal:"008080",thistle:"d8bfd8",tomato:"ff6347",turquoise:"40e0d0",violet:"ee82ee",wheat:"f5deb3",white:"fff",whitesmoke:"f5f5f5",yellow:"ff0",yellowgreen:"9acd32"},z=B.hexNames=E(H),V=function(){var t="[-\\+]?\\d+%?",e="[-\\+]?\\d*\\.\\d+%?",i="(?:"+e+")|(?:"+t+")",n="[\\s|\\(]+("+i+")[,|\\s]+("+i+")[,|\\s]+("+i+")\\s*\\)?",s="[\\s|\\(]+("+i+")[,|\\s]+("+i+")[,|\\s]+("+i+")[,|\\s]+("+i+")\\s*\\)?";return{rgb:new RegExp("rgb"+n),rgba:new RegExp("rgba"+s),hsl:new RegExp("hsl"+n),hsla:new RegExp("hsla"+s),hsv:new RegExp("hsv"+n),hex3:/^([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex6:/^([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/,hex8:/^([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/}}();"undefined"!=typeof module&&module.exports?module.exports=B:"function"==typeof define&&define.amd?define(function(){return B}):window.tinycolor=B}(),function(){function t(t){var e=" ";if(isNaN(parseInt(t)))e=t;else switch(t){case 1:e=" ";break;case 2:e=" ";break;case 3:e=" ";break;case 4:e=" ";break;case 5:e=" ";break;case 6:e=" ";break;case 7:e=" ";break;case 8:e=" ";break;case 9:e=" ";break;case 10:e=" ";break;case 11:e=" ";break;case 12:e=" "}var i=["\n"];for(ix=0;100>ix;ix++)i.push(i[ix]+e);return i}function e(){this.step=" ",this.shift=t(this.step)}function i(t,e){return e-(t.replace(/\(/g,"").length-t.replace(/\)/g,"").length)}function n(t,e){return t.replace(/\s{1,}/g," ").replace(/ AND /gi,"~::~"+e+e+"AND ").replace(/ BETWEEN /gi,"~::~"+e+"BETWEEN ").replace(/ CASE /gi,"~::~"+e+"CASE ").replace(/ ELSE /gi,"~::~"+e+"ELSE ").replace(/ END /gi,"~::~"+e+"END ").replace(/ FROM /gi,"~::~FROM ").replace(/ GROUP\s{1,}BY/gi,"~::~GROUP BY ").replace(/ HAVING /gi,"~::~HAVING ").replace(/ IN /gi," IN ").replace(/ JOIN /gi,"~::~JOIN ").replace(/ CROSS~::~{1,}JOIN /gi,"~::~CROSS JOIN ").replace(/ INNER~::~{1,}JOIN /gi,"~::~INNER JOIN ").replace(/ LEFT~::~{1,}JOIN /gi,"~::~LEFT JOIN ").replace(/ RIGHT~::~{1,}JOIN /gi,"~::~RIGHT JOIN ").replace(/ ON /gi,"~::~"+e+"ON ").replace(/ OR /gi,"~::~"+e+e+"OR ").replace(/ ORDER\s{1,}BY/gi,"~::~ORDER BY ").replace(/ OVER /gi,"~::~"+e+"OVER ").replace(/\(\s{0,}SELECT /gi,"~::~(SELECT ").replace(/\)\s{0,}SELECT /gi,")~::~SELECT ").replace(/ THEN /gi," THEN~::~"+e).replace(/ UNION /gi,"~::~UNION~::~").replace(/ USING /gi,"~::~USING ").replace(/ WHEN /gi,"~::~"+e+"WHEN ").replace(/ WHERE /gi,"~::~WHERE ").replace(/ WITH /gi,"~::~WITH ").replace(/ ALL /gi," ALL ").replace(/ AS /gi," AS ").replace(/ ASC /gi," ASC ").replace(/ DESC /gi," DESC ").replace(/ DISTINCT /gi," DISTINCT ").replace(/ EXISTS /gi," EXISTS ").replace(/ NOT /gi," NOT ").replace(/ NULL /gi," NULL ").replace(/ LIKE /gi," LIKE ").replace(/\s{0,}SELECT /gi,"SELECT ").replace(/\s{0,}UPDATE /gi,"UPDATE ").replace(/ SET /gi," SET ").replace(/~::~{1,}/g,"~::~").split("~::~")}e.prototype.xml=function(e,i){var n=e.replace(/>\s{0,}</g,"><").replace(/</g,"~::~<").replace(/\s*xmlns\:/g,"~::~xmlns:").replace(/\s*xmlns\=/g,"~::~xmlns=").split("~::~"),s=n.length,o=!1,a=0,r="",l=0,c=i?t(i):this.shift;for(l=0;s>l;l++)n[l].search(/<!/)>-1?(r+=c[a]+n[l],o=!0,(n[l].search(/-->/)>-1||n[l].search(/\]>/)>-1||n[l].search(/!DOCTYPE/)>-1)&&(o=!1)):n[l].search(/-->/)>-1||n[l].search(/\]>/)>-1?(r+=n[l],o=!1):/^<\w/.exec(n[l-1])&&/^<\/\w/.exec(n[l])&&/^<[\w:\-\.\,]+/.exec(n[l-1])==/^<\/[\w:\-\.\,]+/.exec(n[l])[0].replace("/","")?(r+=n[l],o||a--):n[l].search(/<\w/)>-1&&-1==n[l].search(/<\//)&&-1==n[l].search(/\/>/)?r=r+=o?n[l]:c[a++]+n[l]:n[l].search(/<\w/)>-1&&n[l].search(/<\//)>-1?r=r+=o?n[l]:c[a]+n[l]:n[l].search(/<\//)>-1?r=r+=o?n[l]:c[--a]+n[l]:n[l].search(/\/>/)>-1?r=r+=o?n[l]:c[a]+n[l]:r+=n[l].search(/<\?/)>-1?c[a]+n[l]:n[l].search(/xmlns\:/)>-1||n[l].search(/xmlns\=/)>-1?c[a]+n[l]:n[l];return"\n"==r[0]?r.slice(1):r},e.prototype.json=function(t,e){var e=e?e:this.step;return"undefined"==typeof JSON?t:"string"==typeof t?JSON.stringify(JSON.parse(t),null,e):"object"==typeof t?JSON.stringify(t,null,e):t},e.prototype.css=function(e,i){var n=e.replace(/\s{1,}/g," ").replace(/\{/g,"{~::~").replace(/\}/g,"~::~}~::~").replace(/\;/g,";~::~").replace(/\/\*/g,"~::~/*").replace(/\*\//g,"*/~::~").replace(/~::~\s{0,}~::~/g,"~::~").split("~::~"),s=n.length,o=0,a="",r=0,l=i?t(i):this.shift;for(r=0;s>r;r++)a+=/\{/.exec(n[r])?l[o++]+n[r]:/\}/.exec(n[r])?l[--o]+n[r]:/\*\\/.exec(n[r])?l[o]+n[r]:l[o]+n[r];return a.replace(/^\n{1,}/,"")},e.prototype.sql=function(e,s){var o=e.replace(/\s{1,}/g," ").replace(/\'/gi,"~::~'").split("~::~"),a=o.length,r=[],l=0,c=this.step,d=0,h="",u=0,p=s?t(s):this.shift;for(u=0;a>u;u++)r=r.concat(u%2?o[u]:n(o[u],c));for(a=r.length,u=0;a>u;u++){d=i(r[u],d),/\s{0,}\s{0,}SELECT\s{0,}/.exec(r[u])&&(r[u]=r[u].replace(/\,/g,",\n"+c+c)),/\s{0,}\s{0,}SET\s{0,}/.exec(r[u])&&(r[u]=r[u].replace(/\,/g,",\n"+c+c)),/\s{0,}\(\s{0,}SELECT\s{0,}/.exec(r[u])?(l++,h+=p[l]+r[u]):/\'/.exec(r[u])?(1>d&&l&&l--,h+=r[u]):(h+=p[l]+r[u],1>d&&l&&l--)}return h=h.replace(/^\n{1,}/,"").replace(/\n{1,}/g,"\n")},e.prototype.xmlmin=function(t,e){var i=e?t:t.replace(/\<![ \r\n\t]*(--([^\-]|[\r\n]|-[^\-])*--[ \r\n\t]*)\>/g,"").replace(/[ \r\n\t]{1,}xmlns/g," xmlns");return i.replace(/>\s{0,}</g,"><")},e.prototype.jsonmin=function(t){return"undefined"==typeof JSON?t:JSON.stringify(JSON.parse(t),null,0)},e.prototype.cssmin=function(t,e){var i=e?t:t.replace(/\/\*([^*]|[\r\n]|(\*+([^*/]|[\r\n])))*\*+\//g,"");return i.replace(/\s{1,}/g," ").replace(/\{\s{1,}/g,"{").replace(/\}\s{1,}/g,"}").replace(/\;\s{1,}/g,";").replace(/\/\*\s{1,}/g,"/*").replace(/\*\/\s{1,}/g,"*/")},e.prototype.sqlmin=function(t){return t.replace(/\s{1,}/g," ").replace(/\s{1,}\(/,"(").replace(/\s{1,}\)/,")")},window.vkbeautify=new e}(),function(t,e){function i(t){return t.call.apply(t.bind,arguments)}function n(t,e){if(!t)throw Error();if(2<arguments.length){var i=Array.prototype.slice.call(arguments,2);return function(){var n=Array.prototype.slice.call(arguments);return Array.prototype.unshift.apply(n,i),t.apply(e,n)}}return function(){return t.apply(e,arguments)}}function s(){return s=Function.prototype.bind&&-1!=Function.prototype.bind.toString().indexOf("native code")?i:n,s.apply(null,arguments)}function o(t,e){this.J=t,this.t=e||t,this.C=this.t.document}function a(t,i,n){t=t.C.getElementsByTagName(i)[0],t||(t=e.documentElement),t&&t.lastChild&&t.insertBefore(n,t.lastChild)}function r(t,e){function i(){t.C.body?e():setTimeout(i,0)}i()}function l(t,e,i){e=e||[],i=i||[];for(var n=t.className.split(/\s+/),s=0;s<e.length;s+=1){for(var o=!1,a=0;a<n.length;a+=1)if(e[s]===n[a]){o=!0;break}o||n.push(e[s])}for(e=[],s=0;s<n.length;s+=1){for(o=!1,a=0;a<i.length;a+=1)if(n[s]===i[a]){o=!0;break}o||e.push(n[s])}t.className=e.join(" ").replace(/\s+/g," ").replace(/^\s+|\s+$/,"")}function c(t,e){for(var i=t.className.split(/\s+/),n=0,s=i.length;s>n;n++)if(i[n]==e)return!0;return!1}function d(t){if("string"==typeof t.ma)return t.ma;var e=t.t.location.protocol;return"about:"==e&&(e=t.J.location.protocol),"https:"==e?"https:":"http:"}function h(t,e){var i=t.createElement("link",{rel:"stylesheet",href:e}),n=!1;i.onload=function(){n||(n=!0)},i.onerror=function(){n||(n=!0)},a(t,"head",i)}function u(e,i,n,s){var o=e.C.getElementsByTagName("head")[0];if(o){var a=e.createElement("script",{src:i}),r=!1;return a.onload=a.onreadystatechange=function(){r||this.readyState&&"loaded"!=this.readyState&&"complete"!=this.readyState||(r=!0,n&&n(null),a.onload=a.onreadystatechange=null,"HEAD"==a.parentNode.tagName&&o.removeChild(a))},o.appendChild(a),t.setTimeout(function(){r||(r=!0,n&&n(Error("Script load timeout")))},s||5e3),a}return null}function p(t,e){this.X=t,this.fa=e}function f(t,e,i,n){this.c=null!=t?t:null,this.g=null!=e?e:null,this.A=null!=i?i:null,this.e=null!=n?n:null}function m(t){t=K.exec(t);var e=null,i=null,n=null,s=null;return t&&(null!==t[1]&&t[1]&&(e=parseInt(t[1],10)),null!==t[2]&&t[2]&&(i=parseInt(t[2],10)),null!==t[3]&&t[3]&&(n=parseInt(t[3],10)),null!==t[4]&&t[4]&&(s=/^[0-9]+$/.test(t[4])?parseInt(t[4],10):t[4])),new f(e,i,n,s)}function g(t,e,i,n,s,o,a,r){this.M=t,this.k=r}function v(t){this.a=t}function b(t){var e=E(t.a,/(iPod|iPad|iPhone|Android|Windows Phone|BB\d{2}|BlackBerry)/,1);return""!=e?(/BB\d{2}/.test(e)&&(e="BlackBerry"),e):(t=E(t.a,/(Linux|Mac_PowerPC|Macintosh|Windows|CrOS|PlayStation|CrKey)/,1),""!=t?("Mac_PowerPC"==t?t="Macintosh":"PlayStation"==t&&(t="Linux"),t):"Unknown")}function y(t){var e=E(t.a,/(OS X|Windows NT|Android) ([^;)]+)/,2);if(e||(e=E(t.a,/Windows Phone( OS)? ([^;)]+)/,2))||(e=E(t.a,/(iPhone )?OS ([\d_]+)/,2)))return e;if(e=E(t.a,/(?:Linux|CrOS|CrKey) ([^;)]+)/,1))for(var e=e.split(/\s/),i=0;i<e.length;i+=1)if(/^[\d\._]+$/.test(e[i]))return e[i];return(t=E(t.a,/(BB\d{2}|BlackBerry).*?Version\/([^\s]*)/,2))?t:"Unknown"}function S(t){var e=b(t),i=m(y(t)),n=m(E(t.a,/AppleWeb(?:K|k)it\/([\d\.\+]+)/,1)),s="Unknown",o=new f,o="Unknown",a=!1;return/OPR\/[\d.]+/.test(t.a)?s="Opera":-1!=t.a.indexOf("Chrome")||-1!=t.a.indexOf("CrMo")||-1!=t.a.indexOf("CriOS")?s="Chrome":/Silk\/\d/.test(t.a)?s="Silk":"BlackBerry"==e||"Android"==e?s="BuiltinBrowser":-1!=t.a.indexOf("PhantomJS")?s="PhantomJS":-1!=t.a.indexOf("Safari")?s="Safari":-1!=t.a.indexOf("AdobeAIR")?s="AdobeAIR":-1!=t.a.indexOf("PlayStation")&&(s="BuiltinBrowser"),"BuiltinBrowser"==s?o="Unknown":"Silk"==s?o=E(t.a,/Silk\/([\d\._]+)/,1):"Chrome"==s?o=E(t.a,/(Chrome|CrMo|CriOS)\/([\d\.]+)/,2):-1!=t.a.indexOf("Version/")?o=E(t.a,/Version\/([\d\.\w]+)/,1):"AdobeAIR"==s?o=E(t.a,/AdobeAIR\/([\d\.]+)/,1):"Opera"==s?o=E(t.a,/OPR\/([\d.]+)/,1):"PhantomJS"==s&&(o=E(t.a,/PhantomJS\/([\d.]+)/,1)),o=m(o),a="AdobeAIR"==s?2<o.c||2==o.c&&5<=o.g:"BlackBerry"==e?10<=i.c:"Android"==e?2<i.c||2==i.c&&1<i.g:526<=n.c||525<=n.c&&13<=n.g,new g(s,0,0,0,0,0,0,new p(a,536>n.c||536==n.c&&11>n.g))}function E(t,e,i){return(t=t.match(e))&&t[i]?t[i]:""}function T(t){this.la=t||"-"}function L(t,e){this.M=t,this.Y=4,this.N="n";var i=(e||"n4").match(/^([nio])([1-9])$/i);i&&(this.N=i[1],this.Y=parseInt(i[2],10))}function _(t){return t.N+t.Y}function w(t){var e=4,i="n",n=null;return t&&((n=t.match(/(normal|oblique|italic)/i))&&n[1]&&(i=n[1].substr(0,1).toLowerCase()),(n=t.match(/([1-9]00|normal|bold)/i))&&n[1]&&(/bold/i.test(n[1])?e=7:/[1-9]00/.test(n[1])&&(e=parseInt(n[1].substr(0,1),10)))),i+e}function k(t,e){this.d=t,this.p=t.t.document.documentElement,this.P=e,this.j="wf",this.h=new T("-"),this.ga=!1!==e.events,this.B=!1!==e.classes}function C(t){if(t.B){var e=c(t.p,t.h.e(t.j,"active")),i=[],n=[t.h.e(t.j,"loading")];e||i.push(t.h.e(t.j,"inactive")),l(t.p,i,n)}A(t,"inactive")}function A(t,e,i){t.ga&&t.P[e]&&(i?t.P[e](i.getName(),_(i)):t.P[e]())}function x(){this.w={}}function D(t,e){this.d=t,this.G=e,this.m=this.d.createElement("span",{"aria-hidden":"true"},this.G)}function I(t){a(t.d,"body",t.m)}function M(t){var e;e=[];for(var i=t.M.split(/,\s*/),n=0;n<i.length;n++){var s=i[n].replace(/['"]/g,"");e.push(-1==s.indexOf(" ")?s:"'"+s+"'")}return e=e.join(","),i="normal","o"===t.N?i="oblique":"i"===t.N&&(i="italic"),"display:block;position:absolute;top:-999px;left:-999px;font-size:300px;width:auto;height:auto;line-height:normal;margin:0;padding:0;font-variant:normal;white-space:nowrap;font-family:"+e+";"+("font-style:"+i+";font-weight:"+(t.Y+"00")+";")}function R(t,e,i,n,s,o,a,r){this.Z=t,this.ja=e,this.d=i,this.s=n,this.G=r||"BESbswy",this.k=s,this.I={},this.W=o||3e3,this.ba=a||null,this.F=this.D=null,t=new D(this.d,this.G),I(t);for(var l in Z)Z.hasOwnProperty(l)&&(e=new L(Z[l],_(this.s)),e=M(e),t.m.style.cssText=e,this.I[Z[l]]=t.m.offsetWidth);t.remove()}function O(t,e,i){for(var n in Z)if(Z.hasOwnProperty(n)&&e===t.I[Z[n]]&&i===t.I[Z[n]])return!0;return!1}function N(t){var e=t.D.m.offsetWidth,i=t.F.m.offsetWidth;e===t.I.serif&&i===t.I["sans-serif"]||t.k.fa&&O(t,e,i)?q()-t.na>=t.W?t.k.fa&&O(t,e,i)&&(null===t.ba||t.ba.hasOwnProperty(t.s.getName()))?U(t,t.Z):U(t,t.ja):P(t):U(t,t.Z)}function P(t){setTimeout(s(function(){N(this)},t),25)}function U(t,e){t.D.remove(),t.F.remove(),e(t.s)}function $(t,e,i,n){this.d=e,this.u=i,this.R=0,this.da=this.aa=!1,this.W=n,this.k=t.k}function F(t,e,i,n,o){if(i=i||{},0===e.length&&o)C(t.u);else for(t.R+=e.length,o&&(t.aa=o),o=0;o<e.length;o++){var a=e[o],r=i[a.getName()],c=t.u,d=a;c.B&&l(c.p,[c.h.e(c.j,d.getName(),_(d).toString(),"loading")]),A(c,"fontloading",d),c=null,c=new R(s(t.ha,t),s(t.ia,t),t.d,a,t.k,t.W,n,r),c.start()}}function j(t){0==--t.R&&t.aa&&(t.da?(t=t.u,t.B&&l(t.p,[t.h.e(t.j,"active")],[t.h.e(t.j,"loading"),t.h.e(t.j,"inactive")]),A(t,"active")):C(t.u))}function B(t){this.J=t,this.v=new x,this.oa=new v(t.navigator.userAgent),this.a=this.oa.parse(),this.T=this.U=0,this.Q=this.S=!0}function H(t,e,i,n,s){var o=0==--t.U;(t.Q||t.S)&&setTimeout(function(){F(e,i,n||null,s||null,o)},0)}function z(t,e,i){this.O=t?t:e+te,this.q=[],this.V=[],this.ea=i||""}function V(t){this.q=t,this.ca=[],this.L={}}function G(t,e){this.a=new v(navigator.userAgent).parse(),this.d=t,this.f=e}function X(t,e){this.d=t,this.f=e,this.o=[]}function W(t,e){this.d=t,this.f=e,this.o=[]}function J(t,e){this.d=t,this.f=e,this.o=[]}function Y(t,e){this.d=t,this.f=e}var q=Date.now||function(){return+new Date};o.prototype.createElement=function(t,e,i){if(t=this.C.createElement(t),e)for(var n in e)e.hasOwnProperty(n)&&("style"==n?t.style.cssText=e[n]:t.setAttribute(n,e[n]));return i&&t.appendChild(this.C.createTextNode(i)),t};var K=/^([0-9]+)(?:[\._-]([0-9]+))?(?:[\._-]([0-9]+))?(?:[\._+-]?(.*))?$/;f.prototype.compare=function(t){return this.c>t.c||this.c===t.c&&this.g>t.g||this.c===t.c&&this.g===t.g&&this.A>t.A?1:this.c<t.c||this.c===t.c&&this.g<t.g||this.c===t.c&&this.g===t.g&&this.A<t.A?-1:0},f.prototype.toString=function(){return[this.c,this.g||"",this.A||"",this.e||""].join("")},g.prototype.getName=function(){return this.M};var Q=new g("Unknown",0,0,0,0,0,0,new p(!1,!1));v.prototype.parse=function(){var t;if(-1!=this.a.indexOf("MSIE")||-1!=this.a.indexOf("Trident/")){t=b(this);var e=m(y(this)),i=null,n=E(this.a,/Trident\/([\d\w\.]+)/,1),i=m(-1!=this.a.indexOf("MSIE")?E(this.a,/MSIE ([\d\w\.]+)/,1):E(this.a,/rv:([\d\w\.]+)/,1));""!=n&&m(n),t=new g("MSIE",0,0,0,0,0,0,new p("Windows"==t&&6<=i.c||"Windows Phone"==t&&8<=e.c,!1))}else if(-1!=this.a.indexOf("Opera"))t:if(t=m(E(this.a,/Presto\/([\d\w\.]+)/,1)),m(y(this)),null!==t.c||m(E(this.a,/rv:([^\)]+)/,1)),-1!=this.a.indexOf("Opera Mini/"))t=m(E(this.a,/Opera Mini\/([\d\.]+)/,1)),t=new g("OperaMini",0,0,0,b(this),0,0,new p(!1,!1));else{if(-1!=this.a.indexOf("Version/")&&(t=m(E(this.a,/Version\/([\d\.]+)/,1)),null!==t.c)){t=new g("Opera",0,0,0,b(this),0,0,new p(10<=t.c,!1));break t}t=m(E(this.a,/Opera[\/ ]([\d\.]+)/,1)),t=null!==t.c?new g("Opera",0,0,0,b(this),0,0,new p(10<=t.c,!1)):new g("Opera",0,0,0,b(this),0,0,new p(!1,!1))}else/OPR\/[\d.]+/.test(this.a)?t=S(this):/AppleWeb(K|k)it/.test(this.a)?t=S(this):-1!=this.a.indexOf("Gecko")?(t="Unknown",e=new f,m(y(this)),e=!1,-1!=this.a.indexOf("Firefox")?(t="Firefox",e=m(E(this.a,/Firefox\/([\d\w\.]+)/,1)),e=3<=e.c&&5<=e.g):-1!=this.a.indexOf("Mozilla")&&(t="Mozilla"),i=m(E(this.a,/rv:([^\)]+)/,1)),e||(e=1<i.c||1==i.c&&9<i.g||1==i.c&&9==i.g&&2<=i.A),t=new g(t,0,0,0,b(this),0,0,new p(e,!1))):t=Q;return t},T.prototype.e=function(){for(var t=[],e=0;e<arguments.length;e++)t.push(arguments[e].replace(/[\W_]+/g,"").toLowerCase());return t.join(this.la)},L.prototype.getName=function(){return this.M},D.prototype.remove=function(){var t=this.m;t.parentNode&&t.parentNode.removeChild(t)};var Z={ra:"serif",qa:"sans-serif",pa:"monospace"};R.prototype.start=function(){this.D=new D(this.d,this.G),I(this.D),this.F=new D(this.d,this.G),I(this.F),this.na=q();var t=new L(this.s.getName()+",serif",_(this.s)),t=M(t);this.D.m.style.cssText=t,t=new L(this.s.getName()+",sans-serif",_(this.s)),t=M(t),this.F.m.style.cssText=t,N(this)},$.prototype.ha=function(t){var e=this.u;e.B&&l(e.p,[e.h.e(e.j,t.getName(),_(t).toString(),"active")],[e.h.e(e.j,t.getName(),_(t).toString(),"loading"),e.h.e(e.j,t.getName(),_(t).toString(),"inactive")]),A(e,"fontactive",t),this.da=!0,j(this)},$.prototype.ia=function(t){var e=this.u;if(e.B){var i=c(e.p,e.h.e(e.j,t.getName(),_(t).toString(),"active")),n=[],s=[e.h.e(e.j,t.getName(),_(t).toString(),"loading")];i||n.push(e.h.e(e.j,t.getName(),_(t).toString(),"inactive")),l(e.p,n,s)}A(e,"fontinactive",t),j(this)},B.prototype.load=function(t){this.d=new o(this.J,t.context||this.J),this.S=!1!==t.events,this.Q=!1!==t.classes;var e=new k(this.d,t),i=[],n=t.timeout;e.B&&l(e.p,[e.h.e(e.j,"loading")]),A(e,"loading");var a,i=this.v,r=this.d,c=[];for(a in t)if(t.hasOwnProperty(a)){var d=i.w[a];d&&c.push(d(t[a],r))}for(i=c,this.T=this.U=i.length,t=new $(this.a,this.d,e,n),n=0,a=i.length;a>n;n++)r=i[n],r.K(this.a,s(this.ka,this,r,e,t))},B.prototype.ka=function(t,e,i,n){var s=this;n?t.load(function(t,e,n){H(s,i,t,e,n)}):(t=0==--this.U,this.T--,t&&0==this.T?C(e):(this.Q||this.S)&&F(i,[],{},null,t))};var te="//fonts.googleapis.com/css";z.prototype.e=function(){if(0==this.q.length)throw Error("No fonts to load!");if(-1!=this.O.indexOf("kit="))return this.O;for(var t=this.q.length,e=[],i=0;t>i;i++)e.push(this.q[i].replace(/ /g,"+"));return t=this.O+"?family="+e.join("%7C"),0<this.V.length&&(t+="&subset="+this.V.join(",")),0<this.ea.length&&(t+="&text="+encodeURIComponent(this.ea)),t};var ee={latin:"BESbswy",cyrillic:"&#1081;&#1103;&#1046;",greek:"&#945;&#946;&#931;",khmer:"&#x1780;&#x1781;&#x1782;",Hanuman:"&#x1780;&#x1781;&#x1782;"},ie={thin:"1",extralight:"2","extra-light":"2",ultralight:"2","ultra-light":"2",light:"3",regular:"4",book:"4",medium:"5","semi-bold":"6",semibold:"6","demi-bold":"6",demibold:"6",bold:"7","extra-bold":"8",extrabold:"8","ultra-bold":"8",ultrabold:"8",black:"9",heavy:"9",l:"3",r:"4",b:"7"},ne={i:"i",italic:"i",n:"n",normal:"n"},se=/^(thin|(?:(?:extra|ultra)-?)?light|regular|book|medium|(?:(?:semi|demi|extra|ultra)-?)?bold|black|heavy|l|r|b|[1-9]00)?(n|i|normal|italic)?$/;V.prototype.parse=function(){for(var t=this.q.length,e=0;t>e;e++){var i=this.q[e].split(":"),n=i[0].replace(/\+/g," "),s=["n4"];if(2<=i.length){var o,a=i[1];if(o=[],a)for(var a=a.split(","),r=a.length,l=0;r>l;l++){var c;if(c=a[l],c.match(/^[\w-]+$/)){c=se.exec(c.toLowerCase());var d=void 0;if(null==c)d="";else{if(d=void 0,d=c[1],null==d||""==d)d="4";else var h=ie[d],d=h?h:isNaN(d)?"4":d.substr(0,1);c=c[2],d=[null==c||""==c?"n":ne[c],d].join("")}c=d}else c="";c&&o.push(c)}0<o.length&&(s=o),3==i.length&&(i=i[2],o=[],i=i?i.split(","):o,0<i.length&&(i=ee[i[0]])&&(this.L[n]=i))}for(this.L[n]||(i=ee[n])&&(this.L[n]=i),i=0;i<s.length;i+=1)this.ca.push(new L(n,s[i]))}};var oe={Arimo:!0,Cousine:!0,Tinos:!0};G.prototype.K=function(t,e){e(t.k.X)},G.prototype.load=function(t){var e=this.d;"MSIE"==this.a.getName()&&1!=this.f.blocking?r(e,s(this.$,this,t)):this.$(t)},G.prototype.$=function(t){for(var e=this.d,i=new z(this.f.api,d(e),this.f.text),n=this.f.families,s=n.length,o=0;s>o;o++){var a=n[o].split(":");3==a.length&&i.V.push(a.pop());var r="";2==a.length&&""!=a[1]&&(r=":"),i.q.push(a.join(r))}n=new V(n),n.parse(),h(e,i.e()),t(n.ca,n.L,oe)},X.prototype.H=function(t){var e=this.d;return d(this.d)+(this.f.api||"//f.fontdeck.com/s/css/js/")+(e.t.location.hostname||e.J.location.hostname)+"/"+t+".js"},X.prototype.K=function(t,e){var i=this.f.id,n=this.d.t,s=this;i?(n.__webfontfontdeckmodule__||(n.__webfontfontdeckmodule__={}),n.__webfontfontdeckmodule__[i]=function(t,i){for(var n=0,o=i.fonts.length;o>n;++n){var a=i.fonts[n];s.o.push(new L(a.name,w("font-weight:"+a.weight+";font-style:"+a.style)))}e(t)},u(this.d,this.H(i),function(t){t&&e(!1)})):e(!1)},X.prototype.load=function(t){t(this.o)},W.prototype.H=function(t){var e=d(this.d);return(this.f.api||e+"//use.typekit.net")+"/"+t+".js"},W.prototype.K=function(t,e){var i=this.f.id,n=this.d.t,s=this;i?u(this.d,this.H(i),function(t){if(t)e(!1);else{if(n.Typekit&&n.Typekit.config&&n.Typekit.config.fn){t=n.Typekit.config.fn;for(var i=0;i<t.length;i+=2)for(var o=t[i],a=t[i+1],r=0;r<a.length;r++)s.o.push(new L(o,a[r]));try{n.Typekit.load({events:!1,classes:!1})}catch(l){}}e(!0)}},2e3):e(!1)},W.prototype.load=function(t){t(this.o)},J.prototype.K=function(t,e){var i=this,n=i.f.projectId,s=i.f.version;
+if(n){var o=i.d.t;u(this.d,i.H(n,s),function(s){if(s)e(!1);else{if(o["__mti_fntLst"+n]&&(s=o["__mti_fntLst"+n]()))for(var a=0;a<s.length;a++)i.o.push(new L(s[a].fontfamily));e(t.k.X)}}).id="__MonotypeAPIScript__"+n}else e(!1)},J.prototype.H=function(t,e){var i=d(this.d),n=(this.f.api||"fast.fonts.net/jsapi").replace(/^.*http(s?):(\/\/)?/,"");return i+"//"+n+"/"+t+".js"+(e?"?v="+e:"")},J.prototype.load=function(t){t(this.o)},Y.prototype.load=function(t){var e,i,n=this.f.urls||[],s=this.f.families||[],o=this.f.testStrings||{};for(e=0,i=n.length;i>e;e++)h(this.d,n[e]);for(n=[],e=0,i=s.length;i>e;e++){var a=s[e].split(":");if(a[1])for(var r=a[1].split(","),l=0;l<r.length;l+=1)n.push(new L(a[0],r[l]));else n.push(new L(a[0]))}t(n,o)},Y.prototype.K=function(t,e){return e(t.k.X)};var ae=new B(this);ae.v.w.custom=function(t,e){return new Y(e,t)},ae.v.w.fontdeck=function(t,e){return new X(e,t)},ae.v.w.monotype=function(t,e){return new J(e,t)},ae.v.w.typekit=function(t,e){return new W(e,t)},ae.v.w.google=function(t,e){return new G(e,t)},this.WebFont||(this.WebFont={},this.WebFont.load=s(ae.load,ae),this.WebFontConfig&&ae.load(this.WebFontConfig))}(this,document),function(t,e,i){e[t]=e[t]||i(),"undefined"!=typeof module&&module.exports?module.exports=e[t]:"function"==typeof define&&define.amd&&define(function(){return e[t]})}("Promise","undefined"!=typeof global?global:this,function(){"use strict";function t(t,e){u.add(t,e),h||(h=f(u.drain))}function e(t){var e,i=typeof t;return null==t||"object"!=i&&"function"!=i||(e=t.then),"function"==typeof e?e:!1}function i(){for(var t=0;t<this.chain.length;t++)n(this,1===this.state?this.chain[t].success:this.chain[t].failure,this.chain[t]);this.chain.length=0}function n(t,i,n){var s,o;try{i===!1?n.reject(t.msg):(s=i===!0?t.msg:i.call(void 0,t.msg),s===n.promise?n.reject(TypeError("Promise-chain cycle")):(o=e(s))?o.call(s,n.resolve,n.reject):n.resolve(s))}catch(a){n.reject(a)}}function s(n){var a,l=this;if(!l.triggered){l.triggered=!0,l.def&&(l=l.def);try{(a=e(n))?t(function(){var t=new r(l);try{a.call(n,function(){s.apply(t,arguments)},function(){o.apply(t,arguments)})}catch(e){o.call(t,e)}}):(l.msg=n,l.state=1,l.chain.length>0&&t(i,l))}catch(c){o.call(new r(l),c)}}}function o(e){var n=this;n.triggered||(n.triggered=!0,n.def&&(n=n.def),n.msg=e,n.state=2,n.chain.length>0&&t(i,n))}function a(t,e,i,n){for(var s=0;s<e.length;s++)!function(s){t.resolve(e[s]).then(function(t){i(s,t)},n)}(s)}function r(t){this.def=t,this.triggered=!1}function l(t){this.promise=t,this.state=0,this.triggered=!1,this.chain=[],this.msg=void 0}function c(e){if("function"!=typeof e)throw TypeError("Not a function");if(0!==this.__NPO__)throw TypeError("Not a promise");this.__NPO__=1;var n=new l(this);this.then=function(e,s){var o={success:"function"==typeof e?e:!0,failure:"function"==typeof s?s:!1};return o.promise=new this.constructor(function(t,e){if("function"!=typeof t||"function"!=typeof e)throw TypeError("Not a function");o.resolve=t,o.reject=e}),n.chain.push(o),0!==n.state&&t(i,n),o.promise},this["catch"]=function(t){return this.then(void 0,t)};try{e.call(void 0,function(t){s.call(n,t)},function(t){o.call(n,t)})}catch(a){o.call(n,a)}}var d,h,u,p=Object.prototype.toString,f="undefined"!=typeof setImmediate?function(t){return setImmediate(t)}:setTimeout;try{Object.defineProperty({},"x",{}),d=function(t,e,i,n){return Object.defineProperty(t,e,{value:i,writable:!0,configurable:n!==!1})}}catch(m){d=function(t,e,i){return t[e]=i,t}}u=function(){function t(t,e){this.fn=t,this.self=e,this.next=void 0}var e,i,n;return{add:function(s,o){n=new t(s,o),i?i.next=n:e=n,i=n,n=void 0},drain:function(){var t=e;for(e=i=h=void 0;t;)t.fn.call(t.self),t=t.next}}}();var g=d({},"constructor",c,!1);return c.prototype=g,d(g,"__NPO__",0,!1),d(c,"resolve",function(t){var e=this;return t&&"object"==typeof t&&1===t.__NPO__?t:new e(function(e,i){if("function"!=typeof e||"function"!=typeof i)throw TypeError("Not a function");e(t)})}),d(c,"reject",function(t){return new this(function(e,i){if("function"!=typeof e||"function"!=typeof i)throw TypeError("Not a function");i(t)})}),d(c,"all",function(t){var e=this;return"[object Array]"!=p.call(t)?e.reject(TypeError("Not an array")):0===t.length?e.resolve([]):new e(function(i,n){if("function"!=typeof i||"function"!=typeof n)throw TypeError("Not a function");var s=t.length,o=Array(s),r=0;a(e,t,function(t,e){o[t]=e,++r===s&&i(o)},n)})}),d(c,"race",function(t){var e=this;return"[object Array]"!=p.call(t)?e.reject(TypeError("Not an array")):new e(function(i,n){if("function"!=typeof i||"function"!=typeof n)throw TypeError("Not a function");a(e,t,function(t,e){i(e)},n)})}),c}),window.SL=function(t){t=t.split(".");for(var e=SL;t.length;){var i=t.shift();e[i]||(e[i]={}),e=e[i]}return e},$(function(){function t(){e(),SL.helpers&&SL.helpers.PageLoader.hide(),SL.settings.init(),SL.keyboard.init(),SL.pointer.init(),SL.warnings.init(),SL.draganddrop.init(),SL.fonts.init(),SL.visibility.init(),"undefined"==typeof SLConfig&&(window.SLConfig={}),i(),n()}function e(){var t=$("html");t.addClass("loaded"),SL.util.device.HAS_TOUCH&&t.addClass("touch"),SL.util.device.isMac()?t.addClass("ua-mac"):SL.util.device.isWindows()?t.addClass("ua-windows"):SL.util.device.isLinux()&&t.addClass("ua-linux"),SL.util.device.isChrome()?t.addClass("ua-chrome"):SL.util.device.isSafari()?t.addClass("ua-safari"):SL.util.device.isFirefox()?t.addClass("ua-firefox"):SL.util.device.isIE()&&t.addClass("ua-ie"),SL.util.device.getScrollBarWidth()>0&&t.addClass("has-visible-scrollbars")}function i(){"object"==typeof window.SLConfig&&(SLConfig.deck&&!SLConfig.deck.notes&&(SLConfig.deck.notes={}),SL.current_user=new SL.models.User(SLConfig.current_user),"object"==typeof SLConfig.deck&&(SL.current_deck=new SL.models.Deck(SLConfig.deck)),"object"==typeof SLConfig.theme&&(SL.current_theme=new SL.models.Theme(SLConfig.theme)),"object"==typeof SLConfig.team&&(SL.current_team=new SL.models.Team(SLConfig.team)))}function n(){var t=$("html");SL.util.hideAddressBar(),t.hasClass("home index")&&(SL.view=new SL.views.home.Index),SL.view=t.hasClass("home explore")?new SL.views.home.Explore:t.hasClass("users show")?new SL.views.users.Show:t.hasClass("decks show")?new SL.views.decks.Show:t.hasClass("decks edit")?new SL.editor.Editor:t.hasClass("decks edit-requires-upgrade")?new SL.views.decks.EditRequiresUpgrade:t.hasClass("decks embed")?new SL.views.decks.Embed:t.is(".decks.live-client")?new SL.views.decks.LiveClient:t.is(".decks.live-server")?new SL.views.decks.LiveServer:t.hasClass("decks speaker")?new SL.views.decks.Speaker:t.hasClass("decks export")?new SL.views.decks.Export:t.hasClass("decks fullscreen")?new SL.views.decks.Fullscreen:t.hasClass("decks review")?new SL.views.decks.Review:t.hasClass("decks password")?new SL.views.decks.Password:t.hasClass("teams-subscriptions-show")?new SL.views.teams.subscriptions.Show:t.hasClass("registrations")&&(t.hasClass("edit")||t.hasClass("update"))?new SL.views.devise.Edit:t.hasClass("registrations")||t.hasClass("team_registrations")||t.hasClass("sessions")||t.hasClass("passwords")||t.hasClass("invitations show")?new SL.views.devise.All:t.hasClass("subscriptions new")||t.hasClass("subscriptions edit")?new SL.views.subscriptions.New:t.hasClass("subscriptions show")?new SL.views.subscriptions.Show:t.hasClass("subscriptions edit_period")?new SL.views.subscriptions.EditPeriod:t.hasClass("teams-reactivate")?new SL.views.teams.subscriptions.Reactivate:t.hasClass("teams-signup")?new SL.views.teams.New:t.hasClass("teams edit")?new SL.views.teams.teams.Edit:t.hasClass("teams edit_members")?new SL.views.teams.teams.EditMembers:t.hasClass("teams show")?new SL.views.teams.teams.Show:t.hasClass("themes edit")?new SL.views.themes.Edit:t.hasClass("themes preview")?new SL.views.themes.Preview:t.hasClass("pricing")?new SL.views.statik.Pricing:t.hasClass("static")?new SL.views.statik.All:new SL.views.Base,Placement.sync()}setTimeout(t,1)}),SL("collections").Collection=Class.extend({init:function(t,e,i){this.factory=e,this.crud=i||{},this.changed=new signals.Signal,this.replaced=new signals.Signal,this.setData(t)},setData:function(t){var e=!!this.data&&"undefined"!=typeof this.data;if(this.data=t||[],"function"==typeof this.factory){var i=this.data;this.data=[];for(var n=0,s=i.length;s>n;n++){var o=i[n];this.data.push(o instanceof this.factory?i[n]:this.createModelInstance(i[n]))}}e&&this.replaced.dispatch()},appendData:function(t){var e=this.size();return this.setData(this.data.concat(t)),this.data.slice(e)},prependData:function(t){var e=this.size();return this.setData(t.concat(this.data)),this.data.slice(0,e)},find:function(t){for(var e=0,i=this.data.length;i>e;e++){var n=this.data[e];if(n===t)return e}return-1},contains:function(t){return-1!==this.find(t)},findByProperties:function(t){for(var e=0,i=this.data.length;i>e;e++){var n=this.data[e],s=!0;for(var o in t)t.hasOwnProperty(o)&&("function"==typeof n.get?n.get(o)!=t[o]&&(s=!1):n[o]!=t[o]&&(s=!1));if(s)return e}return-1},getByProperties:function(t){return this.data[this.findByProperties(t)]},getByID:function(t){return this.getByProperties({id:t})},remove:function(t){for(var e,i=0;i<this.data.length;i++)this.data[i]===t&&(e=this.data.splice(i,1)[0],i--);"undefined"!=typeof e&&this.changed.dispatch(null,[e])},removeByProperties:function(t){for(var e,i=this.findByProperties(t),n=0;-1!==i&&n++<1e3;)e=this.data.splice(i,1)[0],i=this.findByProperties(t);"undefined"!=typeof e&&this.changed.dispatch(null,[e])},removeByIndex:function(t){var e=this.data.splice(t,1);return"undefined"!=typeof e&&this.changed.dispatch(null,[e]),e},create:function(t,e){return new Promise(function(i,n){"function"==typeof this.factory?this.crud.create?$.ajax({type:"POST",context:this,url:e&&e.url?e.url:this.crud.create,data:t}).done(function(t){e&&e.model?(e.model.setAll(t),i(e.model)):e&&e.createModel===!1?i():i(this.createModel(t,e))}).fail(function(){n()}):i(this.createModel(t,e)):n()}.bind(this))},createModel:function(t,e){if(e=$.extend({prepend:!1},e),"function"==typeof this.factory){var i=this.createModelInstance(t);return e.prepend?this.unshift(i):this.push(i),i}},createModelInstance:function(t,e){return new this.factory(t,e)},clear:function(){this.data.length=0,this.changed.dispatch()},swap:function(t,e){var i="number"==typeof t&&t>=0&&t<this.size(),n="number"==typeof e&&e>=0&&e<this.size();if(i&&n){var s=this.data[t],o=this.data[e];this.data[t]=o,this.data[e]=s}this.changed.dispatch()},shiftLeft:function(t){"number"==typeof t&&t>0&&this.swap(t,t-1)},shiftRight:function(t){"number"==typeof t&&t<this.size()-1&&this.swap(t,t+1)},at:function(t){return this.data[t]},first:function(){return this.at(0)},last:function(){return this.at(this.size()-1)},size:function(){return this.data.length},isEmpty:function(){return 0===this.size()},getUniqueName:function(t,e,i){for(var n=-1,s=0,o=this.data.length;o>s;s++){var a=this.data[s],r="function"==typeof a.get?a.get(e):a[e];if(r){var l=r.match(new RegExp("^"+t+"\\s?(\\d+)?$"));l&&2===l.length&&(n=Math.max(l[1]?parseInt(l[1],10):0,n))}}return-1===n?t+(i?" 1":""):t+" "+(n+1)},toJSON:function(){return this.map(function(t){return"function"==typeof t.toJSON?t.toJSON():t})},destroy:function(){this.changed.dispose(),this.data=null},unshift:function(t){var e=this.data.unshift(t);return this.changed.dispatch(t),e},push:function(t){var e=this.data.push(t);return this.changed.dispatch([t]),e},pop:function(){var t=this.data.pop();return"undefined"!=typeof t&&this.changed.dispatch(null,[t]),t},map:function(t,e){return this.data.map(t,e)},some:function(t,e){return this.data.some(t,e)},filter:function(t,e){return this.data.filter(t,e)},forEach:function(t,e){return this.data.forEach(t,e)}}),SL("collections").Loadable=SL.collections.Collection.extend({init:function(){this._super.apply(this,arguments),this.loadStatus="",this.loadStarted=new signals.Signal,this.loadCompleted=new signals.Signal,this.loadFailed=new signals.Signal},load:function(){},unload:function(){this.loadXHR&&(this.loadXHR.abort(),this.loadXHR=null),this.loadStatus="",this.clear()},onLoadStarted:function(){this.loadStatus="loading",this.loadStarted.dispatch()},onLoadCompleted:function(){this.loadStatus="loaded",this.loadCompleted.dispatch()},onLoadFailed:function(){this.loadStatus="failed",this.loadFailed.dispatch()},isLoading:function(){return"loading"===this.loadStatus},isLoaded:function(){return"loaded"===this.loadStatus},destroy:function(){this.loadStarted.dispose(),this.loadCompleted.dispose(),this.loadFailed.dispose(),this._super()}}),SL("collections").Paginatable=SL.collections.Loadable.extend({init:function(){this._super.apply(this,arguments)},load:function(t){return this.isLoading()?void 0:(this.listURL=t||this.crud.list,this.onLoadStarted(),new Promise(function(t,e){this.loadXHR=$.ajax({type:"GET",url:this.listURL,context:this}).done(function(e){this.totalResults=e.total,this.pagesLoaded=1,this.pagesTotal=1,e.total>e.results.length&&(this.pagesTotal=Math.ceil(e.total/e.results.length)),this.setData(e.results),this.loadXHR=null,this.onLoadCompleted(),t()}).fail(function(){this.loadXHR=null,this.onLoadFailed(),e()})}.bind(this)))},hasNextPage:function(){return this.pagesLoaded<this.pagesTotal},loadNextPage:function(){return this.hasNextPage()?new Promise(function(t,e){$.ajax({type:"GET",url:this.listURL+"?page="+(this.pagesLoaded+1),context:this}).done(function(e){this.pagesLoaded+=1,t(this.appendData(e.results))}).fail(function(){e()})}.bind(this)):Promise.resolve([])},getTotalResults:function(){return this.totalResults},getLoadedResults:function(){return this.size()}}),SL("collections.collab").Comments=SL.collections.Loadable.extend({init:function(t,e){this._super(t,e||SL.models.collab.Comment,{list:SL.config.AJAX_COMMENTS_LIST(SL.current_deck.get("id")),create:SL.config.AJAX_COMMENTS_CREATE(SL.current_deck.get("id")),"delete":SL.config.AJAX_COMMENTS_DELETE(SL.current_deck.get("id"))})},load:function(t){return this.isLoading()?void 0:(this.url=t||this.crud.list,this.onLoadStarted(),new Promise(function(t,e){this.loadXHR=$.ajax({type:"GET",url:this.url,context:this}).done(function(e){this.pagesLoaded=1,this.pagesTotal=1,e.total>e.results.length&&(this.pagesTotal=Math.ceil(e.total/e.results.length)),this.setData(e.results.reverse()),this.pageOffsetID=this.isEmpty()?null:this.first().get("id"),this.loadXHR=null,this.onLoadCompleted(),t()}).fail(function(){this.loadXHR=null,this.onLoadFailed(),e()})}.bind(this)))},hasNextPage:function(){return this.pagesLoaded<this.pagesTotal},loadNextPage:function(){return this.hasNextPage()?new Promise(function(t,e){$.ajax({type:"GET",url:this.url+"?page="+this.pagesLoaded+"&offset_id="+this.pageOffsetID,context:this}).done(function(e){this.pagesLoaded+=1,t(this.prependData(e.results.reverse()))}).fail(function(){e()})}.bind(this)):Promise.resolve([])},create:function(t,e){e=$.extend({url:this.crud.create},e),e.model?e.model.setState(SL.models.collab.Comment.STATE_SAVING):e.model=this.createModel(t.comment);var i=JSON.parse(JSON.stringify(t));return delete i.comment.user_id,delete i.comment.created_at,this._super(i,e).then(function(){e.model.setState(SL.models.collab.Comment.STATE_SAVED)}.bind(this),function(){e.model.setState(SL.models.collab.Comment.STATE_FAILED)}.bind(this)),Promise.resolve(e.model)},retryCreate:function(t){return this.create({comment:t.toJSON()},{model:t})}}),SL("collections.collab").DeckUsers=SL.collections.Loadable.extend({init:function(t,e,i){this._super(t,e||SL.models.collab.DeckUser,i||{list:SL.config.AJAX_DECKUSER_LIST(SLConfig.deck.id),create:SL.config.AJAX_DECKUSER_CREATE(SLConfig.deck.id)})},load:function(){return this.isLoading()?void 0:(this.onLoadStarted(),new Promise(function(t,e){$.ajax({type:"GET",url:this.crud.list,context:this}).done(function(e){this.setData(e.results),this.onLoadCompleted(),t()}).fail(function(){this.onLoadFailed(),e()})}.bind(this)))},hasMoreThanOneEditor:function(){return this.getEditors().length>1},hasMoreThanOnePresentEditor:function(){return this.getPresentEditors().length>1},setEditing:function(t){this.forEach(function(e){e.set("editing",e.get("user_id")===t)})},getByUserID:function(t){return this.getByProperties({user_id:t})},getEditors:function(){return this.filter(function(t){return t.canEdit()&&t.isActive()})},getPresentEditors:function(){return this.filter(function(t){return t.canEdit()&&t.isOnline()})}}),SL("collections").MediaTags=SL.collections.Loadable.extend({init:function(t,e,i){this._super(t,e||SL.models.MediaTag,i||{list:SL.config.AJAX_MEDIA_TAG_LIST,create:SL.config.AJAX_MEDIA_TAG_CREATE,update:SL.config.AJAX_MEDIA_TAG_UPDATE,"delete":SL.config.AJAX_MEDIA_TAG_DELETE,add_media:SL.config.AJAX_MEDIA_TAG_ADD_MEDIA,remove_media:SL.config.AJAX_MEDIA_TAG_REMOVE_MEDIA}),this.associationChanged=new signals.Signal},load:function(){this.isLoading()||(this.onLoadStarted(),$.ajax({type:"GET",url:this.crud.list,context:this}).done(function(t){this.setData(t.results),this.onLoadCompleted()}).fail(function(){this.onLoadFailed()}))},create:function(t,e){return this._super($.extend({tag:{name:this.getUniqueName("Tag","name",!0)}},t),e)},addTagTo:function(t,e){e.forEach(function(e){t.addMedia(e)}),this.associationChanged.dispatch(t),$.ajax({type:"POST",url:this.crud.add_media(t.get("id")),context:this,data:{media_ids:e.map(function(t){return t.get("id")})}}).fail(function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")})},removeTagFrom:function(t,e){e.forEach(function(e){t.removeMedia(e)}),this.associationChanged.dispatch(t),$.ajax({type:"DELETE",url:this.crud.remove_media(t.get("id")),context:this,data:{media_ids:e.map(function(t){return t.get("id")})}}).fail(function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")})}}),SL("collections").Media=SL.collections.Loadable.extend({init:function(t,e,i){this._super(t,e||SL.models.Media,i||{list:SL.config.AJAX_MEDIA_LIST,update:SL.config.AJAX_MEDIA_UPDATE,create:SL.config.AJAX_MEDIA_CREATE,"delete":SL.config.AJAX_MEDIA_DELETE})},load:function(){this.isLoading()||(this.page=1,this.pagedResults=[],this.onLoadStarted(),this.loadNextPage())},loadNextPage:function(){1===this.page||this.page<=this.totalPages?$.ajax({type:"GET",url:this.crud.list+"?page="+this.page,context:this}).done(function(t){this.totalPages||(this.totalPages=Math.ceil(t.total/t.results.length)),this.pagedResults=this.pagedResults.concat(t.results),this.page+=1,this.loadNextPage()}).fail(function(){this.onLoadFailed()}):(this.setData(this.pagedResults),this.onLoadCompleted())},createSearchFilter:function(t){if(!t||""===t)return function(){return!1};var e=new RegExp(t,"i");return function(t){return e.test(t.get("label"))}},getImages:function(){return this.filter(SL.models.Media.IMAGE.filter)},getVideos:function(){return this.filter(SL.models.Media.VIDEO.filter)}}),SL("collections").TeamInvites=SL.collections.Paginatable.extend({init:function(t,e){this._super(t,e||SL.models.Model,{list:SL.config.AJAX_TEAM_INVITATIONS_LIST})}}),SL("collections").TeamMediaTags=SL.collections.MediaTags.extend({init:function(t){this._super(t,SL.models.MediaTag,{list:SL.config.AJAX_TEAM_MEDIA_TAG_LIST,create:SL.config.AJAX_TEAM_MEDIA_TAG_CREATE,update:SL.config.AJAX_TEAM_MEDIA_TAG_UPDATE,"delete":SL.config.AJAX_TEAM_MEDIA_TAG_DELETE,add_media:SL.config.AJAX_TEAM_MEDIA_TAG_ADD_MEDIA,remove_media:SL.config.AJAX_TEAM_MEDIA_TAG_REMOVE_MEDIA})},createModelInstance:function(t){return this._super(t,this.crud)}}),SL("collections").TeamMedia=SL.collections.Media.extend({init:function(t){this._super(t,SL.models.Media,{list:SL.config.AJAX_TEAM_MEDIA_LIST,create:SL.config.AJAX_TEAM_MEDIA_CREATE,update:SL.config.AJAX_TEAM_MEDIA_UPDATE,"delete":SL.config.AJAX_TEAM_MEDIA_DELETE})},createModelInstance:function(t){return this._super(t,this.crud)}}),SL("collections").TeamMembers=SL.collections.Paginatable.extend({init:function(t,e){this._super(t,e||SL.models.User,{list:SL.config.AJAX_TEAM_MEMBERS_LIST})}}),SL("models").Model=Class.extend({init:function(t){this.watchlist={},this.setData(t)},setData:function(t){this.data=t||{}},getData:function(){return this.data},setAll:function(t){for(var e in t)this.set(e,t[e])},set:function(t,e){this.data[t]=e,this.watchlist[t]&&this.watchlist[t].dispatch(e)},get:function(t){if("string"==typeof t&&/\./.test(t)){for(var e=t.split("."),i=this.data;e.length&&i;)t=e.shift(),i=i[t];return i}return this.data[t]},has:function(t){var e=this.get(t);return!!e||e===!1||0===e},watch:function(t,e){this.watchlist[t]||(this.watchlist[t]=new signals.Signal),this.watchlist[t].add(e)},unwatch:function(t,e){this.watchlist[t]&&this.watchlist[t].remove(e)},toJSON:function(){return JSON.parse(JSON.stringify(this.data))},destroy:function(){for(var t in this.watchlist)this.watchlist[t].dispose(),delete this.watchlist[t]}}),SL("models").AccessToken=SL.models.Model.extend({init:function(t){this._super(t)},save:function(t){var e={access_token:{}};return t?t.forEach(function(t){e.access_token[t]=this.get(t)}.bind(this)):e.access_token=this.toJSON(),$.ajax({url:SL.config.AJAX_ACCESS_TOKENS_UPDATE(this.get("deck_id"),this.get("id")),type:"PUT",data:e})},destroy:function(){return $.ajax({url:SL.config.AJAX_ACCESS_TOKENS_DELETE(this.get("deck_id"),this.get("id")),type:"DELETE"})},clone:function(){return new SL.models.AccessToken(JSON.parse(JSON.stringify(this.data)))}}),SL("models.collab").Comment=SL.models.Model.extend({init:function(t){this._super(t),this.state=this.has("id")?SL.models.collab.Comment.STATE_SAVED:SL.models.collab.Comment.STATE_SAVING,this.stateChanged=new signals.Signal},setState:function(t){this.state=t,this.stateChanged.dispatch(this)},getState:function(){return this.state},getDisplayName:function(){return this.get("name")||this.get("username")},clone:function(){return new SL.models.collab.Comment(JSON.parse(JSON.stringify(this.data)))},save:function(t){var e={comment:{}};return t?t.forEach(function(t){e.comment[t]=this.get(t)}.bind(this)):e.comment=this.toJSON(),$.ajax({url:SL.config.AJAX_COMMENTS_UPDATE(SL.current_deck.get("id"),this.get("id")),type:"PUT",data:e})},destroy:function(){return $.ajax({url:SL.config.AJAX_COMMENTS_DELETE(SL.current_deck.get("id"),this.get("id")),type:"DELETE"})}}),SL.models.collab.Comment.STATE_SAVED="saved",SL.models.collab.Comment.STATE_SAVING="saving",SL.models.collab.Comment.STATE_FAILED="failed",SL("models.collab").DeckUser=SL.models.Model.extend({init:function(t){this._super(t),this.has("status")||this.set("status",SL.models.collab.DeckUser.STATUS_DISCONNECTED)},getDisplayName:function(){return this.get("name")||this.get("username")},canComment:function(){return!0},canEdit:function(){return-1!==[SL.models.collab.DeckUser.ROLE_OWNER,SL.models.collab.DeckUser.ROLE_ADMIN,SL.models.collab.DeckUser.ROLE_EDITOR].indexOf(this.get("role"))},isAdmin:function(){return-1!==[SL.models.collab.DeckUser.ROLE_OWNER,SL.models.collab.DeckUser.ROLE_ADMIN].indexOf(this.get("role"))},isOnline:function(){return this.get("status")&&this.get("status")!==SL.models.collab.DeckUser.STATUS_DISCONNECTED},isIdle:function(){return this.get("status")===SL.models.collab.DeckUser.STATUS_IDLE},isEditing:function(){return this.get("editing")===!0},isActive:function(){return this.get("active")===!0},isCurrentUser:function(){return this.get("user_id")===SL.current_user.get("id")},clone:function(){return new SL.models.collab.DeckUser(JSON.parse(JSON.stringify(this.data)))},save:function(t){var e={user:{}};return t?t.forEach(function(t){e.user[t]=this.get(t)}.bind(this)):e.user=this.toJSON(),$.ajax({url:SL.config.AJAX_DECKUSER_UPDATE(SL.current_deck.get("id"),this.get("user_id")),type:"PUT",data:e})},destroy:function(){return $.ajax({url:SL.config.AJAX_DECKUSER_DELETE(SL.current_deck.get("id"),this.get("user_id")),type:"DELETE"})}}),SL.models.collab.DeckUser.ROLE_OWNER="owner",SL.models.collab.DeckUser.ROLE_ADMIN="admin",SL.models.collab.DeckUser.ROLE_EDITOR="editor",SL.models.collab.DeckUser.ROLE_VIEWER="viewer",SL.models.collab.DeckUser.STATUS_DISCONNECTED="disconnected",SL.models.collab.DeckUser.STATUS_VIEWING="viewing",SL.models.collab.DeckUser.STATUS_IDLE="idle",SL("models").Customer=SL.models.Model.extend({init:function(t){this._super(t)},isTrial:function(){return"trialing"===this.get("subscription.status")},hasActiveSubscription:function(){return this.has("subscription")&&!this.get("subscription.cancel_at_period_end")},hasCoupon:function(){return this.has("subscription")&&this.has("subscription.coupon_code")},getNextInvoiceDate:function(){return this.get("next_charge")},getNextInvoiceSum:function(){return(parseFloat(this.get("next_charge_amount"))/100).toFixed(2)},clone:function(){return new SL.models.Customer(JSON.parse(JSON.stringify(this.data)))}}),SL("models").Deck=SL.models.Model.extend({init:function(t){this._super(t),$.extend(this,this.data),this.user=new SL.models.User(this.data.user),this.user_settings=new SL.models.UserSettings(this.data.user.settings)},isPaid:function(){return this.data.user?!!this.data.user.paid:!1},isPro:function(){return this.data.user?!!this.data.user.pro:!1},isVisibilityAll:function(){return this.get("visibility")===SL.models.Deck.VISIBILITY_ALL},isVisibilitySelf:function(){return this.get("visibility")===SL.models.Deck.VISIBILITY_SELF},isVisibilityTeam:function(){return this.get("visibility")===SL.models.Deck.VISIBILITY_TEAM},belongsTo:function(t){return this.get("user.id")===t.get("id")},getURL:function(t){t=$.extend({protocol:document.location.protocol,token:null,view:null},t);var e=this.get("user.username"),i=this.get("slug")||this.get("id"),n=t.protocol+"//"+document.location.host+SL.routes.DECK(e,i);return t.view&&(n+="/"+t.view),t.token&&(n+="?token="+t.token.get("token")),n},clone:function(){return new SL.models.Deck(JSON.parse(JSON.stringify(this.data)))}}),SL("models").Deck.VISIBILITY_SELF="self",SL("models").Deck.VISIBILITY_TEAM="team",SL("models").Deck.VISIBILITY_ALL="all",SL("models").MediaTag=SL.models.Model.extend({init:function(t,e){this._super(t),this.crud=$.extend({update:SL.config.AJAX_MEDIA_TAG_UPDATE,"delete":SL.config.AJAX_MEDIA_TAG_DELETE},e)},createFilter:function(){var t=this;return function(e){return t.hasMedia(e)}},hasMedia:function(t){return-1!==this.data.medias.indexOf(t.get("id"))},addMedia:function(t){this.hasMedia(t)||this.data.medias.push(t.get("id"))},removeMedia:function(t){for(var e=t.get("id"),i=0;i<this.data.medias.length;i++)this.data.medias[i]===e&&(this.data.medias.splice(i,1),i--)},clone:function(){return new SL.models.MediaTag(JSON.parse(JSON.stringify(this.data)))},save:function(t){var e={tag:{}};return t?t.forEach(function(t){e.tag[t]=this.get(t)}.bind(this)):e.tag=this.toJSON(),$.ajax({url:this.crud.update(this.get("id")),type:"PUT",data:e})},destroy:function(){return $.ajax({url:this.crud["delete"](this.get("id")),type:"DELETE"})}}),SL("models").Media=SL.models.Model.extend({uploadStatus:"",uploadFile:null,init:function(t,e,i,n){this._super(t),this.crud=$.extend({create:SL.config.AJAX_MEDIA_CREATE,update:SL.config.AJAX_MEDIA_UPDATE,"delete":SL.config.AJAX_MEDIA_DELETE},e),i?(this.uploadStatus=SL.models.Media.STATUS_UPLOAD_WAITING,this.uploadFile=i,this.uploadFilename=n):this.uploadStatus=SL.models.Media.STATUS_UPLOADED,this.uploadStarted=new signals.Signal,this.uploadProgressed=new signals.Signal,this.uploadCompleted=new signals.Signal,this.uploadFailed=new signals.Signal},upload:function(){/\.svg$/i.test(this.uploadFile.name)&&window.FileReader?(SL.analytics.trackEditor("Media: SVG upload started"),this.reader=new window.FileReader,this.reader.addEventListener("abort",this.uploadValidated.bind(this)),this.reader.addEventListener("error",this.uploadValidated.bind(this)),this.reader.addEventListener("load",function(t){var e=t.target.result;e&&e.length&&(e=e.replace(/\<(\?xml|(\!DOCTYPE[^\>\[]+(\[[^\]]+)?))+[^>]+\>/g,""));var i=$("<div>"+e+"</div>").find("svg").get(0);if(i){$(i).parent().find("*").contents().each(function(){8===this.nodeType&&$(this).remove()}),$(i).find("script").remove(),$(i).removeAttr("content"),$(i).find("[unicode]").each(function(){this.setAttribute("unicode",SL.util.escapeHTMLEntities(this.getAttribute("unicode")))});var n=i.getAttribute("width"),s=i.getAttribute("height"),o=i.hasAttribute("xmlns"),a=i.hasAttribute("viewBox");if(hasWidthAndHeight=n&&s,o||i.setAttribute("xmlns","http://www.w3.org/2000/svg"),hasWidthAndHeight&&(/[^\d]/g.test(n)||/[^\d]/g.test(s))&&(i.setAttribute("width",parseFloat(n)),i.setAttribute("height",parseFloat(s))),!a&&hasWidthAndHeight&&(i.setAttribute("viewBox",[0,0,i.getAttribute("width"),i.getAttribute("height")].join(" ")),a=!0),!hasWidthAndHeight&&a){var r=i.getAttribute("viewBox").split(" ");4===r.length&&(i.setAttribute("width",r[2]),i.setAttribute("height",r[3]),hasWidthAndHeight=!0)}if(a&&hasWidthAndHeight){var l='<?xml version="1.0"?>\n'+i.parentNode.innerHTML;this.uploadFilename=this.uploadFile.name||"image.svg",this.uploadFile=new Blob([l],{type:"image/svg+xml"}),this.uploadValidated()}else this.uploadStatus=SL.models.Media.STATUS_UPLOAD_FAILED,this.uploadFailed.dispatch("SVG error: missing viewBox or width/height"),SL.analytics.trackEditor("Media: SVG upload error","missing viewBox or w/h")}else this.uploadStatus=SL.models.Media.STATUS_UPLOAD_FAILED,this.uploadFailed.dispatch("Invalid SVG: missing &lt;svg&gt; element"),SL.analytics.trackEditor("Media: SVG upload error","missing svg element");this.reader=null}.bind(this)),this.reader.readAsText(this.uploadFile,"UTF-8")):this.uploadValidated()},uploadValidated:function(){return this.uploader?!1:(this.uploader=new SL.helpers.FileUploader({file:this.uploadFile,filename:this.uploadFilename,service:this.crud.create,timeout:6e4}),this.uploader.progressed.add(this.onUploadProgress.bind(this)),this.uploader.succeeded.add(this.onUploadSuccess.bind(this)),this.uploader.failed.add(this.onUploadError.bind(this)),this.uploader.upload(),this.uploadStatus=SL.models.Media.STATUS_UPLOADING,void this.uploadStarted.dispatch())},onUploadProgress:function(t){this.uploadProgressed.dispatch(t)},onUploadSuccess:function(t){this.uploader.destroy(),this.uploader=null;for(var e in t)this.set(e,t[e]);this.uploadStatus=SL.models.Media.STATUS_UPLOADED,this.uploadCompleted.dispatch()},onUploadError:function(){this.uploader.destroy(),this.uploader=null,this.uploadStatus=SL.models.Media.STATUS_UPLOAD_FAILED,this.uploadFailed.dispatch()},isWaitingToUpload:function(){return this.uploadStatus===SL.models.Media.STATUS_UPLOAD_WAITING},isUploading:function(){return this.uploadStatus===SL.models.Media.STATUS_UPLOADING},isUploaded:function(){return this.uploadStatus===SL.models.Media.STATUS_UPLOADED},isUploadFailed:function(){return this.uploadStatus===SL.models.Media.STATUS_UPLOAD_FAILED},isImage:function(){return/^image\//.test(this.get("content_type"))},isSVG:function(){return/^image\/svg/.test(this.get("content_type"))},isVideo:function(){return/^video\//.test(this.get("content_type"))},clone:function(){return new SL.models.Media(JSON.parse(JSON.stringify(this.data)))},save:function(t){var e={media:{}};return t?t.forEach(function(t){e.media[t]=this.get(t)}.bind(this)):e.media=this.toJSON(),$.ajax({url:this.crud.update(this.get("id")),type:"PUT",data:e})},destroy:function(){return this.uploadFile=null,this.uploadStarted&&this.uploadStarted.dispose(),this.uploadProgressed&&this.uploadProgressed.dispose(),this.uploadCompleted&&this.uploadCompleted.dispose(),this.uploadFailed&&this.uploadFailed.dispose(),this.uploader&&(this.uploader.destroy(),this.uploader=null),$.ajax({url:this.crud["delete"](this.get("id")),type:"DELETE"})}}),SL.models.Media.STATUS_UPLOAD_WAITING="waiting",SL.models.Media.STATUS_UPLOADING="uploading",SL.models.Media.STATUS_UPLOADED="uploaded",SL.models.Media.STATUS_UPLOAD_FAILED="upload-failed",SL.models.Media.IMAGE={id:"image",filter:function(t){return t.isImage()}},SL.models.Media.SVG={id:"svg",filter:function(t){return t.isSVG()}},SL.models.Media.VIDEO={id:"video",filter:function(t){return t.isVideo()}},SL("models").Team=SL.models.Model.extend({init:function(t){if(this._super(t),"object"==typeof this.data.themes)for(var e=0,i=this.data.themes.length;i>e;e++)this.data.themes[e]=new SL.models.Theme(this.data.themes[e]);this.set("themes",new SL.collections.Collection(this.data.themes))},hasThemes:function(){var t=this.get("themes");return t&&t.size()>0},getDefaultTheme:function(){return this.get("themes").getByProperties({id:this.get("default_theme_id")})},getCostPerUser:function(){var t=this.get("account_billing_period"),e=this.get("account_cost_per_user");return"yearly"===t?"$"+e+"/year":"monthly"===t?"$"+e+"/month":"N/A"},isManuallyUpgraded:function(){return!!this.get("manually_upgraded")},save:function(t){var e={team:{}};return t?t.forEach(function(t){e.team[t]=this.get(t)
+}.bind(this)):e.team=this.toJSON(),$.ajax({url:SL.config.AJAX_UPDATE_TEAM,type:"PUT",data:e})},clone:function(){return new SL.models.Team(JSON.parse(JSON.stringify(this.data)))}}),SL("models").Template=SL.models.Model.extend({init:function(t){this._super(t)},isAvailableForTheme:function(t){return t.hasSlideTemplate(this.get("id"))||this.isAvailableForAllThemes()},isAvailableForAllThemes:function(){var t=this.get("id");return!SL.current_user.getThemes().some(function(e){return e.hasSlideTemplate(t)})}}),SL("models").ThemeSnippet=SL.models.Model.extend({init:function(t){this._super(t),this.has("title")||this.set("title",""),this.has("template")||this.set("template","")},templatize:function(t){var e=this.get("template");return e&&(e=e.split(SL.models.ThemeSnippet.TEMPLATE_SELECTION_TAG).join(""),t.forEach(function(t){e=e.replace(t.string,t.value||t.defaultValue)})),e},getTemplateVariables:function(){var t=this.get("template");if(t){t=t.split(SL.models.ThemeSnippet.TEMPLATE_SELECTION_TAG).join("");var e=t.match(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_REGEX);if(e)return e=e.map(function(t){var e=t.split(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_DIVIDER),i={string:t,label:e[0]||"",defaultValue:e[1]||""};return i.label=i.label.trim(),i.defaultValue=i.defaultValue.trim(),i.label=i.label.replace(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_OPENER,""),i.label=i.label.replace(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_CLOSER,""),i.defaultValue=i.defaultValue.replace(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_OPENER,""),i.defaultValue=i.defaultValue.replace(SL.models.ThemeSnippet.TEMPLATE_VARIABLE_CLOSER,""),i})}return[]},templateHasVariables:function(){return this.getTemplateVariables().length>0},templateHasSelection:function(){var t=this.get("template");return t?t.indexOf(SL.models.ThemeSnippet.TEMPLATE_SELECTION_TAG)>-1:!1},isEmpty:function(){return!this.get("title")&&!this.get("template")}}),SL.models.ThemeSnippet.TEMPLATE_VARIABLE_OPENER="{{",SL.models.ThemeSnippet.TEMPLATE_VARIABLE_CLOSER="}}",SL.models.ThemeSnippet.TEMPLATE_VARIABLE_DIVIDER="::",SL.models.ThemeSnippet.TEMPLATE_VARIABLE_REGEX=/\{\{.*?\}\}/gi,SL.models.ThemeSnippet.TEMPLATE_SELECTION_TAG="{{selection}}",SL("models").Theme=SL.models.Model.extend({init:function(t){this._super(t),this.formatData(),this.loading=!1},load:function(t){return this.loading=!0,t="string"==typeof t?t:SL.config.AJAX_THEMES_READ(this.get("id")),$.ajax({type:"GET",url:t,context:this}).done(function(t){$.extend(this.data,t),this.formatData()}).always(function(){this.loading=!1})},formatData:function(){this.has("name")||this.set("name","Untitled"),this.has("font")||this.set("font",SL.config.DEFAULT_THEME_FONT),this.has("color")||this.set("color",SL.config.DEFAULT_THEME_COLOR),this.has("transition")||this.set("transition",SL.config.DEFAULT_THEME_TRANSITION),this.has("background_transition")||this.set("background_transition",SL.config.DEFAULT_THEME_BACKGROUND_TRANSITION),this.data.slide_template_ids instanceof SL.collections.Collection||this.set("slide_template_ids",new SL.collections.Collection(this.data.slide_template_ids)),this.data.snippets instanceof SL.collections.Collection||("string"==typeof this.data.snippets&&this.data.snippets.length>0&&(this.data.snippets=JSON.parse(this.data.snippets)),this.set("snippets",new SL.collections.Collection(this.data.snippets,SL.models.ThemeSnippet))),this.data.palette instanceof Array||("string"==typeof this.data.palette&&this.data.palette.length>0?(this.data.palette=this.data.palette.split(","),this.data.palette=this.data.palette.map(function(t){return t.trim()})):this.data.palette=[])},hasSlideTemplate:function(t){return this.get("slide_template_ids").contains(t)},addSlideTemplate:function(t){var e=this.get("slide_template_ids");return t.forEach(function(t){e.contains(t)||e.push(t)}),$.ajax({type:"POST",url:SL.config.AJAX_THEME_ADD_SLIDE_TEMPLATE(this.get("id")),context:this,data:{slide_template_ids:t}})},removeSlideTemplate:function(t){var e=this.get("slide_template_ids");return t.forEach(function(t){e.remove(t)}),$.ajax({type:"DELETE",url:SL.config.AJAX_THEME_REMOVE_SLIDE_TEMPLATE(this.get("id")),context:this,data:{slide_template_ids:t}})},hasThumbnail:function(){return!!this.get("thumbnail_url")},hasJavaScript:function(){return!!this.get("js")},hasPalette:function(){return this.get("palette").length>0},isFontDeprecated:function(){var t=this.get("font");return SL.config.THEME_FONTS.some(function(e){return e.id===t&&e.deprecated===!0})},isTransitionDeprecated:function(){var t=this.get("transition");return SL.config.THEME_TRANSITIONS.some(function(e){return e.id===t&&e.deprecated===!0})},isBackgroundTransitionDeprecated:function(){var t=this.get("background_transition");return SL.config.THEME_BACKGROUND_TRANSITIONS.some(function(e){return e.id===t&&e.deprecated===!0})},isLoading:function(){return this.loading},loadCustomFonts:function(){SL.fonts&&(this.has("font_typekit")&&SL.fonts.loadTypekitFont(this.get("font_typekit")),this.has("font_google")&&SL.fonts.loadGoogleFont(this.get("font_google")))},clone:function(){return new SL.models.Theme(JSON.parse(JSON.stringify(this.toJSON())))},toJSON:function(){return{id:this.get("id"),name:this.get("name"),center:this.get("center"),rolling_links:this.get("rolling_links"),font:this.get("font"),color:this.get("color"),transition:this.get("transition"),background_transition:this.get("background_transition"),font_typekit:this.get("font_typekit"),font_google:this.get("font_google"),html:this.get("html"),less:this.get("less"),css:this.get("css"),js:this.get("js"),snippets:this.has("snippets")?JSON.stringify(this.get("snippets").toJSON()):null,palette:this.has("palette")?this.get("palette").join(","):null}}}),SL("models").Theme.fromDeck=function(t){return new SL.models.Theme({id:t.theme_id,name:"",center:t.center,rolling_links:t.rolling_links,font:t.theme_font,color:t.theme_color,transition:t.transition,background_transition:t.background_transition,font_typekit:t.font_typekit,font_google:t.font_google,snippets:"",palette:[]})},SL("models").UserMembership=SL.models.Model.extend({init:function(t){this._super(t)},isAdmin:function(){return this.get("role")===SL.models.UserMembership.ROLE_ADMIN},isOwner:function(){return this.get("role")===SL.models.UserMembership.ROLE_OWNER},clone:function(){return new SL.models.UserMembership(JSON.parse(JSON.stringify(this.data)))}}),SL.models.UserMembership.ROLE_OWNER="owner",SL.models.UserMembership.ROLE_ADMIN="admin",SL.models.UserMembership.ROLE_MEMBER="member",SL("models").UserPrivileges=SL.models.Model.extend({init:function(t,e){this._super(t,e),this.user=e},privateDecks:function(){return this.user.isPaid()},privateLinks:function(){return this.user.isPro()},customCSS:function(){return this.user.isPro()},hideEmbedFooter:function(){return this.user.isPaid()}}),SL("models").UserSettings=SL.models.Model.extend({init:function(t){this._super(t),this.has("present_controls")||this.set("present_controls",SL.config.PRESENT_CONTROLS_DEFAULT),this.has("present_upsizing")||this.set("present_upsizing",SL.config.PRESENT_UPSIZING_DEFAULT)},save:function(t){var e={user_settings:{}};return t?t.forEach(function(t){e.user_settings[t]=this.get(t)}.bind(this)):e.user_settings=this.toJSON(),$.ajax({url:SL.config.AJAX_UPDATE_USER_SETTINGS,type:"PUT",data:e})},clone:function(){return new SL.models.UserSettings(JSON.parse(JSON.stringify(this.data)))}}),SL("models").User=Class.extend({init:function(t){this.data=t||{},$.extend(this,this.data),this.settings=new SL.models.UserSettings(this.data.settings),this.privileges=new SL.models.UserPrivileges(this.data,this),this.data.membership&&(this.membership=new SL.models.UserMembership(this.data.membership))},isPaid:function(){return this.paid},isLite:function(){return!!this.lite},isPro:function(){return!!this.pro},isEnterprise:function(){return!!this.enterprise},isEnterpriseManager:function(){return this.hasMembership()&&(this.membership.isAdmin()||this.membership.isOwner())},hasMembership:function(){return!!this.membership},isMemberOfCurrentTeam:function(){return SL.current_team&&SL.current_team.get("id")===this.get("team_id")?!0:!1},isManuallyUpgraded:function(){return!!this.manually_upgraded},get:function(t){return this[t]},set:function(t,e){this[t]=e},has:function(t){var e=this.get(t);return!!e||e===!1||0===e},hasThemes:function(){return SL.current_team?SL.current_team.hasThemes():void 0},getThemes:function(){return SL.current_team?SL.current_team.get("themes"):new SL.collections.Collection},hasDefaultTheme:function(){return!!this.getDefaultTheme()},getDefaultTheme:function(){var t=this.getThemes();return t.getByProperties(SL.current_team?{id:SL.current_team.get("default_theme_id")}:{id:this.default_theme_id})},getProfileURL:function(){return"/"+this.username},getProfilePictureURL:function(){return this.thumbnail_url},getNameOrSlug:function(){return this.name||this.username}}),SL("data").templates={NEW_DECK_TEMPLATE:{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 250px;">','<div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text">',"<h1>Title Text</h1>","</div>","</div>","</section>"].join("")},DEFAULT_TEMPLATES:[{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 270px;">','<div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text">',"<h1>Title Text</h1>","</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 190px;">','<div class="sl-block-content" data-placeholder-tag="h1" data-placeholder-text="Title Text">',"<h1>Title Text</h1>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 255px;" data-layout-method="belowPreviousBlock">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Subtitle">',"<h2>Subtitle</h2>","</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 190px;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text">',"<h2>Title Text</h2>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 264px;" data-layout-method="belowPreviousBlock">','<div class="sl-block-content">',"<ul>","<li>Bullet One</li>","<li>Bullet Two</li>","<li>Bullet Three</li>","</ul>","</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 410px; left: 49px; top: 106px; height: auto;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text" style="text-align: left;">',"<h2>Title Text</h2>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 410px; left: 49px; top: 200px; height: auto;">','<div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Lorem ipsum dolor sit amet, consectetur adipiscing elit. Proin urna odio, aliquam vulputate faucibus id, elementum lobortis felis. Mauris urna dolor, placerat ac sagittis quis." style="text-align: left;">',"<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Proin urna odio, aliquam vulputate faucibus id, elementum lobortis felis. Mauris urna dolor, placerat ac sagittis quis.</p>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 410px; left: 499px; top: 106px; height: auto;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text" style="text-align: left;">',"<h2>Title Text</h2>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 410px; left: 499px; top: 200px; height: auto;">','<div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Lorem ipsum dolor sit amet, consectetur adipiscing elit. Proin urna odio, aliquam vulputate faucibus id, elementum lobortis felis. Mauris urna dolor, placerat ac sagittis quis." style="text-align: left;">',"<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Proin urna odio, aliquam vulputate faucibus id, elementum lobortis felis. Mauris urna dolor, placerat ac sagittis quis.</p>","</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 900px; left: 30px; top: 58px; height: auto;">','<div class="sl-block-content" data-placeholder-tag="h1" style="font-size: 200%; text-align: left;">',"<h1>One<br>Two<br>Three</h1>","</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 79px; top: 50px;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text">',"<h2>Title Text</h2>","</div>","</div>",'<div class="sl-block" data-block-type="image" style="width: 700px; height: 475px; left: 129px; top: 144px;">','<div class="sl-block-content">','<div class="editing-ui sl-block-overlay sl-block-placeholder"></div>',"</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="text" style="width: 430px; left: 23px; top: 87px;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text" style="text-align: left;">',"<h2>Title Text</h2>","</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 430px; left: 23px; top: 161px;" data-layout-method="belowPreviousBlock">','<div class="sl-block-content" data-placeholder-tag="p" data-placeholder-text="Lorem ipsum dolor sit amet, consectetur adipiscing elit. Morbi nec metus justo. Aliquam erat volutpat." style="z-index: 13; text-align: left;">',"<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Morbi nec metus justo. Aliquam erat volutpat.</p>","</div>","</div>",'<div class="sl-block" data-block-type="image" style="width: 454px; height: 641px; left: 479px; top: 29px;">','<div class="sl-block-content">','<div class="editing-ui sl-block-overlay sl-block-placeholder"></div>',"</div>","</div>","</section>"].join("")},{html:["<section>",'<div class="sl-block" data-block-type="image" style="width: 700px; height: 475px; left: 130px; top: 65px;">','<div class="sl-block-content">','<div class="editing-ui sl-block-overlay sl-block-placeholder"></div>',"</div>","</div>",'<div class="sl-block" data-block-type="text" style="width: 800px; left: 80px; top: 575px;">','<div class="sl-block-content" data-placeholder-tag="h2" data-placeholder-text="Title Text">',"<h2>Title Text</h2>","</div>","</div>","</section>"].join("")}],LAYOUT_METHODS:{belowPreviousBlock:function(t,e){var i=e.prev().get(0);i&&e.css("top",i.offsetTop+i.offsetHeight)}},getNewDeckTemplate:function(){return new SL.models.Template(SL.data.templates.NEW_DECK_TEMPLATE)},getDefaultTemplates:function(){return new SL.collections.Collection(SL.data.templates.DEFAULT_TEMPLATES,SL.models.Template)},userTemplatesLoaded:!1,userTemplatesLoading:!1,userTemplatesCallbacks:[],getUserTemplates:function(t){t=t||function(){},SL.data.templates.userTemplatesLoading===!1&&SL.data.templates.userTemplatesLoaded===!1?(SL.data.templates.userTemplatesLoading=!0,SL.data.templates.userTemplatesCallbacks.push(t),$.ajax({type:"GET",url:SL.config.AJAX_SLIDE_TEMPLATES_LIST,context:this}).done(function(t){SL.data.templates.userTemplates=new SL.collections.Collection(t.results,SL.models.Template),SL.data.templates.userTemplatesLoaded=!0,SL.data.templates.userTemplatesLoading=!1,SL.data.templates.userTemplatesCallbacks.forEach(function(t){t.call(null,SL.data.templates.userTemplates)}),SL.data.templates.userTemplatesCallbacks.length=0}).fail(function(){SL.data.templates.userTemplatesLoading=!1,SL.notify(SL.locale.get("TEMPLATE_LOAD_ERROR"),"negative")})):SL.data.templates.userTemplatesLoading?SL.data.templates.userTemplatesCallbacks.push(t):t.call(null,SL.data.templates.userTemplates)},teamTemplatesLoaded:!1,teamTemplatesLoading:!1,teamTemplatesCallbacks:[],getTeamTemplates:function(t){SL.current_user.isEnterprise()&&(t=t||function(){},SL.data.templates.teamTemplatesLoading===!1&&SL.data.templates.teamTemplatesLoaded===!1?(SL.data.templates.teamTemplatesLoading=!0,SL.data.templates.teamTemplatesCallbacks.push(t),$.ajax({type:"GET",url:SL.config.AJAX_TEAM_SLIDE_TEMPLATES_LIST,context:this}).done(function(t){SL.data.templates.teamTemplates=new SL.collections.Collection(t.results,SL.models.Template),SL.data.templates.teamTemplatesLoaded=!0,SL.data.templates.teamTemplatesLoading=!1,SL.data.templates.teamTemplatesCallbacks.forEach(function(t){t.call(null,SL.data.templates.teamTemplates)}),SL.data.templates.teamTemplatesCallbacks.length=0}).fail(function(){SL.data.templates.teamTemplatesLoading=!1,SL.notify(SL.locale.get("TEMPLATE_LOAD_ERROR"),"negative")})):SL.data.templates.teamTemplatesLoading?SL.data.templates.teamTemplatesCallbacks.push(t):t.call(null,SL.data.templates.teamTemplates))},layoutTemplate:function(t,e){t.find(".sl-block").each(function(i,n){n=$(n);var s=n.attr("data-layout-method");s&&"function"==typeof SL.data.templates.LAYOUT_METHODS[s]&&(e||n.removeAttr("data-layout-method"),SL.data.templates.LAYOUT_METHODS[s](t,n))})},templatize:function(t,e){t=$(t),e=$.extend({placeholderText:!1,zIndex:!0},e);var i=SL.editor.controllers.Serialize.getSlideAsString(t,{templatize:!0,inner:!0}),n=$("<section>"+i+"</section>");return n.children().each(function(t,i){i=$(i),i.css({"min-width":"","min-height":""});var n=i.find(".sl-block-content");if(e.placeholderText&&"text"===i.attr("data-block-type")&&1===n.children().length){var s=$(n.children()[0]);s.is("h1, h2")?(s.html("Title Text"),n.attr("data-placeholder-text","Title Text")):s.is("p")&&n.attr("data-placeholder-text",s.text().trim())}e.zIndex===!1&&n.css("z-index","")}),["class","data-autoslide","data-transition","data-transition-speed","data-background","data-background-color","data-background-image","data-background-size","data-background-position"].forEach(function(e){t.attr(e)&&n.attr(e,t.attr(e))}),n.removeClass("past present future"),n.prop("outerHTML").trim()},generateFullSizeImageBlock:function(t,e,i,n,s){var o=Math.min(n/e,s/i),a=e*o,r=i*o,l=Math.round((SL.config.SLIDE_WIDTH-a)/2),c=Math.round((SL.config.SLIDE_HEIGHT-r)/2);return['<div class="sl-block" data-block-type="image" style="width: '+a+"px; height: "+r+"px; left: "+l+"px; top: "+c+'px;">','<div class="sl-block-content">','<img src="'+t+'" style="" data-natural-width="'+e+'" data-natural-height="'+i+'"/>',"</div>","</div>"].join("")}},SL("data").tokens={get:function(t,e){e=e||{},this._addCallbacks(t,e.success,e.error),"object"==typeof this.cache[t]?this._triggerSuccessCallback(t,this.cache[t]):"loading"!==this.cache[t]&&(this.cache[t]="loading",$.ajax({type:"GET",context:this,url:SL.config.AJAX_ACCESS_TOKENS_LIST(t)}).done(function(e){var i=new SL.collections.Collection(e.results,SL.models.AccessToken);this.cache[t]=i,this._triggerSuccessCallback(t,i)}).fail(function(e){delete this.cache[t],this._triggerErrorCallback(t,e.status)}))},create:function(t){return new Promise(function(e,i){SL.data.tokens.get(t,{success:function(n){$.ajax({type:"POST",context:this,url:SL.config.AJAX_ACCESS_TOKENS_CREATE(t),data:{access_token:{name:n.getUniqueName("Link","name",!0)}}}).done(function(t){n.create(t).then(e,i)}).fail(i)}.bind(this),error:function(){console.warn("Failed to load token collection for deck "+t),i()}.bind(this)})}.bind(this))},cache:{},callbacks:{},_addCallbacks:function(t,e,i){this.callbacks[t]||(this.callbacks[t]={success:[],error:[]}),e&&this.callbacks[t].success.push(e),i&&this.callbacks[t].error.push(i)},_triggerSuccessCallback:function(t,e){var i=this.callbacks[t];if(i){for(;i.success.length;)i.success.pop().call(null,e);i.success=[],i.error=[]}},_triggerErrorCallback:function(t,e){var i=this.callbacks[t];if(i){for(;i.error.length;)i.error.pop().call(null,e);i.success=[],i.error=[]}}},SL.util={noop:function(){},getQuery:function(){var t={};return location.search.replace(/[A-Z0-9\-]+?=([\w%\-]*)/gi,function(e){t[e.split("=").shift()]=unescape(e.split("=").pop())}),t},getMetaKeyName:function(){return SL.util.device.isMac()?"&#8984":"CTRL"},escapeHTMLEntities:function(t){return t=t||"",t=t.split("<").join("&lt;"),t=t.split(">").join("&gt;")},unescapeHTMLEntities:function(t){return(t||"").replace(/&lt;/g,"<").replace(/&gt;/g,">").replace(/&amp;/g,"&").replace(/&cent;/g,"\xa2").replace(/&pound;/g,"\xa3").replace(/&yen;/g,"\xa5").replace(/&euro;/g,"\u20ac").replace(/&copy;/g,"\xa9").replace(/&reg;/g,"\xae").replace(/&nbsp;/g," ")},toArray:function(t){for(var e=[],i=0,n=t.length;n>i;i++)e.push(t[i]);return e},parseCSSTransform:function(t){var e={};return(t||"").split(" ").forEach(function(t){t=t.trim().split("(");var i=t[0],n=t[1];n&&(n=n.split(",").map(function(t){return parseFloat(t.trim())})),i&&n&&(i=i.trim(),e[i]=1===n.length?n[0]:n)}),e},skipCSSTransitions:function(t,e){t=$(t?t:"html");var i=typeof t.get(0);("undefined"===i||"number"===i)&&console.warn("Bad target for skipCSSTransitions."),t.addClass("no-transition"),setTimeout(function(){t.removeClass("no-transition")},e||1)},setupReveal:function(t){if("undefined"!=typeof Reveal){var e={controls:!0,progress:!0,history:!1,mouseWheel:!1,margin:.05,autoSlideStoppable:!0,dependencies:[{src:SL.config.ASSET_URLS["reveal-plugins/markdown/marked.js"],condition:function(){return!!document.querySelector(".reveal [data-markdown]")}},{src:SL.config.ASSET_URLS["reveal-plugins/markdown/markdown.js"],condition:function(){return!!document.querySelector(".reveal [data-markdown]")}},{src:SL.config.ASSET_URLS["reveal-plugins/highlight/highlight.js"],async:!0,condition:function(){return!!document.querySelector(".reveal pre code")},callback:function(){hljs.initHighlighting(),hljs.initHighlightingOnLoad()}}]};if(SLConfig&&SLConfig.deck&&(e.autoSlide=SLConfig.deck.auto_slide_interval||0,e.rollingLinks=SLConfig.deck.rolling_links,e.center=SLConfig.deck.center,e.loop=SLConfig.deck.should_loop,e.rtl=SLConfig.deck.rtl,e.showNotes=SLConfig.deck.share_notes,e.slideNumber=SLConfig.deck.slide_number,e.transition=SLConfig.deck.transition||"default",e.backgroundTransition=SLConfig.deck.background_transition),$.extend(e,t),SL.util.deck.injectNotes(),Reveal.initialize(e),Reveal.addEventListener("ready",function(){window.STATUS=window.STATUS||{},window.STATUS.REVEAL_IS_READY=!0,$("html").addClass("reveal-is-ready")}),t&&t.openLinksInTabs&&this.openLinksInTabs($(".reveal .slides")),t&&t.trackEvents){var i=[];Reveal.addEventListener("slidechanged",function(){var t=Reveal.getProgress();t>=.5&&!i[0]&&(i[0]=!0,SL.analytics.trackPresenting("Presentation progress: 50%")),t>=1&&!i[1]&&(i[1]=!0,SL.analytics.trackPresenting("Presentation progress: 100%")),SL.analytics.trackCurrentSlide()})}}},openLinksInTabs:function(t){t&&t.find("a").each(function(){var t=$(this),e=t.attr("href");/^#/gi.test(e)===!0||this.hasAttribute("download")?t.removeAttr("target"):/http|www/gi.test(e)?t.attr("target","_blank"):t.attr("target","_top")})},openPopupWindow:function(t,e,i,n){var s=window.innerWidth/2-i/2,o=window.innerHeight/2-n/2;"number"==typeof window.screenX&&(s+=window.screenX,o+=window.screenY);var a=window.open(t,e,"toolbar=no, location=no, directories=no, status=no, menubar=no, scrollbars=no, resizable=no, copyhistory=no, width="+i+", height="+n+", top="+o+", left="+s);return a.moveTo(s,o),a},prefixSelectorsInStyle:function(t,e){var i=[];SL.util.toArray(t.sheet.cssRules).forEach(function(t){if(1===t.type&&t.selectorText&&t.cssText){var n=t.cssText;n=n.replace(t.selectorText,""),n=n.trim(),n=n.slice(1,n.length-1),n=n.trim(),n=n.split(";").map(function(t){return t=t.trim(),""===t?"":"\n "+t}).join(";");var s=t.selectorText.split(",").map(function(t){return t=t.trim(),0===t.indexOf(e)?t:e+t}).join(", ");i.push(s+" {"+n+"\n}")}else 7===t.type&&t.cssText&&i.push(t.cssText)}),t.innerHTML="\n"+i.join("\n\n")+"\n"},layoutReveal:function(t,e){if(clearInterval(this.revealLayoutInterval),clearTimeout(this.revealLayoutTimeout),1===arguments.length)this.revealLayoutTimeout=setTimeout(Reveal.layout,t);else{if(2!==arguments.length)throw"Illegal arguments, expected (duration[, fps])";this.revealLayoutInterval=setInterval(Reveal.layout,e),this.revealLayoutTimeout=setTimeout(function(){clearInterval(this.revealLayoutInterval)}.bind(this),t)}},getRevealSlideBounds:function(t,e){t=t||SL.editor.controllers.Markup.getCurrentSlide();var i=t.offset(),n=Reveal.getScale(),s=i.left*n,o=i.top*n;if(e){var a=$(".projector").offset();a&&(s-=a.left,o-=a.top)}return{x:s,y:o,width:t.outerWidth()*n,height:t.outerHeight()*n}},getRevealSlidesBounds:function(t){var e=$(".reveal .slides"),i=e.offset(),n=Reveal.getScale(),s=i.left*n,o=i.top*n;if(t){var a=$(".projector").offset();a&&(s-=a.left,o-=a.top)}return{x:s,y:o,width:e.outerWidth()*n,height:e.outerHeight()*n}},getRevealElementOffset:function(t,e){t=$(t);var i={x:0,y:0};if(t.parents("section").length)for(;t.length&&!t.is("section");)i.x+=t.get(0).offsetLeft,i.y+=t.get(0).offsetTop,e&&(i.x-=parseInt(t.css("margin-left"),10),i.y-=parseInt(t.css("margin-top"),10)),t=$(t.get(0).offsetParent);return i},getRevealElementGlobalOffset:function(t){var e=$(t),i=e.closest(".reveal"),n={x:0,y:0};if(e.length&&i.length){var s=Reveal.getConfig(),o=Reveal.getScale(),a=i.get(0).getBoundingClientRect(),r={x:a.left+a.width/2,y:a.top+a.height/2},l=s.width*o,c=s.height*o;n.x=r.x-l/2,n.y=r.y-c/2;var d=e.closest(".slides section");d.length&&(n.y-=d.scrollTop()*o);var h=SL.util.getRevealElementOffset(e);n.x+=h.x*o,n.y+=h.y*o}return n},getRevealCounterScale:function(){return window.Reveal?2-Reveal.getScale():1},globalToRevealCoordinate:function(t,e){var i=SL.util.getRevealSlideBounds(),n=SL.util.getRevealCounterScale();return{x:(t-i.x)*n,y:(e-i.y)*n}},globalToProjectorCoordinate:function(t,e){var i={x:t,y:e},n=$(".projector").offset();return n&&(i.x-=n.left,i.y-=n.top),i},hideAddressBar:function(){if(SL.util.device.IS_PHONE&&!/crios/gi.test(navigator.userAgent)){var t=function(){setTimeout(function(){window.scrollTo(0,1)},10)};$(window).on("orientationchange",function(){t()}),t()}},callback:function(){"function"==typeof arguments[0]&&arguments[0].apply(null,[].slice.call(arguments,1))},getPlaceholderImage:function(t){var e="";return t&&"function"==typeof window.btoa&&(e=window.btoa(Math.random().toString()).replace(/=/g,"")),"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7"+e},isTypingEvent:function(t){return $(t.target).is('input:not([type="file"]), textarea, [contenteditable]')},isTyping:function(){var t=document.activeElement&&"inherit"!==document.activeElement.contentEditable,e=document.activeElement&&document.activeElement.tagName&&/input|textarea/i.test(document.activeElement.tagName);return t||e},setAceEditorDefaults:function(t){t.setTheme("ace/theme/monokai"),t.setDisplayIndentGuides(!0),t.setShowPrintMargin(!1),t.renderer.setScrollMargin(10,0),t.$blockScrolling=1/0}},SL.util.user={isLoggedIn:function(){return"object"==typeof SLConfig&&"object"==typeof SLConfig.current_user}},SL.util.device={HAS_TOUCH:!!("ontouchstart"in window),IS_PHONE:/iphone|ipod|android|windows\sphone/gi.test(navigator.userAgent),IS_TABLET:/ipad/gi.test(navigator.userAgent),isMac:function(){return/Mac/.test(navigator.platform)},isWindows:function(){return/Win/g.test(navigator.platform)},isLinux:function(){return/Linux/g.test(navigator.platform)},isIE:function(){return/MSIE\s[0-9]/gi.test(navigator.userAgent)||/Trident\/7.0;(.*)rv:\d\d/.test(navigator.userAgent)},isChrome:function(){return/chrome/gi.test(navigator.userAgent)},isSafari:function(){return/safari/gi.test(navigator.userAgent)&&!SL.util.device.isChrome()},isSafariDesktop:function(){return SL.util.device.isSafari()&&!SL.util.device.isChrome()&&!SL.util.device.IS_PHONE&&!SL.util.device.IS_TABLET},isOpera:function(){return!!window.opera},isFirefox:function(){return/firefox\/\d+\.?\d+/gi.test(navigator.userAgent)},isPhantomJS:function(){return/PhantomJS/gi.test(navigator.userAgent)},supportedByEditor:function(){return Modernizr.history&&Modernizr.csstransforms&&!SL.util.device.isOpera()},getScrollBarWidth:function(){var t=$("<div>").css({width:"100px",height:"100px",overflow:"scroll",position:"absolute",top:"-9999px"});t.appendTo(document.body);var e=t.prop("offsetWidth")-t.prop("clientWidth");return t.remove(),e}},SL.util.trig={distanceBetween:function(t,e){var i=t.x-e.x,n=t.y-e.y;return Math.sqrt(i*i+n*n)},intersection:function(t,e){return{width:Math.max(0,Math.min(t.x+t.width,e.x+e.width)-Math.max(t.x,e.x)),height:Math.max(0,Math.min(t.y+t.height,e.y+e.height)-Math.max(t.y,e.y))}},intersects:function(t,e,i){"undefined"==typeof i&&(i=0);var n=SL.util.trig.intersection(t,e);return n.width>t.width*i&&n.height>t.height*i},isPointWithinRect:function(t,e,i){return t>i.x&&t<i.x+i.width&&e>i.y&&e<i.y+i.height},findLineIntersection:function(t,e,i,n){var s={x:e.x-t.x,y:e.y-t.y},o={x:n.x-i.x,y:n.y-i.y},a=(-s.y*(t.x-i.x)+s.x*(t.y-i.y))/(-o.x*s.y+s.x*o.y),r=(o.x*(t.y-i.y)-o.y*(t.x-i.x))/(-o.x*s.y+s.x*o.y);return a>=0&&1>=a&&r>=0&&1>=r?{x:t.x+r*s.x,y:t.y+r*s.y}:null}},SL.util.string={URL_REGEX:/((https?\:\/\/)|(www\.)|(\/\/))(\S+)(\w{2,4})(:[0-9]+)?(\/|\/([\w#!:.?+=&%@!\-\/]))?/i,SCRIPT_TAG_REGEX:/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,uniqueIDCount:0,uniqueID:function(t){return SL.util.string.uniqueIDCount+=1,(t||"")+SL.util.string.uniqueIDCount+"-"+Date.now()},slug:function(t){return"string"==typeof t?(t=SL.util.string.trim(t),t=t.toLowerCase(),t=t.replace(/-/g," "),t=t.replace(/[^\w\s]/g,""),t=t.replace(/\s{2,}/g," "),t=t.replace(/\s/g,"-")):""},trim:function(t){return SL.util.string.trimRight(SL.util.string.trimLeft(t))},trimLeft:function(t){return"string"==typeof t?t.replace(/^\s+/,""):""},trimRight:function(t){return"string"==typeof t?t.replace(/\s+$/,""):""},linkify:function(t){return t&&(t=t.replace(/((https?\:\/\/)|(www\.))(\S+)(\w{2,4})(:[0-9]+)?(\/|\/([\w#!:.?+=&%@!\-\/]))?/gi,function(t){var e=t;return e.match("^https?://")||(e="http://"+e),'<a href="'+e+'">'+t+"</a>"})),t},pluralize:function(t,e,i){return i?t+e:t},toTitleCase:function(t){return t.replace(/\w\S*/g,function(t){return t.charAt(0).toUpperCase()+t.substr(1).toLowerCase()})},getCustomClassesFromLESS:function(t){var e=(t||"").match(/\/\/=[a-z0-9-_ \t]{2,}(?=\n)?/gi);return e?e.map(function(t){return t=t.replace("//=",""),t=t.trim(),t=t.toLowerCase(),t=t.replace(/\s/g,"-")}):[]}},SL.util.math={limitDecimals:function(t,e){var i=Math.pow(10,e);return Math.round(t*i)/i}},SL.util.validate={name:function(){return[]},slug:function(t){t=t||"";var e=[];return t.length<2&&e.push("At least 2 characters"),/\s/gi.test(t)&&e.push("No spaces please"),/^[\w-_]+$/gi.test(t)||e.push("Can only contain: A-Z, 0-9, - and _"),e},username:function(t){return SL.util.validate.slug(t)},team_slug:function(t){return SL.util.validate.slug(t)},password:function(t){t=t||"";var e=[];return t.length<6&&e.push("At least 6 characters"),e},email:function(t){t=t||"";var e=[];return/^[A-Z0-9._%+\-]+@[A-Z0-9.\-]+\.[A-Z]{2,}$/gi.test(t)||e.push("Please enter a valid email"),e},twitterhandle:function(t){t=t||"";var e=[];return t.length>15&&e.push("15 characters max"),/\s/gi.test(t)&&e.push("No spaces please"),/^[\w-_]+$/gi.test(t)||e.push("Can only contain: A-Z, 0-9 and _"),e},url:function(t){t=t||"";var e=[];return t.length<4&&e.push("Please enter a valid URL"),/\s/gi.test(t)&&e.push("No spaces please"),e},decktitle:function(t){t=t||"";var e=[];return 0===t.length&&e.push("Can not be empty"),e},deckslug:function(t){t=t||"";var e=[];return 0===t.length&&e.push("Can not be empty"),e},google_analytics_id:function(t){t=t||"";var e=[];return/\bUA-\d{4,20}-\d{1,10}\b/gi.test(t)||e.push("Please enter a valid ID"),e},google_domain:function(t){t=t||"";var e=[];return/\./gi.test(t)||e.push("Please enter a valid domain"),e},none:function(){return[]}},SL.util.dom={scrollIntoViewIfNeeded:function(t){t&&("function"==typeof t.scrollIntoViewIfNeeded?t.scrollIntoViewIfNeeded.apply(t,[].slice.call(arguments,1)):"function"==typeof t.scrollIntoView&&t.scrollIntoView())},preventTouchOverflowScrolling:function(t){t=$(t);var e,i,n;t.get(0).addEventListener("touchstart",function(t){e=this.scrollTop>0,i=this.scrollTop<this.scrollHeight-this.clientHeight,n=t.pageY}),t.get(0).addEventListener("touchmove",function(t){var s=t.pageY>n,o=!s;n=t.pageY,s&&e||o&&i?t.stopPropagation():t.preventDefault()})},insertCSRF:function(t,e){"undefined"==typeof e&&(e=$('meta[name="csrf-token"]').attr("content")),e&&(t.find('input[name="authenticity_token"]').remove(),t.append('<input name="authenticity_token" type="hidden" value="'+e+'" />'))},calculateStyle:function(t){window.getComputedStyle($(t).get(0)).opacity
+}},SL.util.html={indent:function(t){t=t.replace(/<br>/gi,"<br/>"),t=t.replace(/(<img("[^"]*"|[^>])+)/gi,"$1/");var e=vkbeautify.xml(t);return e=e.replace(/<pre>[\n\r\t\s]+<code/gi,"<pre><code"),e=e.replace(/<\/code>[\n\r\t\s]+<\/pre>/gi,"</code></pre>")},ATTR_SRC_NORMAL:"src",ATTR_SRC_SILENCED:"data-silenced-src",ATTR_SRC_NORMAL_REGEX:" src=",ATTR_SRC_SILENCED_REGEX:" data-silenced-src=",muteSources:function(t){return(t||"").replace(new RegExp(SL.util.html.ATTR_SRC_NORMAL_REGEX,"gi"),SL.util.html.ATTR_SRC_SILENCED_REGEX)},unmuteSources:function(t){return(t||"").replace(new RegExp(SL.util.html.ATTR_SRC_SILENCED_REGEX,"gi"),SL.util.html.ATTR_SRC_NORMAL_REGEX)},trimCode:function(t){$(t).find("pre code").each(function(){var t=$(this).parent("pre"),e=t.html(),i=$.trim(e);e!==i&&t.html(i)})},removeAttributes:function(t,e){t=$(t);var i=$.map(t.get(0).attributes,function(t){return t.name});"function"==typeof e&&(i=i.filter(e)),$.each(i,function(e,i){t.removeAttr(i)})},removeClasses:function(t,e){if(t=$(t),"function"==typeof e){var i=(t.attr("class")||"").split(" ").filter(e);t.removeClass(i.join(" "))}else t.attr("class","")},findScriptTags:function(t){var e=document.createElement("div");e.innerHTML=t;var i=SL.util.toArray(e.getElementsByTagName("script"));return i.map(function(t){return t.outerHTML})},removeScriptTags:function(t){var e=document.createElement("div");e.innerHTML=t;var i=SL.util.toArray(e.getElementsByTagName("script"));return i.forEach(function(t){t.parentNode.removeChild(t)}),e.innerHTML},createSpinner:function(t){return t=$.extend({lines:12,radius:8,length:6,width:3,color:"#fff",zIndex:"auto",left:"0",top:"0",className:""},t),new Spinner(t)},generateSpinners:function(){$(".spinner").each(function(t,e){if(e.hasAttribute("data-spinner-state")===!1){e.setAttribute("data-spinner-state","spinning");var i={};e.hasAttribute("data-spinner-color")&&(i.color=e.getAttribute("data-spinner-color")),e.hasAttribute("data-spinner-lines")&&(i.lines=parseInt(e.getAttribute("data-spinner-lines"),10)),e.hasAttribute("data-spinner-width")&&(i.width=parseInt(e.getAttribute("data-spinner-width"),10)),e.hasAttribute("data-spinner-radius")&&(i.radius=parseInt(e.getAttribute("data-spinner-radius"),10)),e.hasAttribute("data-spinner-length")&&(i.length=parseInt(e.getAttribute("data-spinner-length"),10));var n=SL.util.html.createSpinner(i);n.spin(e)}})},createDeckThumbnail:function(t){var t={DECK_URL:t.user.username+"/"+t.slug,DECK_VIEWS:"number"==typeof t.view_count?t.view_count:"N/A",DECK_THUMB_URL:t.thumbnail_url||SL.config.DEFAULT_DECK_THUMBNAIL,USER_URL:"/"+t.user.username,USER_NAME:t.user.name||t.user.username,USER_THUMB_URL:t.user.thumbnail_url||SL.config.DEFAULT_USER_THUMBNAIL},e=SL.config.DECK_THUMBNAIL_TEMPLATE;for(var i in t)e=e.replace("{{"+i+"}}",t[i]);return $(e)}},SL.util.deck={idCounter:1,sortInjectedStyles:function(){var t=$("head");$("#theme-css-output").appendTo(t),$("#user-css-output").appendTo(t)},afterSlidesChanged:function(){this.generateIdentifiers(),this.generateSlideNumbers()},generateIdentifiers:function(t){$(t||".reveal .slides section").each(function(){(this.hasAttribute("data-id")===!1||0===this.getAttribute("data-id").length)&&this.setAttribute("data-id",CryptoJS.MD5(["slide",SL.current_user.get("id"),SL.current_deck.get("id"),Date.now(),SL.util.deck.idCounter++].join("-")).toString())}),this.generateSlideNumbers()},generateSlideNumbers:function(){this.slideNumberMap={},$(".reveal .slides>section[data-id]").each(function(t,e){t+=1,e=$(e),e.hasClass("stack")?e.find(">section[data-id]").each(function(e,i){e+=1,i=$(i),this.slideNumberMap[i.attr("data-id")]=t+(e>1?"."+e:"")}.bind(this)):this.slideNumberMap[e.attr("data-id")]=t}.bind(this))},getSlideNumber:function(t){return this.slideNumberMap||this.generateSlideNumbers(),this.slideNumberMap[this.getSlideID(t)]},getSlideID:function(t){return"string"==typeof t?t:t&&"function"==typeof t.getAttribute?t.getAttribute("data-id"):t&&"function"==typeof t.attr?t.attr("data-id"):void 0},getSlideIndicesFromIdentifier:function(t){var e=$('.reveal .slides section[data-id="'+t+'"]');return e.length?Reveal.getIndices(e.get(0)):null},injectNotes:function(){SLConfig.deck&&SLConfig.deck.notes&&[].forEach.call(document.querySelectorAll(".reveal .slides section"),function(t){var e=SLConfig.deck.notes[t.getAttribute("data-id")];e&&"string"==typeof e&&t.setAttribute("data-notes",e)})},getBackgroundColor:function(){var t=$(".reveal-viewport");if(t.length){var e=t.css("background-color");if(window.Reveal&&window.Reveal.isReady()){var i=window.Reveal.getIndices(),n=window.Reveal.getSlideBackground(i.h,i.v);if(n){var s=n.style.backgroundColor;s&&window.tinycolor(s).getAlpha()>0&&(e=s)}}if(e)return e}return"#ffffff"},getBackgroundContrast:function(){return SL.util.color.getContrast(SL.util.deck.getBackgroundColor())},getBackgroundBrightness:function(){return SL.util.color.getBrightness(SL.util.deck.getBackgroundColor())},navigateToSlide:function(t){if(t){var e=Reveal.getIndices(t);Reveal.slide(e.h,e.v)}},replaceHTML:function(t){SL.util.skipCSSTransitions($(".reveal"),1);var e=Reveal.getState();$(".reveal .slides").get(0).innerHTML=t,Reveal.setState(e),Reveal.sync(),this.afterSlidesChanged()}},SL.util.color={getContrast:function(t){var e=window.tinycolor(t).toRgb(),i=(299*e.r+587*e.g+114*e.b)/1e3;return i/255},getBrightness:function(t){var e=window.tinycolor(t).toRgb(),i=e.r/255*.3+e.g/255*.59+(e.b/255+.11);return i/2},getImageColor:function(t,e){return new Promise(function(i,n){var s=document.createElement("img");s.addEventListener("load",function(){var t,o=document.createElement("canvas"),a=o.getContext&&o.getContext("2d"),r={r:0,g:0,b:0,a:0};a||n();var l=o.height=s.naturalHeight||s.offsetHeight||s.height,c=o.width=s.naturalWidth||s.offsetWidth||s.width;a.drawImage(s,0,0);try{t=a.getImageData(0,0,c,l)}catch(d){n()}var h=4,u=t.data.length,p=0;if("number"!=typeof e&&(e=8,"number"==typeof u))for(;u/e>5e4;)e+=8;for(;(h+=4*e)<u;)++p,r.r+=t.data[h],r.g+=t.data[h+1],r.b+=t.data[h+2],r.a+=t.data[h+3];r.r=~~(r.r/p),r.g=~~(r.g/p),r.b=~~(r.b/p),r.a=~~(r.a/p),r.a=r.a/255,i(r)}),s.addEventListener("error",function(){n()}),s.setAttribute("crossorigin","anonymous"),s.setAttribute("src",t)})}},SL.util.anim={collapseListItem:function(t,e,i){t=$(t),t.addClass("no-transition"),t.css({overflow:"hidden"}),t.animate({opacity:0,height:0,minHeight:0,paddingTop:0,paddingBottom:0,marginTop:0,marginBottom:0},{duration:i||500,complete:e})}},SL.util.social={getFacebookShareLink:function(t,e,i,n){return"http://www.facebook.com/sharer.php?s=100&p[title]="+encodeURIComponent(e)+"&p[summary]="+encodeURIComponent(i)+"&p[url]="+t+"&p[images][0]="+n},getTwitterShareLink:function(t,e){return"http://twitter.com/share?text="+encodeURIComponent(e)+"&url="+encodeURIComponent(t)+"&via=slides"},getGoogleShareLink:function(t){return"https://plus.google.com/share?url="+encodeURIComponent(t)}},SL.util.selection={clear:function(){window.getSelection&&(window.getSelection().empty?window.getSelection().empty():window.getSelection().removeAllRanges&&window.getSelection().removeAllRanges())},moveCursorToEnd:function(t){if(t){t.focus();var e=document.createRange();e.selectNodeContents(t),e.collapse(!1),selection=window.getSelection(),selection.removeAllRanges(),selection.addRange(e)}},selectText:function(t){var e,i;document.body.createTextRange?(e=document.body.createTextRange(),e.moveToElementText(t),e.select()):window.getSelection&&(i=window.getSelection(),e=document.createRange(),e.selectNodeContents(t),i.removeAllRanges(),i.addRange(e))},getSelectedElement:function(){var t=window.getSelection();return t&&t.anchorNode?t.anchorNode.parentNode:null},getSelectedTags:function(){var t=SL.util.selection.getSelectedElement(),e=[];if(t)for(;t;)e.push(t.nodeName.toLowerCase()),t=t.parentNode;return e},getSelectedHTML:function(){var t;if(document.selection&&document.selection.createRange)return t=document.selection.createRange(),t.htmlText;if(window.getSelection){var e=window.getSelection();if(e.rangeCount>0){t=e.getRangeAt(0);var i=t.cloneContents(),n=document.createElement("div");return n.appendChild(i),n.innerHTML}}return""}},"undefined"!=typeof window.Spinner&&"undefined"!=typeof SL.util&&SL.util.html.generateSpinners(),SL.activity={init:function(){this.initialized||(this.initialized=!0,this.history=[Date.now()],this.listeners=[],this.bind(),setInterval(this.checkListeners.bind(this),500))},bind:function(){this.onUserInput=$.throttle(this.onUserInput.bind(this),100),document.addEventListener("mousedown",this.onUserInput),document.addEventListener("mousemove",this.onUserInput),document.addEventListener("touchstart",this.onUserInput),document.addEventListener("touchmove",this.onUserInput),document.addEventListener("keydown",this.onUserInput),window.addEventListener("scroll",this.onUserInput),window.addEventListener("mousewheel",this.onUserInput)},checkListeners:function(){this.listeners.forEach(function(t){this.hasBeenInactiveFor(t.duration)?t.active===!0&&(t.active=!1,"function"==typeof t.inactiveCallback&&t.inactiveCallback()):t.active===!1&&(t.active=!0,"function"==typeof t.activeCallback&&t.activeCallback())},this)},hasBeenInactiveFor:function(t){return Date.now()-this.history[0]>t},register:function(t,e,i){this.initialized||this.init(),this.listeners.push({active:!this.hasBeenInactiveFor(t),duration:t,activeCallback:e,inactiveCallback:i})},onUserInput:function(){this.history.unshift(Date.now()),this.history.splice(1e3)}},SL.analytics={CATEGORY_OTHER:"other",CATEGORY_EDITOR:"editor",CATEGORY_THEMING:"theming",CATEGORY_PRESENTING:"presenting",CATEGORY_COLLABORATION:"collaboration",_track:function(t,e,i){"undefined"!=typeof window.ga&&ga("send","event",t,e,i)},_trackPageView:function(t,e){e=e||document.title,"undefined"!=typeof window.ga&&ga(function(){for(var i=ga.getAll(),n=0;n<i.length;++n)i[n].send("pageview",{page:t,title:e})})},track:function(t,e){this._track(SL.analytics.CATEGORY_OTHER,t,e)},trackEditor:function(t,e){this._track(SL.analytics.CATEGORY_EDITOR,t,e)},trackTheming:function(t,e){this._track(SL.analytics.CATEGORY_THEMING,t,e)},trackPresenting:function(t,e){this._track(SL.analytics.CATEGORY_PRESENTING,t,e)},trackCollaboration:function(t,e){this._track(SL.analytics.CATEGORY_COLLABORATION,t,e)},trackCurrentSlide:function(t){if(window.Reveal){var e=window.Reveal.getIndices(),t=window.location.pathname+"/"+e.h;"number"==typeof e.v&&e.v>0&&(t+="/"+e.v);var i=$(Reveal.getCurrentSlide()).find("h1, h2, h3").first().text().trim();(!i||i.length<2)&&(i="Untitled"),this._trackPageView(t,i)}}},SL.config={SLIDE_WIDTH:960,SLIDE_HEIGHT:700,LOGIN_STATUS_INTERVAL:6e4,UNSAVED_CHANGES_INTERVAL:1500,AUTOSAVE_INTERVAL:4e3,DECK_SAVE_TIMEOUT:25e3,DECK_TITLE_MAXLENGTH:200,MEDIA_LABEL_MAXLENGTH:200,SPEAKER_NOTES_MAXLENGTH:1e4,COLLABORATION_IDLE_TIMEOUT:24e4,COLLABORATION_RESET_WRITING_TIMEOUT:15e3,COLLABORATION_SEND_WRITING_INTERVAL:5e3,COLLABORATION_COMMENT_MAXLENGTH:1e3,MAX_IMAGE_UPLOAD_SIZE:1e4,MAX_IMPORT_UPLOAD_SIZE:1e5,IMPORT_SOCKET_TIMEOUT:24e4,PRESENT_CONTROLS_DEFAULT:!0,PRESENT_UPSIZING_DEFAULT:!0,PRESENT_UPSIZING_MAX_SCALE:10,DEFAULT_SLIDE_TRANSITION_DURATION:800,DEFAULT_THEME_COLOR:"white-blue",DEFAULT_THEME_FONT:"montserrat",DEFAULT_THEME_TRANSITION:"slide",DEFAULT_THEME_BACKGROUND_TRANSITION:"slide",AUTO_SLIDE_OPTIONS:[2,4,6,8,10,15,20,30,40],RESERVED_SLIDE_CLASSES:["past","present","future","disabled","overflowing"],FRAGMENT_STYLES:[{id:"",title:"Fade in"},{id:"fade-down",title:"Fade in from above"},{id:"fade-up",title:"Fade in from below"},{id:"fade-right",title:"Fade in from left"},{id:"fade-left",title:"Fade in from right"},{id:"fade-out",title:"Fade out"},{id:"current-visible",title:"Fade in then out"}],THEME_COLORS:[{id:"white-blue"},{id:"sand-blue"},{id:"beige-brown"},{id:"silver-green"},{id:"silver-blue"},{id:"sky-blue"},{id:"blue-yellow"},{id:"cobalt-orange"},{id:"asphalt-orange"},{id:"forest-yellow"},{id:"mint-beige"},{id:"sea-yellow"},{id:"yellow-black"},{id:"coral-blue"},{id:"grey-blue"},{id:"black-blue"},{id:"black-mint"},{id:"black-orange"}],THEME_FONTS:[{id:"montserrat",title:"Montserrat"},{id:"league",title:"League"},{id:"opensans",title:"Open Sans"},{id:"josefine",title:"Josefine"},{id:"palatino",title:"Palatino"},{id:"news",title:"News"},{id:"helvetica",title:"Helvetica"},{id:"merriweather",title:"Merriweather"},{id:"asul",title:"Asul"},{id:"sketch",title:"Sketch"},{id:"quicksand",title:"Quicksand"},{id:"overpass",title:"Overpass v1",deprecated:!0},{id:"overpass2",title:"Overpass"}],THEME_TRANSITIONS:[{id:"slide",title:"Slide"},{id:"linear",title:"Linear",deprecated:!0},{id:"fade",title:"Fade"},{id:"none",title:"None"},{id:"default",title:"Convex"},{id:"concave",title:"Concave"},{id:"zoom",title:"Zoom"},{id:"cube",title:"Cube",deprecated:!0},{id:"page",title:"Page",deprecated:!0}],THEME_BACKGROUND_TRANSITIONS:[{id:"slide",title:"Slide"},{id:"fade",title:"Fade"},{id:"none",title:"None"},{id:"convex",title:"Convex"},{id:"concave",title:"Concave"},{id:"zoom",title:"Zoom"}],BLOCKS:new SL.collections.Collection([{type:"text",factory:"Text",label:"Text",icon:"type"},{type:"image",factory:"Image",label:"Image",icon:"picture"},{type:"shape",factory:"Shape",label:"Shape",icon:"shapes"},{type:"line",factory:"Line",label:"Line",icon:""},{type:"iframe",factory:"Iframe",label:"Iframe",icon:"browser"},{type:"table",factory:"Table",label:"Table",icon:"table"},{type:"code",factory:"Code",label:"Code",icon:"file-css"},{type:"math",factory:"Math",label:"Math",icon:"divide"},{type:"snippet",factory:"Snippet",label:"snippet",icon:"file-xml",hidden:!0}]),DEFAULT_DECK_THUMBNAIL:"https://s3.amazonaws.com/static.slid.es/images/default-deck-thumbnail.png",DEFAULT_USER_THUMBNAIL:"https://s3.amazonaws.com/static.slid.es/images/default-profile-picture.png",DECK_THUMBNAIL_TEMPLATE:['<li class="deck-thumbnail">','<div class="deck-image" style="background-image: url({{DECK_THUMB_URL}})">','<a class="deck-link" href="{{DECK_URL}}"></a>',"</div>",'<footer class="deck-details">','<a class="author" href="{{USER_URL}}">','<span class="picture" style="background-image: url({{USER_THUMB_URL}})"></span>','<span class="name">{{USER_NAME}}</span>',"</a>",'<div class="stats">','<div>{{DECK_VIEWS}}<span class="icon i-eye"></span></div>',"</div>","</footer>","</li>"].join(""),AJAX_SEARCH:"/api/v1/search.json",AJAX_SEARCH_ORGANIZATION:"/api/v1/team/search.json",AJAX_GET_DECK:function(t){return"/api/v1/decks/"+t+".json"},AJAX_CREATE_DECK:function(){return"/api/v1/decks.json"},AJAX_UPDATE_DECK:function(t){return"/api/v1/decks/"+t+".json"},AJAX_PUBLISH_DECK:function(t){return"/api/v1/decks/"+t+"/publish.json"},AJAX_GET_DECK_DATA:function(t){return"/api/v1/decks/"+t+"/data.json"},AJAX_MAKE_DECK_COLLABORATIVE:function(t){return"/api/v1/decks/"+t+"/make_collaborative.json"},AJAX_GET_DECKS_HTML:"/users/decks.html",AJAX_GET_DECKS_TRASHED_HTML:"/users/decks.html?trashed=true",AJAX_TRASH_DECK:function(t){return"/api/v1/decks/"+t+"/trash.json"},AJAX_RECOVER_DECK:function(t){return"/api/v1/decks/"+t+"/recover.json"},AJAX_DESTROY_DECK:function(t){return"/api/v1/decks/"+t+".json"},AJAX_GET_DECK_VERSIONS:function(t){return"/api/v1/decks/"+t+"/revisions.json"},AJAX_PREVIEW_DECK_VERSION:function(t,e,i){return"/"+t+"/"+e+"/preview?revision="+i},AJAX_RESTORE_DECK_VERSION:function(t,e){return"/api/v1/decks/"+t+"/revisions/"+e+"/restore.json"},AJAX_EXPORT_DECK:function(t,e){return"/"+t+"/"+e+"/export"},AJAX_THUMBNAIL_DECK:function(t){return"/api/v1/decks/"+t+"/thumbnails.json"},AJAX_FORK_DECK:function(t){return"/api/v1/decks/"+t+"/fork.json"},AJAX_SHARE_DECK_VIA_EMAIL:function(t){return"/api/v1/decks/"+t+"/deck_shares.json"},AJAX_KUDO_DECK:function(t){return"/api/v1/decks/"+t+"/kudos/kudo.json"},AJAX_UNKUDO_DECK:function(t){return"/api/v1/decks/"+t+"/kudos/unkudo.json"},AJAX_EXPORT_START:function(t){return"/api/v1/decks/"+t+"/exports.json"},AJAX_EXPORT_LIST:function(t){return"/api/v1/decks/"+t+"/exports.json"},AJAX_EXPORT_STATUS:function(t,e){return"/api/v1/decks/"+t+"/exports/"+e+".json"},AJAX_PDF_IMPORT_NEW:"/api/v1/imports.json",AJAX_PDF_IMPORT_UPLOADED:function(t){return"/api/v1/imports/"+t+".json"},AJAX_DROPBOX_CONNECT:"/settings/dropbox/authorize",AJAX_DROPBOX_DISCONNECT:"https://www.dropbox.com/account/security#apps",AJAX_DROPBOX_SYNC_DECK:function(t){return"/api/v1/decks/"+t+"/export.json"},AJAX_UPDATE_TEAM:"/api/v1/team.json",AJAX_LOOKUP_TEAM:"/api/v1/team/lookup.json",AJAX_TEAM_MEMBER_SEARCH:"/api/v1/team/users/search.json",AJAX_TEAM_MEMBERS_LIST:"/api/v1/team/users.json",AJAX_TEAM_MEMBER_CREATE:"/api/v1/team/users.json",AJAX_TEAM_MEMBER_UPDATE:function(t){return"/api/v1/team/users/"+t+".json"},AJAX_TEAM_MEMBER_DELETE:function(t){return"/api/v1/team/users/"+t+".json"},AJAX_TEAM_MEMBER_REACTIVATE:function(t){return"/api/v1/team/users/"+t+"/reactivate.json"},AJAX_TEAM_MEMBER_DEACTIVATE:function(t){return"/api/v1/team/users/"+t+"/deactivate.json"},AJAX_TEAM_INVITATIONS_LIST:"/api/v1/team/invitations.json",AJAX_TEAM_INVITATIONS_CREATE:"/api/v1/team/invitations.json",AJAX_TEAM_INVITATIONS_DELETE:function(t){return"/api/v1/team/invitations/"+t+".json"},AJAX_TEAM_INVITATIONS_RESEND:function(t){return"/api/v1/team/invitations/"+t+"/resend.json"},AJAX_THEMES_LIST:"/api/v1/themes.json",AJAX_THEMES_CREATE:"/api/v1/themes.json",AJAX_THEMES_READ:function(t){return"/api/v1/themes/"+t+".json"},AJAX_THEMES_UPDATE:function(t){return"/api/v1/themes/"+t+".json"},AJAX_THEMES_DELETE:function(t){return"/api/v1/themes/"+t+".json"},AJAX_DECK_THEME:function(t){return"/api/v1/decks/"+t+"/theme.json"},AJAX_THEME_ADD_SLIDE_TEMPLATE:function(t){return"/api/v1/themes/"+t+"/add_slide_template.json"},AJAX_THEME_REMOVE_SLIDE_TEMPLATE:function(t){return"/api/v1/themes/"+t+"/remove_slide_template.json"},AJAX_ACCESS_TOKENS_LIST:function(t){return"/api/v1/decks/"+t+"/access_tokens.json"},AJAX_ACCESS_TOKENS_CREATE:function(t){return"/api/v1/decks/"+t+"/access_tokens.json"},AJAX_ACCESS_TOKENS_UPDATE:function(t,e){return"/api/v1/decks/"+t+"/access_tokens/"+e+".json"},AJAX_ACCESS_TOKENS_DELETE:function(t,e){return"/api/v1/decks/"+t+"/access_tokens/"+e+".json"},AJAX_ACCESS_TOKENS_PASSWORD_AUTH:function(t){return"/access_tokens/"+t+".json"},AJAX_SLIDE_TEMPLATES_LIST:"/api/v1/slide_templates.json",AJAX_SLIDE_TEMPLATES_CREATE:"/api/v1/slide_templates.json",AJAX_SLIDE_TEMPLATES_UPDATE:function(t){return"/api/v1/slide_templates/"+t+".json"},AJAX_SLIDE_TEMPLATES_DELETE:function(t){return"/api/v1/slide_templates/"+t+".json"},AJAX_TEAM_SLIDE_TEMPLATES_LIST:"/api/v1/team/slide_templates.json",AJAX_TEAM_SLIDE_TEMPLATES_CREATE:"/api/v1/team/slide_templates.json",AJAX_TEAM_SLIDE_TEMPLATES_UPDATE:function(t){return"/api/v1/team/slide_templates/"+t+".json"},AJAX_TEAM_SLIDE_TEMPLATES_DELETE:function(t){return"/api/v1/team/slide_templates/"+t+".json"},AJAX_GET_USER:function(t){return"/api/v1/users/"+t+".json"},AJAX_LOOKUP_USER:"/api/v1/users/lookup.json",AJAX_SERVICES_USER:"/api/v1/users/services.json",AJAX_UPDATE_USER:"/users.json",AJAX_GET_USER_SETTINGS:"/api/v1/user_settings.json",AJAX_UPDATE_USER_SETTINGS:"/api/v1/user_settings.json",AJAX_SUBSCRIPTIONS:"/subscriptions",AJAX_ACCOUNT_DETAILS:"/account/details.json",AJAX_SUBSCRIPTION_DETAILS:"/account/subscription.json",AJAX_SUBSCRIPTIONS_PRINT_RECEIPT:function(t){return"/account/receipts/"+t},AJAX_SUBSCRIPTIONS_REACTIVATE:"/subscriptions/reactivate",AJAX_TEAMS_CREATE:"/teams.json",AJAX_TEAMS_REACTIVATE:"/subscriptions/reactivate.json",AJAX_CHECK_STATUS:"/api/v1/status.json",AJAX_MEDIA_LIST:"/api/v1/media.json",AJAX_MEDIA_CREATE:"/api/v1/media.json",AJAX_MEDIA_UPDATE:function(t){return"/api/v1/media/"+t+".json"},AJAX_MEDIA_DELETE:function(t){return"/api/v1/media/"+t+".json"},AJAX_MEDIA_TAG_LIST:"/api/v1/tags.json",AJAX_MEDIA_TAG_CREATE:"/api/v1/tags.json",AJAX_MEDIA_TAG_UPDATE:function(t){return"/api/v1/tags/"+t+".json"},AJAX_MEDIA_TAG_DELETE:function(t){return"/api/v1/tags/"+t+".json"},AJAX_MEDIA_TAG_ADD_MEDIA:function(t){return"/api/v1/tags/"+t+"/add_media.json"},AJAX_MEDIA_TAG_REMOVE_MEDIA:function(t){return"/api/v1/tags/"+t+"/remove_media.json"},AJAX_TEAM_MEDIA_LIST:"/api/v1/team/media.json",AJAX_TEAM_MEDIA_CREATE:"/api/v1/team/media.json",AJAX_TEAM_MEDIA_UPDATE:function(t){return"/api/v1/team/media/"+t+".json"},AJAX_TEAM_MEDIA_DELETE:function(t){return"/api/v1/team/media/"+t+".json"},AJAX_TEAM_MEDIA_TAG_LIST:"/api/v1/team/tags.json",AJAX_TEAM_MEDIA_TAG_CREATE:"/api/v1/team/tags.json",AJAX_TEAM_MEDIA_TAG_UPDATE:function(t){return"/api/v1/team/tags/"+t+".json"},AJAX_TEAM_MEDIA_TAG_DELETE:function(t){return"/api/v1/team/tags/"+t+".json"},AJAX_TEAM_MEDIA_TAG_ADD_MEDIA:function(t){return"/api/v1/team/tags/"+t+"/add_media.json"},AJAX_TEAM_MEDIA_TAG_REMOVE_MEDIA:function(t){return"/api/v1/team/tags/"+t+"/remove_media.json"},AJAX_DECKUSER_LIST:function(t){return"/api/v1/decks/"+t+"/users.json"},AJAX_DECKUSER_READ:function(t,e){return"/api/v1/decks/"+t+"/users/"+e+".json"},AJAX_DECKUSER_CREATE:function(t){return"/api/v1/decks/"+t+"/users/invite.json"},AJAX_DECKUSER_UPDATE:function(t,e){return"/api/v1/decks/"+t+"/users/"+e+".json"},AJAX_DECKUSER_DELETE:function(t,e){return"/api/v1/decks/"+t+"/users/"+e+".json"},AJAX_DECKUSER_BECOME_EDITOR:function(t,e){return"/api/v1/decks/"+t+"/users/"+e+"/become_editor.json"},AJAX_DECKUSER_UPDATE_LAST_SEEN_AT:function(t){return"/api/v1/decks/"+t+"/users/update_last_seen_at.json"},AJAX_COMMENTS_LIST:function(t,e){return"/api/v1/decks/"+t+"/comments.json"+(e?"?slide_hash="+e:"")},AJAX_COMMENTS_CREATE:function(t){return"/api/v1/decks/"+t+"/comments.json"},AJAX_COMMENTS_UPDATE:function(t,e){return"/api/v1/decks/"+t+"/comments/"+e+".json"},AJAX_COMMENTS_DELETE:function(t,e){return"/api/v1/decks/"+t+"/comments/"+e+".json"},STREAM_ENGINE_HOST:window.location.protocol+"//stream2.slides.com",STREAM_ENGINE_LIVE_NAMESPACE:"live",STREAM_ENGINE_EDITOR_NAMESPACE:"editor",APP_HOST:"slides.com",S3_HOST:"https://s3.amazonaws.com/media-p.slid.es",GOOGLE_FONTS_LIST:"https://www.googleapis.com/webfonts/v1/webfonts?key=AIzaSyAD1SV55vtPn4d37DWGvPg8iUKhMj2Epzo",ASSET_URLS:{"offline-v2.css":"//assets.slid.es/assets/offline-v2-b27d1218f363380257f5322c1db3db81.css","homepage-background.jpg":"//assets.slid.es/assets/homepage-background-b002e480a9b1026f07a1a3d066404640.jpg","reveal-plugins/markdown/marked.js":"//assets.slid.es/assets/reveal-plugins/markdown/marked-285d0e546e608bca75e0c8af0d6b44cd.js","reveal-plugins/markdown/markdown.js":"//assets.slid.es/assets/reveal-plugins/markdown/markdown-769f9bfbb5d81257779bf0353cc6ecd4.js","reveal-plugins/highlight/highlight.js":"//assets.slid.es/assets/reveal-plugins/highlight/highlight-9efb98b823ef2e51598faabaa51da5be.js"}},SL.config.V1={DEFAULT_THEME_COLOR:"grey-blue",DEFAULT_THEME_FONT:"league",DEFAULT_THEME_TRANSITION:"linear",DEFAULT_THEME_BACKGROUND_TRANSITION:"fade",THEME_COLORS:[{id:"grey-blue"},{id:"black-mint"},{id:"black-orange"},{id:"forest-yellow"},{id:"lila-yellow"},{id:"asphalt-orange"},{id:"sky-blue"},{id:"beige-brown"},{id:"sand-grey"},{id:"silver-green"},{id:"silver-blue"},{id:"cobalt-orange"},{id:"white-blue"},{id:"mint-beige"},{id:"sea-yellow"},{id:"coral-blue"}],THEME_FONTS:[{id:"league",title:"League"},{id:"opensans",title:"Open Sans"},{id:"josefine",title:"Josefine"},{id:"palatino",title:"Palatino"},{id:"news",title:"News"},{id:"montserrat",title:"Montserrat"},{id:"helvetica",title:"Helvetica"},{id:"asul",title:"Asul"},{id:"merriweather",title:"Merriweather"},{id:"sketch",title:"Sketch"},{id:"quicksand",title:"Quicksand"},{id:"overpass",title:"Overpass v1",deprecated:!0},{id:"overpass2",title:"Overpass"}]},SL.draganddrop={init:function(){this.listeners=new SL.collections.Collection,this.onDragStart=this.onDragStart.bind(this),this.onDragOver=this.onDragOver.bind(this),this.onDragOut=this.onDragOut.bind(this),this.onDrop=this.onDrop.bind(this),this.isListening=!1,this.isInternalDrag=!1},subscribe:function(t){this.listeners.push(t),this.bind()},unsubscribe:function(t){this.listeners.remove(t),this.listeners.isEmpty()&&this.unbind()},dispatch:function(t,e){var i=this.listeners.last();i&&i[t](e)},bind:function(){this.isListening===!1&&(this.isListening=!0,$(document.documentElement).on("dragstart",this.onDragStart).on("dragover dragenter",this.onDragOver).on("dragleave",this.onDragOut).on("drop",this.onDrop))},unbind:function(){this.isListening===!0&&(this.isListening=!1,$(document.documentElement).off("dragstart",this.onDragStart).off("dragover dragenter",this.onDragOver).off("dragleave",this.onDragOut).off("drop",this.onDrop))},onDragStart:function(t){t.preventDefault(),this.isInternalDrag=!0},onDragOver:function(t){this.isInternalDrag||(t.preventDefault(),this.dispatch("onDragOver",t))},onDragOut:function(t){this.isInternalDrag||(t.preventDefault(),this.dispatch("onDragOut",t))},onDrop:function(t){return this.isInternalDrag?void 0:(t.stopPropagation(),t.preventDefault(),this.isInternalDrag=!1,this.dispatch("onDrop",t),!1)}},SL.fonts={INIT_TIMEOUT:5e3,FONTS_URL:SLConfig.fonts_url||"https://s3.amazonaws.com/static.slid.es/fonts/",FAMILIES:{montserrat:{id:"montserrat",name:"Montserrat",path:"montserrat/montserrat.css"},opensans:{id:"opensans",name:"Open Sans",path:"opensans/opensans.css"},lato:{id:"lato",name:"Lato",path:"lato/lato.css"},asul:{id:"asul",name:"Asul",path:"asul/asul.css"},josefinsans:{id:"josefinsans",name:"Josefin Sans",path:"josefinsans/josefinsans.css"},league:{id:"league",name:"League Gothic",path:"league/league_gothic.css"},merriweathersans:{id:"merriweathersans",name:"Merriweather Sans",path:"merriweathersans/merriweathersans.css"},overpass:{id:"overpass",name:"Overpass",path:"overpass/overpass.css"},overpass2:{id:"overpass2",name:"Overpass 2",path:"overpass2/overpass2.css"},quicksand:{id:"quicksand",name:"Quicksand",path:"quicksand/quicksand.css"},cabinsketch:{id:"cabinsketch",name:"Cabin Sketch",path:"cabinsketch/cabinsketch.css"},newscycle:{id:"newscycle",name:"News Cycle",path:"newscycle/newscycle.css"},oxygen:{id:"oxygen",name:"Oxygen",path:"oxygen/oxygen.css"}},PACKAGES:{asul:["asul"],helvetica:[],josefine:["josefinsans","lato"],league:["league","lato"],merriweather:["merriweathersans","oxygen"],news:["newscycle","lato"],montserrat:["montserrat","opensans"],opensans:["opensans"],overpass:["overpass"],overpass2:["overpass2"],palatino:[],quicksand:["quicksand","opensans"],sketch:["cabinsketch","oxygen"]},init:function(){if(this._isReady=!1,this.ready=new signals.Signal,this.loaded=new signals.Signal,this.fontactive=new signals.Signal,this.fontinactive=new signals.Signal,this.debugMode=!!SL.util.getQuery().debug,$("link[data-application-font]").each(function(){var t=$(this).attr("data-application-font");SL.fonts.FAMILIES[t]&&(SL.fonts.FAMILIES[t].loaded=!0)}),SLConfig&&SLConfig.deck){var t=this.loadDeckFont([SLConfig.deck.theme_font||SL.config.DEFAULT_THEME_FONT],{active:this.onInitialFontsActive.bind(this),inactive:this.onInitialFontsInactive.bind(this)});t?this.initTimeout=setTimeout(function(){this.debugMode&&console.log("SL.fonts","timed out"),this.finishLoading()}.bind(this),SL.fonts.INIT_TIMEOUT):this.finishLoading()}else this.finishLoading()},load:function(t,e){var i=$.extend({classes:!1,fontactive:this.onFontActive.bind(this),fontinactive:this.onFontInactive.bind(this),custom:{families:[],urls:[]}},e);return t.forEach(function(t){var e=SL.fonts.FAMILIES[t];e?e.loaded?"function"==typeof i.fontactive&&i.fontactive(e.name):(e.loaded=!0,i.custom.families.push(e.name),i.custom.urls.push(SL.fonts.FONTS_URL+e.path)):console.warn('Could not find font family with id "'+t+'"')}),SLConfig&&SLConfig.deck&&(SLConfig.deck.font_typekit&&(i.typekit={id:SLConfig.deck.font_typekit}),SLConfig.deck.font_google&&(i.google=i.google||{families:[]},i.google.families=i.google.families.concat(SL.fonts.parseGoogleFontFamilies(SLConfig.deck.font_google)))),SLConfig&&SLConfig.theme&&(SLConfig.theme.font_typekit&&(i.typekit={id:SLConfig.theme.font_typekit}),SLConfig.theme.font_google&&(i.google=i.google||{families:[]},i.google.families=i.google.families.concat(SL.fonts.parseGoogleFontFamilies(SLConfig.theme.font_google)))),this.debugMode&&console.log("SL.fonts.load",i.custom.families),i.custom.families.length||i.typekit||i.google?(WebFont.load(i),!0):!1},loadAll:function(t){var e=[];for(var i in SL.fonts.FAMILIES)e.push(i);this.load(e,t)},loadDeckFont:function(t,e){var i=SL.fonts.PACKAGES[t];return i?SL.fonts.load(i,e):!1},loadGoogleFont:function(t){WebFont.load({google:{families:SL.fonts.parseGoogleFontFamilies(t)}})},loadTypekitFont:function(t){WebFont.load({typekit:{id:t}})},parseGoogleFontFamilies:function(t){return t=(t||"").trim().split(", "),t=t.map(function(t){return t.trim().replace(/(^,)|(,$)/gi,"")}),t=t.filter(function(t){return"string"==typeof t&&t.length>0})},unload:function(t){t.forEach(function(t){var e=SL.fonts.FAMILIES[t];e&&(e.loaded=!1,$('link[href="'+SL.fonts.FONTS_URL+e.path+'"]').remove())})},finishLoading:function(){clearTimeout(this.initTimeout),$("html").addClass("fonts-are-ready"),this._isReady===!1&&(this._isReady=!0,this.ready.dispatch()),this.loaded.dispatch()},getPackageIDs:function(){return Object.keys(SL.fonts.PACKAGES)},getFamilyByName:function(t){for(var e in SL.fonts.FAMILIES){var i=SL.fonts.FAMILIES[e];if(t===i.name)return i}},isPackageLoaded:function(t){var e=SL.fonts.PACKAGES[t];return e?0===e.length?!0:e.every(function(t){var e=SL.fonts.FAMILIES[t];return e.active||e.inactive}):!0},isReady:function(){return this._isReady},onFontActive:function(t){var e=SL.fonts.getFamilyByName(t);e&&(e.active=!0),this.fontactive.dispatch(e)},onFontInactive:function(t){var e=SL.fonts.getFamilyByName(t);e&&(e.inactive=!0),this.fontinactive.dispatch(e)},onInitialFontsActive:function(){this.finishLoading()},onInitialFontsInactive:function(){this.finishLoading()}},SL.keyboard={init:function(){this.keyupConsumers=new SL.collections.Collection,this.keydownConsumers=new SL.collections.Collection,$(document).on("keydown",this.onDocumentKeyDown.bind(this)),$(document).on("keyup",this.onDocumentKeyUp.bind(this))},keydown:function(t){this.keydownConsumers.push(t)},keyup:function(t){this.keyupConsumers.push(t)},release:function(t){this.keydownConsumers.remove(t),this.keyupConsumers.remove(t)},onDocumentKeyDown:function(t){for(var e,i=this.keydownConsumers.size(),n=!1;e=this.keydownConsumers.at(--i);)if(!e(t)){n=!0;break}return n?(t.preventDefault(),t.stopImmediatePropagation(),!1):void 0},onDocumentKeyUp:function(t){for(var e,i=this.keyupConsumers.size(),n=!1;e=this.keyupConsumers.at(--i);)if(!e(t)){n=!0;break}return n?(t.preventDefault(),t.stopImmediatePropagation(),!1):void 0}},SL.locale={GENERIC_ERROR:["Oops, something went wrong","We ran into an unexpected error","Something's wong, can you try that again?"],WARN_UNSAVED_CHANGES:"You have unsaved changes, save first?",CLOSE:"Close",PREVIOUS:"Previous",NEXT:"Next",DECK_SAVE_SUCCESS:"Saved successfully",DECK_SAVE_ERROR:"Failed to save",NEW_SLIDE_TITLE:"Title",LEAVE_UNSAVED_DECK:"You will lose your unsaved changes.",LEAVE_UNSAVED_THEME:"You will lose your unsaved changes.",DOWNGRADE_TO_FREE_CONFIRM:"Your account will be downgraded to the Free plan at the end of the current billing period.",DOWNGRADE_TO_FREE_SUCCESS:"Subscription canceled",DECK_RESTORE_CONFIRM:"Are you sure you want to revert to this version from {#time}?",DECK_TRASH_CONFIRM:'Are you sure you want to delete "{#title}"?',DECK_TRASH_SUCCESS:"Moved to trash",DECK_TRASH_ERROR:"Failed to delete",DECK_DESTROY_CONFIRM:'Are you sure you want to permanently delete "{#title}"?',DECK_DESTROY_SUCCESS:"Deck deleted",DECK_DESTROY_ERROR:"Failed to delete",DECK_RECOVER_CONFIRM:'Are you sure you want to recover "{#title}"?',DECK_RECOVER_SUCCESS:"Deck recovered",DECK_RECOVER_ERROR:"Failed to recover",DECK_VISIBILITY_CHANGE_SELF:'<div><span class="icon i-lock-stroke"></span></div><h3>Private</h3><p>Only visible to you</p>',DECK_VISIBILITY_CHANGE_TEAM:'<div><span class="icon i-users"></span></div><h3>Internal</h3><p>Visible to your team</p>',DECK_VISIBILITY_CHANGE_ALL:'<div><span class="icon i-globe"></span></div><h3>Public</h3><p>Visible to the world</p>',DECK_VISIBILITY_CHANGED_SELF:"Your deck is now private",DECK_VISIBILITY_CHANGED_TEAM:"Your deck is now internal",DECK_VISIBILITY_CHANGED_ALL:"Your deck is now public",DECK_VISIBILITY_CHANGED_ERROR:"Failed to change visibility",DECK_EDIT_INVALID_TITLE:"Please enter a valid title",DECK_EDIT_INVALID_SLUG:"Please enter a valid URL",DECK_DELETE_SLIDE_CONFIRM:"Are you sure you want to remove this slide?",DECK_IMPORT_HTML_CONFIRM:"All existing content will be replaced, continue?",EXPORT_PDF_BUTTON:"Download PDF",EXPORT_PDF_BUTTON_WORKING:"Creating PDF...",EXPORT_PDF_ERROR:"An error occured while exporting your PDF.",EXPORT_PPT_BUTTON:"Download PPTX",EXPORT_PPT_BUTTON_WORKING:"Creating PPTX...",EXPORT_PPT_ERROR:"An error occured while exporting to PowerPoint.",EXPORT_ZIP_BUTTON:"Download ZIP",EXPORT_ZIP_BUTTON_WORKING:"Creating ZIP...",EXPORT_ZIP_ERROR:"An error occured while exporting your ZIP.",FORM_ERROR_REQUIRED:"Required",FORM_ERROR_USERNAME_TAKEN:["That one's already taken :(","Sorry, that's taken too"],FORM_ERROR_ORGANIZATION_SLUG_TAKEN:["That one's already taken :(","Sorry, that's taken too"],BILLING_DETAILS_ERROR:"An error occured while fetching your billing details, please try again.",BILLING_DETAILS_NOHISTORY:"You haven't made any payments yet.",THEME_CREATE:"New theme",THEME_CREATE_ERROR:"Failed to create theme",THEME_SAVE_SUCCESS:"Theme saved",THEME_SAVE_ERROR:"Failed to save theme",THEME_REMOVE_CONFIRM:"Are you sure you want to delete this theme?",THEME_REMOVE_SUCCESS:"Theme removed successfully",THEME_REMOVE_ERROR:"Failed to remove theme",THEME_LIST_LOAD_ERROR:"Failed to load themes",THEME_LIST_EMPTY:"Once you have created one or more themes they'll be listed here. Click the New Theme button to get started with your first theme.",THEME_DEFAULT_SAVE_SUCCESS:"Default theme was changed",THEME_DEFAULT_SAVE_ERROR:"Failed to change default theme",THEME_DELETE_TOOLTIP:"Delete",THEME_EDIT_TOOLTIP:"Edit",THEME_MAKE_DEFAULT_TOOLTIP:"Make this the default theme",THEME_IS_DEFAULT_TOOLTIP:"This is the default theme",THEME_SNIPPET_DELETE_CONFIRM:"Are you sure you want to delete this snippet?",TEMPLATE_LOAD_ERROR:"Failed to load slide templates",TEMPLATE_CREATE_SUCCESS:"Template saved!",TEMPLATE_CREATE_ERROR:"Failed to save template",TEMPLATE_DELETE_CONFIRM:"Are you sure you want to delete this template?",SEARCH_PAGINATION_PAGE:"Page",SEARCH_NO_RESULTS_FOR:'No results for "{#term}"',SEARCH_SERVER_ERROR:"Failed to fetch search results",SEARCH_NO_TERM_ERROR:"Please enter a search term",MEDIA_TAG_DELETE_CONFIRM:"Are you sure you want to permanently delete this tag?",MEDIA_TAG_DELETE_SUCCESS:"Tag deleted",MEDIA_TAG_DELETE_ERROR:"Failed to delete",COLLABORATOR_REMOVE_CONFIRM:"Are you sure you want to remove this user?",counter:{},get:function(t,e){var i=SL.locale[t];
+if("object"==typeof i&&i.length&&(this.counter[t]="number"==typeof this.counter[t]?(this.counter[t]+1)%i.length:0,i=i[this.counter[t]]),"object"==typeof e)for(var n in e)i=i.replace("{#"+n+"}",e[n]);return"string"==typeof i?i:""}},function(t){var e={};e.sync=function(){$("[data-placement]").each(function(){var t=$(this),i=t.attr("data-placement");"function"==typeof e[i]?e[i](t):console.log('No matching layout found for "'+i+'"')})},e.hcenter=function(t){var e=t.parent();e&&t.css("left",(e.width()-t.outerWidth())/2)},e.vcenter=function(t){var e=t.parent();e&&t.css("top",(e.height()-t.outerHeight())/2)},e.center=function(t){var e=t.parent();if(e){var i=e.width(),n=e.height(),s=t.outerWidth(),o=t.outerHeight();t.css({left:(i-s)/2,top:(n-o)/2})}},e.sync(),$(t).on("resize",e.sync),t.Placement=e}(window),SL.pointer={down:!1,downTimeout:-1,init:function(){$(document).on("mousedown",this.onMouseDown.bind(this)),$(document).on("mouseleave",this.onMouseLeave.bind(this)),$(document).on("mouseup",this.onMouseUp.bind(this))},isDown:function(){return this.down},onMouseDown:function(){clearTimeout(this.downTimeout),this.down=!0,this.downTimeout=setTimeout(function(){this.down=!1}.bind(this),3e4)},onMouseLeave:function(){clearTimeout(this.downTimeout),this.down=!1},onMouseUp:function(){clearTimeout(this.downTimeout),this.down=!1}},SL.routes={PRICING:"/pricing",CHANGELOG:"/changelog",SIGN_IN:"/users/sign_in",SIGN_OUT:"/users/sign_out",NEW_TEAM:"/teams/new",BRAND_KIT:"/about#logo",SUBSCRIPTIONS_NEW:"/account/upgrade",SUBSCRIPTIONS_EDIT_CARD:"/account/update_billing",SUBSCRIPTIONS_EDIT_PERIOD:"/account/update_billing_period",USER:function(t){return"/"+t},USER_EDIT:"/users/edit",DECK:function(t,e){return"/"+t+"/"+e},DECK_NEW:function(t){return"/"+t+"/new"},DECK_EDIT:function(t,e){return"/"+t+"/"+e+"/edit"},DECK_REVIEW:function(t,e){return"/"+t+"/"+e+"/review"},DECK_EMBED:function(t,e){return"/"+t+"/"+e+"/embed"},DECK_LIVE:function(t,e){return"/"+t+"/"+e+"/live"},THEME_EDITOR:"/themes",BILLING_DETAILS:"/account/billing",TEAM:function(t){return window.location.protocol+"//"+t.get("slug")+"."+SL.config.APP_HOST},TEAM_EDIT:function(t){return SL.routes.TEAM(t)+"/edit"},TEAM_EDIT_MEMBERS:function(t){return SL.routes.TEAM(t)+"/edit_members"}},SL.session={enforce:function(){this.enforced||(this.enforced=!0,this.hasLoggedOut=!1,this.loginInterval=setInterval(this.check.bind(this),SL.config.LOGIN_STATUS_INTERVAL))},check:function(){$.get(SL.config.AJAX_CHECK_STATUS).done(function(t){t&&t.user_signed_in?this.onLoggedIn():this.onLoggedOut()}.bind(this))},onLoggedIn:function(){this.hasLoggedOut&&(this.hasLoggedOut=!1,SL.popup.close(SL.components.popup.SessionExpired))},onLoggedOut:function(){this.hasLoggedOut||(this.hasLoggedOut=!0,SL.popup.open(SL.components.popup.SessionExpired))}},SL.settings={STORAGE_KEY:"slides-settings",STORAGE_VERSION:1,EDITOR_AUTO_HIDE:"editorAutoHide",EDITOR_AUTO_SAVE:"editorAutoSave",init:function(){this.settings={version:this.STORAGE_VERSION},this.changed=new signals.Signal,this.restore()},setDefaults:function(){"undefined"==typeof this.settings[this.EDITOR_AUTO_HIDE]&&(this.settings[this.EDITOR_AUTO_HIDE]=!1),"undefined"==typeof this.settings[this.EDITOR_AUTO_SAVE]&&(this.settings[this.EDITOR_AUTO_SAVE]=!0)},setValue:function(t,e){"object"==typeof t?$.extend(this.settings,t):this.settings[t]=e,this.save(),this.changed.dispatch([t])},getValue:function(t){return this.settings[t]},removeValue:function(t){"object"==typeof t&&t.length?t.forEach(function(t){delete this.settings[t]}.bind(this)):delete this.settings[t],this.save(),this.changed.dispatch([t])},restore:function(){if(Modernizr.localstorage){var t=localStorage.getItem(this.STORAGE_KEY);if(t){var e=JSON.parse(localStorage.getItem(this.STORAGE_KEY));e&&e.version===this.STORAGE_VERSION?(this.settings=e,this.setDefaults(),this.changed.dispatch()):(this.setDefaults(),this.save())}}this.setDefaults()},save:function(){Modernizr.localstorage&&localStorage.setItem(this.STORAGE_KEY,JSON.stringify(this.settings))}},SL.util.svg={NAMESPACE:"http://www.w3.org/2000/svg",SYMBOLS:{happy:'<path d="M16 32c8.837 0 16-7.163 16-16s-7.163-16-16-16-16 7.163-16 16 7.163 16 16 16zM16 3c7.18 0 13 5.82 13 13s-5.82 13-13 13-13-5.82-13-13 5.82-13 13-13zM16 18.711c3.623 0 7.070-0.963 10-2.654-0.455 5.576-4.785 9.942-10 9.942-5.215 0-9.544-4.371-10-9.947 2.93 1.691 6.377 2.658 10 2.658zM8 11c0-1.657 0.895-3 2-3s2 1.343 2 3c0 1.657-0.895 3-2 3-1.105 0-2-1.343-2-3zM20 11c0-1.657 0.895-3 2-3s2 1.343 2 3c0 1.657-0.895 3-2 3-1.105 0-2-1.343-2-3z"></path>',smiley:'<path d="M16 32c8.837 0 16-7.163 16-16s-7.163-16-16-16-16 7.163-16 16 7.163 16 16 16zM16 3c7.18 0 13 5.82 13 13s-5.82 13-13 13-13-5.82-13-13 5.82-13 13-13zM8 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM20 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM22.003 19.602l2.573 1.544c-1.749 2.908-4.935 4.855-8.576 4.855s-6.827-1.946-8.576-4.855l2.573-1.544c1.224 2.036 3.454 3.398 6.003 3.398s4.779-1.362 6.003-3.398z"></path>',wondering:'<path d="M16 32c8.837 0 16-7.163 16-16s-7.163-16-16-16-16 7.163-16 16 7.163 16 16 16zM16 3c7.18 0 13 5.82 13 13s-5.82 13-13 13-13-5.82-13-13 5.82-13 13-13zM23.304 18.801l0.703 2.399-13.656 4-0.703-2.399zM8 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM20 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2z"></path>',sad:'<path d="M16 32c8.837 0 16-7.163 16-16s-7.163-16-16-16-16 7.163-16 16 7.163 16 16 16zM16 3c7.18 0 13 5.82 13 13s-5.82 13-13 13-13-5.82-13-13 5.82-13 13-13zM8 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM20 10c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM9.997 24.398l-2.573-1.544c1.749-2.908 4.935-4.855 8.576-4.855 3.641 0 6.827 1.946 8.576 4.855l-2.573 1.544c-1.224-2.036-3.454-3.398-6.003-3.398-2.549 0-4.779 1.362-6.003 3.398z"></path>',"checkmark-circle":'<path d="M16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16zM13.52 23.383l-7.362-7.363 2.828-2.828 4.533 4.535 9.617-9.617 2.828 2.828-12.444 12.445z"></path>',"plus-circle":'<path d="M16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16zM24 18h-6v6h-4v-6h-6v-4h6v-6h4v6h6v4z"></path>',"minus-circle":'<path d="M16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16zM24 18h-16v-4h16v4z"></path>',"x-circle":'<path d="M16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16zM23.914 21.086l-2.828 2.828-5.086-5.086-5.086 5.086-2.828-2.828 5.086-5.086-5.086-5.086 2.828-2.828 5.086 5.086 5.086-5.086 2.828 2.828-5.086 5.086 5.086 5.086z"></path>',denied:'<path d="M16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16zM16 4c2.59 0 4.973 0.844 6.934 2.242l-16.696 16.688c-1.398-1.961-2.238-4.344-2.238-6.93 0-6.617 5.383-12 12-12zM16 28c-2.59 0-4.973-0.844-6.934-2.242l16.696-16.688c1.398 1.961 2.238 4.344 2.238 6.93 0 6.617-5.383 12-12 12z"></path>',clock:'<path d="M16 4c6.617 0 12 5.383 12 12s-5.383 12-12 12-12-5.383-12-12 5.383-12 12-12zM16 0c-8.836 0-16 7.164-16 16s7.164 16 16 16 16-7.164 16-16-7.164-16-16-16v0zM21.422 18.578l-3.422-3.426v-7.152h-4.023v7.992c0 0.602 0.277 1.121 0.695 1.492l3.922 3.922 2.828-2.828z"></path>',"heart-stroke":'<path d="M23.113 6c2.457 0 4.492 1.82 4.836 4.188l-11.945 13.718-11.953-13.718c0.344-2.368 2.379-4.188 4.836-4.188 2.016 0 3.855 2.164 3.855 2.164l3.258 3.461 3.258-3.461c0 0 1.84-2.164 3.855-2.164zM23.113 2c-2.984 0-5.5 1.578-7.113 3.844-1.613-2.266-4.129-3.844-7.113-3.844-4.903 0-8.887 3.992-8.887 8.891v0.734l16.008 18.375 15.992-18.375v-0.734c0-4.899-3.984-8.891-8.887-8.891v0z"></path>',"heart-fill":'<path d="M16 5.844c-1.613-2.266-4.129-3.844-7.113-3.844-4.903 0-8.887 3.992-8.887 8.891v0.734l16.008 18.375 15.992-18.375v-0.734c0-4.899-3.984-8.891-8.887-8.891-2.984 0-5.5 1.578-7.113 3.844z"></path>',home:'<path d="M16 0l-16 16h4v16h24v-16h4l-16-16zM24 28h-6v-6h-4v6h-6v-14.344l8-5.656 8 5.656v14.344z"></path>',pin:'<path d="M17.070 2.93c-3.906-3.906-10.234-3.906-14.141 0-3.906 3.904-3.906 10.238 0 14.14 0.001 0 7.071 6.93 7.071 14.93 0-8 7.070-14.93 7.070-14.93 3.907-3.902 3.907-10.236 0-14.14zM10 14c-2.211 0-4-1.789-4-4s1.789-4 4-4 4 1.789 4 4-1.789 4-4 4z"></path>',user:'<path d="M12 16c-6.625 0-12 5.375-12 12 0 2.211 1.789 4 4 4h16c2.211 0 4-1.789 4-4 0-6.625-5.375-12-12-12zM6 6c0-3.314 2.686-6 6-6s6 2.686 6 6c0 3.314-2.686 6-6 6-3.314 0-6-2.686-6-6z"></path>',mail:'<path d="M15.996 15.457l16.004-7.539v-3.918h-32v3.906zM16.004 19.879l-16.004-7.559v15.68h32v-15.656z"></path>',star:'<path d="M22.137 19.625l9.863-7.625h-12l-4-12-4 12h-12l9.875 7.594-3.875 12.406 10.016-7.68 9.992 7.68z"></path>',bolt:'<path d="M32 0l-24 16 6 4-14 12 24-12-6-4z"></path>',sun:'<path d="M16.001 8c-4.418 0-8 3.582-8 8s3.582 8 8 8c4.418 0 7.999-3.582 7.999-8s-3.581-8-7.999-8v0zM14 2c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM4 6c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM2 14c1.105 0 2 0.895 2 2 0 1.107-0.895 2-2 2s-2-0.893-2-2c0-1.105 0.895-2 2-2zM4 26c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM14 30c0-1.109 0.895-2 2-2 1.108 0 2 0.891 2 2 0 1.102-0.892 2-2 2-1.105 0-2-0.898-2-2zM24 26c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2zM30 18c-1.104 0-2-0.896-2-2 0-1.107 0.896-2 2-2s2 0.893 2 2c0 1.104-0.896 2-2 2zM24 6c0-1.105 0.895-2 2-2s2 0.895 2 2c0 1.105-0.895 2-2 2-1.105 0-2-0.895-2-2z"></path>',moon:'<path d="M24.633 22.184c-8.188 0-14.82-6.637-14.82-14.82 0-2.695 0.773-5.188 2.031-7.363-6.824 1.968-11.844 8.187-11.844 15.644 0 9.031 7.32 16.355 16.352 16.355 7.457 0 13.68-5.023 15.648-11.844-2.18 1.254-4.672 2.028-7.367 2.028z"></path>',cloud:'<path d="M24 10c-0.379 0-0.738 0.061-1.102 0.111-1.394-2.465-3.972-4.111-6.898-4.111-2.988 0-5.566 1.666-6.941 4.1-0.352-0.047-0.704-0.1-1.059-0.1-4.41 0-8 3.588-8 8 0 4.414 3.59 8 8 8h16c4.41 0 8-3.586 8-8 0-4.412-3.59-8-8-8zM24 22h-16c-2.207 0-4-1.797-4-4 0-2.193 1.941-3.885 4.004-3.945 0.008 0.943 0.172 1.869 0.5 2.744l3.746-1.402c-0.168-0.444-0.25-0.915-0.25-1.397 0-2.205 1.793-4 4-4 1.293 0 2.465 0.641 3.199 1.639-1.929 1.461-3.199 3.756-3.199 6.361h4c0-2.205 1.793-4 4-4s4 1.795 4 4c0 2.203-1.793 4-4 4z"></path>',rain:'<path d="M23.998 6c-0.375 0-0.733 0.061-1.103 0.111-1.389-2.465-3.969-4.111-6.895-4.111-2.987 0-5.565 1.666-6.94 4.1-0.353-0.047-0.705-0.1-1.060-0.1-4.41 0-8 3.588-8 8s3.59 8 8 8h15.998c4.414 0 8-3.588 8-8s-3.586-8-8-8zM23.998 18h-15.998c-2.207 0-4-1.795-4-4 0-2.193 1.941-3.885 4.004-3.945 0.009 0.943 0.172 1.869 0.5 2.744l3.746-1.402c-0.168-0.444-0.25-0.915-0.25-1.397 0-2.205 1.793-4 4-4 1.293 0 2.465 0.641 3.199 1.639-1.928 1.461-3.199 3.756-3.199 6.361h4c0-2.205 1.795-4 3.998-4 2.211 0 4 1.795 4 4s-1.789 4-4 4zM3.281 29.438c-0.75 0.75-1.969 0.75-2.719 0s-0.75-1.969 0-2.719 5.438-2.719 5.438-2.719-1.969 4.688-2.719 5.438zM11.285 29.438c-0.75 0.75-1.965 0.75-2.719 0-0.75-0.75-0.75-1.969 0-2.719 0.754-0.75 5.438-2.719 5.438-2.719s-1.965 4.688-2.719 5.438zM19.28 29.438c-0.75 0.75-1.969 0.75-2.719 0s-0.75-1.969 0-2.719 5.437-2.719 5.437-2.719-1.968 4.688-2.718 5.438z"></path>',umbrella:'<path d="M16 0c-8.82 0-16 7.178-16 16h4c0-0.826 0.676-1.5 1.5-1.5 0.828 0 1.5 0.674 1.5 1.5h4c0-0.826 0.676-1.5 1.5-1.5 0.828 0 1.5 0.674 1.5 1.5v10c0 1.102-0.895 2-2 2-1.102 0-2-0.898-2-2h-4c0 3.309 2.695 6 6 6 3.312 0 6-2.691 6-6v-10c0-0.826 0.676-1.5 1.5-1.5 0.828 0 1.498 0.674 1.498 1.5h4c0-0.826 0.68-1.5 1.5-1.5 0.828 0 1.5 0.674 1.5 1.5h4c0-8.822-7.172-16-15.998-16z"></path>',eye:'<path d="M16 4c-8.836 0-16 11.844-16 11.844s7.164 12.156 16 12.156 16-12.156 16-12.156-7.164-11.844-16-11.844zM16 24c-4.418 0-8-3.582-8-8s3.582-8 8-8 8 3.582 8 8-3.582 8-8 8zM12 16c0-2.209 1.791-4 4-4s4 1.791 4 4c0 2.209-1.791 4-4 4-2.209 0-4-1.791-4-4z"></path>',ribbon:'<path d="M8 20c-1.41 0-2.742-0.289-4-0.736v12.736l4-4 4 4v-12.736c-1.258 0.447-2.59 0.736-4 0.736zM0 8c0-4.418 3.582-8 8-8s8 3.582 8 8c0 4.418-3.582 8-8 8-4.418 0-8-3.582-8-8z"></path>',iphone:'<path d="M16 0h-8c-4.418 0-8 3.582-8 8v16c0 4.418 3.582 8 8 8h8c4.418 0 8-3.582 8-8v-16c0-4.418-3.582-8-8-8zM12 30.062c-1.139 0-2.062-0.922-2.062-2.062s0.924-2.062 2.062-2.062 2.062 0.922 2.062 2.062-0.923 2.062-2.062 2.062zM20 24h-16v-16c0-2.203 1.795-4 4-4h8c2.203 0 4 1.797 4 4v16z"></path>',camera:'<path d="M16 20c0-2.209 1.791-4 4-4s4 1.791 4 4c0 2.209-1.791 4-4 4-2.209 0-4-1.791-4-4zM28 8l-3.289-6.643c-0.27-0.789-1.016-1.357-1.899-1.357h-5.492c-0.893 0-1.646 0.582-1.904 1.385l-3.412 6.615h-8.004c-2.209 0-4 1.791-4 4v20h32v-20c0-2.209-1.789-4-4-4zM6 16c-1.105 0-2-0.895-2-2s0.895-2 2-2 2 0.895 2 2-0.895 2-2 2zM20 28c-4.418 0-8-3.582-8-8s3.582-8 8-8 8 3.582 8 8-3.582 8-8 8z"></path>',cog:'<path d="M32 17.969v-4l-4.781-1.992c-0.133-0.375-0.273-0.738-0.445-1.094l1.93-4.805-2.829-2.828-4.762 1.961c-0.363-0.176-0.734-0.324-1.117-0.461l-2.027-4.75h-4l-1.977 4.734c-0.398 0.141-0.781 0.289-1.16 0.469l-4.754-1.91-2.828 2.828 1.938 4.711c-0.188 0.387-0.34 0.781-0.485 1.188l-4.703 2.011v4l4.707 1.961c0.145 0.406 0.301 0.801 0.488 1.188l-1.902 4.742 2.828 2.828 4.723-1.945c0.379 0.18 0.766 0.324 1.164 0.461l2.023 4.734h4l1.98-4.758c0.379-0.141 0.754-0.289 1.113-0.461l4.797 1.922 2.828-2.828-1.969-4.773c0.168-0.359 0.305-0.723 0.438-1.094l4.782-2.039zM15.969 22c-3.312 0-6-2.688-6-6s2.688-6 6-6 6 2.688 6 6-2.688 6-6 6z"></path>',lock:'<path d="M14 0c-5.508 0-9.996 4.484-9.996 10v2h-4.004v14c0 3.309 2.691 6 6 6h12c3.309 0 6-2.691 6-6v-16c0-5.516-4.488-10-10-10zM11.996 24c-1.101 0-1.996-0.895-1.996-2s0.895-2 1.996-2c1.105 0 2 0.895 2 2s-0.894 2-2 2zM20 12h-11.996v-2c0-3.309 2.691-6 5.996-6 3.309 0 6 2.691 6 6v2z"></path>',unlock:'<path d="M14.004 0c-5.516 0-9.996 4.484-9.996 10h3.996c0-3.309 2.688-6 6-6 3.305 0 5.996 2.691 5.996 6v2h-20v14c0 3.309 2.695 6 6 6h12c3.305 0 6-2.691 6-6v-16c0-5.516-4.488-10-9.996-10zM12 24c-1.102 0-2-0.895-2-2s0.898-2 2-2c1.109 0 2 0.895 2 2s-0.891 2-2 2z"></path>',fork:'<path d="M20 0v3.875c0 1.602-0.625 3.109-1.754 4.238l-11.316 11.254c-1.789 1.785-2.774 4.129-2.883 6.633h-4.047l6 6 6-6h-3.957c0.105-1.438 0.684-2.773 1.711-3.805l11.316-11.25c1.891-1.89 2.93-4.398 2.93-7.070v-3.875h-4zM23.953 26c-0.109-2.504-1.098-4.848-2.887-6.641l-2.23-2.215-2.836 2.821 2.242 2.23c1.031 1.027 1.609 2.367 1.715 3.805h-3.957l6 6 6-6h-4.047z"></path>',paperclip:'<path d="M17.293 15.292l-2.829-2.829-4 4c-1.953 1.953-1.953 5.119 0 7.071 1.953 1.953 5.118 1.953 7.071 0l10.122-9.879c3.123-3.124 3.123-8.188 0-11.313-3.125-3.124-8.19-3.124-11.313 0l-11.121 10.88c-4.296 4.295-4.296 11.26 0 15.557 4.296 4.296 11.261 4.296 15.556 0l6-6-2.829-2.829-5.999 6c-2.733 2.732-7.166 2.732-9.9 0-2.733-2.732-2.733-7.166 0-9.899l11.121-10.881c1.562-1.562 4.095-1.562 5.656 0 1.563 1.563 1.563 4.097 0 5.657l-10.121 9.879c-0.391 0.391-1.023 0.391-1.414 0s-0.391-1.023 0-1.414l4-4z"></path>',facebook:'<path d="M17.996 32h-5.996v-16h-4v-5.514l4-0.002-0.007-3.248c0-4.498 1.22-7.236 6.519-7.236h4.412v5.515h-2.757c-2.064 0-2.163 0.771-2.163 2.209l-0.008 2.76h4.959l-0.584 5.514-4.37 0.002-0.004 16z"></path>',twitter:'<path d="M32 6.076c-1.177 0.522-2.443 0.875-3.771 1.034 1.355-0.813 2.396-2.099 2.887-3.632-1.269 0.752-2.674 1.299-4.169 1.593-1.198-1.276-2.904-2.073-4.792-2.073-3.626 0-6.565 2.939-6.565 6.565 0 0.515 0.058 1.016 0.17 1.496-5.456-0.274-10.294-2.888-13.532-6.86-0.565 0.97-0.889 2.097-0.889 3.301 0 2.278 1.159 4.287 2.921 5.465-1.076-0.034-2.088-0.329-2.974-0.821-0.001 0.027-0.001 0.055-0.001 0.083 0 3.181 2.263 5.834 5.266 6.437-0.551 0.15-1.131 0.23-1.73 0.23-0.423 0-0.834-0.041-1.235-0.118 0.835 2.608 3.26 4.506 6.133 4.559-2.247 1.761-5.078 2.81-8.154 2.81-0.53 0-1.052-0.031-1.566-0.092 2.905 1.863 6.356 2.95 10.064 2.95 12.076 0 18.679-10.004 18.679-18.68 0-0.285-0.006-0.568-0.019-0.849 1.283-0.926 2.396-2.082 3.276-3.398z"></path>',earth:'<path d="M27.314 4.686c3.022 3.022 4.686 7.040 4.686 11.314s-1.664 8.292-4.686 11.314c-3.022 3.022-7.040 4.686-11.314 4.686s-8.292-1.664-11.314-4.686c-3.022-3.022-4.686-7.040-4.686-11.314s1.664-8.292 4.686-11.314c3.022-3.022 7.040-4.686 11.314-4.686s8.292 1.664 11.314 4.686zM25.899 25.9c1.971-1.971 3.281-4.425 3.821-7.096-0.421 0.62-0.824 0.85-1.073-0.538-0.257-2.262-2.335-0.817-3.641-1.621-1.375 0.927-4.466-1.802-3.941 1.276 0.81 1.388 4.375-1.858 2.598 1.079-1.134 2.050-4.145 6.592-3.753 8.946 0.049 3.43-3.504 0.715-4.729-0.422-0.824-2.279-0.281-6.262-2.434-7.378-2.338-0.102-4.344-0.314-5.25-2.927-0.545-1.87 0.58-4.653 2.584-5.083 2.933-1.843 3.98 2.158 6.731 2.232 0.854-0.894 3.182-1.178 3.375-2.18-1.805-0.318 2.29-1.517-0.173-2.199-1.358 0.16-2.234 1.409-1.512 2.467-2.632 0.614-2.717-3.809-5.247-2.414-0.064 2.206-4.132 0.715-1.407 0.268 0.936-0.409-1.527-1.594-0.196-1.379 0.654-0.036 2.854-0.807 2.259-1.325 1.225-0.761 2.255 1.822 3.454-0.059 0.866-1.446-0.363-1.713-1.448-0.98-0.612-0.685 1.080-2.165 2.573-2.804 0.497-0.213 0.973-0.329 1.336-0.296 0.752 0.868 2.142 1.019 2.215-0.104-1.862-0.892-3.915-1.363-6.040-1.363-3.051 0-5.952 0.969-8.353 2.762 0.645 0.296 1.012 0.664 0.39 1.134-0.483 1.439-2.443 3.371-4.163 3.098-0.893 1.54-1.482 3.238-1.733 5.017 1.441 0.477 1.773 1.42 1.464 1.736-0.734 0.64-1.185 1.548-1.418 2.541 0.469 2.87 1.818 5.515 3.915 7.612 2.644 2.644 6.16 4.1 9.899 4.1s7.255-1.456 9.899-4.1z"></path>',globe:'<path d="M15 2c-8.284 0-15 6.716-15 15s6.716 15 15 15c8.284 0 15-6.716 15-15s-6.716-15-15-15zM23.487 22c0.268-1.264 0.437-2.606 0.492-4h3.983c-0.104 1.381-0.426 2.722-0.959 4h-3.516zM6.513 12c-0.268 1.264-0.437 2.606-0.492 4h-3.983c0.104-1.381 0.426-2.722 0.959-4h3.516zM21.439 12c0.3 1.28 0.481 2.62 0.54 4h-5.979v-4h5.439zM16 10v-5.854c0.456 0.133 0.908 0.355 1.351 0.668 0.831 0.586 1.625 1.488 2.298 2.609 0.465 0.775 0.867 1.638 1.203 2.578h-4.852zM10.351 7.422c0.673-1.121 1.467-2.023 2.298-2.609 0.443-0.313 0.895-0.535 1.351-0.668v5.854h-4.852c0.336-0.94 0.738-1.803 1.203-2.578zM14 12v4h-5.979c0.059-1.38 0.24-2.72 0.54-4h5.439zM2.997 22c-0.533-1.278-0.854-2.619-0.959-4h3.983c0.055 1.394 0.224 2.736 0.492 4h-3.516zM8.021 18h5.979v4h-5.439c-0.3-1.28-0.481-2.62-0.54-4zM14 24v5.854c-0.456-0.133-0.908-0.355-1.351-0.668-0.831-0.586-1.625-1.488-2.298-2.609-0.465-0.775-0.867-1.638-1.203-2.578h4.852zM19.649 26.578c-0.673 1.121-1.467 2.023-2.298 2.609-0.443 0.312-0.895 0.535-1.351 0.668v-5.854h4.852c-0.336 0.94-0.738 1.802-1.203 2.578zM16 22v-4h5.979c-0.059 1.38-0.24 2.72-0.54 4h-5.439zM23.98 16c-0.055-1.394-0.224-2.736-0.492-4h3.516c0.533 1.278 0.855 2.619 0.959 4h-3.983zM25.958 10h-2.997c-0.582-1.836-1.387-3.447-2.354-4.732 1.329 0.636 2.533 1.488 3.585 2.54 0.671 0.671 1.261 1.404 1.766 2.192zM5.808 7.808c1.052-1.052 2.256-1.904 3.585-2.54-0.967 1.285-1.771 2.896-2.354 4.732h-2.997c0.504-0.788 1.094-1.521 1.766-2.192zM4.042 24h2.997c0.583 1.836 1.387 3.447 2.354 4.732-1.329-0.636-2.533-1.488-3.585-2.54-0.671-0.671-1.261-1.404-1.766-2.192zM24.192 26.192c-1.052 1.052-2.256 1.904-3.585 2.54 0.967-1.285 1.771-2.896 2.354-4.732h2.997c-0.504 0.788-1.094 1.521-1.766 2.192z"></path>',"thin-arrow-up":'<path d="M27.414 12.586l-10-10c-0.781-0.781-2.047-0.781-2.828 0l-10 10c-0.781 0.781-0.781 2.047 0 2.828s2.047 0.781 2.828 0l6.586-6.586v19.172c0 1.105 0.895 2 2 2s2-0.895 2-2v-19.172l6.586 6.586c0.39 0.39 0.902 0.586 1.414 0.586s1.024-0.195 1.414-0.586c0.781-0.781 0.781-2.047 0-2.828z"></path>',"thin-arrow-down":'<path d="M4.586 19.414l10 10c0.781 0.781 2.047 0.781 2.828 0l10-10c0.781-0.781 0.781-2.047 0-2.828s-2.047-0.781-2.828 0l-6.586 6.586v-19.172c0-1.105-0.895-2-2-2s-2 0.895-2 2v19.172l-6.586-6.586c-0.391-0.39-0.902-0.586-1.414-0.586s-1.024 0.195-1.414 0.586c-0.781 0.781-0.781 2.047 0 2.828z"></path>',"thin-arrow-up-left":'<path d="M4 18c0 1.105 0.895 2 2 2s2-0.895 2-2v-7.172l16.586 16.586c0.781 0.781 2.047 0.781 2.828 0 0.391-0.391 0.586-0.902 0.586-1.414s-0.195-1.024-0.586-1.414l-16.586-16.586h7.172c1.105 0 2-0.895 2-2s-0.895-2-2-2h-14v14z"></path>',"thin-arrow-up-right":'<path d="M26.001 4c-0 0-0.001 0-0.001 0h-11.999c-1.105 0-2 0.895-2 2s0.895 2 2 2h7.172l-16.586 16.586c-0.781 0.781-0.781 2.047 0 2.828 0.391 0.391 0.902 0.586 1.414 0.586s1.024-0.195 1.414-0.586l16.586-16.586v7.172c0 1.105 0.895 2 2 2s2-0.895 2-2v-14h-1.999z"></path>',"thin-arrow-left":'<path d="M12.586 4.586l-10 10c-0.781 0.781-0.781 2.047 0 2.828l10 10c0.781 0.781 2.047 0.781 2.828 0s0.781-2.047 0-2.828l-6.586-6.586h19.172c1.105 0 2-0.895 2-2s-0.895-2-2-2h-19.172l6.586-6.586c0.39-0.391 0.586-0.902 0.586-1.414s-0.195-1.024-0.586-1.414c-0.781-0.781-2.047-0.781-2.828 0z"></path>',"thin-arrow-right":'<path d="M19.414 27.414l10-10c0.781-0.781 0.781-2.047 0-2.828l-10-10c-0.781-0.781-2.047-0.781-2.828 0s-0.781 2.047 0 2.828l6.586 6.586h-19.172c-1.105 0-2 0.895-2 2s0.895 2 2 2h19.172l-6.586 6.586c-0.39 0.39-0.586 0.902-0.586 1.414s0.195 1.024 0.586 1.414c0.781 0.781 2.047 0.781 2.828 0z"></path>',"thin-arrow-down-left":'<path d="M18 28c1.105 0 2-0.895 2-2s-0.895-2-2-2h-7.172l16.586-16.586c0.781-0.781 0.781-2.047 0-2.828-0.391-0.391-0.902-0.586-1.414-0.586s-1.024 0.195-1.414 0.586l-16.586 16.586v-7.172c0-1.105-0.895-2-2-2s-2 0.895-2 2v14h14z"></path>',"thin-arrow-down-right":'<path d="M28 14c0-1.105-0.895-2-2-2s-2 0.895-2 2v7.172l-16.586-16.586c-0.781-0.781-2.047-0.781-2.828 0-0.391 0.391-0.586 0.902-0.586 1.414s0.195 1.024 0.586 1.414l16.586 16.586h-7.172c-1.105 0-2 0.895-2 2s0.895 2 2 2h14v-14z"></path>'},boundingBox:function(t){var e;if($(t).parents("body").length)e=t.getBBox();else{var i=t.parentNode,n=document.createElementNS(SL.util.svg.NAMESPACE,"svg");n.setAttribute("width","0"),n.setAttribute("height","0"),n.setAttribute("style","visibility: hidden; position: absolute; left: 0; top: 0;"),n.appendChild(t),document.body.appendChild(n),e=t.getBBox(),i?i.appendChild(t):n.removeChild(t),document.body.removeChild(n)}return e},pointsToPolygon:function(t){for(var e=[];t.length>=2;)e.push(t.shift()+","+t.shift());return e.join(" ")},rect:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"rect");return i.setAttribute("width",t),i.setAttribute("height",e),i},ellipse:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"ellipse");return i.setAttribute("rx",t/2),i.setAttribute("ry",e/2),i.setAttribute("cx",t/2),i.setAttribute("cy",e/2),i},triangleUp:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([t/2,0,t,e,0,e])),i},triangleDown:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([0,0,t,0,t/2,e])),i},triangleLeft:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([0,e/2,t,0,t,e])),i},triangleRight:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([t,e/2,0,e,0,0])),i},arrowUp:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([.5*t,0,t,.5*e,.7*t,.5*e,.7*t,e,.3*t,e,.3*t,.5*e,0,.5*e,.5*t,0])),i},arrowDown:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([.5*t,e,t,.5*e,.7*t,.5*e,.7*t,0,.3*t,0,.3*t,.5*e,0,.5*e,.5*t,e])),i},arrowLeft:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([t,.3*e,.5*t,.3*e,.5*t,0,0,.5*e,.5*t,e,.5*t,.7*e,t,.7*e,t,.3*e])),i},arrowRight:function(t,e){var i=document.createElementNS(SL.util.svg.NAMESPACE,"polygon");return i.setAttribute("points",SL.util.svg.pointsToPolygon([0,.3*e,.5*t,.3*e,.5*t,0,t,.5*e,.5*t,e,.5*t,.7*e,0,.7*e])),i},polygon:function(t,e,i){var n=document.createElementNS(SL.util.svg.NAMESPACE,"polygon"),s=[];if(3===i)s=[t/2,0,t,e,0,e];else if(i>3)for(var o=t/2,a=e/2,r=0;i>r;r++){var l=o+o*Math.cos(2*Math.PI*r/i),c=a+a*Math.sin(2*Math.PI*r/i);l=Math.round(10*l)/10,c=Math.round(10*c)/10,s.push(l),s.push(c)}return n.setAttribute("points",SL.util.svg.pointsToPolygon(s)),n},symbol:function(t){var e=document.createElementNS(SL.util.svg.NAMESPACE,"g"),i=SL.util.svg.SYMBOLS[t];return i&&(e.innerSVG=SL.util.svg.SYMBOLS[t]),e}},SL.visibility={init:function(){this.changed=new signals.Signal,"undefined"!=typeof document.hidden?(this.hiddenProperty="hidden",this.visibilityChangeEvent="visibilitychange"):"undefined"!=typeof document.msHidden?(this.hiddenProperty="msHidden",this.visibilityChangeEvent="msvisibilitychange"):"undefined"!=typeof document.webkitHidden&&(this.hiddenProperty="webkitHidden",this.visibilityChangeEvent="webkitvisibilitychange"),this.supported="boolean"==typeof document[this.hiddenProperty],this.supported&&this.bind()},isVisible:function(){return this.supported?!document[this.hiddenProperty]:!0},isHidden:function(){return this.supported?document[this.hiddenProperty]:!1},bind:function(){document.addEventListener(this.visibilityChangeEvent,this.onVisibilityChange.bind(this))},onVisibilityChange:function(){this.changed.dispatch()}},SL.warnings={STORAGE_KEY:"slides-last-warning-id",MESSAGE_ID:23,init:function(){this.showMessage()},showMessage:function(){if(this.hasMessage()&&!this.hasExpired()&&SL.util.user.isLoggedIn()&&Modernizr.localstorage){var t=parseInt(localStorage.getItem(this.STORAGE_KEY),10)||0;if(t<this.MESSAGE_ID){var e=SL.notify(this.MESSAGE_TEXT,{optional:!1});e.destroyed.add(this.hideMessage.bind(this))}}},hideMessage:function(){Modernizr.localstorage&&localStorage.setItem(this.STORAGE_KEY,this.MESSAGE_ID)},hasMessage:function(){return!!this.MESSAGE_TEXT},hasExpired:function(){return this.MESSAGE_EXPIRY?moment().diff(moment(this.MESSAGE_EXPIRY))>0:!1}},SL("helpers").FileUploader=Class.extend({init:function(t){if(this.options=$.extend({formdata:!0,contentType:!1,external:!1,method:"POST"},t),"undefined"==typeof this.options.file||"undefined"==typeof this.options.service)throw"File and service must be defined for FileUploader task.";this.timeout=-1,this.uploading=!1,this.onUploadSuccess=this.onUploadSuccess.bind(this),this.onUploadProgress=this.onUploadProgress.bind(this),this.onUploadError=this.onUploadError.bind(this),this.failed=new signals.Signal,this.succeeded=new signals.Signal,this.progressed=new signals.Signal},upload:function(){if(this.uploading=!0,clearTimeout(this.timeout),"number"==typeof this.options.timeout&&(this.timeout=setTimeout(this.onUploadError,this.options.timeout)),this.xhr=new XMLHttpRequest,this.xhr.onload=function(){if(this.options.external===!0)this.onUploadSuccess();else if(422===this.xhr.status||500===this.xhr.status)this.onUploadError();else{try{var t=JSON.parse(this.xhr.responseText)}catch(e){return this.onUploadError()}this.onUploadSuccess(t)}}.bind(this),this.xhr.onerror=this.onUploadError,this.xhr.upload.onprogress=this.onUploadProgress,this.xhr.open(this.options.method,this.options.service,!0),this.options.contentType){var t="string"==typeof this.options.contentType?this.options.contentType:this.options.file.type;t&&this.xhr.setRequestHeader("Content-Type",t)}if(this.options.formdata){var e=new FormData;this.options.filename?e.append("file",this.options.file,this.options.filename):e.append("file",this.options.file);var i=this.options.csrf||document.querySelector('meta[name="csrf-token"]');i&&!this.options.external&&e.append("authenticity_token",i.getAttribute("content")),this.xhr.send(e)}else this.xhr.send(this.options.file)},isUploading:function(){return this.uploading},onUploadSuccess:function(t){clearTimeout(this.timeout),this.uploading=!1,this.succeeded.dispatch(t)},onUploadProgress:function(t){t.lengthComputable&&this.progressed.dispatch(t.loaded/t.total)},onUploadError:function(){clearTimeout(this.timeout),this.uploading=!1,this.failed.dispatch()},destroy:function(){if(clearTimeout(this.timeout),this.xhr){var t=function(){};this.xhr.onload=t,this.xhr.onerror=t,this.xhr.upload.onprogress=t,this.xhr.abort()}this.succeeded.dispose(),this.progressed.dispose(),this.failed.dispose()}}),SL.helpers.Fullscreen={enter:function(t){t=t||document.body;var e=t.requestFullScreen||t.webkitRequestFullscreen||t.webkitRequestFullScreen||t.mozRequestFullScreen||t.msRequestFullscreen;e&&e.apply(t)},exit:function(){var t=document.exitFullscreen||document.msExitFullscreen||document.mozCancelFullScreen||document.webkitExitFullscreen;t&&t.apply(document)},toggle:function(){SL.helpers.Fullscreen.isActive()?SL.helpers.Fullscreen.exit():SL.helpers.Fullscreen.enter()},isEnabled:function(){return!!(document.fullscreenEnabled||document.mozFullscreenEnabled||document.msFullscreenEnabled||document.webkitFullscreenEnabled)},isActive:function(){return!!(document.fullscreenElement||document.msFullscreenElement||document.mozFullScreenElement||document.webkitFullscreenElement)}},SL("helpers").ImageUploader=Class.extend({init:function(t){this.options=$.extend({service:SL.config.AJAX_MEDIA_CREATE,timeout:9e4},t),this.onUploadSuccess=this.onUploadSuccess.bind(this),this.onUploadProgress=this.onUploadProgress.bind(this),this.onUploadError=this.onUploadError.bind(this),this.progressed=new signals.Signal,this.succeeded=new signals.Signal,this.failed=new signals.Signal},upload:function(t,e){return t&&t.type.match(/image.*/)?"number"==typeof t.size&&t.size/1024>SL.config.MAX_IMAGE_UPLOAD_SIZE.maxsize?void SL.notify("No more than "+Math.round(MAX_IMAGE_UPLOAD_SIZE/1e3)+"mb please","negative"):(this.fileUploader&&this.fileUploader.destroy(),this.fileUploader=new SL.helpers.FileUploader({file:t,filename:e||this.options.filename,service:this.options.service,timeout:this.options.timeout}),this.fileUploader.succeeded.add(this.onUploadSuccess),this.fileUploader.progressed.add(this.onUploadProgress),this.fileUploader.failed.add(this.onUploadError),void this.fileUploader.upload()):void SL.notify("Only image files, please")},isUploading:function(){return!(!this.fileUploader||!this.fileUploader.isUploading())},onUploadSuccess:function(t){t&&"string"==typeof t.url?this.succeeded.dispatch(t.url):this.failed.dispatch(),this.fileUploader.destroy(),this.fileUploader=null},onUploadProgress:function(t){this.progressed.dispatch(t)},onUploadError:function(){this.failed.dispatch(),this.fileUploader.destroy(),this.fileUploader=null},destroy:function(){this.succeeded.dispose(),this.progressed.dispose(),this.failed.dispose(),this.fileUploader&&this.fileUploader.destroy()}}),SL.helpers.PageLoader={show:function(t){t=$.extend({style:null,message:null},t);var e=$(".page-loader");0===e.length&&(e=$(['<div class="page-loader">','<div class="page-loader-inner hidden">','<p class="page-loader-message"></p>','<div class="page-loader-spinner spinner"></div>',"</div>","</div>"].join("")).appendTo(document.body),setTimeout(function(){e.find(".page-loader-inner").removeClass("hidden")},1)),t.container&&e.appendTo(t.container),t.message&&e.find(".page-loader-message").html(t.message),t.style&&e.attr("data-style",t.style),clearTimeout(this.hideTimeout),e.removeClass("frozen"),e.addClass("visible")},hide:function(){$(".page-loader").removeClass("visible"),clearTimeout(this.hideTimeout),this.hideTimeout=setTimeout(function(){$(".page-loader").addClass("frozen")}.bind(this),1e3)},waitForFonts:function(t){SL.fonts.isReady()===!1&&(this.show(t),SL.fonts.ready.add(this.hide))}},SL("helpers").PollJob=Class.extend({init:function(t){this.options=$.extend({interval:1e3,timeout:Number.MAX_VALUE,retries:Number.MAX_VALUE},t),this.interval=-1,this.running=!1,this.poll=this.poll.bind(this),this.ended=new signals.Signal,this.polled=new signals.Signal},start:function(){this.running=!0,this.pollStart=Date.now(),this.pollTimes=0,clearInterval(this.interval),this.interval=setInterval(this.poll,this.options.interval)},stop:function(){this.running=!1,clearInterval(this.interval)},poll:function(){this.pollTimes++,Date.now()-this.pollStart>this.options.timeout||this.pollTimes>this.options.retries?(this.stop(),this.ended.dispatch()):this.polled.dispatch()}}),SL("helpers").StreamEditor=Class.extend({init:function(t){this.options=$.extend({},t),this.statusChanged=new signals.Signal,this.reconnecting=new signals.Signal,this.messageReceived=new signals.Signal,this.debugMode=!!SL.util.getQuery().debug},connect:function(){if(this.socket)this.isConnected()||(this.log("manual reconnect",t),this.socket.io.close(),this.socket.io.open());else{var t=SL.config.STREAM_ENGINE_HOST+"/"+SL.config.STREAM_ENGINE_EDITOR_NAMESPACE;this.log("connecting to",t),this.socket=io.connect(t,{reconnectionDelayMax:1e4}),this.socket.on("connect",this.onSocketConnect.bind(this)),this.socket.on("reconnect_attempt",this.onSocketReconnectAttempt.bind(this)),this.socket.on("reconnect_failed",this.onSocketReconnectFailed.bind(this)),this.socket.on("reconnect",this.onSocketReconnect.bind(this)),this.socket.on("disconnect",this.onSocketDisconnect.bind(this)),this.socket.on("message",this.onSocketMessage.bind(this))
+}return this.isConnected()?Promise.resolve():new Promise(function(t,e){var i=function(){t(),this.socket.removeEventListener("connect",i),this.socket.removeEventListener("connect_error",n)}.bind(this),n=function(){e(),this.socket.removeEventListener("connect",i),this.socket.removeEventListener("connect_error",n)}.bind(this);this.socket.on("connect",i),this.socket.on("connect_error",n)}.bind(this))},broadcast:function(t){this.emit("broadcast",JSON.stringify(t))},emit:function(){this.log("emit",arguments),this.socket.emit.apply(this.socket,arguments)},log:function(){if(this.debugMode&&"function"==typeof console.log.apply){var t=["Stream:"].concat(Array.prototype.slice.call(arguments));console.log.apply(console,t)}},setStatus:function(t){this.status!==t&&(this.status=t,this.statusChanged.dispatch(this.status))},isConnected:function(){return this.socket.connected===!0},onSocketMessage:function(t){try{var e=JSON.parse(t.data)}catch(i){this.log("unable to parse streamed socket message as JSON.")}this.log("message",e),this.messageReceived.dispatch(e)},onSocketConnect:function(){this.log("connected"),this.emit("subscribe",{deck_id:this.options.deckID,user_id:SL.current_user.get("id"),slide_id:this.options.slideID}),this.setStatus(SL.helpers.StreamEditor.STATUS_CONNECTED)},onSocketDisconnect:function(){this.log("disconnected"),this.setStatus(SL.helpers.StreamEditor.STATUS_DISCONNECTED)},onSocketReconnectAttempt:function(){this.setStatus(SL.helpers.StreamEditor.STATUS_RECONNECTING),this.reconnecting.dispatch(this.socket.io.backoff.duration())},onSocketReconnectFailed:function(){this.log("reconnect failed"),this.setStatus(SL.helpers.StreamEditor.STATUS_RECONNECT_FAILED)},onSocketReconnect:function(){this.log("reconnected"),this.setStatus(SL.helpers.StreamEditor.STATUS_RECONNECTED)}}),SL.helpers.StreamEditor.STATUS_CONNECTED="connected",SL.helpers.StreamEditor.STATUS_RECONNECTED="reconnected",SL.helpers.StreamEditor.STATUS_RECONNECT_FAILED="reconnect_failed",SL.helpers.StreamEditor.STATUS_DISCONNECTED="disconnected",SL.helpers.StreamEditor.singleton=function(){return this._instance||(this._instance=new SL.helpers.StreamEditor({deckID:SLConfig.deck.id,slideID:SL.util.deck.getSlideID(Reveal.getCurrentSlide())})),this._instance},SL("helpers").StreamLive=Class.extend({init:function(t){this.options=$.extend({reveal:window.Reveal,showErrors:!0,subscriber:!0,publisher:!1,publisherID:Date.now()+"-"+Math.round(1e6*Math.random()),deckID:SL.current_deck.get("id")},t),this.ready=new signals.Signal,this.stateChanged=new signals.Signal,this.statusChanged=new signals.Signal,this.subscribersChanged=new signals.Signal,this.socketIsDisconnected=!1,this.debugMode=!!SL.util.getQuery().debug},connect:function(){this.options.publisher?this.setupPublisher():this.setupSubscriber()},setupPublisher:function(){this.publish=this.publish.bind(this),this.publishable=!0,this.options.reveal.addEventListener("slidechanged",this.publish),this.options.reveal.addEventListener("fragmentshown",this.publish),this.options.reveal.addEventListener("fragmenthidden",this.publish),this.options.reveal.addEventListener("overviewshown",this.publish),this.options.reveal.addEventListener("overviewhidden",this.publish),this.options.reveal.addEventListener("paused",this.publish),this.options.reveal.addEventListener("resumed",this.publish),$.ajax({url:"/api/v1/decks/"+this.options.deckID+"/stream.json",type:"GET",context:this}).done(function(t){this.log("found existing stream"),this.setState(JSON.parse(t.state),!0),this.setupSocket(),this.ready.dispatch()}).error(function(){this.log("no existing stream, publishing state"),this.publish(function(){this.setupSocket(),this.ready.dispatch()}.bind(this))})},setupSubscriber:function(){$.ajax({url:"/api/v1/decks/"+this.options.deckID+"/stream.json",type:"GET",context:this}).done(function(t){this.log("found existing stream"),this.setStatus(SL.helpers.StreamLive.STATUS_NONE),this.setState(JSON.parse(t.state),!0),this.setupSocket(),this.ready.dispatch()}).error(function(){this.retryStartTime=Date.now(),this.setStatus(SL.helpers.StreamLive.STATUS_WAITING_FOR_PUBLISHER),this.log("no existing stream, retrying in "+SL.helpers.StreamLive.CONNECTION_RETRY_INTERVAL/1e3+"s"),setTimeout(this.setupSubscriber.bind(this),SL.helpers.StreamLive.CONNECTION_RETRY_INTERVAL)})},setupSocket:function(){if(this.options.subscriber){var t=SL.config.STREAM_ENGINE_HOST+"/"+SL.config.STREAM_ENGINE_LIVE_NAMESPACE;this.log("socket attempting to connect to",t),this.socket=io.connect(t,{reconnectionDelayMax:1e4}),this.socket.on("connect",this.onSocketConnected.bind(this)),this.socket.on("connect_error",this.onSocketDisconnected.bind(this)),this.socket.on("disconnect",this.onSocketDisconnected.bind(this)),this.socket.on("reconnect_attempt",this.onSocketReconnectAttempt.bind(this)),this.socket.on("reconnect_failed",this.onSocketReconnectFailed.bind(this)),this.socket.on("message",this.onSocketStateMessage.bind(this)),this.socket.on("subscribers",this.onSocketSubscribersMessage.bind(this))}},publish:function(t,e){if(this.publishable){var i=this.options.reveal.getState();if(i.publisher_id=this.options.publisherID,i=$.extend(i,e),this.socketIsDisconnected===!0)return this.publishAfterReconnect=!0,void this.log("publish stalled while disconnected");this.log("publish",i.publisher_id),$.ajax({url:"/api/v1/decks/"+this.options.deckID+"/stream.json",type:"PUT",data:{state:JSON.stringify(i)},success:t})}},log:function(){if(this.debugMode&&"function"==typeof console.log.apply){var t="Stream ("+(this.options.publisher?"publisher":"subscriber")+"):",e=[t].concat(Array.prototype.slice.call(arguments));console.log.apply(console,e)}},setState:function(t,e){this.publishable=!1,e&&$(".reveal").addClass("no-transition"),this.options.reveal.setState(t),this.stateChanged.dispatch(t),setTimeout(function(){this.publishable=!0,e&&$(".reveal").removeClass("no-transition")}.bind(this),1)},setStatus:function(t){this.status!==t&&(this.status=t,this.statusChanged.dispatch(this.status))},getRetryStartTime:function(){return this.retryStartTime},isPublisher:function(){return this.options.publisher},showConnectionError:function(){this.disconnectTimeout=setTimeout(function(){this.connectionError||(this.connectionError=new SL.components.RetryNotification("Lost connection to server"),this.connectionError.startCountdown(0),this.connectionError.destroyed.add(function(){this.connectionError=null}.bind(this)),this.connectionError.retryClicked.add(function(){this.connectionError.startCountdown(0),this.socket.io.close(),this.socket.io.open()}.bind(this)))}.bind(this),1e4)},hideConnectionError:function(){clearTimeout(this.disconnectTimeout),this.connectionError&&this.connectionError.hide()},onSocketStateMessage:function(t){try{var e=JSON.parse(t.data);e.publisher_id!=this.options.publisherID&&(this.log("sync","from: "+e.publisher_id,"to: "+this.options.publisherID),this.setState(e))}catch(i){this.log("unable to parse streamed deck state as JSON.")}this.setStatus(SL.helpers.StreamLive.STATUS_NONE)},onSocketSubscribersMessage:function(t){this.subscribersChanged.dispatch(t.subscribers)},onSocketConnected:function(){this.log("socket connected"),this.socket.emit("subscribe",{deck_id:this.options.deckID,publisher:this.options.publisher}),this.socketIsDisconnected===!0&&(this.socketIsDisconnected=!1,this.log("socket connection regained"),this.setStatus(SL.helpers.StreamLive.STATUS_NONE),this.publishAfterReconnect===!0&&(this.publishAfterReconnect=!1,this.log("publishing stalled state"),this.publish())),this.hideConnectionError()},onSocketReconnectAttempt:function(){this.connectionError&&this.connectionError.startCountdown(this.socket.io.backoff.duration())},onSocketReconnectFailed:function(){this.connectionError&&this.connectionError.disableCountdown()},onSocketDisconnected:function(){this.socketIsDisconnected===!1&&(this.socketIsDisconnected=!0,this.log("socket connection lost"),this.setStatus(SL.helpers.StreamLive.STATUS_CONNECTION_LOST),this.options.showErrors&&this.showConnectionError())}}),SL.helpers.StreamLive.CONNECTION_RETRY_INTERVAL=2e4,SL.helpers.StreamLive.STATUS_NONE="",SL.helpers.StreamLive.STATUS_CONNECTION_LOST="connection_lost",SL.helpers.StreamLive.STATUS_WAITING_FOR_PUBLISHER="waiting_for_publisher",SL.helpers.ThemeController={paint:function(t,e){e=e||{};var i=$(".reveal-viewport");if(0===i.length||"undefined"==typeof window.Reveal)return!1;if(this.cleanup(),i.addClass("theme-font-"+t.get("font")),i.addClass("theme-color-"+t.get("color")),Reveal.configure($.extend({center:t.get("center"),rolling_links:t.get("rolling_links"),transition:t.get("transition"),backgroundTransition:t.get("background_transition")},e)),t.get("html")){var n=$("#theme-html-output");n.length?n.html(t.get("html")):$(".reveal").append('<div id="theme-html-output">'+t.get("html")+"</div>")}else $("#theme-html-output").remove();if("string"==typeof e.globalCSS)if(e.globalCSS.length){var s=$("#global-css-output");s.length?s.html(e.globalCSS):$("head").append('<style id="global-css-output">'+e.globalCSS+"</style>")}else $("#global-css-output").remove();if(t.get("css")){var o=$("#theme-css-output");o.length?o.html(t.get("css")):$("head").append('<style id="theme-css-output">'+t.get("css")+"</style>")}else $("#theme-css-output").remove();if(e.js!==!1)if(t.get("js")){var a=$("#theme-js-output");a.text()!==t.get("js")&&(a.remove(),$("body").append(["<",'script id="theme-js-output">',t.get("js"),"<","/script",">"].join("")))}else $("#theme-js-output").remove();SL.util.deck.sortInjectedStyles(),SL.fonts.loadDeckFont(t.get("font"))},cleanup:function(){var t=$(".reveal-viewport"),e=$(".reveal");t.attr("class",t.attr("class").replace(/theme\-(font|color)\-([a-z0-9-])*/gi,"")),SL.config.THEME_TRANSITIONS.forEach(function(t){e.removeClass(t.id)})}},SL.popup={items:[],singletons:[],open:function(t,e){for(var i,n=0;n<SL.popup.singletons.length;n++)if(SL.popup.singletons[n].factory===t){i=SL.popup.singletons[n].instance;break}return i||(i=new t(e),i.isSingleton()&&SL.popup.singletons.push({factory:t,instance:i})),i.open(e),SL.popup.items.push({instance:i,factory:t}),$("html").addClass("popup-open"),i},openOne:function(t,e){for(var i=0;i<SL.popup.items.length;i++)if(t===SL.popup.items[i].factory)return SL.popup.items[i].instance;return this.open(t,e)},close:function(t){SL.popup.items.concat().forEach(function(e){t&&t!==e.factory||e.instance.close(!0)})},isOpen:function(t){for(var e=0;e<SL.popup.items.length;e++)if(!t||t===SL.popup.items[e].factory)return!0;return!1},unregister:function(t){for(var e=0;e<SL.popup.items.length;e++)SL.popup.items[e].instance===t&&(removedValue=SL.popup.items.splice(e,1),e--);0===SL.popup.items.length&&$("html").removeClass("popup-open")}},SL("components.popup").Popup=Class.extend({WINDOW_PADDING:.01,USE_ABSOLUTE_POSITIONING:SL.util.device.IS_PHONE||SL.util.device.IS_TABLET,init:function(t){this.options=$.extend({title:"",titleItem:"",header:!0,headerActions:[{label:"Close",className:"grey",callback:this.close.bind(this)}],width:"auto",height:"auto",singleton:!1,closeOnEscape:!0,closeOnClickOutside:!0},t),this.options.additionalHeaderActions&&(this.options.headerActions=this.options.additionalHeaderActions.concat(this.options.headerActions)),this.closed=new signals.Signal,this.render(),this.bind(),this.layout()},render:function(){this.domElement=$('<div class="sl-popup" data-id="'+this.TYPE+'">'),this.domElement.appendTo(document.body),this.innerElement=$('<div class="sl-popup-inner">'),this.innerElement.appendTo(this.domElement),this.options.header&&this.renderHeader(),this.bodyElement=$('<div class="sl-popup-body">'),this.bodyElement.appendTo(this.innerElement)},renderHeader:function(){this.headerElement=$(['<header class="sl-popup-header">','<h3 class="sl-popup-header-title">'+this.options.title+"</h3>","</header>"].join("")),this.headerElement.appendTo(this.innerElement),this.headerTitleElement=this.headerElement.find(".sl-popup-header-title"),this.options.titleItem&&(this.headerTitleElement.append('<span class="sl-popup-header-title-item"></span>'),this.headerTitleElement.find(".sl-popup-header-title-item").text(this.options.titleItem)),this.options.headerActions&&this.options.headerActions.length&&(this.headerActionsElement=$('<div class="sl-popup-header-actions">').appendTo(this.headerElement),this.options.headerActions.forEach(function(t){"divider"===t.type?$('<div class="divider"></div>').appendTo(this.headerActionsElement):$('<button class="button l '+t.className+'">'+t.label+"</button>").appendTo(this.headerActionsElement).on("vclick",function(e){t.callback(e),e.preventDefault()})}.bind(this)))},bind:function(){this.onKeyDown=this.onKeyDown.bind(this),this.onWindowResize=this.onWindowResize.bind(this),this.onBackgroundClicked=this.onBackgroundClicked.bind(this),this.domElement.on("vclick",this.onBackgroundClicked)},layout:function(){if(this.innerElement.css({width:this.options.width,height:this.options.height}),this.options.height){var t=this.headerElement?this.headerElement.outerHeight():0;this.headerElement&&"number"==typeof this.options.height?this.bodyElement.css("height",this.options.height-t):this.bodyElement.css("height","auto");var e=window.innerHeight;this.bodyElement.css("max-height",e-t-e*this.WINDOW_PADDING*2)}if(this.headerElement){var i=this.headerElement.width(),n=this.headerActionsElement.outerWidth();this.headerTitleElement.css("max-width",i-n-30)}if(this.USE_ABSOLUTE_POSITIONING){var s=$(window);this.domElement.css({position:"absolute",height:Math.max($(window).height(),$(document).height())}),this.innerElement.css({position:"absolute",transform:"none",top:s.scrollTop()+(s.height()-this.innerElement.outerHeight())/2,left:s.scrollLeft()+(s.width()-this.innerElement.outerWidth())/2,maxWidth:s.width()-window.innerWidth*this.WINDOW_PADDING*2})}},open:function(t){this.domElement.appendTo(document.body),clearTimeout(this.closeTimeout),this.closeTimeout=null,this.options=$.extend(this.options,t),SL.keyboard.keydown(this.onKeyDown),$(window).on("resize",this.onWindowResize),setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1)},close:function(t){this.closeTimeout||(t?this.closeConfirmed():this.checkUnsavedChanges(this.closeConfirmed.bind(this)))},closeConfirmed:function(){SL.keyboard.release(this.onKeyDown),$(window).off("resize",this.onWindowResize),this.domElement.removeClass("visible"),SL.popup.unregister(this),this.closeTimeout=setTimeout(function(){this.domElement.detach(),this.isSingleton()||this.destroy()}.bind(this),500),this.closed.dispatch()},checkUnsavedChanges:function(t){t()},isSingleton:function(){return this.options.singleton},onBackgroundClicked:function(t){$(t.target).is(this.domElement)&&(this.options.closeOnClickOutside&&this.close(),t.preventDefault())},onWindowResize:function(){this.layout()},onKeyDown:function(t){return 27===t.keyCode?(this.options.closeOnEscape&&this.close(),!1):!0},destroy:function(){SL.popup.unregister(this),this.options=null,this.closed.dispose(),this.domElement.remove()}}),SL("components.popup").CustomFonts=SL.components.popup.Popup.extend({TYPE:"custom-fonts",init:function(t){this._super($.extend({title:"Load custom fonts",deck:null,theme:null,width:600,closeOnClickOutside:!0,headerActions:[{label:"Cancel",className:"outline",callback:this.close.bind(this)},{label:"Save",className:"positive",callback:this.onSaveClicked.bind(this)}]},t)),this.loadGoogleFontList()},render:function(){return this._super(),this.bodyElement.append($(['<div class="sl-form">','<div class="unit typekit-settings">','<h4 class="form-label">Typekit</h4>','<p class="unit-description">Specify a <a href="https://typekit.com/" target="_blank">Typekit</a> kit ID to load for this presentation.</p>','<input type="text" maxlength="255" placeholder="Kit ID">',"</div>",'<div class="unit google-settings">','<h4 class="form-label">Google Fonts</h4>','<p class="unit-description">A list of comma separated font families to load from <a href="https://fonts.google.com/" target="_blank">Google Fonts</a>. Font weights can be indicated with a colon after the font family, for example: Open Sans:300,700</p>','<input type="text" maxlength="255" placeholder="Droid Sans, Droid Serif:bold">','<p class="status"></p>',"</div>","<div>"].join(""))),this.options.deck||this.options.theme?(this.googleStatus=this.bodyElement.find(".google-settings .status"),this.typekitInput=this.bodyElement.find(".typekit-settings input"),this.googleInput=this.bodyElement.find(".google-settings input"),this.googleInput.on("input",this.onGoogleInput.bind(this)),this.options.theme?(this.typekitInput.val(this.options.theme.get("font_typekit")||""),this.googleInput.val(this.options.theme.get("font_google")||"")):(this.typekitInput.val(this.options.deck.get("font_typekit")||""),this.googleInput.val(this.options.deck.get("font_google")||"")),void this.validateGoogleFonts()):void this.bodyElement.html("Configuration error. Missing deck/theme model.")},loadGoogleFontList:function(){window.SLGoogleFontList?this.setupGoogleFontAutocomplete():$.get(SL.config.GOOGLE_FONTS_LIST).done(function(t){window.SLGoogleFontList=t.items.map(function(t){return{family:t.family,variants:t.variants.join(", ")}}),this.setupGoogleFontAutocomplete()}.bind(this))},searchGoogleFontList:function(t){var e=[];if(t&&t.length>0){for(var i=window.SLGoogleFontList,n=0,s=i.length;s>n;n++){var o=i[n];-1!==o.family.search(new RegExp(t,"i"))&&e.push({value:o.family,label:'<div class="value">'+o.family+'</div><div class="description">'+o.variants+"</div>"})}e=e.slice(0,10)}return Promise.resolve(e)},setupGoogleFontAutocomplete:function(){this.googleFontAutocomplete=new SL.components.form.Autocomplete(this.googleInput,this.searchGoogleFontList.bind(this),{className:"light-grey",offsetY:1}),this.googleFontAutocomplete.confirmed.add(this.onGoogleInput.bind(this))},onSaveClicked:function(t){this.saveLoader||($(t.target).addClass("ladda-button").attr({"data-style":"expand-right","data-spinner-size":"26"}),this.saveLoader=Ladda.create(t.target)),this.saveLoader.start(),this.saveAndClose()},saveAndClose:function(){var t=this.typekitInput.val()||"",e=this.googleInput.val()||"";this.options.theme?(this.saveLoader.stop(),this.options.theme.setAll({font_typekit:t,font_google:e}),this.close(!0)):$.ajax({url:SL.config.AJAX_UPDATE_DECK(this.options.deck.get("id")),type:"PUT",context:this,data:{deck:{font_typekit:t,font_google:e}}}).done(function(){this.options.deck.setAll({font_typekit:t,font_google:e}),t.length&&SL.fonts.loadTypekitFont(t),e.length&&SL.fonts.loadGoogleFont(e),this.close(!0)}).fail(function(){SL.notify("An error occured while saving","negative")}).always(function(){this.saveLoader.stop()})},validateGoogleFonts:function(){var t=SL.fonts.parseGoogleFontFamilies(this.googleInput.val()||""),e=t.length+" "+SL.util.string.pluralize("font","s",t.length>1)+": ";e+=t.map(function(t){return'<span class="status-item">'+t+"</span>"}).join(""),this.googleStatus.html(e),this.googleStatus.toggleClass("visible",t.length>0)},destroy:function(){this.saveLoader&&this.saveLoader.remove(),this._super()},onGoogleInput:function(){this.validateGoogleFonts()}}),SL("components.popup").DeckOutdated=SL.components.popup.Popup.extend({TYPE:"deck-outdated",init:function(t){this._super($.extend({title:"Newer version available",width:500,closeOnClickOutside:!1,headerActions:[{label:"Ignore",className:"outline",callback:this.close.bind(this)},{label:"Reload",className:"positive",callback:this.onReloadClicked.bind(this)}]},t))},render:function(){this._super(),this.bodyElement.html(["<p>A more recent version of this presentation is available on the server. This can happen when the presentation is saved from another browser or device.</p>","<p>We recommend reloading the page to get the latest version. If you're sure your local changes are the latest, please ignore this message.</p>"].join(""))},onReloadClicked:function(){window.location.reload()},destroy:function(){this._super()}}),SL("components.popup").EditHTML=SL.components.popup.Popup.extend({TYPE:"edit-html",init:function(t){this._super($.extend({title:"Edit HTML",width:1200,height:750,headerActions:[{label:"Cancel",className:"outline",callback:this.close.bind(this)},{label:"Save",className:"positive",callback:this.saveAndClose.bind(this)}]},t)),this.saved=new signals.Signal},render:function(){this._super(),this.bodyElement.html('<div id="ace-html" class="editor"></div>'),this.editor&&"function"==typeof this.editor.destroy&&(this.editor.destroy(),this.editor=null);try{this.editor=ace.edit("ace-html"),SL.util.setAceEditorDefaults(this.editor),this.editor.getSession().setMode("ace/mode/html")}catch(t){console.log("An error occurred while initializing the Ace editor.")}this.editor.getSession().setValue(this.options.html||""),this.editor.focus()},saveAndClose:function(){this.saved.dispatch(this.getHTML()),this.close(!0)},checkUnsavedChanges:function(t){this.getHTML()===this.options.html||this.cancelPrompt?t():(this.cancelPrompt=SL.prompt({title:"Discard unsaved changes?",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Discard</h3>",selected:!0,className:"negative",callback:t}]}),this.cancelPrompt.destroyed.add(function(){this.cancelPrompt=null}.bind(this)))},getHTML:function(){return this.editor.getSession().getValue()},destroy:function(){this.editor&&"function"==typeof this.editor.destroy&&(this.editor.destroy(),this.editor=null),this.saved&&(this.saved.dispose(),this.saved=null),this._super()}}),SL("components.popup").EditSlideHTML=SL.components.popup.EditHTML.extend({TYPE:"edit-slide-html",init:function(t){SL.current_user.privileges.customCSS()&&(t.additionalHeaderActions=[{label:"Slide classes",className:"outline",callback:this.onSlideClassesClicked.bind(this)},{type:"divider"}]),t.html=SL.util.html.indent(SL.editor.controllers.Serialize.getSlideAsString(t.slide,{inner:!0,lazy:!1,exclude:".math-output"})),this._super(t)},readSlideClasses:function(){return this.options.slide.className.split(" ").filter(function(t){return-1===SL.config.RESERVED_SLIDE_CLASSES.indexOf(t)}).join(" ")},writeSlideClasses:function(t){t=t||"",t=t.trim().replace(/\s{2,}/g," ");var e=this.options.slide.className.split(" ").filter(function(t){return-1!==SL.config.RESERVED_SLIDE_CLASSES.indexOf(t)});e=e.concat(t.split(" ")),this.options.slide.className=e.join(" ")},onSlideClassesClicked:function(t){var e=SL.prompt({anchor:t.currentTarget,title:"Slide classes",subtitle:"Specify class names which will be added to the slide wrapper. Useful for targeting from the CSS editor.",type:"input",confirmLabel:"Save",data:{value:this.readSlideClasses(),placeholder:"Classes...",width:400,confirmBeforeDiscard:!0}});e.confirmed.add(function(t){this.writeSlideClasses(t)}.bind(this))}}),SL("components.popup").InsertSnippet=SL.components.popup.Popup.extend({TYPE:"insert-snippet",init:function(t){this._super($.extend({title:"Insert",titleItem:'"'+t.snippet.get("title")+'"',width:500,headerActions:[{label:"Cancel",className:"outline",callback:this.close.bind(this)},{label:"Insert",className:"positive",callback:this.insertAndClose.bind(this)}]},t)),this.snippetInserted=new signals.Signal},render:function(){this._super(),this.variablesElement=$('<div class="variables sl-form"></div>'),this.variablesElement.appendTo(this.bodyElement),this.variables=this.options.snippet.getTemplateVariables(),this.variables.forEach(function(t){var e=$(['<div class="unit">',"<label>"+t.label+"</label>",'<input type="text" value="'+t.defaultValue+'">',"</div>"].join("")).appendTo(this.variablesElement);e.find("input").data("variable",t)}.bind(this)),this.variablesElement.find("input").first().focus().select()},insertAndClose:function(){this.variablesElement.find("input").each(function(t,e){e=$(e),e.data("variable").value=e.val()}),this.snippetInserted.dispatch(this.options.snippet.templatize(this.variables)),this.close()},onKeyDown:function(t){return 13===t.keyCode?(this.insertAndClose(),!1):this._super(t)},destroy:function(){this.snippetInserted.dispose(),this._super()}}),SL("components.popup").Revision=SL.components.popup.Popup.extend({TYPE:"revision",init:function(t){this._super($.extend({revisionURL:null,revisionTimeAgo:null,title:"Revision",titleItem:"from "+t.revisionTimeAgo,width:900,height:700,headerActions:[{label:"Open in new tab",className:"outline",callback:this.onOpenExternalClicked.bind(this)},{label:"Restore",className:"grey",callback:this.onRestoreClicked.bind(this)},{label:"Close",className:"grey",callback:this.close.bind(this)}]},t)),this.restoreRequested=new signals.Signal,this.externalRequested=new signals.Signal},render:function(){this._super(),this.bodyElement.html(['<div class="spinner centered"></div>','<div class="deck"></div>'].join("")),this.bodyElement.addClass("loading"),SL.util.html.generateSpinners();var t=$("<iframe>",{src:this.options.revisionURL,load:function(){this.bodyElement.removeClass("loading")}.bind(this)});t.appendTo(this.bodyElement.find(".deck"))},onRestoreClicked:function(t){this.restoreRequested.dispatch(t)},onOpenExternalClicked:function(t){this.externalRequested.dispatch(t)},destroy:function(){this.bodyElement.find(".deck iframe").attr("src",""),this.bodyElement.find(".deck").empty(),this.restoreRequested.dispose(),this.externalRequested.dispose(),this._super()}}),SL("components.popup").SessionExpired=SL.components.popup.Popup.extend({TYPE:"session-expired",init:function(t){this._super($.extend({title:"Session expired",width:500,closeOnEscape:!1,closeOnClickOutside:!1,headerActions:[{label:"Ignore",className:"outline negative",callback:this.close.bind(this)},{label:"Retry",className:"positive",callback:this.onRetryClicked.bind(this)}]},t))},render:function(){this._super(),this.bodyElement.html(["<p>You are no longer signed in to Slides. This can happen when you leave the page idle for too long, log out in a different tab or go offline. To continue please:</p>","<ol>",'<li><a href="'+SL.routes.SIGN_IN+'" target="_blank" style="text-decoration: underline;">Sign in</a> to Slides from another browser tab.</li>',"<li>Come back to this tab and press the 'Retry' button.</li>","</ol>"].join(""))},onRetryClicked:function(){SL.editor&&1===SL.editor.Editor.VERSION?SL.view.checkLogin(!0):SL.session.check()},destroy:function(){this._super()}}),SL("components.collab").Collaboration=Class.extend({init:function(t){this.options=$.extend({container:document.body,editor:!1,fixed:!1,coverPage:!1,autofocusComment:!0},t),this.loaded=new signals.Signal,this.enabled=new signals.Signal,this.expanded=new signals.Signal,this.collapsed=new signals.Signal,this.flags={expanded:!1,enabled:!1,connected:!1},this.commentsWhileHidden=[],this.commentsWhileCollapsed=[],this.bind(),this.render(),this.setEnabled(!!SLConfig.deck.collaborative),this.options.fixed&&(SL.util.skipCSSTransitions($(this.domElement),1),this.domElement.addClass("fixed"),this.expand())},bind:function(){this.onKeyDown=this.onKeyDown.bind(this),this.onSlideChanged=this.onSlideChanged.bind(this),this.onStreamMessage=this.onStreamMessage.bind(this),this.onStreamStatusChanged=this.onStreamStatusChanged.bind(this),this.onSocketReconnecting=this.onSocketReconnecting.bind(this);var t=$(".reveal .slides section:not(.stack)").length,e=1e3*Math.ceil(t/4);this.onStreamDeckContentChanged=$.throttle(this.onStreamDeckContentChanged,e)},render:function(){this.domElement=$('<div class="sl-collab loading">'),this.domElement.appendTo(this.options.container),this.options.coverPage&&!this.options.fixed&&(this.coverElement=$('<div class="sl-collab-cover">'),this.coverElement.on("vclick",this.collapse.bind(this)),this.coverElement.appendTo(this.domElement)),this.innerElement=$('<div class="sl-collab-inner">'),this.innerElement.appendTo(this.domElement),this.bodyElement=$('<div class="sl-collab-body">'),this.bodyElement.appendTo(this.innerElement),this.overlayElement=$('<div class="sl-collab-overlay">'),this.overlayElement.appendTo(this.innerElement),this.overlayContent=$('<div class="sl-collab-overlay-inner">'),this.overlayContent.appendTo(this.overlayElement),this.menu=new SL.components.collab.Menu(this),this.menu.appendTo(this.domElement)},load:function(){this.usersCollection||(this.showLoadingOverlay(),this.usersCollection=new SL.collections.collab.DeckUsers,this.usersCollection.load().then(this.afterLoad.bind(this),function(){this.usersCollection=null,this.showErrorOverlay("Failed to load collaborators",this.load.bind(this))}.bind(this)))},afterLoad:function(){return this.usersCollection.isEmpty()?void this.showErrorOverlay("No collaborators found for this deck."):(this.usersCollection.replaced.add(function(){this.cachedCurrentDeckUser=null}.bind(this)),void this.connect())},connect:function(){return this.hasBoundStreamEvents||(this.hasBoundStreamEvents=!0,SL.helpers.StreamEditor.singleton().statusChanged.add(this.onStreamStatusChanged),SL.helpers.StreamEditor.singleton().messageReceived.add(this.onStreamMessage),SL.helpers.StreamEditor.singleton().reconnecting.add(this.onSocketReconnecting)),this.isConnected()?void 0:(this.showLoadingOverlay(),SL.helpers.StreamEditor.singleton().connect().then(function(){},function(){this.onSocketConnectionFailed()}.bind(this)))},afterConnect:function(){this.isConnected()||(this.flags.connected=!0,this.renderContent(),SL.activity.register(SL.config.COLLABORATION_IDLE_TIMEOUT,this.onUserActive.bind(this),this.onUserInactive.bind(this)),SL.visibility.changed.add(this.onVisibilityChanged.bind(this)),this.hideOverlay(),this.isEnabled()?this.options.autofocusComment&&this.comments.focus():(this.setEnabled(!0),this.users.showInvitePrompt(this.menu.getPrimaryButton()),this.users.inviteSent.addOnce(this.expand.bind(this))),this.handover&&this.handover.refresh(),this.isInEditor()&&this.currentUserIsEditing()?this.reloadCurrentUser().then(function(){this.currentUserIsEditing()?this.finishLoading():this.redirectToReview()}.bind(this),function(){this.finishLoading()}.bind(this)):this.isInEditor()&&!this.currentUserIsEditing()?this.redirectToReview():this.finishLoading())},finishLoading:function(){this.domElement.removeClass("loading"),this.loaded.dispatch()},reload:function(){this.isConnected()&&(this.showLoadingOverlay("Reloading..."),this.usersCollection.load().then(function(){this.redirectToReviewUnlessEditor()===!1&&(this.users.renderUsers(),SL.helpers.StreamEditor.singleton().emit("broadcast-all-user-states"),this.comments&&this.comments.reload(),this.handover&&this.handover.refresh(),this.hideOverlay())}.bind(this),function(){this.showErrorOverlay("Failed to load collaborators",this.reload.bind(this))}.bind(this)))},reloadCurrentUser:function(){return new Promise(function(t,e){$.ajax({type:"GET",url:SL.config.AJAX_DECKUSER_READ(SL.current_deck.get("id"),SL.current_user.get("id")),context:this}).done(function(e){var i=this.usersCollection.getByProperties({user_id:e.user_id});i&&i.setAll(e),t()}).fail(e)}.bind(this))},renderContent:function(){this.users=new SL.components.collab.Users(this,{users:this.usersCollection}),this.users.appendTo(this.menu.innerElement),this.comments=new SL.components.collab.Comments(this,{users:this.usersCollection}),this.comments.appendTo(this.bodyElement),this.notifications=new SL.components.collab.Notifications(this,{users:this.usersCollection}),this.notifications.appendTo(this.domElement),this.isInEditor()||(this.handover=new SL.components.collab.Handover(this,{users:this.usersCollection}),this.handover.appendTo(this.options.container))},expand:function(){this.flags.expanded=!0,this.domElement.addClass("expanded"),SL.keyboard.keydown(this.onKeyDown),this.expanded.dispatch()},collapse:function(){this.options.fixed||(this.commentsWhileCollapsed.length=0,this.flags.expanded=!1,this.domElement.removeClass("expanded"),SL.keyboard.release(this.onKeyDown),this.collapsed.dispatch())},toggle:function(){this.isExpanded()?this.collapse():this.expand()},isExpanded:function(){return this.flags.expanded},setEnabled:function(t){this.flags.enabled=t,this.domElement.toggleClass("enabled",t),t?(Reveal.addEventListener("slidechanged",this.onSlideChanged),this.enabled.dispatch()):Reveal.removeEventListener("slidechanged",this.onSlideChanged)},isEnabled:function(){return this.flags.enabled},isConnected:function(){return this.flags.connected},makeDeckCollaborative:function(){this.isEnabled()||$.ajax({type:"POST",url:SL.config.AJAX_MAKE_DECK_COLLABORATIVE(SL.current_deck.get("id")),context:this}).done(function(){SLConfig.deck.collaborative=!0,this.load()}).fail(function(){this.showErrorOverlay("Failed to enable collaboration",this.makeDeckCollaborative.bind(this))})},showHandoverRequestReceived:function(t){var e="handover-"+t.get("user_id"),i=$(["<div>","<p><strong>"+t.get("username")+"</strong> would like to edit but only on person can edit at a time.</p>",'<button class="button half-width approve-button grey">Let them edit</button>','<button class="button half-width deny-button outline">Dismiss</button>',"</div>"].join(""));
+i.find(".approve-button").on("vclick",function(){this.becomeEditor(t),this.notifications.hide(e)}.bind(this)),i.find(".deny-button").on("vclick",function(){SL.helpers.StreamEditor.singleton().broadcast({type:"collaboration:handover-denied",user_id:t.get("user_id"),denied_by_user_id:SL.current_user.get("id")}),this.notifications.hide(e)}.bind(this)),this.notifications.show(i,{id:e,optional:!1,sender:t})},showHandoverRequestPending:function(t){var e="handover-pending",i=$(["<div>","<p>You have asked to edit this deck. Waiting to hear back from <strong>"+t.getDisplayName()+"</strong>...</p>",'<button class="button outline cancel-button">Cancel</button>',"</div>"].join(""));i.find(".cancel-button").on("vclick",function(t){t.preventDefault(),SL.helpers.StreamEditor.singleton().broadcast({type:"collaboration:handover-request-canceled",user_id:SL.current_user.get("id")}),this.notifications.hide(e)}.bind(this)),this.notifications.show(i,{id:e,optional:!1,icon:"i-question-mark"})},showLoadingOverlay:function(t){t=t||"Loading...",this.overlayElement.addClass("visible"),this.overlayContent.empty().html('<p class="message">'+t+"</p>"),this.flashOverlay()},showErrorOverlay:function(t,e){this.overlayElement.addClass("visible"),this.overlayContent.empty().html(['<div class="exclamation">!</div>','<p class="message">'+t+"</p>",'<button class="button outline">Try again</button>'].join("")),this.overlayContent.find("button").on("vclick",e),this.flashOverlay()},flashOverlay:function(){clearTimeout(this.flashOverlayTimeout),this.overlayContent.addClass("flash"),this.flashOverlayTimeout=setTimeout(function(){this.overlayContent.removeClass("flash")}.bind(this),1e3)},hideOverlay:function(){this.overlayElement.removeClass("visible")},updatePageTitle:function(){var t="";this.commentsWhileHidden.length&&(t+="("+this.commentsWhileHidden.length+") "),t+=this.isInEditor()?"Edit: ":"Review: ",t+=SL.current_deck.get("title"),document.title=t},currentUserIsEditing:function(){var t=this.getCurrentDeckUser();return!(!t||!t.isEditing())},getCurrentDeckUser:function(){return!this.cachedCurrentDeckUser&&this.usersCollection&&(this.cachedCurrentDeckUser=this.usersCollection.getByUserID(SL.current_user.get("id"))),this.cachedCurrentDeckUser},getCollapsedWidth:function(){return 60},becomeEditor:function(t){return t=t||this.getCurrentDeckUser(),new Promise(function(e,i){$.ajax({type:"POST",url:SL.config.AJAX_DECKUSER_BECOME_EDITOR(SL.current_deck.get("id"),t.get("user_id")),context:this}).done(function(){this.usersCollection.setEditing(t.get("user_id")),e(),this.currentUserIsEditing()?this.redirectToEdit():this.redirectToReview()}).fail(function(){SL.notify("Failed to change editors"),i()})}.bind(this))},isInEditor:function(){return this.options.editor},redirectToEdit:function(){if(!this.isInEditor()){SL.helpers.PageLoader.show({message:"Loading"});var t=window.location.hash||"";window.location=SL.routes.DECK_EDIT(SL.current_deck.get("user").username,SL.current_deck.get("slug"))+t}},redirectToReview:function(t){this.isInEditor()&&(SL.helpers.PageLoader.show({message:t||"Loading"}),SL.view.redirect(SL.routes.DECK_REVIEW(SL.current_deck.get("user").username,SL.current_deck.get("slug")),!0))},redirectToReviewUnlessEditor:function(){if(this.isInEditor()&&!this.currentUserIsEditing()){var t=5,e="Someone else started editing.<br>Redirecting in "+t+" seconds...";return SL.helpers.PageLoader.show({message:e}),setTimeout(function(){this.redirectToReview(e)}.bind(this),1e3*t),!0}return!1},onKeyDown:function(t){return 27!==t.keyCode||this.options.fixed?!0:(this.collapse(),!1)},onSlideChanged:function(t){var e=Reveal.getCurrentSlide().getAttribute("data-id");e&&SL.helpers.StreamEditor.singleton().emit("slide-change",e),this.comments&&this.isExpanded()&&this.comments.onSlideChanged(t),this.users&&this.users.layout()},onStreamStatusChanged:function(t){t===SL.helpers.StreamEditor.STATUS_CONNECTED?this.onSocketConnected():t===SL.helpers.StreamEditor.STATUS_DISCONNECTED?this.onSocketDisconnected():t===SL.helpers.StreamEditor.STATUS_RECONNECT_FAILED?this.onSocketReconnectFailed():t===SL.helpers.StreamEditor.STATUS_RECONNECTED&&this.onSocketReconnected()},onStreamMessage:function(t){if(t){var e=t.type.split(":")[0],i=t.type.split(":")[1];"collaboration"===e&&("comment-added"===i?this.onStreamCommentAdded(t):"comment-updated"===i?this.onStreamCommentUpdated(t):"comment-removed"===i?this.onStreamCommentRemoved(t):"user-typing"===i?this.onStreamUserTyping(t):"user-typing-stopped"===i?this.onStreamUserTypingStopped(t):"user-added"===i?this.onStreamUserAdded(t):"user-updated"===i?this.onStreamUserUpdated(t):"user-removed"===i?this.onStreamUserRemoved(t):"presence-changed"===i?this.onStreamPresenceChanged(t):"editor-changed"===i?this.onStreamEditorChanged(t):"handover-requested"===i?this.onStreamHandoverRequested(t):"handover-request-canceled"===i?this.onStreamHandoverRequestCanceled(t):"handover-denied"===i?this.onStreamHandoverDenied(t):"deck-content-changed"===i?this.onStreamDeckContentChanged(t):"deck-settings-changed"===i&&this.onStreamDeckSettingsChanged(t)),this.redirectToReviewUnlessEditor()}},onStreamCommentAdded:function(t){this.comments.addCommentFromStream(t.comment)&&(this.isExpanded()||(this.commentsWhileCollapsed.push(t.comment.id),this.menu.setUnreadComments(this.commentsWhileCollapsed.length)),SL.visibility.isHidden()&&(this.commentsWhileHidden.push(t.comment.id),this.updatePageTitle()))},onStreamCommentUpdated:function(t){this.comments.updateCommentFromStream(t.comment)},onStreamCommentRemoved:function(t){this.comments.removeCommentFromStream(t.comment.id);var e=this.commentsWhileCollapsed.indexOf(t.comment.id);-1!==e&&(this.commentsWhileCollapsed.splice(e,1),this.menu.setUnreadComments(this.commentsWhileCollapsed.length))},onStreamUserTyping:function(t){var e=this.usersCollection.getByProperties({user_id:t.user_id});e&&(e.set("typing",!0),this.comments.refreshTypingIndicators(),clearTimeout(e.typingTimeout),e.typingTimeout=setTimeout(function(){e.set("typing",!1),this.comments.refreshTypingIndicators()}.bind(this),SL.config.COLLABORATION_RESET_WRITING_TIMEOUT))},onStreamUserTypingStopped:function(t){var e=this.usersCollection.getByProperties({user_id:t.user_id});e&&(e.set("typing",!1),this.comments.refreshTypingIndicators(),clearTimeout(e.typingTimeout))},onStreamUserAdded:function(t){this.users.addUserFromStream(t.user)},onStreamUserUpdated:function(t){var e=this.usersCollection.getByProperties({user_id:t.user.user_id});if(e){var i=e.toJSON();e.setAll(t.user),i.active||e.get("active")!==!0||this.users.renderUser(e),e.get("user_id")===SL.current_user.get("id")&&(i.role!==e.get("role")&&this.reload(),this.handover&&this.handover.refresh())}},onStreamUserRemoved:function(t){if(t.user.user_id)if(t.user.user_id===SL.current_user.get("id")){var e=5,i="You were removed from this deck.<br>Redirecting in "+e+" seconds...";SL.helpers.PageLoader.show({message:i}),setTimeout(function(){window.location=SL.routes.USER(SL.current_user.get("username"))}.bind(this),1e3*e)}else this.users.removeUserFromStream(t.user.user_id)},onStreamPresenceChanged:function(t){var e=this.usersCollection.getByProperties({user_id:t.user_id});e&&(t.status&&e.set("status",t.status),t.slide_id&&e.set("slide_id",t.slide_id),this.users.refreshPresence(e),e.isOnline()===!1&&(e.get("typing")&&(e.set("typing",!1),this.comments.refreshTypingIndicators()),this.notifications.hide("handover-"+t.user_id),e.isEditing()&&this.notifications.hide("handover-pending")&&this.becomeEditor()),this.handover&&this.handover.refresh())},onStreamEditorChanged:function(t){t.user.user_id&&(this.usersCollection.setEditing(t.user.user_id),this.currentUserIsEditing()?this.redirectToEdit():this.redirectToReview())},onStreamHandoverRequested:function(t){if(this.currentUserIsEditing()){var e=this.usersCollection.getByProperties({user_id:t.user_id});e&&this.showHandoverRequestReceived(e)}},onStreamHandoverRequestCanceled:function(t){this.notifications.hide("handover-"+t.user_id)},onStreamHandoverDenied:function(t){if(SL.current_user.get("id")===t.user_id){var e=this.usersCollection.getByProperties({user_id:t.denied_by_user_id});e&&(this.notifications.hide("handover-pending"),this.notifications.show("<strong>"+e.getDisplayName()+"</strong> turned down your request to edit. Try again later.",{sender:e}))}},onStreamDeckContentChanged:function(){this.isInEditor()||(this.reloadDeckContentXHR&&this.reloadDeckContentXHR.abort(),this.reloadDeckContentXHR=$.ajax({url:SL.config.AJAX_GET_DECK_DATA(SL.current_deck.get("id")),type:"GET",context:this}).done(function(t){var e=t.deck.data;this.isInEditor()?SL.editor.controllers.Markup.replaceHTML(e):SL.util.deck.replaceHTML(e),this.handover.refreshSlideNumbers(),this.comments.refreshSlideNumbers()}.bind(this)).always(function(){this.reloadDeckContentXHR=null}.bind(this)))},onStreamDeckSettingsChanged:function(){this.isInEditor()||(this.reloadDeckSettingsXHR&&this.reloadDeckSettingsXHR.abort(),this.reloadDeckSettingsXHR=$.ajax({url:SL.config.AJAX_GET_DECK(SL.current_deck.get("id")),type:"GET",context:this}).done(function(t){var e=JSON.parse(JSON.stringify(SLConfig.deck));for(var i in t)"object"==typeof t[i]&&delete t[i];$.extend(SLConfig.deck,t);var n=SL.models.Theme.fromDeck(SLConfig.deck);SL.helpers.ThemeController.paint(n,{center:!1}),Reveal.configure({rtl:SLConfig.deck.rtl,loop:SLConfig.deck.should_loop,slideNumber:SLConfig.deck.slide_number}),SLConfig.deck.theme_id!==e.theme_id&&console.warn("Theme changed!"),SLConfig.deck.slug!==e.slug&&window.history&&"function"==typeof window.history.replaceState&&window.history.replaceState(null,SLConfig.deck.title,SL.routes.DECK_REVIEW(SLConfig.deck.user.username,SLConfig.deck.slug)+window.location.hash),SLConfig.deck.title!==e.title&&this.updatePageTitle()}.bind(this)).always(function(){this.reloadDeckSettingsXHR=null}.bind(this)))},onUserActive:function(){SL.helpers.StreamEditor.singleton().emit("active"),this.notifications.hide("editor-is-idle"),this.notifications.release(),$.post(SL.config.AJAX_DECKUSER_UPDATE_LAST_SEEN_AT(SL.current_deck.get("id")))},onUserInactive:function(){SL.helpers.StreamEditor.singleton().emit("idle"),this.currentUserIsEditing()&&this.usersCollection.hasMoreThanOnePresentEditor()&&(this.notifications.show("You're idle. While away, collaborators are allowed to take over editing.",{id:"editor-is-idle",optional:!1,icon:"i-clock"}),this.notifications.hold())},onVisibilityChanged:function(){SL.visibility.isVisible()&&(this.commentsWhileHidden.length=0,this.updatePageTitle())},onSocketConnectionFailed:function(){this.connectionError||(this.connectionError=new SL.components.RetryNotification('<strong>Sorry, we\u2019re having trouble connecting.</strong><br>If the problem persists, contact us <a href="http://help.slides.com" target="_blank">here</a>.',{type:"negative"}),this.connectionError.startCountdown(0),this.connectionError.destroyed.add(function(){this.connectionError=null}.bind(this)),this.connectionError.retryClicked.add(function(){this.connectionError.startCountdown(0),SL.helpers.StreamEditor.singleton().connect().then(SL.util.noop,SL.util.noop)}.bind(this)))},onSocketConnected:function(){clearTimeout(this.disconnectTimeout),this.connectionError&&this.connectionError.destroy(),this.connectionError&&this.connectionError.hide(),this.domElement.removeClass("disconnected"),this.isConnected()?this.reload():this.afterConnect()},onSocketDisconnected:function(){clearTimeout(this.disconnectTimeout),this.disconnectTimeout=setTimeout(function(){this.domElement.addClass("disconnected"),this.comments.blur(),this.users.dismissPrompts(),this.connectionError||(this.connectionError=new SL.components.RetryNotification("Lost connection to server",{type:"negative"}),this.connectionError.startCountdown(0),this.connectionError.destroyed.add(function(){this.connectionError=null}.bind(this)),this.connectionError.retryClicked.add(function(){this.connectionError.startCountdown(0),SL.helpers.StreamEditor.singleton().connect().then(SL.util.noop,SL.util.noop)}.bind(this)))}.bind(this),6e3)},onSocketReconnecting:function(t){this.connectionError&&this.connectionError.startCountdown(t)},onSocketReconnectFailed:function(){this.connectionError&&this.connectionError.disableCountdown()},onSocketReconnected:function(){clearTimeout(this.disconnectTimeout)},destroy:function(){this.menu&&this.menu.destroy(),this.users&&this.users.destroy(),this.comments&&this.comments.destroy(),this.handover&&this.handover.destroy(),this.options=null,this.domElement.remove()}}),SL("components.collab").CommentThread=Class.extend({init:function(t,e){this.id=t,this.options=e,this.comments=new SL.collections.collab.Comments,this.strings={loadMoreComments:"Load older comments",loadingMoreComments:"Loading..."},this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-collab-comment-thread empty"></div>'),this.domElement.attr("data-thread-id",this.id),this.domElement.data("thread",this),this.loadMoreButton=$('<button class="load-more-button">'+this.strings.loadMoreComments+"</button>"),this.loadMoreButton.on("vclick",this.onLoadMoreClicked.bind(this)),this.loadMoreButton.appendTo(this.domElement)},renderComment:function(t,e){if(e=e||{},!t.rendered){t.rendered=!0;var i=this.options.users.getByUserID(t.get("user_id"));"undefined"==typeof i&&(i=new SL.models.collab.DeckUser({username:"unknown"}));var n=moment(t.get("created_at")),s=n.format("h:mm A"),o=n.format("MMM Do")+" at "+n.format("h:mm:ss A"),a=i?i.get("first_name"):"N/A";a=(a||"").toLowerCase();var r=$(['<div class="sl-collab-comment">','<div class="comment-sidebar">','<div class="avatar" style="background-image: url(\''+i.get("thumbnail_url")+"')\" />","</div>",'<div class="comment-body">','<span class="author">'+a+"</span>",'<div class="meta">','<span class="meta-time" data-tooltip="'+o+'">'+s+"</span>","</div>",'<p class="message"></p>',"</div>","</div>"].join(""));r.data("model",t),this.refreshComment(r),this.refreshSlideNumber(r),SL.util.device.IS_PHONE||SL.util.device.IS_TABLET||this.renderCommentOptions(r,t),t.stateChanged.add(this.onCommentStateChanged.bind(this,r)),e.prepend?this.domElement.prepend(r):this.domElement.append(r),this.checkOverflow()}},renderCommentOptions:function(t,e){var i=this.getCommentPrivileges(e);if(i.canDelete||i.canEdit){var n=$('<button class="button options-button icon disable-when-disconnected"></button>').appendTo(t.find(".comment-sidebar"));i.canDelete&&i.canEdit?(n.addClass("i-cog"),n.on("click",this.onCommentOptionsClicked.bind(this,t))):i.canDelete?(n.addClass("i-trash-stroke"),n.on("click",this.onDeleteComment.bind(this,t))):i.canEdit&&(n.addClass("i-i-pen-alt2"),n.on("click",this.onEditComment.bind(this,t)))}},refreshComment:function(t){if(t){var e=t.data("model");e&&(t.find(".message").text(e.get("message")),t.attr("data-id",e.get("id")),t.attr("data-state",e.getState()))}},refreshCommentByID:function(t){this.refreshComment(this.getCommentByID(t))},refreshSlideNumbers:function(){this.options.slideNumbers&&this.domElement.find(".sl-collab-comment").each(function(t,e){this.refreshSlideNumber($(e))}.bind(this))},refreshSlideNumber:function(t){if(this.options.slideNumbers){var e=SL.util.deck.getSlideNumber(t.data("model").get("slide_hash"));if(e){var i="slide "+e,n=t.find(".meta-slide-number");n.length?n.text(i):t.find(".meta").prepend('<button class="meta-slide-number" data-tooltip="Click to view slide">'+i+"</button>")}else t.find(".meta-slide-number").remove()}},appendTo:function(t){this.domElement.appendTo(t)},bind:function(){this.comments.loadStarted.add(this.onLoadStarted.bind(this)),this.comments.loadCompleted.add(this.onLoadCompleted.bind(this)),this.comments.loadFailed.add(this.onLoadFailed.bind(this)),this.comments.changed.add(this.onCommentsChanged.bind(this)),this.viewSlideCommentsClicked=new signals.Signal,this.layout=this.layout.bind(this),this.onWindowResize=this.onWindowResize.bind(this),this.domElement.delegate(".meta-slide-number","vclick",this.onSlideNumberClicked.bind(this)),SL.util.dom.preventTouchOverflowScrolling(this.domElement)},show:function(t){t=t||{},this.getID()===SL.components.collab.Comments.DECK_THREAD?this.comments.isLoaded()||this.comments.isLoading()?(this.refresh(),this.scrollToLatestComment()):this.load():this.load(t.slide_hash||Reveal.getCurrentSlide().getAttribute("data-id")),$(window).on("resize",this.onWindowResize)},hide:function(){$(window).off("resize",this.onWindowResize)},load:function(t){var e=SL.config.AJAX_COMMENTS_LIST(SL.current_deck.get("id"),t);this.slideHash=t,this.domElement.find(".sl-collab-comment").remove(),this.comments.unload(),this.domElement.addClass("empty"),this.comments.load(e).then(SL.util.noop,SL.util.noop)},reload:function(){this.getID()===SL.components.collab.Comments.DECK_THREAD?this.load():this.load(this.slideHash||Reveal.getCurrentSlide().getAttribute("data-id"))},refresh:function(){this.checkIfEmpty(),this.checkOverflow(),this.checkPagination()},layout:function(){this.checkOverflow()},checkIfEmpty:function(){if(this.comments.isLoaded())if(this.comments.isEmpty()){var t=this.getID()===SL.components.collab.Comments.SLIDE_THREAD?"No comments on this slide":"Nothing here yet.<br>Be the first to comment.";this.getPlaceholder().html('<div class="icon i-comment-stroke"></div><p>'+t+"</p>")}else this.hidePlaceholder(),this.domElement.removeClass("empty")},checkPagination:function(){this.loadMoreButton.toggleClass("visible",!this.comments.isLoading()&&this.comments.isLoaded()&&this.comments.hasNextPage())},checkOverflow:function(){this.domElement.toggleClass("overflowing",this.domElement.prop("scrollHeight")>this.domElement.prop("offsetHeight"))},hidePlaceholder:function(){this.placeholder&&(this.placeholder.remove(),this.placeholder=null)},getCommentPrivileges:function(t){var e={canEdit:!1,canDelete:!1},i=this.options.users.getByUserID(SL.current_user.get("id")),n=this.options.users.getByUserID(t.get("user_id"));if(n&&i){var s=i.get("user_id")===n.get("user_id"),o=i.get("role")===SL.models.collab.DeckUser.ROLE_ADMIN||i.get("role")===SL.models.collab.DeckUser.ROLE_OWNER;s?(e.canEdit=!0,e.canDelete=!0):o&&(e.canDelete=!0)}return e},scrollToLatestComment:function(){this.domElement.scrollTop(this.domElement.prop("scrollHeight"))},scrollToLatestCommentUnlessScrolled:function(){return this.getScrollOffset()<600?(this.scrollToLatestComment(),!0):!1},commentExists:function(t){return this.getComments().getByID(t.id)?!0:SL.current_user.get("id")===t.user_id?this.getTemporaryComments().some(function(e){return e.get("user_id")===t.user_id&&e.get("message")===t.message}):!1},getScrollOffset:function(){var t=this.domElement.get(0);return t.scrollHeight-t.offsetHeight-t.scrollTop},getPlaceholder:function(){return this.placeholder||(this.placeholder=$('<div class="placeholder">'),this.placeholder.appendTo(this.domElement)),this.placeholder},getComments:function(){return this.comments},getTemporaryComments:function(){return this.comments.filter(function(t){return!t.has("id")})},getCommentByID:function(t){return this.domElement.find('.sl-collab-comment[data-id="'+t+'"]')},getSlideHash:function(){return this.slideHash},getID:function(){return this.id},onLoadStarted:function(){this.getPlaceholder().html('<div class="spinner centered" data-spinner-color="#999"></div>'),SL.util.html.generateSpinners()},onLoadCompleted:function(){this.comments.forEach(this.renderComment.bind(this)),this.refresh(),this.scrollToLatestComment()},onLoadFailed:function(){this.getPlaceholder().html('<p class="error">Failed to load comments.</p>')},onWindowResize:function(){this.scrollToLatestComment(),this.layout()},onCommentsChanged:function(t,e){t&&t.length&&t.forEach(this.renderComment.bind(this)),e&&e.length&&e.forEach(function(t){this.getCommentByID(t.get("id")).remove()}.bind(this)),this.refresh()},onCommentStateChanged:function(t,e){var i=e.getState();t.attr("data-id",e.get("id")),t.attr("data-state",i),i===SL.models.collab.Comment.STATE_FAILED?0===t.find(".retry").length&&(t.append(['<div class="retry">','<span class="retry-info">Failed to send</span>','<button class="button outline retry-button">Retry</button>',"</div>"].join("")),t.find(".retry-button").on("click",function(){this.comments.retryCreate(e)}.bind(this)),this.scrollToLatestCommentUnlessScrolled()):t.find(".retry").remove()},onCommentOptionsClicked:function(t){var e=new SL.components.Menu({anchor:t.find(".options-button"),anchorSpacing:15,alignment:"l",destroyOnHide:!0,options:[{label:"Edit",icon:"pen-alt2",callback:this.onEditComment.bind(this,t)},{label:"Delete",icon:"trash-fill",callback:this.onDeleteComment.bind(this,t)}]});e.show()},onEditComment:function(t){var e=t.data("model"),i=SL.prompt({anchor:t.find(".options-button"),alignment:"l",title:"Edit comment",type:"input",confirmLabel:"Save",data:{value:e.get("message"),placeholder:"Comment...",multiline:!0}});i.confirmed.add(function(i){"string"==typeof i&&i.trim().length>0&&(e.set("message",i),e.save(["message"]).done(this.refreshComment.bind(this,t)))}.bind(this)),SL.analytics.trackCollaboration("Edit comment")},onDeleteComment:function(t){var e=t.data("model");SL.prompt({anchor:t.find(".options-button"),alignment:"l",title:"Are you sure you want to delete this comment?",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Delete</h3>",selected:!0,className:"negative",callback:function(){this.comments.remove(e),e.destroy()}.bind(this)}]}),SL.analytics.trackCollaboration("Delete comment")},onLoadMoreClicked:function(){this.loadMoreButton.prop("disabled",!0).text(this.strings.loadingMoreComments),this.comments.loadNextPage().then(function(t){var e=this.domElement.scrollTop(),i=this.domElement.prop("scrollHeight");t.reverse().forEach(function(t){this.renderComment(t,{prepend:!0})}.bind(this));var n=this.domElement.prop("scrollHeight");this.domElement.scrollTop(n-i+e),this.checkPagination()}.bind(this)).catch(function(){SL.notify("Failed to load comments","negative")}.bind(this)).then(function(){this.loadMoreButton.prop("disabled",!1).text(this.strings.loadMoreComments),this.loadMoreButton.prependTo(this.domElement)}.bind(this))},onSlideNumberClicked:function(t){var e=$(t.target).closest(".sl-collab-comment");e.length&&e.data("model")&&this.viewSlideCommentsClicked.dispatch(e.data("model").get("slide_hash"))},destroy:function(){this.viewSlideCommentsClicked.dispose(),this.domElement.remove()}}),SL("components.collab").Comments=Class.extend({init:function(t,e){this.controller=t,this.options=e,this.render(),this.bind(),this.getCurrentThread()||this.showThread(SL.components.collab.Comments.DECK_THREAD),this.refreshCommentInput(),this.refreshCurrentSlide(),this.getCurrentThread().scrollToLatestComment(),this.layout()},render:function(){this.domElement=$('<div class="sl-collab-page sl-collab-comments"></div>'),this.renderHeader(),this.bodyElement=$('<div class="sl-collab-page-body sl-collab-comments-body">'),this.bodyElement.appendTo(this.domElement),this.footerElement=$('<footer class="sl-collab-page-footer">'),this.footerElement.appendTo(this.domElement),this.renderThreads(),this.renderCommentForm()},renderHeader:function(){this.headerElement=$('<header class="sl-collab-page-header sl-collab-comments-header"></header>'),this.headerElement.appendTo(this.domElement),this.headerElement.html(['<div class="header-tab selected" data-thread-id="deck">All comments</div>','<div class="header-tab header-tab-slide" data-thread-id="slide">Current slide</div>'].join("")),this.headerElement.find(".header-tab").on("vclick",function(t){this.showThread($(t.currentTarget).attr("data-thread-id")),SL.util.device.IS_PHONE||SL.util.device.IS_TABLET||this.commentInput.focus()}.bind(this))},renderThreads:function(){this.threads={},this.threads.deck=new SL.components.collab.CommentThread(SL.components.collab.Comments.DECK_THREAD,{users:this.options.users,slideNumbers:!0}),this.threads.deck.viewSlideCommentsClicked.add(this.onViewSlideCommentsClicked.bind(this)),this.threads.deck.appendTo(this.bodyElement),this.threads.slide=new SL.components.collab.CommentThread(SL.components.collab.Comments.SLIDE_THREAD,{users:this.options.users}),this.threads.slide.appendTo(this.bodyElement)},renderCommentForm:function(){this.commentForm=$('<form action="#" class="sl-collab-comment-form sl-form disable-when-disconnected" novalidate>'),this.commentForm.on("submit",this.onCommentSubmit.bind(this)),this.commentInput=$(SL.util.device.IS_PHONE||SL.util.device.IS_TABLET?'<input type="text" autocapitalize="sentences" class="comment-input" placeholder="Add a comment..." required maxlength="'+SL.config.COLLABORATION_COMMENT_MAXLENGTH+'" />':'<textarea class="comment-input" placeholder="Add a comment..." required maxlength="'+SL.config.COLLABORATION_COMMENT_MAXLENGTH+'"></textarea>'),this.commentInput.on("keydown",this.onCommentKeyDown.bind(this)),this.commentInput.on("input",this.onCommentChanged.bind(this)),this.commentInput.on("focus",this.onCommentInputFocus.bind(this)),this.commentInput.appendTo(this.commentForm),this.commentInputFooter=$('<div class="comment-footer"></div>'),this.commentInputFooter.appendTo(this.commentForm),this.commentTyping=$('<div class="comment-typing"></div>'),this.commentTyping.appendTo(this.commentInputFooter),this.commentSubmitButton=$('<input class="comment-submit" type="submit" value="Send" />'),this.commentSubmitButton.on("vclick",this.submitComment.bind(this)),this.commentSubmitButton.appendTo(this.commentInputFooter),this.commentInputFooter.append('<div class="clear"></div>'),this.commentForm.appendTo(this.footerElement)},bind:function(){this.layout=this.layout.bind(this),this.startTyping=this.startTyping.bind(this),this.stopTyping=this.stopTyping.bind(this),$(window).on("resize",this.layout),this.controller.expanded.add(this.onCollaborationExpanded.bind(this)),this.controller.isInEditor()&&SL.editor.controllers.Markup.slidesChanged.add(this.refreshSlideNumbers.bind(this))},appendTo:function(t){this.domElement.appendTo(t)},layout:function(){this.checkOverflow()},reload:function(){this.threads.deck.reload();var t=this.getCurrentThread();t&&t.getID()===SL.components.collab.Comments.SLIDE_THREAD&&t.reload()},focus:function(){this.commentInput.focus()},blur:function(){this.commentInput.blur()},checkOverflow:function(){this.domElement.toggleClass("overflowing",this.bodyElement.prop("scrollHeight")>this.bodyElement.prop("offsetHeight"))},showCommentNotification:function(t){var e=this.options.users.getByUserID(t.get("user_id"));if(e&&e.get("user_id")!==SL.current_user.get("id")){var i="<strong>"+e.getDisplayName()+"</strong>",n=SL.util.deck.getSlideNumber(t.get("slide_hash"));n&&(i+='<span class="slide-number">slide '+n+"</span>"),i+="<br>"+t.get("message"),this.controller.notifications.show(i,{sender:e,callback:function(){this.showSlideComments(t.get("slide_hash")),this.commentInput.focus()}.bind(this)})}},showSlideComments:function(t){this.controller.isExpanded()===!1&&this.controller.expand();var e=$('.reveal .slides section[data-id="'+t+'"]').get(0);SL.util.deck.navigateToSlide(e);var i=this.getCurrentThread();i&&i.getID()!==SL.components.collab.Comments.SLIDE_THREAD&&(this.showThread(SL.components.collab.Comments.SLIDE_THREAD,{slide_hash:t}),SL.util.device.IS_PHONE||SL.util.device.IS_TABLET||this.commentInput.focus())},showThread:function(t,e){var i=this.getCurrentThread(),n=this.bodyElement.find('[data-thread-id="'+t+'"]'),s=n.data("thread");s&&(i&&i!==s&&i.hide(),this.bodyElement.find(".sl-collab-comment-thread").removeClass("visible"),n.addClass("visible"),this.headerElement.find(".header-tab").removeClass("selected"),this.headerElement.find('.header-tab[data-thread-id="'+t+'"]').addClass("selected"),s.show(e))},getCurrentThread:function(){return this.domElement.find(".sl-collab-comment-thread.visible").data("thread")},addCommentFromStream:function(t){if(t.id||console.warn("Can not insert comment without ID"),!this.threads.deck.commentExists(t)){var e=this.controller.isExpanded(),i=this.threads.deck.getComments().createModel(t),n=!1;return this.getCurrentThread().getID()===SL.components.collab.Comments.DECK_THREAD?n=this.threads.deck.scrollToLatestCommentUnlessScrolled():this.getCurrentThread().getID()===SL.components.collab.Comments.SLIDE_THREAD&&t.slide_hash&&t.slide_hash===this.getCurrentThread().getSlideHash()&&!this.getCurrentThread().commentExists(t)&&(this.threads.slide.getComments().createModel(t),n=this.threads.slide.scrollToLatestCommentUnlessScrolled()),e&&n||this.showCommentNotification(i),!0}return!1},updateCommentFromStream:function(t){t.id||console.warn("Can not update comment without ID");var e=this.threads.deck.getComments().getByID(t.id);if(e){for(var i in t)e.set(i,t[i]);this.threads.deck.refreshCommentByID(e.get("id")),this.getCurrentThread().getID()===SL.components.collab.Comments.SLIDE_THREAD&&this.threads.slide.refreshCommentByID(e.get("id"))}},removeCommentFromStream:function(t){return this.threads.deck.getComments().removeByProperties({id:t})},refreshCommentInput:function(){this.commentInput.attr("rows",2);var t=Math.ceil(parseFloat(this.commentInput.css("line-height"))),e=this.commentInput.prop("scrollHeight"),i=this.commentInput.prop("clientHeight"),n=10;e>i&&this.commentInput.attr("rows",Math.min(Math.floor(e/t),n)),this.getCurrentThread().scrollToLatestCommentUnlessScrolled(t*n)},refreshTyping:function(){var t=this.commentInput.val();t?this.startTyping():this.stopTyping()},startTyping:function(){var t=Date.now();this.typing=!0,(!this.lastTypingEvent||t-this.lastTypingEvent>SL.config.COLLABORATION_SEND_WRITING_INTERVAL)&&(this.lastTypingEvent=t,SL.helpers.StreamEditor.singleton().broadcast({type:"collaboration:user-typing",user_id:SL.current_user.get("id")}))},stopTyping:function(){this.typing&&(this.typing=!1,this.lastTypingEvent=null,SL.helpers.StreamEditor.singleton().broadcast({type:"collaboration:user-typing-stopped",user_id:SL.current_user.get("id")}))},refreshTypingIndicators:function(){var t=this.options.users.filter(function(t){return t.get("typing")===!0});0===t.length?this.commentTyping.empty().removeAttr("data-tooltip"):1===t.length?this.commentTyping.html("<strong>"+t[0].getDisplayName()+"</strong> is typing").removeAttr("data-tooltip"):t.length>1&&(this.commentTyping.html("<strong>"+t.length+" people</strong> are typing"),this.commentTyping.attr("data-tooltip",t.map(function(t){return t.getDisplayName()}).join("<br>")))},refreshCurrentSlide:function(){var t=this.getCurrentThread();t&&t.getID()===SL.components.collab.Comments.SLIDE_THREAD&&this.showThread(SL.components.collab.Comments.SLIDE_THREAD,{slide_hash:Reveal.getCurrentSlide().getAttribute("data-id")});var e=SL.util.deck.getSlideNumber(Reveal.getCurrentSlide());e&&this.headerElement.find(".header-tab-slide").text("Slide "+e)},refreshSlideNumbers:function(){this.threads.deck.refreshSlideNumbers()},submitComment:function(){var t=this.commentInput.val();t=t.trim(),t=t.replace(/(\n|\r){3,}/gim,"\n\n"),t.length&&(this.getCurrentThread().getComments().create({comment:{slide_hash:Reveal.getCurrentSlide().getAttribute("data-id"),message:t,user_id:SL.current_user.get("id"),created_at:Date.now()}}),this.commentInput.val(""),this.stopTyping(),this.refreshCommentInput(),this.getCurrentThread().scrollToLatestComment())},onCommentSubmit:function(t){this.submitComment(),t.preventDefault()},onCommentKeyDown:function(t){13!==t.keyCode||t.shiftKey||(this.submitComment(),t.preventDefault(),t.stopPropagation())},onCommentChanged:function(){this.refreshCommentInput(),this.refreshTyping()},onCommentInputFocus:function(){this.refreshTyping()},onViewSlideCommentsClicked:function(t){this.showSlideComments(t)},onSlideChanged:function(){this.refreshCurrentSlide()},onCollaborationExpanded:function(){this.refreshCurrentSlide(),setTimeout(this.focus.bind(this),100)},destroy:function(){this.threads.deck.destroy(),this.threads.slide.destroy(),this.options=null,this.domElement.remove()}}),SL.components.collab.Comments.DECK_THREAD="deck",SL.components.collab.Comments.SLIDE_THREAD="slide",SL("components.collab").Handover=Class.extend({init:function(t,e){this.controller=t,this.options=e,this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-collab-handover">'),this.editButtonWrapper=$('<div class="edit-button-wrapper">').appendTo(this.domElement),this.editButton=$('<div class="edit-button">'),this.editButton.append('<span class="label">Edit </span><span class="icon i-pen-alt2"></span>'),this.editButton.appendTo(this.editButtonWrapper),this.user=$('<div class="user"></div>'),this.userAvatar=$('<div class="user-avatar"></div>').appendTo(this.user),this.userDescription=$('<div class="user-description"></div>').appendTo(this.user),this.userStatus=$('<div class="user-status"></div>').appendTo(this.userDescription),this.userSlide=$('<div class="user-slide"></div>').appendTo(this.userDescription)
+},appendTo:function(t){this.domElement.appendTo(t)},bind:function(){this.editButtonWrapper.on("vclick",this.onEditClicked.bind(this))},refresh:function(){this.controller.getCurrentDeckUser().isEditing()||!this.controller.getCurrentDeckUser().canEdit()?(this.editButtonWrapper.removeClass("visible"),this.editButtonWrapper.removeAttr("data-tooltip"),this.user.remove()):(this.editButtonWrapper.addClass("visible"),this.currentEditor=this.options.users.getByProperties({editing:!0}),this.currentEditor&&this.currentEditor.isOnline()?(this.currentAvatarURL!==this.currentEditor.get("thumbnail_url")&&(this.currentAvatarURL=this.currentEditor.get("thumbnail_url"),this.userAvatar.css("background-image",'url("'+this.currentAvatarURL+'")')),0===this.user.parent().length&&this.user.appendTo(this.editButtonWrapper),this.refreshSlideNumbers(),this.currentEditor.isIdle()?(this.editButtonWrapper.attr("data-tooltip","<strong>"+this.currentEditor.get("username")+"</strong> is editing but has been idle for a while.<br>Click to start editing."),this.userStatus.html('<span class="username">'+this.currentEditor.get("username")+"</span> is idle"),this.user.addClass("idle")):(this.editButtonWrapper.attr("data-tooltip","Ask <strong>"+this.currentEditor.get("username")+"</strong> to make you the active editor"),this.userStatus.html('<span class="username">'+this.currentEditor.get("username")+"</span> is editing"),this.user.removeClass("idle"))):(this.user.remove(),this.editButtonWrapper.removeAttr("data-tooltip")))},refreshSlideNumbers:function(){if(this.currentEditor){var t=SL.util.deck.getSlideNumber(this.currentEditor.get("slide_id"));t?this.userSlide.addClass("visible").html("slide "+t).data("data-slide-id",this.currentEditor.get("slide_id")).attr("data-tooltip","Click to view slide"):this.userSlide.removeClass("visible")}},onEditClicked:function(t){if($(t.target).closest(".user-slide").length){var e=this.userSlide.data("data-slide-id"),i=$('.reveal .slides section[data-id="'+e+'"]').get(0);i&&SL.util.deck.navigateToSlide(i)}else if(!this.controller.getCurrentDeckUser().isEditing()){var n=this.options.users.getByProperties({editing:!0});n&&n.isOnline()&&!n.isIdle()?(SL.helpers.StreamEditor.singleton().broadcast({type:"collaboration:handover-requested",user_id:SL.current_user.get("id")}),this.controller.showHandoverRequestPending(n)):this.controller.becomeEditor()}},destroy:function(){this.domElement.remove()}}),SL("components.collab").Menu=Class.extend({init:function(t,e){this.controller=t,this.options=e,this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-collab-menu">'),this.innerElement=$('<div class="sl-collab-menu-inner">'),this.innerElement.appendTo(this.domElement),this.renderProfile()},renderProfile:function(){this.enableButton=$('<div class="sl-collab-menu-item sl-collab-menu-enable ladda-button" data-style="zoom-in" data-spinner-color="#444" data-tooltip="Add a collaborator" data-tooltip-alignment="l">'),this.enableButton.append('<span class="users-icon icon i-users"></span>'),this.enableButton.appendTo(this.innerElement),this.toggleButton=$('<div class="sl-collab-menu-item sl-collab-menu-toggle">'),this.toggleButton.append('<div class="users-icon icon i-users"></div>'),this.toggleButton.append('<div class="close-icon icon i-x"></div>'),this.toggleButton.appendTo(this.innerElement),this.unreadComments=$('<div class="unread-comments" data-tooltip="Unread comments" data-tooltip-alignment="l">'),this.unreadComments.appendTo(this.toggleButton)},appendTo:function(t){this.domElement.appendTo(t)},bind:function(){this.onEnableClicked=this.onEnableClicked.bind(this),this.onToggleClicked=this.onToggleClicked.bind(this),this.enableButton.on("vclick",this.onEnableClicked),this.toggleButton.on("vclick",this.onToggleClicked),this.controller.enabled.add(this.onCollaborationEnabled.bind(this)),this.controller.expanded.add(this.onCollaborationExpanded.bind(this))},setUnreadComments:function(t){0===t?this.clearUnreadComments():this.unreadComments.text(t).addClass("visible")},clearUnreadComments:function(){this.unreadComments.removeClass("visible")},destroy:function(){this.domElement.remove()},getPrimaryButton:function(){return this.toggleButton},onEnableClicked:function(t){this.enableButton.off("vclick",this.onEnableClicked),this.enableLoader=Ladda.create(this.enableButton.get(0)),this.enableLoader.start(),SL.view.isNewDeck()?SL.view.save(function(){this.controller.makeDeckCollaborative()}.bind(this)):this.controller.makeDeckCollaborative(),t.preventDefault()},onToggleClicked:function(t){this.controller.toggle(),t.preventDefault()},onCollaborationEnabled:function(){this.enableLoader&&(this.enableLoader.stop(),this.enableLoader=null)},onCollaborationExpanded:function(){this.clearUnreadComments()}}),SL("components.collab").Notifications=Class.extend({init:function(t,e){this.controller=t,this.options=e,this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-collab-notifications">')},bind:function(){this.domElement.delegate(".sl-collab-notification.optional","mouseenter",this.onNotificationMouseEnter.bind(this)),this.domElement.delegate(".sl-collab-notification.optional","vclick",this.onNotificationClick.bind(this))},appendTo:function(t){this.domElement.appendTo(t)},show:function(t,e){e=$.extend({optional:!0,duration:5e3},e);var i;e.id&&(i=this.getNotificationByID(e.id)),i&&0!==i.length||(i=this.addNotification(t,e),e.optional&&(this.holding?i.addClass("on-hold"):this.hideAfter(i,e.duration)))},hide:function(t){var e=this.getNotificationByID(t);return e.length?(this.removeNotification(e),!0):!1},hideAfter:function(t,e){setTimeout(function(){t.addClass("hide"),setTimeout(this.removeNotification.bind(this,t),500)}.bind(this),e)},hold:function(){this.holding=!0},release:function(){this.holding=!1;var t=this.domElement.find(".sl-collab-notification.on-hold").get().reverse();t.forEach(function(t,e){this.hideAfter($(t),5e3+1e3*e)},this)},addNotification:function(t,e){var i=$('<div class="sl-collab-notification" />').data("options",e).toggleClass("optional",e.optional).prependTo(this.domElement),t=$('<div class="message" />').append(t).appendTo(i);return i.toggleClass("multiline",t.height()>24),e.sender?$('<div class="status-picture" />').css("background-image",'url("'+e.sender.get("thumbnail_url")+'")').prependTo(i):$('<div class="status-icon icon" />').addClass(e.icon||"i-info").prependTo(i),e.id&&i.attr("data-id",e.id),this.layout(),setTimeout(function(){i.addClass("show")},1),i},removeNotification:function(t){t.removeData(),t.remove(),this.layout()},getNotificationByID:function(t){return this.domElement.find(".sl-collab-notification[data-id="+t+"]")},layout:function(){var t=0;this.domElement.find(".sl-collab-notification").each(function(e,i){i.style.top=t+"px",t+=i.offsetHeight+10})},destroy:function(){this.domElement.remove()},onNotificationMouseEnter:function(t){var e=$(t.currentTarget);0===e.find(".dismiss").length&&$('<div class="dismiss"><span class="icon i-x"></span></div>').appendTo(e)},onNotificationClick:function(t){var e=$(t.currentTarget);if(0===$(t.target).closest(e.find(".dismiss")).length){var i=e.data("options").callback;"function"==typeof i&&i.call()}this.removeNotification(e)}}),SL("components.collab").Users=Class.extend({init:function(t,e){this.controller=t,this.options=e,this.inviteSent=new signals.Signal,this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-collab-users disable-when-disconnected">'),this.userList=$('<div class="sl-collab-users-list">').appendTo(this.domElement),this.slideGroup=$('<div class="sl-collab-users-group">').appendTo(this.userList),this.slideGroup.append('<div class="icon i-eye"></div>'),this.slideGroup.find(".icon").attr({"data-tooltip":"People who are viewing the current slide","data-tooltip-alignment":"l"}),this.inviteButton=$('<div class="sl-collab-users-invite" data-tooltip="Add a collaborator" data-tooltip-alignment="l"></div>'),this.inviteButton.html('<span class="icon i-plus"></span>'),this.inviteButton.on("vclick",this.onInviteClicked.bind(this)),this.inviteButton.appendTo(this.domElement),this.renderUsers()},renderUsers:function(){this.domElement.toggleClass("admin",this.controller.getCurrentDeckUser().isAdmin()),this.layoutPrevented=!0,this.userList.find(".sl-collab-user").remove(),this.options.users.forEach(this.renderUser.bind(this)),this.layoutPrevented=!1,this.layout()},renderUser:function(t){if(t.get("user_id")!==SL.current_user.get("id")&&t.get("active")!==!1){t._watchingActive||(t._watchingActive=!0,t.watch("active",function(){t.isActive()?this.onUsersChanged([t]):this.onUsersChanged(null,[t])}.bind(this)));var e=this.getUserByID(t.get("user_id"));return 0===e.length&&(e=$("<div/>",{"class":"sl-collab-user","data-user-id":t.get("user_id")}),e.html('<div class="picture" style="background-image: url(\''+t.get("thumbnail_url")+"')\" />"),e.data("model",t),e.on("mouseenter",this.onUserMouseEnter.bind(this)),e.appendTo(this.userList)),this.refreshPresence(t),e}},renderRoleSelector:function(){var t=$(['<select class="sl-select role-selector">','<option value="'+SL.models.collab.DeckUser.ROLE_EDITOR+'">Editor \u2013 Can comment and edit</option>','<option value="'+SL.models.collab.DeckUser.ROLE_VIEWER+'">Viewer \u2013 Can comment</option>',"</select>"].join(""));return SL.current_deck.get("user.enterprise")&&t.prepend('<option value="'+SL.models.collab.DeckUser.ROLE_ADMIN+'">Admin \u2013 Can comment, edit and manage users</option>'),t},renderInviteForm:function(){this.inviteForm||(this.inviteForm=$('<div class="sl-collab-invite-form sl-form">'),this.inviteEmail=$('<input class="invite-email" type="text" placeholder="Email address..." />'),this.inviteEmail.on("input",this.onEmailInput.bind(this)),this.inviteEmail.appendTo(this.inviteForm),this.inviteRole=this.renderRoleSelector(),this.inviteRole.appendTo(this.inviteForm),this.inviteOptions=$('<div class="invite-options">'),this.inviteOptions.appendTo(this.inviteForm),this.inviteFooter=$(['<footer class="footer">','<button class="button l outline cancel-button">Cancel</button>','<button class="button l confirm-button">Send</button>',"</footer>"].join("")),this.inviteFooter.find(".cancel-button").on("vclick",this.onInviteCancelClicked.bind(this)),this.inviteFooter.find(".confirm-button").on("vclick",this.onInviteConfirmClicked.bind(this)),this.inviteFooter.appendTo(this.inviteForm),SL.current_user.isEnterprise()&&(this.inviteEmailAutocomplete=new SL.components.form.Autocomplete(this.inviteEmail,this.searchTeamMembers.bind(this),{className:"light-grey",offsetY:1}),this.inviteEmailAutocomplete.confirmed.add(this.onEmailInput.bind(this)))),this.inviteEmail.val(""),this.inviteOptions.empty(),this.inviteRole.find("[hidden]").prop("hidden",!1),this.inviteRole.find('[value="'+SL.models.collab.DeckUser.ROLE_EDITOR+'"]').prop("selected",!0),this.inviteRole.prop("disabled",!1);var t=SL.current_deck.user;if(SL.current_deck.isVisibilityAll()||!t.isPaid()||t.isEnterprise()){if(t.isEnterprise()&&SL.current_user.isEnterpriseManager()){this.inviteOptions.append("<p>Want this person to be able to access internal presentations and create decks of their own?</p>");var e=$(['<div class="unit sl-checkbox outline">','<input id="team-invite-checkbox" class="team-invite-checkbox" type="checkbox" />','<label for="team-invite-checkbox">Add to team</label>',"</div>"].join("")).appendTo(this.inviteOptions);this.inviteToTeamLabel=e.find("label"),this.inviteToTeamInput=e.find("input"),SL.current_team.isManuallyUpgraded()||this.inviteToTeamLabel.html("Add to team for "+SL.current_team.getCostPerUser())}}else{var i=this.options.users.getEditors().length-1,n=SL.current_deck.get("deck_user_editor_limit")||50,s=n-i;i>=n?(this.inviteRole.find('[value="'+SL.models.collab.DeckUser.ROLE_EDITOR+'"]').prop("hidden",!0),this.inviteRole.find('[value="'+SL.models.collab.DeckUser.ROLE_VIEWER+'"]').prop("selected",!0),this.inviteRole.prop("disabled",!0),this.inviteOptions.html("You can't invite any more editors to this deck on your current plan, but you can add any number of viewers. Please <a href=\""+SL.routes.PRICING+'" target="_blank">upgrade</a> to add more editors.')):this.inviteOptions.html('You can invite <span class="semibold">'+s+"</span> more "+SL.util.string.pluralize("editor","s",s>1)+".")}return this.inviteForm},renderEditForm:function(t){this.editForm||(this.editForm=$('<div class="sl-collab-edit-form sl-form">'),this.editRole=this.renderRoleSelector(),this.editRole.appendTo(this.editForm),this.editFooter=$(['<footer class="footer">','<button class="button l negative delete-button" style="float: left;">Remove</button>','<button class="button l outline cancel-button">Cancel</button>','<button class="button l confirm-button">Save</button>',"</footer>"].join("")),this.editFooter.find(".delete-button").on("vclick",this.onEditDeleteClicked.bind(this)),this.editFooter.find(".cancel-button").on("vclick",this.onEditCancelClicked.bind(this)),this.editFooter.find(".confirm-button").on("vclick",this.onEditConfirmClicked.bind(this)),this.editFooter.appendTo(this.editForm)),this.editRole.find('[value="'+t.get("role")+'"]').prop("selected",!0),this.editRole.prop("disabled",!1);var e=SL.current_deck.user;if(!SL.current_deck.isVisibilityAll()&&e.isPaid()&&!e.isEnterprise()){var i=this.options.users.getEditors().length-1,n=SL.current_deck.get("deck_user_editor_limit")||50;i>=n&&t.get("role")===SL.models.collab.DeckUser.ROLE_VIEWER&&this.editRole.prop("disabled",!0)}return this.editForm},bind:function(){this.options.users.changed.add(this.onUsersChanged.bind(this)),this.domElement.delegate(".sl-collab-user","vclick",this.onUserClicked.bind(this)),this.layout=this.layout.bind(this),this.controller.expanded.add(this.layout),this.controller.collapsed.add(this.layout),$(window).on("resize",$.throttle(this.layout,300))},appendTo:function(t){this.domElement.appendTo(t)},refreshPresence:function(t){var e=this.getUserByID(t.get("user_id"));e&&e.length&&(e.removeClass("intro-animation"),e.toggleClass("online",t.isOnline()),e.toggleClass("idle",t.isIdle()),this.layout())},layout:function(){if(this.layoutPrevented)return!1;var t=62;this.domElement.css("max-height",window.innerHeight-t);var e=this.userList.find(".sl-collab-user.online").get(),i=this.userList.find(".sl-collab-user:not(.online)").get(),n=30,s=26,o=16,a=10;if(this.slideGroup.removeClass("visible"),e.length){var r=SL.util.deck.getSlideID(Reveal.getCurrentSlide()),l=0,c=4;e=e.filter(function(t){return $(t).data("model").get("slide_id")===r?(t.style.transform="translateY("+a+"px)",a+=s,l+=1,!1):!0}),l>0&&(this.slideGroup.css({top:c,height:a+2*c}).addClass("visible"),a+=o+6),e.length&&(e.forEach(function(t){t.style.transform="translateY("+a+"px)",a+=s}),a+=o)}i.length&&(this.controller.isExpanded()?(i.forEach(function(t){t.style.transform="translateY("+a+"px)",a+=s}),a+=o):i.forEach(function(t){t.style.transform="translateY("+a+"px)"})),this.inviteButton&&(this.inviteButton.get(0).style.transform="translateY("+a+"px)",a+=n+o),this.userList.css("height",a)},addUserFromStream:function(t){t.user_id||console.warn("Can not insert collaborator without ID");var e=this.options.users.getByProperties({user_id:t.user_id});e?(e.setAll(t),e.set("active",!0)):this.options.users.createModel(t)},removeUserFromStream:function(t){var e=this.options.users.getByProperties({user_id:t});e&&e.set("active",!1)},getUserByID:function(t){return this.domElement.find('.sl-collab-user[data-user-id="'+t+'"]')},showInvitePrompt:function(t){this.invitePrompt||(this.invitePrompt=SL.prompt({anchor:t||this.inviteButton,alignment:"l",type:"custom",title:"Add a collaborator",html:this.renderInviteForm(),destroyAfterConfirm:!1,confirmOnEnter:!0}),this.invitePrompt.confirmed.add(function(){this.inviteEmail.blur(),this.confirmInvitePrompt().then(function(){this.inviteSent.dispatch(),this.invitePrompt&&this.invitePrompt.destroy()}.bind(this),function(){})}.bind(this)),this.invitePrompt.destroyed.add(function(){this.inviteForm.detach(),this.invitePrompt=null}.bind(this)),this.inviteEmail.focus())},confirmInvitePrompt:function(){var t=this.inviteEmail.val().trim(),e=this.inviteRole.val(),i=!(!this.inviteToTeamInput||!this.inviteToTeamInput.val());return new Promise(function(n,s){if(/^[A-Z0-9._%+\-]+@[A-Z0-9.\-]+\.[A-Z]{2,}$/gi.test(t)){this.invitePrompt.showOverlay("neutral","Inviting "+t,'<div class="spinner" data-spinner-color="#333"></div>'),SL.util.html.generateSpinners();var o={user:{email:t,role:e}};i&&(o.user.add_to_team=!0);var a={url:SL.config.AJAX_DECKUSER_CREATE(SLConfig.deck.id),createModel:!1},r=this.options.users.getByProperties({email:t});r&&(a.model=r),this.options.users.create(o,a).then(function(){this.invitePrompt.showOverlay("positive","Invite sent!",'<span class="icon i-checkmark"></span>',2e3).then(n)}.bind(this),function(){this.invitePrompt.showOverlay("negative","Failed to send invite. Please try again.",'<span class="icon i-x"></span>',2e3).then(s),this.inviteEmail.focus().select()}.bind(this))}else SL.notify("Please enter a valid email","negative"),this.inviteEmail.focus().select(),s()}.bind(this))},showEditPrompt:function(t){if(!this.editPrompt){var e=t.data("model");if(e.get("role")===SL.models.collab.DeckUser.ROLE_OWNER)return;this.editUserElement=t,this.editUserModel=e,this.editPrompt=SL.prompt({anchor:t,alignment:"l",type:"custom",title:e.get("email"),html:this.renderEditForm(e),destroyAfterConfirm:!1,confirmOnEnter:!0}),this.editPrompt.confirmed.add(function(){this.confirmEditPrompt().then(function(){this.editPrompt&&this.editPrompt.destroy()}.bind(this))}.bind(this)),this.editPrompt.destroyed.add(function(){this.editForm.detach(),this.editPrompt=null}.bind(this))}},confirmEditPrompt:function(){var t=this.editUserModel;return new Promise(function(e,i){var n=this.editRole.val();n&&n!==t.get("role")?(this.editPrompt.showOverlay("neutral","Saving",'<div class="spinner" data-spinner-color="#333"></div>'),SL.util.html.generateSpinners(),t.set("role",n),t.save(["role"]).then(function(){e()}.bind(this),function(){this.editPrompt.showOverlay("negative","Failed to save changes. Please try again.",'<span class="icon i-x"></span>',2e3).then(i)}.bind(this))):e()}.bind(this))},searchTeamMembers:function(t){return this.searchTeamMembersXHR&&this.searchTeamMembersXHR.abort(),this.searchTeamMemberEmailCache||(this.searchTeamMemberEmailCache={}),new Promise(function(e,i){this.searchTeamMembersXHR=$.ajax({type:"POST",url:SL.config.AJAX_TEAM_MEMBER_SEARCH,context:this,data:{q:t}}).done(function(t){var i=t.results;i=i.filter(function(t){return t.id!==SL.current_user.get("id")}),i.forEach(function(t){this.searchTeamMemberEmailCache[t.email]=!0}.bind(this)),i=i.slice(0,5).map(function(t){return{value:t.email,label:'<div class="label">'+t.name+'</div><div class="value">'+t.email+"</div>"}}),e(i)}).fail(i)}.bind(this))},dismissPrompts:function(){this.editPrompt&&this.editPrompt.destroy(),this.invitePrompt&&this.invitePrompt.destroy()},onUsersChanged:function(t,e){t&&t.forEach(function(t){var e=this.renderUser(t);e&&(setTimeout(function(){e.addClass("intro-animation")},1),this.layout())}.bind(this)),e&&e.forEach(function(t){var e=$('.sl-collab-user[data-user-id="'+t.get("user_id")+'"]');SL.util.anim.collapseListItem(e,function(){e.remove(),this.layout()}.bind(this),300)},this)},onInviteClicked:function(t){t.preventDefault(),this.showInvitePrompt()},onInviteCancelClicked:function(){this.invitePrompt&&this.invitePrompt.cancel()},onInviteConfirmClicked:function(){this.invitePrompt&&this.invitePrompt.confirm()},onEditCancelClicked:function(){this.editPrompt&&this.editPrompt.cancel()},onEditConfirmClicked:function(){this.editPrompt&&this.editPrompt.confirm()},onEditDeleteClicked:function(){this.editPrompt&&this.editPrompt.destroy();var t=this.editUserModel;SL.prompt({anchor:this.editUserElement,title:SL.locale.get("COLLABORATOR_REMOVE_CONFIRM"),alignment:"l",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Remove</h3>",selected:!0,className:"negative",callback:function(){t.destroy().then(function(){t.set("active",!1)})}.bind(this)}]})},onEmailInput:function(){this.inviteOptions&&this.searchTeamMemberEmailCache&&(this.searchTeamMemberEmailCache[this.inviteEmail.val().trim()]?this.inviteOptions.addClass("disabled"):this.inviteOptions.removeClass("disabled"))},onUserClicked:function(t){this.controller.getCurrentDeckUser().isAdmin()&&this.showEditPrompt($(t.currentTarget)),t.preventDefault()},onUserMouseEnter:function(t){var e=$(t.currentTarget),i=e.data("model");if(i){var n=[i.getDisplayName()+'<span class="sl-collab-tooltip-status" data-status="'+i.get("status")+'"></span>','<span style="opacity: 0.70;">'+i.get("email")+"</span>"].join("<br>");SL.tooltip.show(n,{alignment:"l",anchor:e}),e.one("mouseleave",SL.tooltip.hide.bind(SL.tooltip))}},destroy:function(){this.inviteEmailAutocomplete&&this.inviteEmailAutocomplete.destroy(),this.options=null,this.domElement.remove()}}),SL("components").ContextMenu=Class.extend({init:function(t){this.config=$.extend({anchorSpacing:5,minWidth:0,options:[]},t),this.config.anchor=$(this.config.anchor),this.show=this.show.bind(this),this.hide=this.hide.bind(this),this.layout=this.layout.bind(this),this.onContextMenu=this.onContextMenu.bind(this),this.onDocumentKeydown=this.onDocumentKeydown.bind(this),this.onDocumentMouseDown=this.onDocumentMouseDown.bind(this),this.shown=new signals.Signal,this.hidden=new signals.Signal,this.destroyed=new signals.Signal,this.domElement=$('<div class="sl-context-menu">'),this.config.anchor.on("contextmenu",this.onContextMenu)},render:function(){this.listElement=$('<div class="sl-context-menu-list">').appendTo(this.domElement),this.listElement.css("minWidth",this.config.minWidth+"px"),this.arrowElement=$('<div class="sl-context-menu-arrow">').appendTo(this.domElement)},renderList:function(){this.config.options.forEach(function(t){if("divider"===t.type)$('<div class="sl-context-menu-divider">').appendTo(this.listElement);else{var e;e=$("string"==typeof t.url?'<a class="sl-context-menu-item" href="'+t.url+'">':'<div class="sl-context-menu-item">'),e.data("item-data",t),e.html('<span class="label">'+t.label+"</span>"),e.appendTo(this.listElement),e.on("click",function(t){var e=$(t.currentTarget).data("item-data").callback;"function"==typeof e&&e.apply(null,[this.contextMenuEvent]),this.hide()}.bind(this)),t.icon&&e.append('<span class="icon i-'+t.icon+'"></span>'),t.attributes&&e.attr(t.attributes)}}.bind(this))},bind:function(){SL.keyboard.keydown(this.onDocumentKeydown),$(document).on("mousedown touchstart pointerdown",this.onDocumentMouseDown)},unbind:function(){SL.keyboard.release(this.onDocumentKeydown),$(document).off("mousedown touchstart pointerdown",this.onDocumentMouseDown)},layout:function(t,e){var i=this.config.anchorSpacing,n=$(window).scrollLeft(),s=$(window).scrollTop(),o=this.domElement.outerWidth(),a=this.domElement.outerHeight(),r=o/2,l=a/2,c=8,d=t,h=e-a/2;t+i+c+o<window.innerWidth?(this.domElement.attr("data-alignment","r"),d+=c+i,r=-c):(this.domElement.attr("data-alignment","l"),d-=o+c+i,r=o),d=Math.min(Math.max(d,n+i),window.innerWidth+n-o-i),h=Math.min(Math.max(h,s+i),window.innerHeight+s-a-i),this.domElement.css({left:d,top:h}),this.arrowElement.css({left:r,top:l})},focus:function(t){var e=this.listElement.find(".focus");if(e.length){var i=t>0?e.nextAll(".sl-context-menu-item").first():e.prevAll(".sl-context-menu-item").first();i.length&&(e.removeClass("focus"),i.addClass("focus"))}else this.listElement.find(".sl-context-menu-item").first().addClass("focus")},show:function(){this.rendered||(this.rendered=!0,this.render(),this.renderList()),this.listElement.find(".sl-context-menu-item").each(function(t,e){var i=$(e),n=i.data("item-data");i.toggleClass("hidden","function"==typeof n.filter&&!n.filter())}.bind(this)),this.listElement.find(".sl-context-menu-item:not(.hidden)").length&&(this.domElement.removeClass("visible").appendTo(document.body),setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1),this.bind(),this.layout(this.contextMenuEvent.clientX,this.contextMenuEvent.clientY),this.shown.dispatch(this.contextMenuEvent))},hide:function(){this.listElement.find(".focus").removeClass("focus"),this.domElement.detach(),this.unbind(),this.hidden.dispatch()},isVisible:function(){return this.domElement.parent().length>0},destroy:function(){this.shown.dispose(),this.hidden.dispose(),this.destroyed.dispatch(),this.destroyed.dispose(),this.domElement.remove(),this.unbind(),this.config=null},onDocumentKeydown:function(t){if(27===t.keyCode&&(this.hide(),t.preventDefault()),13===t.keyCode){var e=this.listElement.find(".focus");e.length&&(e.trigger("click"),t.preventDefault())}else 38===t.keyCode?(this.focus(-1),t.preventDefault()):40===t.keyCode?(this.focus(1),t.preventDefault()):9===t.keyCode&&t.shiftKey?(this.focus(-1),t.preventDefault()):9===t.keyCode&&(this.focus(1),t.preventDefault())},onContextMenu:function(t){t.preventDefault(),this.contextMenuEvent=t,this.show()},onDocumentMouseDown:function(t){var e=$(t.target);this.isVisible()&&0===e.closest(this.domElement).length&&this.hide()}}),SL("components.decksharer").DeckSharer=SL.components.popup.Popup.extend({TYPE:"decksharer",MODE_PUBLIC:{id:"public",width:560,height:380,heightEmail:"auto"},MODE_UPGRADE_OR_PUBLISH:{id:"upgrade-or-publish",width:800,height:560,heightEmail:"auto"},MODE_PRIVATE:{id:"private",width:800,height:560,heightEmail:730},MODE_INTERNAL:{id:"internal",width:560,height:"auto",heightEmail:"auto"},init:function(t){var e=t.deck,i=e.belongsTo(SL.current_user);this.mode=i&&(e.isVisibilitySelf()||e.isVisibilityTeam())&&!SL.current_user.privileges.privateLinks()?this.MODE_UPGRADE_OR_PUBLISH:i&&(e.isVisibilitySelf()||e.isVisibilityTeam())?this.MODE_PRIVATE:!i&&e.isVisibilityTeam()?this.MODE_INTERNAL:this.MODE_PUBLIC,this._super($.extend({title:"Share",titleItem:'"'+e.get("title")+'"',width:this.mode.width,height:this.mode.height},t))},switchMode:function(t){this.mode=t,this.bodyElement.empty(),this.renderMode(),this.options.width=this.mode.width,this.options.height=this.mode.height,this.layout()},render:function(){this._super(),this.renderMode()},renderMode:function(){this.mode.id===this.MODE_UPGRADE_OR_PUBLISH.id?this.renderUpgradeOrPublish():this.mode.id===this.MODE_PRIVATE.id?this.renderPrivate():this.mode.id===this.MODE_INTERNAL.id?this.renderInternal():this.renderPublic()},renderPublic:function(){this.shareOptions=new SL.components.decksharer.ShareOptions(this.options.deck,this.options),this.shareOptions.pageChanged.add(this.layout.bind(this)),this.shareOptions.appendTo(this.bodyElement)},renderInternal:function(){this.bodyElement.append('<p class="decksharer-share-warning">This deck is internal and can only be shared with and viewed by other team members.</p>'),this.shareOptions=new SL.components.decksharer.ShareOptions(this.options.deck,$.extend(this.options,{embedEnabled:!1})),this.shareOptions.pageChanged.add(this.layout.bind(this)),this.shareOptions.appendTo(this.bodyElement)},renderPrivate:function(){this.placeholderElement=$(['<div class="decksharer-placeholder">','<div class="decksharer-placeholder-inner">','<div class="spinner" data-spinner-color="#999"></div>',"</div>","</div>"].join("")),this.placeholderElement.appendTo(this.bodyElement),SL.util.html.generateSpinners(),SL.data.tokens.get(this.options.deck.get("id"),{success:function(t){this.tokens=t,this.tokenList=new SL.components.decksharer.TokenList(this.options.deck,this.tokens),this.tokenList.appendTo(this.bodyElement),this.tokenList.tokenSelected.add(this.onTokenSelected.bind(this)),this.tokenList.tokensEmptied.add(this.onTokensEmptied.bind(this)),0===this.tokens.size()?this.renderTokenPlaceholder():this.tokenList.selectDefault()}.bind(this),error:function(t){this.destroy(),401===t?SL.notify("It looks like you're no longer signed in to Slides. Please open a new tab and sign in.","negative"):SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}.bind(this)})},renderUpgradeOrPublish:function(){this.placeholderElement=$(['<div class="decksharer-placeholder">','<div class="decksharer-placeholder-inner">','<div class="left">','<div class="lock-icon icon i-lock-stroke"></div>',"</div>",'<div class="right">',"<h2>Upgrade required</h2>","<p>You can't share privately on your current plan. Please upgrade your account to gain access to private links, password protection and more.</p>",'<a class="button upgrade-button l" href="'+SL.routes.PRICING+'">View plans</a>','<button class="button publish-button ladda-button l outline" data-style="zoom-out" data-spinner-color="#222">Make my deck public</button>',"</div>","</div>","</div>"].join("")),this.placeholderElement.appendTo(this.bodyElement);var t=this.placeholderElement.find(".publish-button");t.on("vclick",function(){$.ajax({type:"POST",url:SL.config.AJAX_PUBLISH_DECK(this.options.deck.get("id")),context:this,data:{visibility:SL.models.Deck.VISIBILITY_ALL}}).then(function(){var e=t.data("data");e&&e.stop(),this.options.deck.set("visibility",SL.models.Deck.VISIBILITY_ALL),this.switchMode(this.MODE_PUBLIC),SL.notify("Published successfully")},function(){var e=t.data("data");e&&e.stop(),SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")})}.bind(this)),Ladda.bind(t.get(0))},layout:function(){var t=this.tokenOptions?this.tokenOptions.shareOptions:this.shareOptions;this.options.height=t&&t.getPageID()===SL.components.decksharer.ShareOptions.EMAIL_PAGE_ID?this.mode.heightEmail:this.mode.height,this._super()},resetContentArea:function(){this.tokenOptions&&(this.tokenOptions.destroy(),this.tokenOptions=null),this.placeholderElement&&(this.placeholderElement.addClass("hidden"),setTimeout(this.placeholderElement.remove.bind(this.placeholderElement),300),this.placeholderElement=null)},renderTokenPlaceholder:function(){this.domElement.addClass("is-empty"),this.resetContentArea();var t=this.options.deck.isVisibilityTeam()?"This deck is internal":"This deck is private";this.placeholderElement=$(['<div class="decksharer-placeholder">','<div class="decksharer-placeholder-inner">','<div class="left">','<div class="lock-icon icon i-lock-stroke"></div>',"</div>",'<div class="right">',"<h2>"+t+"</h2>","<p>To share it you'll need to create a private link.</p>",'<button class="button create-button xl ladda-button" data-style="zoom-out">Create private link</button>',"</div>","</div>","</div>"].join("")),this.placeholderElement.appendTo(this.bodyElement),this.placeholderElement.find(".create-button").on("vclick",function(){this.tokenList.create()}.bind(this)),Ladda.bind(this.placeholderElement.find(".create-button").get(0)),this.layout()},renderTokenOptions:function(t){this.domElement.removeClass("is-empty");var e=!this.tokenOptions;this.resetContentArea(),this.tokenOptions=new SL.components.decksharer.TokenOptions(this.options.deck,t,this.options),this.tokenOptions.appendTo(this.bodyElement,e),this.tokenOptions.tokenRenamed.add(this.tokenList.setTokenLabel.bind(this.tokenList)),this.tokenOptions.shareOptions.pageChanged.add(this.layout.bind(this)),this.layout()},onTokenSelected:function(t){this.renderTokenOptions(t)},onTokensEmptied:function(){this.renderTokenPlaceholder()},destroy:function(){this.shareOptions&&(this.shareOptions.destroy(),this.shareOptions=null),this.tokenList&&(this.tokenList.destroy(),this.tokenList=null),this.options.deck=null,this.tokens=null,this._super()}}),SL("components.decksharer").ShareOptions=Class.extend({USE_READONLY:!SL.util.device.IS_PHONE&&!SL.util.device.IS_TABLET,init:function(t,e){this.deck=t,this.options=$.extend({token:null,linkEnabled:!0,embedEnabled:!0,emailEnabled:!0},e),this.onLinkInputMouseDown=this.onLinkInputMouseDown.bind(this),this.onEmbedOutputMouseDown=this.onEmbedOutputMouseDown.bind(this),this.onEmbedStyleChanged=this.onEmbedStyleChanged.bind(this),this.onEmbedSizeChanged=this.onEmbedSizeChanged.bind(this),this.width=SL.components.decksharer.ShareOptions.DEFAULT_WIDTH,this.height=SL.components.decksharer.ShareOptions.DEFAULT_HEIGHT,this.style="",this.pageChanged=new signals.Signal,this.render(),this.generate()},render:function(){this.domElement=$('<div class="decksharer-share-options">'),this.tabsElement=$('<div class="decksharer-share-options-tabs">').appendTo(this.domElement),this.pagesElement=$('<div class="decksharer-share-options-pages">').appendTo(this.domElement),this.options.deckView?(this.tabsElement.hide(),this.renderDeckViewLink(),this.showPage(SL.components.decksharer.ShareOptions.LINK_PAGE_ID)):(this.options.linkEnabled&&this.renderLink(),this.options.embedEnabled&&this.renderEmbed(),this.options.emailEnabled&&SL.util.user.isLoggedIn()&&this.renderEmail(),this.tabsElement.find(".decksharer-share-options-tab").on("vclick",function(t){var e=$(t.currentTarget).attr("data-id");
+this.showPage(e),SL.analytics.track("Decksharer: Tab clicked",e)}.bind(this)),this.showPage(this.tabsElement.find(".decksharer-share-options-tab").first().attr("data-id")))},renderLink:function(){this.tabsElement.append('<div class="decksharer-share-options-tab" data-id="'+SL.components.decksharer.ShareOptions.LINK_PAGE_ID+'">Link</div>'),this.pagesElement.append(['<div class="decksharer-share-options-page sl-form" data-id="link">','<div class="unit link-unit">',"<label>Presentation link</label>","</div>","</div>"].join("")),this.renderLinkInput();var t=this.pagesElement.find(".decksharer-share-options-page"),e=window.Reveal&&window.Reveal.isReady()?window.Reveal.getIndices():null;e&&(e.h>0||e.v>0)&&(t.append(['<div class="unit sl-checkbox outline">','<input id="deeplink-checkbox" type="checkbox" class="deeplink-input" />','<label for="deeplink-checkbox">Link to current slide</label>',"</div>"].join("")),this.deeplinkInput=this.pagesElement.find('[data-id="link"] .deeplink-input'),this.deeplinkInput.on("change",this.onDeeplinkToggled.bind(this))),t.append(['<div class="unit sl-checkbox outline">','<input id="fullscreen-checkbox" type="checkbox" class="fullscreen-input" />','<label for="fullscreen-checkbox">Fullscreen</label>',"</div>"].join("")),this.fullscreenInput=this.pagesElement.find('[data-id="link"] .fullscreen-input'),this.fullscreenInput.on("change",this.onLinkFullscreenToggled.bind(this)),2===t.find(".sl-checkbox").length&&t.append($('<div class="half-units">').append(t.find(".sl-checkbox")))},renderLinkInput:function(){this.USE_READONLY?(this.linkInput=$('<input type="text" class="link-input" readonly="readonly" />'),this.linkInput.on("mousedown",this.onLinkInputMouseDown),this.linkInput.appendTo(this.pagesElement.find('[data-id="link"] .link-unit'))):(this.linkAnchor=$('<a href="#" class="input-field">'),this.linkAnchor.appendTo(this.pagesElement.find('[data-id="link"] .link-unit')))},renderDeckViewLink:function(){this.pagesElement.append(['<div class="decksharer-share-options-page sl-form" data-id="link">','<div class="unit link-unit">',"<label>Presentation link</label>","</div>","</div>"].join("")),"live"===this.options.deckView&&(this.pagesElement.find('[data-id="link"] .link-unit label').text("Live presentation link"),this.pagesElement.find('[data-id="link"] .link-unit').append('<p class="unit-description">This links lets viewers follow the presentation in real-time.</p>')),this.renderLinkInput()},renderEmbed:function(){this.tabsElement.append('<div class="decksharer-share-options-tab" data-id="'+SL.components.decksharer.ShareOptions.EMBED_PAGE_ID+'">Embed</div>');var t='<option value="dark" selected>Dark</option><option value="light">Light</option>';SL.current_user.privileges.hideEmbedFooter()&&(t+='<option value="hidden">Hidden</option>'),this.pagesElement.append(['<div class="decksharer-share-options-page sl-form" data-id="embed">','<div class="embed-options">','<div class="unit">',"<label>Width:</label>",'<input type="text" name="width" maxlength="4" />',"</div>",'<div class="unit">',"<label>Height:</label>",'<input type="text" name="height" maxlength="4" />',"</div>",'<div class="unit">',"<label>Footer style:</label>",'<select class="sl-select" name="style">',t,"</select>","</div>","</div>",'<textarea name="output"></textarea>',"</div>"].join("")),this.embedElement=this.pagesElement.find('[data-id="embed"]'),this.embedStyleElement=this.embedElement.find("select[name=style]"),this.embedWidthElement=this.embedElement.find("input[name=width]"),this.embedHeightElement=this.embedElement.find("input[name=height]"),this.embedOutputElement=this.embedElement.find("textarea"),this.embedStyleElement.on("change",this.onEmbedStyleChanged),this.embedWidthElement.on("input",this.onEmbedSizeChanged),this.embedHeightElement.on("input",this.onEmbedSizeChanged),this.USE_READONLY?(this.embedOutputElement.attr("readonly","readonly"),this.embedOutputElement.on("mousedown",this.onEmbedOutputMouseDown)):this.embedOutputElement.on("input",this.generate.bind(this)),this.embedWidthElement.val(this.width),this.embedHeightElement.val(this.height)},renderEmail:function(){this.tabsElement.append('<div class="decksharer-share-options-tab" data-id="'+SL.components.decksharer.ShareOptions.EMAIL_PAGE_ID+'">Email</div>'),this.pagesElement.append(['<div class="decksharer-share-options-page" data-id="email">','<div class="sl-form">','<div class="unit" data-validate="none" data-required>',"<label>From</label>",'<input type="text" class="email-from" placeholder="Your Name" maxlength="255" />',"</div>",'<div class="unit" data-validate="none" data-required>',"<label>To</label>",'<input type="text" class="email-to" placeholder="john@example.com, jane@example.com" maxlength="2500" />',"</div>",'<div class="unit text" data-validate="none" data-required>',"<label>Message</label>",'<p class="unit-description">A link to the deck is automatically included after the message.</p>','<textarea class="email-body" rows="3" maxlength="2500"></textarea>',"</div>",'<div class="submit-wrapper">','<button type="submit" class="button positive l ladda-button email-submit" data-style="zoom-out">Send</button>',"</div>","</div>",'<div class="email-success">','<div class="email-success-icon icon i-checkmark"></div>','<p class="email-success-description">Email sent!</p>',"</div>","</div>"].join("")),this.emailElement=this.pagesElement.find('[data-id="email"]'),this.emailSuccess=this.emailElement.find(".email-success"),this.emailForm=this.emailElement.find(".sl-form"),this.emailFromElement=this.emailForm.find(".email-from"),this.emailToElement=this.emailForm.find(".email-to"),this.emailBodyElement=this.emailForm.find(".email-body"),this.emailSubmitButton=this.emailForm.find(".email-submit"),this.emailFormUnits=[],this.emailForm.find(".unit[data-validate]").each(function(t,e){this.emailFormUnits.push(new SL.components.FormUnit(e))}.bind(this)),this.emailSubmitButton.on("vclick",this.onEmailSubmitClicked.bind(this)),this.emailSubmitLoader=Ladda.create(this.emailSubmitButton.get(0))},appendTo:function(t){this.domElement.appendTo(t)},showPage:function(t){this.tabsElement.find(".decksharer-share-options-tab").removeClass("is-selected"),this.pagesElement.find(".decksharer-share-options-page").removeClass("is-selected"),this.tabsElement.find('[data-id="'+t+'"]').addClass("is-selected"),this.pagesElement.find('[data-id="'+t+'"]').addClass("is-selected"),this.pageChanged.dispatch(t)},getPageID:function(){return this.tabsElement.find(".is-selected").attr("data-id")},generate:function(){var t=this.getShareURLs();if(this.embedOutputElement){var e='<iframe src="'+t.embed+'" width="'+this.width+'" height="'+this.height+'" scrolling="no" frameborder="0" webkitallowfullscreen mozallowfullscreen allowfullscreen></iframe>';this.embedOutputElement.text(e)}var i=this.fullscreenInput&&this.fullscreenInput.is(":checked")?t.fullscreen:t.show;if(this.deeplinkInput&&this.deeplinkInput.is(":checked")){var n=window.Reveal.getIndices();n.h>0&&n.v>0?i+="#/"+n.h+"/"+n.v:n.h>0&&(i+="#/"+n.h)}this.linkInput&&this.linkInput.val(i),this.linkAnchor&&this.linkAnchor.attr("href",i).text(i),this.emailElement&&(SL.current_user&&this.emailFromElement.val(SL.current_user.getNameOrSlug()),this.emailBodyElement.val(this.deck.has("title")&&"deck"!==this.deck.get("title")?'Check out this deck "'+this.deck.get("title")+'"':"Check out this deck"))},getShareURLs:function(){var t={show:this.deck.getURL({protocol:"http:",view:this.options.deckView}),fullscreen:this.deck.getURL({protocol:"http:",view:"fullscreen"}),embed:this.deck.getURL({protocol:"",view:"embed"})},e=[];return this.options.token&&this.options.token.has("token")&&e.push("token="+this.options.token.get("token")),t.show+=e.length?"?"+e.join("&"):"",t.fullscreen+=e.length?"?"+e.join("&"):"","string"==typeof this.style&&this.style.length>0&&e.push("style="+this.style),t.embed+=e.length?"?"+e.join("&"):"",t},onEmbedOutputMouseDown:function(t){t.preventDefault(),this.embedOutputElement.focus().select(),SL.analytics.track("Decksharer: Embed code selected")},onLinkInputMouseDown:function(t){t.preventDefault(),$(t.target).focus().select(),SL.analytics.track("Decksharer: URL selected")},onDeeplinkToggled:function(){this.generate(),SL.analytics.track("Decksharer: Deeplink toggled")},onLinkFullscreenToggled:function(){this.generate(),SL.analytics.track("Decksharer: URL fullscreen toggled")},onEmbedSizeChanged:function(){this.width=parseInt(this.embedWidthElement.val(),10)||1,this.height=parseInt(this.embedHeightElement.val(),10)||1,this.generate()},onEmbedStyleChanged:function(){this.style=this.embedStyleElement.val(),this.generate()},onEmailSubmitClicked:function(t){var e=this.emailFormUnits.every(function(t){return t.beforeSubmit()});if(e&&!this.emailXHR){SL.analytics.track("Decksharer: Submit email");var i=this.emailFromElement.val(),n=this.emailToElement.val(),s=this.emailBodyElement.val();this.emailSubmitLoader.start(),n=n.split(","),n=n.map(function(t){return t.trim()}),n=n.join(",");var o={deck_share:{emails:n,from:i,body:s}};this.options.token&&(o.deck_share.access_token_id=this.options.token.get("id")),this.emailXHR=$.ajax({url:SL.config.AJAX_SHARE_DECK_VIA_EMAIL(this.deck.get("id")),type:"POST",context:this,data:o}).done(function(){this.emailSuccess.addClass("visible"),setTimeout(function(){this.emailSuccess.removeClass("visible"),this.emailToElement.val(""),this.emailBodyElement.val(""),this.generate()}.bind(this),3e3),SL.analytics.track("Decksharer: Submit email success")}).fail(function(){SL.notify("Failed to send email","negative"),SL.analytics.track("Decksharer: Submit email error")}).always(function(){this.emailXHR=null,this.emailSubmitLoader.stop()})}t.preventDefault()},destroy:function(){this.pageChanged.dispose(),this.deck=null,this.domElement.remove()}}),SL.components.decksharer.ShareOptions.DEFAULT_WIDTH=576,SL.components.decksharer.ShareOptions.DEFAULT_HEIGHT=420,SL.components.decksharer.ShareOptions.LINK_PAGE_ID="link",SL.components.decksharer.ShareOptions.EMBED_PAGE_ID="embed",SL.components.decksharer.ShareOptions.EMAIL_PAGE_ID="email",SL("components.decksharer").TokenList=Class.extend({init:function(t,e){this.deck=t,this.tokens=e,this.tokenSelected=new signals.Signal,this.tokensEmptied=new signals.Signal,this.render()},render:function(){this.domElement=$('<div class="decksharer-token-list">'),this.listItems=$('<div class="decksharer-token-list-items">').appendTo(this.domElement),this.createButton=$(['<div class="decksharer-token-list-create ladda-button" data-style="zoom-out" data-spinner-color="#222">','<span class="icon i-plus"></span>',"</div>"].join("")),this.createButton.on("vclick",this.create.bind(this)),this.createButton.appendTo(this.domElement),this.createButtonLoader=Ladda.create(this.createButton.get(0)),this.tokens.forEach(this.renderToken.bind(this)),this.scrollShadow=new SL.components.ScrollShadow({parentElement:this.domElement,contentElement:this.listItems,footerElement:this.createButton,resizeContent:!1})},renderToken:function(t){var e=t.get("deck_view_count")||0,i=e+" "+SL.util.string.pluralize("view","s",1!==e),n=$(['<div class="decksharer-token-list-item" data-id="'+t.get("id")+'">','<span class="label"></span>','<div class="meta">','<span class="views">'+i+"</span>",'<span class="icon i-x delete" data-tooltip="Delete link"></span>',"</div>","</div>"].join(""));n.appendTo(this.listItems),n.on("vclick",function(e){if($(e.target).closest(".delete").length>0){SL.prompt({anchor:n,alignment:"r",title:"Are you sure you want to delete this link? It will stop working for anyone you have already shared it with.",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Delete</h3>",selected:!0,className:"negative",callback:function(){this.remove(t,n)}.bind(this)}]})}else this.select(t)}.bind(this)),this.setTokenLabel(t)},setTokenLabel:function(t,e){var i=this.listItems.find(".decksharer-token-list-item[data-id="+t.get("id")+"]");i.length&&(e||(e=t.get("name")||t.get("token")),i.find(".label").html(e))},appendTo:function(t){this.domElement.appendTo(t),this.scrollShadow.sync()},selectDefault:function(){this.select(this.tokens.first()),this.scrollShadow.sync()},select:function(t){if(t&&t!==this.selectedToken){var e=this.listItems.find(".decksharer-token-list-item[data-id="+t.get("id")+"]");e.length&&(this.listItems.find(".decksharer-token-list-item").removeClass("is-selected"),e.addClass("is-selected"),this.tokenSelected.dispatch(t),this.selectedToken=t)}},create:function(t){var e=0===this.tokens.size();t&&this.createButtonLoader.start(),SL.data.tokens.create(this.deck.get("id")).then(function(t){SL.analytics.track(e?"Decksharer: Created first token":"Decksharer: Created additional token"),this.renderToken(t),this.select(t),this.createButtonLoader.stop(),this.scrollShadow.sync()}.bind(this),function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),this.createButtonLoader.stop()}.bind(this))},remove:function(t,e){t.destroy().fail(function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}.bind(this)).done(function(){SL.util.anim.collapseListItem(e,function(){e.remove(),this.scrollShadow.sync()}.bind(this),300),this.tokens.remove(t),this.selectedToken===t&&(this.selectedToken=null,this.selectDefault()),0===this.tokens.size()&&this.tokensEmptied.dispatch(),SL.analytics.track("Decksharer: Deleted token")}.bind(this))},destroy:function(){this.createButtonLoader&&this.createButtonLoader.stop(),this.scrollShadow&&this.scrollShadow.destroy(),this.tokens=null,this.domElement.remove()}}),SL("components.decksharer").TokenOptions=Class.extend({init:function(t,e,i){this.deck=t,this.token=e,this.options=i,this.tokenRenamed=new signals.Signal,this.render(),this.bind()},render:function(){this.domElement=$('<div class="decksharer-token-options">'),this.innerElement=$('<div class="sl-form decksharer-token-options-inner">'),this.innerElement.appendTo(this.domElement),this.namePasswordElement=$('<div class="split-units">'),this.namePasswordElement.appendTo(this.innerElement),this.nameUnit=$(['<div class="unit">','<label class="form-label" for="token-name">Name</label>','<p class="unit-description">So you can tell your links apart.</p>','<input class="input-field" type="text" id="token-name" maxlength="255" />',"</div>"].join("")),this.nameUnit.appendTo(this.namePasswordElement),this.nameInput=this.nameUnit.find("input"),this.nameInput.val(this.token.get("name")),this.passwordUnit=$(['<div class="unit">','<label class="form-label" for="token-password">Password<span class="optional-label">(optional)</span></label>','<p class="unit-description">Viewers need to enter this.</p>','<input class="input-field" type="password" id="token-password" placeholder="&bull;&bull;&bull;&bull;&bull;&bull;" maxlength="255" />',"</div>"].join("")),this.passwordUnit.appendTo(this.namePasswordElement),this.passwordInput=this.passwordUnit.find("input"),this.passwordInput.val(this.token.get("password")),this.saveWrapper=$(['<div class="save-wrapper">','<button class="button l save-button ladda-button" data-style="expand-left" data-spinner-size="26">Save changes</button>',"</div>"].join("")),this.saveWrapper.appendTo(this.innerElement),this.saveButton=this.saveWrapper.find(".button"),this.saveButtonLoader=Ladda.create(this.saveButton.get(0)),this.shareOptions=new SL.components.decksharer.ShareOptions(this.deck,$.extend(this.options,{token:this.token})),this.shareOptions.appendTo(this.domElement)},bind:function(){this.saveChanges=this.saveChanges.bind(this),this.nameInput.on("input",this.onNameInput.bind(this)),this.passwordInput.on("input",this.onPasswordInput.bind(this)),this.saveButton.on("click",this.saveChanges)},appendTo:function(t,e){this.domElement.appendTo(t),e||SL.util.dom.calculateStyle(this.domElement),this.domElement.addClass("visible")},checkUnsavedChanges:function(){var t=this.token.get("name")||"",e=this.token.get("password")||"",i=this.nameInput.val(),n=this.passwordInput.val(),s=n!==e||i!==t;this.domElement.toggleClass("is-unsaved",s)},saveChanges:function(){this.nameInput.val()?(this.token.set("name",this.nameInput.val()),this.token.set("password",this.passwordInput.val()),this.saveButtonLoader.start(),this.token.save(["name","password"]).fail(function(){this.saveButtonLoader.stop(),SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}.bind(this)).done(function(){this.saveButtonLoader.stop(),this.domElement.removeClass("is-unsaved")}.bind(this))):SL.notify("Please give the link a name","negative")},onNameInput:function(){this.tokenRenamed.dispatch(this.token,this.nameInput.val()),this.checkUnsavedChanges()},onPasswordInput:function(){this.checkUnsavedChanges()},destroy:function(){this.tokenRenamed.dispatch(this.token),this.tokenRenamed.dispose(),this.shareOptions&&(this.shareOptions.destroy(),this.shareOptions=null),this.saveButtonLoader&&this.saveButtonLoader.stop(),this.deck=null,this.token=null,this.domElement.addClass("hidden"),setTimeout(this.domElement.remove.bind(this.domElement),500)}}),SL("components.form").Autocomplete=Class.extend({init:function(t,e,i){this.inputElement=t,this.searchMethod=e,this.confirmed=new signals.Signal,this.config=$.extend({offsetY:0,offsetX:0,className:null},i),this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-autocomplete">'),this.config.className&&this.domElement.addClass(this.config.className)},bind:function(){this.onDocumentKeydown=this.onDocumentKeydown.bind(this),this.showSuggestions=this.showSuggestions.bind(this),this.hideSuggestions=this.hideSuggestions.bind(this),this.layout=$.throttle(this.layout,500,this),this.onInput=$.throttle(this.onInput,500,this),this.inputElement.on("input",this.onInput),this.inputElement.on("focus",this.onInput),this.inputElement.on("blur",this.hideSuggestions),this.domElement.on("mousedown",this.onClick.bind(this))},layout:function(){var t=this.inputElement.get(0).getBoundingClientRect();this.domElement.css({top:t.bottom+this.config.offsetY,left:t.left+this.config.offsetX,width:t.width})},showSuggestions:function(t){var e=t.map(function(t,e){var i="sl-autocomplete-item"+(0===e?" focus":"");return"string"==typeof t&&(t={value:t,label:t}),'<div class="'+i+'" data-value="'+t.value+'">'+t.label+"</div>"});this.domElement.html(e.join("")),this.domElement.appendTo(document.body),this.layout(),$(window).on("resize",this.layout),SL.keyboard.keydown(this.onDocumentKeydown)},hideSuggestions:function(){this.domElement.detach(),$(window).off("resize",this.layout),SL.keyboard.release(this.onDocumentKeydown)},focus:function(t){var e=this.domElement.find(".focus");e.length||(e=this.domElement.find(".sl-autocomplete-item").first(),e.addClass("focus"));var i=t>0?e.next(".sl-autocomplete-item"):e.prev(".sl-autocomplete-item");i.length&&(e.removeClass("focus"),i.addClass("focus"))},setValue:function(t){this.inputElement.val(t),this.confirmed.dispatch(t)},getFocusedValue:function(){return this.domElement.find(".focus").attr("data-value")},destroy:function(){this.confirmed.dispose(),this.inputElement.off("input",this.onInput),this.hideSuggestions()},onInput:function(){this.searchMethod(this.inputElement.val()).then(function(t){t.length>0?this.inputElement.is(":focus")&&this.showSuggestions(t):this.hideSuggestions()}.bind(this),function(){this.hideSuggestions()}.bind(this))},onClick:function(t){var e=$(t.target).closest(".sl-autocomplete-item");e.length&&(this.setValue(e.attr("data-value")),this.hideSuggestions())},onDocumentKeydown:function(t){return 27===t.keyCode?(this.hideSuggestions(),!1):13===t.keyCode||9===t.keyCode?(this.setValue(this.getFocusedValue()),this.hideSuggestions(),!1):38===t.keyCode?(this.focus(-1),!1):40===t.keyCode?(this.focus(1),!1):!0}}),SL("components.form").Scripts=Class.extend({init:function(t){this.domElement=$(t),this.render(),this.readValues(),this.renderList()},render:function(){this.valueElement=this.domElement.find(".value-holder"),this.listElement=$('<ul class="list">'),this.listElement.delegate("li .remove","click",this.onListItemRemove.bind(this)),this.listElement.appendTo(this.domElement),this.inputWrapper=$('<div class="input-wrapper"></div>').appendTo(this.domElement),this.inputElement=$('<input type="text" placeholder="https://...">'),this.inputElement.on("keyup",this.onInputKeyUp.bind(this)),this.inputElement.appendTo(this.inputWrapper),this.submitElement=$('<div class="button outline">Add</div>'),this.submitElement.on("click",this.submitInput.bind(this)),this.submitElement.appendTo(this.inputWrapper),this.domElement.parents("form").first().on("submit",this.onFormSubmit.bind(this))},renderList:function(){this.listElement.empty(),this.values.forEach(function(t){this.listElement.append(['<li class="list-item" data-value="'+t+'">',t,'<span class="icon i-x remove"></span>',"</li>"].join(""))}.bind(this))},formatValues:function(){for(var t=0;t<this.values.length;t++)this.values[t]=SL.util.string.trim(this.values[t]),""===this.values[t]&&this.values.splice(t,1)},readValues:function(){this.values=(this.valueElement.val()||"").split(","),this.formatValues()},writeValues:function(){this.formatValues(),this.valueElement.val(this.values.join(","))},addValue:function(t){return t=t||"",0===t.search(/https\:\/\//gi)?(this.values.push(t),this.renderList(),this.writeValues(),!0):0===t.search(/http\:\/\//gi)?(SL.notify("Script must be loaded via HTTPS","negative"),!1):(SL.notify("Please enter a valid script URL","negative"),!1)},removeValue:function(t){if("string"==typeof t)for(var e=0;e<this.values.length;e++)this.values[e]===t&&this.values.splice(e,1);else"number"==typeof t&&this.values.splice(t,1);this.renderList(),this.writeValues()},submitInput:function(){this.addValue(this.inputElement.val())&&this.inputElement.val("")},onListItemRemove:function(t){var e=$(t.target).parent().index();"number"==typeof e&&this.removeValue(e)},onInputKeyUp:function(t){13===t.keyCode&&this.submitInput()},onFormSubmit:function(t){return this.inputElement.is(":focus")?(t.preventDefault(),!1):void 0}}),SL("components").FormUnit=Class.extend({init:function(t){this.domElement=$(t),this.inputElement=this.domElement.find("input, textarea").first(),this.errorElement=$('<div class="status error">'),this.errorIcon=$('<span class="icon">!</span>').appendTo(this.errorElement),this.errorMessage=$('<p class="message">!</p>').appendTo(this.errorElement),this.successText=this.domElement.attr("data-success-text"),this.successElement=$('<div class="status success">'),this.successIcon=$('<span class="icon i-checkmark"></span>').appendTo(this.successElement),this.successIcon.attr("data-tooltip",this.successText),this.validateType=this.domElement.attr("data-validate"),this.validateTimeout=-1,this.originalValue=this.inputElement.val(),this.originalError=this.domElement.attr("data-error-message"),this.asyncValidatedValue=null,this.clientErrors=[],this.serverErrors=[],this.inputElement.on("input",this.onInput.bind(this)),this.inputElement.on("change",this.onInputChange.bind(this)),this.inputElement.on("focus",this.onInputFocus.bind(this)),this.inputElement.on("blur",this.onInputBlur.bind(this)),this.inputElement.on("invalid",this.onInputInvalid.bind(this)),this.domElement.parents("form").first().on("submit",this.onFormSubmit.bind(this)),this.originalError?(this.domElement.removeClass("hidden"),this.validate(),this.inputElement.focus()):this.render(),this.domElement.data("controller",this)},validate:function(t){clearTimeout(this.validateTimeout);var e=this.inputElement.val();if("string"!=typeof e)return this.serverErrors=[],this.clientErrors=[],void this.render();if(e===this.originalValue&&(this.originalValue||"password"===this.validateType)&&this.originalError)this.clientErrors=[this.originalError];else if(e.length){var i=SL.util.validate[this.validateType];"function"==typeof i?this.clientErrors=i(e):console.log('Could not find validation method of type "'+this.validateType+'"')}else this.clientErrors=[],t&&this.isRequired()&&this.clientErrors.push(SL.locale.FORM_ERROR_REQUIRED);return this.validateAsync(),this.render(),0===this.clientErrors.length&&0===this.serverErrors.length},validateAsync:function(){if("username"===this.validateType){var t=SLConfig&&SLConfig.current_user?SLConfig.current_user.username:"",e=this.inputElement.val();0===SL.util.validate.username(e).length&&(t&&e===t?(this.asyncValidatedValue=t,this.serverErrors=[]):e!==this.asyncValidatedValue&&$.ajax({url:SL.config.AJAX_LOOKUP_USER,type:"GET",data:{id:e},context:this,statusCode:{204:function(){this.serverErrors=[SL.locale.get("FORM_ERROR_USERNAME_TAKEN")]},404:function(){this.serverErrors=[]}}}).complete(function(){this.render(),this.asyncValidatedValue=e}))}else if("team_slug"===this.validateType){var i=SL.current_team?SL.current_team.get("slug"):"",n=this.inputElement.val();0===SL.util.validate.team_slug(n).length&&(i&&n===i?(this.asyncValidatedValue=i,this.serverErrors=[]):n!==this.asyncValidatedValue&&$.ajax({url:SL.config.AJAX_LOOKUP_TEAM,type:"GET",data:{id:n},context:this,statusCode:{204:function(){this.serverErrors=[SL.locale.get("FORM_ERROR_ORGANIZATION_SLUG_TAKEN")]},404:function(){this.serverErrors=[]}}}).complete(function(){this.render(),this.asyncValidatedValue=n}))}},validateAfterTimeout:function(){if(clearTimeout(this.validateTimeout),!SL.util.device.IS_PHONE&&!SL.util.device.IS_TABLET){var t=600;(this.clientErrors.length||this.serverErrors.length)&&(t=300),this.validateTimeout=setTimeout(this.validate.bind(this),t)}},render:function(){var t=this.serverErrors.concat(this.clientErrors);this.domElement.toggleClass("has-error",t.length>0),t.length>0?(this.errorElement.appendTo(this.domElement),this.errorMessage.text(t[0]),setTimeout(function(){this.errorElement.addClass("visible")}.bind(this),1)):this.errorElement.removeClass("visible").remove(),0===t.length&&!this.isEmpty()&&this.successText?(this.successElement.appendTo(this.domElement),setTimeout(function(){this.successElement.addClass("visible")}.bind(this),1)):this.successElement.removeClass("visible").remove()},format:function(){if("username"===this.validateType||"team_slug"===this.validateType){var t=this.inputElement.val();t&&this.inputElement.val(this.inputElement.val().toLowerCase())}if("url"===this.validateType){var t=this.inputElement.val();t&&t.length>2&&/^http(s?):\/\//gi.test(t)===!1&&this.inputElement.val("http://"+t)}},focus:function(){this.inputElement.focus()},beforeSubmit:function(){return this.validate(!0),this.clientErrors.length>0||this.serverErrors.length>0?(this.focus(),!1):!0},renderImage:function(){var t=this.inputElement.get(0);if(t.files&&t.files[0]){var e=new FileReader;e.onload=function(t){var e=this.domElement.find("img"),i=t.target.result;e.length?e.attr("src",i):$('<img src="'+i+'">').appendTo(this.domElement.find(".image-uploader"))}.bind(this),e.readAsDataURL(t.files[0])}},isEmpty:function(){return 0===this.inputElement.val().length},isRequired:function(){return!this.domElement.hasClass("hidden")&&this.domElement.is("[data-required]")},isUnchanged:function(){return this.inputElement.val()===this.originalValue},onInput:function(){this.validateAfterTimeout()},onInputChange:function(t){this.domElement.hasClass("image")&&this.renderImage(t.target),this.validate()},onInputFocus:function(){this.domElement.addClass("focused")},onInputBlur:function(){this.format(),this.domElement.removeClass("focused")},onInputInvalid:function(){return this.beforeSubmit()},onFormSubmit:function(t){return this.beforeSubmit()===!1?(t.preventDefault(),!1):void 0}}),SL("components").Header=Class.extend({init:function(){this.domElement=$(".global-header"),this.renderLogo(),this.renderDropdown(),this.bind()},renderLogo:function(){if("/"===window.location.pathname){var t=this.domElement.find(".logo-animation");t.length&&new SL.components.Menu({anchor:t,anchorSpacing:10,alignment:"b",showOnHover:!0,options:[{label:"Download logo",url:SL.routes.BRAND_KIT}]})}},renderDropdown:function(){this.dropdown=SL.components.Header.createMainMenu(this.domElement.find(".profile-button .nav-item-anchor"))},bind:function(){this.domElement.hasClass("show-on-scroll")&&($(document).on("mousemove",this.onDocumentMouseMove.bind(this)),$(window).on("scroll",this.onWindowScroll.bind(this)))},onWindowScroll:function(){this.isScrolledDown=$(window).scrollTop()>30,this.domElement.toggleClass("show",this.isScrolledDown)},onDocumentMouseMove:function(t){if(!this.isScrolledDown){var e=t.clientY;e>0&&(20>e&&!this.isMouseOver?(this.domElement.addClass("show"),this.isMouseOver=!0):e>80&&this.isMouseOver&&0===$(t.target).parents(".global-header").length&&(this.domElement.removeClass("show"),this.isMouseOver=!1))}}}),SL.components.Header.createMainMenu=function(t){var e=[{label:"Profile",icon:"home",url:SL.routes.USER(SL.current_user.get("username"))},{label:"New deck",icon:"plus",url:SL.routes.DECK_NEW(SL.current_user.get("username"))}];if(SL.current_user.isEnterpriseManager()){e.push({label:"Themes",icon:"brush",url:SL.routes.THEME_EDITOR});var i={label:"Settings",icon:"cog",url:SL.routes.USER_EDIT};SL.current_team&&(i.submenu=[{label:"Account settings",url:SL.routes.USER_EDIT},{label:"Team settings",url:SL.routes.TEAM_EDIT(SL.current_team)},{label:"Team members",url:SL.routes.TEAM_EDIT_MEMBERS(SL.current_team)}],SL.current_team.isManuallyUpgraded()||i.submenu.push({label:"Billing details",url:SL.routes.BILLING_DETAILS})),e.push(i)}else e.push({label:"Settings",icon:"cog",url:SL.routes.USER_EDIT});SL.current_user.isManuallyUpgraded()||SL.current_user.isEnterprise()||e.push(SL.current_user.isPaid()?{label:"Billing",icon:"credit",url:SL.routes.BILLING_DETAILS}:{label:"Upgrade",icon:"star",url:SL.routes.PRICING});var n=$(".global-header .nav-item-changelog");return n.length&&(e.push({label:"What's new",url:SL.routes.CHANGELOG,iconHTML:'<span class="counter"><span class="counter-inner">'+n.attr("data-unread-count")+"</span></span>"}),t.find(".nav-item-burger").append('<span class="changelog-indicator"></span>'),t.one("mouseover",function(){$(this).find(".changelog-indicator").remove()})),e.push({label:"Log out",icon:"exit",url:SL.routes.SIGN_OUT,attributes:{rel:"nofollow","data-method":"delete"}}),new SL.components.Menu({anchor:t,anchorSpacing:10,alignment:"auto",minWidth:160,showOnHover:!0,options:e})},SL("components").Kudos=function(){function t(){$("[data-kudos-value][data-kudos-id]").each(function(t,e){var i=e.getAttribute("data-kudos-id");i&&!a[i]&&(a[i]=e.getAttribute("data-kudos-value"))}.bind(this)),$(".kudos-trigger[data-kudos-id]").on("click",function(t){var n=t.currentTarget;"true"===n.getAttribute("data-kudoed-by-user")?i(n.getAttribute("data-kudos-id")):e(n.getAttribute("data-kudos-id"))}.bind(this))}function e(t){n(t),$.ajax({type:"POST",url:SL.config.AJAX_KUDO_DECK(t),context:this}).fail(function(){s(t),SL.notify(SL.locale.get("GENERIC_ERROR"))})}function i(t){s(t),$.ajax({type:"DELETE",url:SL.config.AJAX_UNKUDO_DECK(t),context:this}).fail(function(){n(t),SL.notify(SL.locale.get("GENERIC_ERROR"))})}function n(t){var e=$('.kudos-trigger[data-kudos-id="'+t+'"]');e.attr("data-kudoed-by-user","true"),a[t]++,o(t,a[t]);var i=e.find(".kudos-icon");i.length&&(i.removeClass("bounce"),setTimeout(function(){i.addClass("bounce")},1))}function s(t){var e=$('.kudos-trigger[data-kudos-id="'+t+'"]');e.attr("data-kudoed-by-user","false"),a[t]--,o(t,a[t]),e.find(".kudos-icon").removeClass("bounce")}function o(t,e){"number"==typeof a[t]&&("number"==typeof e&&(a[t]=e),e=Math.max(a[t],0),$("[data-kudos-id][data-kudos-value]").each(function(t,i){i.setAttribute("data-kudos-value",e)}))}var a={};t()}(),SL("components.medialibrary").Filters=Class.extend({init:function(t,e,i){this.options=$.extend({editable:!0},i),this.media=t,this.media.changed.add(this.onMediaChanged.bind(this)),this.tags=e,this.tags.changed.add(this.onTagsChanged.bind(this)),this.tags.associationChanged.add(this.onTagAssociationChanged.bind(this)),this.filterChanged=new signals.Signal,this.onSearchInput=$.throttle(this.onSearchInput,300),this.render(),this.recount(),this.selectDefaultFilter(!0)},render:function(){this.domElement=$('<div class="media-library-filters">'),this.domElement.toggleClass("editable",this.options.editable),this.innerElement=$('<div class="media-library-filters-inner">').appendTo(this.domElement),this.scrollElement=this.innerElement,this.renderSearch(),this.renderTypes(),this.renderTags()},renderTypes:function(){this.renderType(SL.models.Media.IMAGE.id,function(){return!0},"All Images","All Images")},renderType:function(t,e,i,n){var s=$(['<div class="media-library-filter media-library-type-filter">','<span class="label">'+i+"</span>",'<span class="count"></span>',"</div>"].join(""));return s.attr({"data-id":t,"data-label":i,"data-exclusive-label":n}),s.on("vclick",this.onFilterClicked.bind(this)),s.data("filter",e),s.appendTo(this.innerElement),s
+},renderTags:function(){this.tagsElement=$(['<div class="media-library-tags media-drop-area">','<div class="tags-list"></div>',"</div>"].join("")),this.tagsElement.appendTo(this.innerElement),this.tagsList=this.tagsElement.find(".tags-list"),this.options.editable&&(this.tagsElement.append(['<div class="tags-create">','<div class="tags-create-inner ladda-button" data-style="expand-right" data-spinner-color="#666" data-spinner-size="28">New tag</div>',"</div>"].join("")),this.tagsElement.find(".tags-create").on("vclick",this.onCreateTagClicked.bind(this)),this.tagsCreateLoader=Ladda.create(this.tagsElement.find(".tags-create-inner").get(0))),this.tags.forEach(this.renderTag.bind(this)),this.sortTags()},renderTag:function(t){var e=$(['<div class="media-library-filter media-drop-target" data-id="'+t.get("id")+'">','<div class="front">','<span class="label-output">'+t.get("name")+"</span>",'<div class="controls-out">','<span class="count"></span>',"</div>","</div>","</div>","</div>"].join(""));return e.on("vclick",this.onTagClicked.bind(this)),e.data({model:t,filter:t.createFilter()}),this.options.editable?(e.find(".front").append(['<div class="controls-over">','<span class="controls-button edit-button">Edit</span>',"</div>"].join("")),e.append(['<div class="back">','<input class="label-input" value="'+t.get("name")+'" type="text">','<div class="controls">','<span class="controls-button delete-button negative icon i-trash-stroke"></span>','<span class="controls-button save-button">Save</span>',"</div>","</div>"].join("")),e.data("dropReceiver",function(e){this.tags.addTagTo(t,e)}.bind(this))):e.find(".controls-out").removeClass("controls-out").addClass("controls-permanent"),e.appendTo(this.tagsList),e},renderSearch:function(){this.searchElement=$(['<div class="media-library-filter media-library-search-filter" data-id="search">','<input class="search-input" type="text" placeholder="Search..." maxlength="50" />',"</div>"].join("")),this.searchElement.on("vclick",this.onSearchClicked.bind(this)),this.searchElement.data("filter",function(){return!1}),this.searchElement.appendTo(this.innerElement),this.searchInput=this.searchElement.find(".search-input"),this.searchInput.on("input",this.onSearchInput.bind(this))},recount:function(t){t=t||this.domElement.find(".media-library-filter"),t.each(function(t,e){var i=$(e),n=i.find(".count");n.length&&n.text(this.media.filter(i.data("filter")).length)}.bind(this))},appendTo:function(t){this.domElement.appendTo(t)},selectFilter:function(t,e){var i=this.domElement.find('.media-library-filter[data-id="'+t+'"]');this.domElement.find(".is-selected").removeClass("is-selected"),i.addClass("is-selected"),this.selectedFilter=i.data("filter"),this.selectedFilterData={},i.closest(this.tagsList).length?(this.selectedFilterData.type=SL.components.medialibrary.Filters.FILTER_TYPE_TAG,this.selectedFilterData.tag=i.data("model"),this.selectedFilterData.placeholder="No media has been added to this tag",this.options.editable&&(this.selectedFilterData.placeholder="This tag is empty. To add media, drag and drop it onto the tag in the sidebar.")):(this.selectedFilterData.type=SL.components.medialibrary.Filters.FILTER_TYPE_MEDIA,this.selectedFilterData.placeholder="There is no media of this type"),e||this.filterChanged.dispatch(this.selectedFilter,this.selectedFilterData)},selectDefaultFilter:function(t){this.selectFilter(this.domElement.find(".media-library-filter:not(.media-library-search-filter)").first().attr("data-id"),t)},showAllTypes:function(){this.domElement.find(".media-library-type-filter").each(function(){var t=$(this);t.css("display",""),t.find(".label").text(t.attr("data-label"))})},hideAllTypesExcept:function(t){this.domElement.find(".media-library-type-filter").each(function(){var e=$(this);e.attr("data-id")===t?(e.css("display",""),e.find(".label").text(e.attr("data-exclusive-label"))):(e.css("display","none"),e.find(".label").text(e.attr("data-label")))})},startEditingTag:function(t,e){if(this.tagsList.find(".is-editing").length)return!1;var i=(t.data("model"),t.find(".label-input"));this.domElement.addClass("is-editing"),e===!0&&(t.addClass("collapsed"),t.find(".label-output").empty(),setTimeout(function(){t.removeClass("collapsed")},1),this.scrollElement.animate({scrollTop:t.prop("offsetTop")+80-this.scrollElement.height()},300)),t.addClass("is-editing");var n=this.scrollElement.prop("scrollTop");i.focus().select(),this.scrollElement.prop("scrollTop",n),i.on("keydown",function(e){13===e.keyCode&&(e.preventDefault(),this.stopEditingTag(t))}.bind(this))},stopEditingTag:function(t,e){var i=t.data("model"),n=t.find(".label-input"),s=t.find(".label-output");this.domElement.removeClass("is-editing");var o=n.val();o&&!e&&(i.set("name",o),i.save(["name"])),s.text(i.get("name")),n.off("keydown"),setTimeout(function(){t.removeClass("is-editing")},1)},sortTags:function(){var t=this.tagsList.find(".media-library-filter").toArray();t.sort(function(t,e){return t=$(t).data("model").get("name").toLowerCase(),e=$(e).data("model").get("name").toLowerCase(),e>t?-1:t>e?1:0}),t.forEach(function(t){$(t).appendTo(this.tagsList)}.bind(this))},getTagElementByID:function(t){return this.tagsList.find('.media-library-filter[data-id="'+t+'"]')},confirmTagRemoval:function(t){var e=t.data("model");SL.prompt({anchor:t.find(".delete-button"),title:SL.locale.get("MEDIA_TAG_DELETE_CONFIRM"),type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Delete</h3>",selected:!0,className:"negative",callback:function(){SL.analytics.trackEditor("Media: Delete tag"),e.destroy().done(function(){this.domElement.removeClass("is-editing"),this.tags.remove(e),SL.notify(SL.locale.get("MEDIA_TAG_DELETE_SUCCESS"))}.bind(this)).fail(function(){SL.notify(SL.locale.get("MEDIA_TAG_DELETE_ERROR"),"negative")}.bind(this))}.bind(this)}]})},getSelectedFilterData:function(){return this.selectedFilterData},destroy:function(){this.filterChanged.dispose(),this.domElement.remove()},onMediaChanged:function(){this.recount()},onTagsChanged:function(t,e){t&&t.length&&t.forEach(function(t){this.startEditingTag(this.renderTag(t),!0)}.bind(this)),e&&e.length&&e.forEach(function(t){var e=this.tagsElement.find('[data-id="'+t.get("id")+'"]');this.stopEditingTag(e,!0),e.css({height:0,padding:0,opacity:0}),setTimeout(function(){e.remove()},300),e.hasClass("is-selected")&&this.selectDefaultFilter()}.bind(this))},onTagAssociationChanged:function(t){this.recount(this.getTagElementByID(t.get("id")))},onFilterClicked:function(t){this.selectFilter($(t.currentTarget).attr("data-id"))},onCreateTagClicked:function(){this.tagsCreateLoader.start(),this.tags.create().then(function(t){this.recount(this.getTagElementByID(t.get("id"))),this.tagsCreateLoader.stop()}.bind(this),function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),this.tagsCreateLoader.stop()}.bind(this)),SL.analytics.trackEditor("Media: Create tag")},onTagClicked:function(t){var e=$(t.target),i=e.closest(".media-library-filter");i.length&&(e.closest(".edit-button").length?this.startEditingTag(i):e.closest(".save-button").length?this.stopEditingTag(i):e.closest(".delete-button").length?this.confirmTagRemoval(i):i.hasClass("is-editing")||this.onFilterClicked(t))},onSearchClicked:function(){this.selectFilter(this.searchElement.attr("data-id"),!0),this.searchInput.focus(),this.onSearchInput(),SL.analytics.trackEditor("Media: Search clicked")},onSearchInput:function(){var t=this.searchInput.val();this.selectedFilter=this.media.createSearchFilter(t),this.selectedFilterData={type:SL.components.medialibrary.Filters.FILTER_TYPE_SEARCH,placeholder:"Please enter a search term"},this.searchElement.data("filter",this.selectedFilter),t.length>0&&(this.selectedFilterData.placeholder='No results for "'+t+'"'),this.filterChanged.dispatch(this.selectedFilter,this.selectedFilterData)}}),SL.components.medialibrary.Filters.FILTER_TYPE_MEDIA="media",SL.components.medialibrary.Filters.FILTER_TYPE_TAG="tag",SL.components.medialibrary.Filters.FILTER_TYPE_SEARCH="search",SL("components.medialibrary").ListDrag=Class.extend({init:function(){this.items=[],this.onMouseMove=this.onMouseMove.bind(this),this.onMouseUp=this.onMouseUp.bind(this)},reset:function(){this.items=[],this.ghostElement&&this.ghostElement.remove(),this.currentDropTarget=null,$(".media-drop-target").removeClass("drag-over"),$(".media-drop-area").removeClass("media-drop-area-active"),$(document).off("vmousemove",this.onMouseMove),$(document).off("vmouseup",this.onMouseUp)},startDrag:function(t,e,i){this.items=i;var n=e.offset();this.ghostOffset={x:n.left-t.clientX,y:n.top-t.clientY},this.ghostWidth=e.width(),this.ghostHeight=e.height(),this.ghostElement=$('<div class="media-library-drag-ghost">'),this.ghostElement.css({border:e.css("border"),backgroundImage:e.css("background-image"),backgroundSize:e.css("background-size"),backgroundPosition:e.css("background-position"),width:this.ghostWidth,height:this.ghostHeight,marginLeft:this.ghostOffset.x,marginTop:this.ghostOffset.y}),this.ghostElement.appendTo(document.body),i.length>1&&(this.ghostElement.append('<span class="count">'+i.length+"</span>"),this.ghostElement.attr("data-depth",Math.min(i.length,3))),this.dropTargets=$(".media-drop-target"),$(".media-drop-area").addClass("media-drop-area-active"),$(document).on("vmousemove",this.onMouseMove),$(document).on("vmouseup",this.onMouseUp)},stopDrag:function(){this.reset()},onMouseMove:function(t){t.preventDefault();var e=t.clientX,i=t.clientY,n="translate("+e+"px,"+i+"px)";this.ghostElement.css({webkitTransform:n,transform:n}),this.currentDropTarget=null,this.dropTargets.each(function(t,n){var s=$(n),o=n.getBoundingClientRect();e>o.left&&e<o.right&&i>o.top&&i<o.bottom?(s.addClass("drag-over"),this.currentDropTarget=s):s.removeClass("drag-over")}.bind(this))},onMouseUp:function(t){if(t.preventDefault(),this.currentDropTarget){this.currentDropTarget.data("dropReceiver").call(null,this.items),SL.analytics.trackEditor("Media: Drop items on tag");var e=this.ghostElement,i=this.currentDropTarget.get(0).getBoundingClientRect(),n=i.left+(i.width-this.ghostWidth)/2-this.ghostOffset.x,s=i.top+(i.height-this.ghostHeight)/2-this.ghostOffset.y,o="translate("+n+"px,"+s+"px) scale(0.2)";e.css({webkitTransition:"all 0.2s ease",transition:"all 0.2s ease",webkitTransform:o,transform:o,opacity:0}),setTimeout(function(){e.remove()},500),this.ghostElement=null}this.stopDrag()}}),SL("components.medialibrary").List=Class.extend({init:function(t,e,i){this.options=$.extend({editable:!0},i),this.media=t,this.media.changed.add(this.onMediaChanged.bind(this)),this.tags=e,this.tags.associationChanged.add(this.onTagAssociationChanged.bind(this)),this.items=[],this.filteredItems=[],this.selectedItems=new SL.collections.Collection,this.overlayPool=[],this.itemSelected=new signals.Signal,this.drag=new SL.components.medialibrary.ListDrag,this.render(),this.bind()},render:function(){this.domElement=$('<div class="media-library-list">'),this.trayElement=$(['<div class="media-library-tray">','<div class="status"></div>','<div class="button negative delete-button">Delete</div>','<div class="button outline white untag-button">Remove tag</div>','<div class="button outline white clear-button">Clear selection</div>',"</div>"].join("")),this.placeholderElement=$(['<div class="media-library-list-placeholder">',"Empty","</div>"].join("")),this.media.forEach(this.addItem.bind(this)),this.filteredItems=this.items},bind:function(){if(this.loadItemsInView=$.throttle(this.loadItemsInView,200),this.onMouseMove=this.onMouseMove.bind(this),this.onMouseUp=this.onMouseUp.bind(this),this.domElement.on("scroll",this.onListScrolled.bind(this)),this.trayElement.find(".delete-button").on("vclick",this.onDeleteSelectionClicked.bind(this)),this.trayElement.find(".untag-button").on("vclick",this.onUntagSelectionClicked.bind(this)),this.trayElement.find(".clear-button").on("vclick",this.onClearSelectionClicked.bind(this)),SL.util.device.IS_PHONE||SL.util.device.IS_TABLET){var t=new Hammer(this.domElement.get(0));t.on("tap",this.onMouseUp),t.on("press",function(t){var e=$(t.target).closest(".media-library-list-item").data("item");e&&(this.lastSelectedItem=e,this.toggleSelection(e)),t.preventDefault()}.bind(this))}else this.domElement.on("vmousedown",this.onMouseDown.bind(this))},layout:function(){var t=$(".media-library-list-item").first();this.cellWidth=t.outerWidth(!0),this.cellHeight=t.outerHeight(!0),this.columnCount=Math.floor(this.domElement.outerWidth()/this.cellWidth)},appendTo:function(t){this.domElement.appendTo(t),this.trayElement.appendTo(t),this.placeholderElement.appendTo(t),this.layout(),this.loadItemsInView()},addItem:function(t,e,i){var n=$('<div class="media-library-list-item"></div>'),s={model:t,element:n,elementNode:n.get(0),selected:!1,visible:!0};n.data("item",s),e===!0?(n.prependTo(this.domElement),this.items.unshift(s)):(n.appendTo(this.domElement),this.items.push(s)),i===!0&&(n.addClass("has-intro hidden"),setTimeout(function(){n.removeClass("hidden")},1))},removeItem:function(t){for(var e=this.items.length;--e>=0;){var i=this.items[e];i.model===t&&(i.model=null,i.element.remove(),this.items.splice(e,1))}},setPrimaryFilter:function(t){this.filterA=t,this.applyFilter()},clearPrimaryFilter:function(){this.filterA=null,this.applyFilter()},setSecondaryFilter:function(t,e){this.clearSelection(),this.filterB=t,this.filterBData=e,this.applyFilter(),this.setPlaceholderContent(e.placeholder),this.afterSelectionChange()},clearSecondaryFilter:function(){this.filterB=null,this.filterBData=null,this.applyFilter(),this.setPlaceholderContent("Empty")},applyFilter:function(){this.filteredItems=[];for(var t=0,e=this.items.length;e>t;t++){var i=this.items[t];this.filterA&&!this.filterA(i.model)||this.filterB&&!this.filterB(i.model)?(i.elementNode.style.display="none",i.visible=!1,this.detachOverlay(i)):(this.filteredItems.push(i),i.visible=!0,i.elementNode.style.display="")}this.domElement.scrollTop(0),this.loadItemsInView(),this.placeholderElement.toggleClass("visible",0===this.filteredItems.length)},loadItemsInView:function(){if(SL.tooltip.isVisible()&&SL.tooltip.hide(),this.filteredItems.length)for(var t,e,i=this.domElement.scrollTop(),n=100,s=this.domElement.outerHeight(),o=0,a=this.filteredItems.length;a>o;o++)t=this.filteredItems[o],e=Math.floor(o/this.columnCount)*this.cellHeight,e+this.cellHeight-i>-n&&s+n>e-i?(t.overlay||this.attachOverlay(t),t.elementNode.hasAttribute("data-thumb-loaded")||(t.elementNode.style.backgroundImage='url("'+t.model.get("thumb_url")+'")',t.elementNode.setAttribute("data-thumb-loaded","true"))):t.overlay&&!t.selected&&this.detachOverlay(t)},setPlaceholderContent:function(t){this.placeholderElement.html(this.media.isEmpty()?this.options.editable?"You haven't uploaded any media yet.<br>Use the upload button to the left or drag media from your desktop.":"No media has been uploaded yet.":t||"Empty")},attachOverlay:function(t){return t.overlay||!this.options.editable?!1:(0===this.overlayPool.length&&this.overlayPool.push($(['<div class="info-overlay">','<span class="info-overlay-action inline-button icon i-embed" data-tooltip="Insert SVG inline"></span>','<span class="info-overlay-action label-button icon i-type" data-tooltip="Rename"></span>','<span class="info-overlay-action select-button" data-tooltip="Select">','<span class="icon i-checkmark checkmark"></span>',"</span>","</div>"].join(""))),t.overlay=this.overlayPool.pop(),t.overlay.appendTo(t.element),void this.refreshOverlay(t))},refreshOverlay:function(t){if(t.overlay){var e=t.model.get("label");e&&""!==e||(e="Label"),t.overlay.attr("data-tooltip",e),t.model.isSVG()?(t.overlay.addClass("has-inline-option"),t.overlay.find(".inline-button").toggleClass("is-on",!!t.model.get("inline"))):t.overlay.removeClass("has-inline-option")}},detachOverlay:function(t){t&&t.overlay&&(this.overlayPool.push(t.overlay),t.overlay=null)},toggleSelection:function(t,e){t.visible&&(t.selected="boolean"==typeof e?e:!t.selected,t.selected?(t.element.addClass("is-selected"),this.selectedItems.push(t)):(t.element.removeClass("is-selected"),this.selectedItems.remove(t)),this.afterSelectionChange())},toggleSelectionThrough:function(t){if(this.lastSelectedItem){var e=!t.selected,i=this.lastSelectedItem.element.index(),n=t.element.index();if(n>i)for(var s=i+1;n>=s;s++)this.toggleSelection(this.items[s],e);else if(i>n)for(var s=n;i>s;s++)this.toggleSelection(this.items[s],e)}},clearSelection:function(){this.selectedItems.forEach(function(t){t.selected=!1,t.element.removeClass("is-selected")}.bind(this)),this.selectedItems.clear(),this.lastSelectedItem=null,this.afterSelectionChange()},afterSelectionChange:function(){var t=this.selectedItems.size();this.domElement.toggleClass("is-selecting",t>0),this.trayElement.toggleClass("visible",t>0),this.trayElement.find(".status").text(t+" "+SL.util.string.pluralize("item","s",1!==t)+" selected"),this.filterBData&&this.filterBData.type===SL.components.medialibrary.Filters.FILTER_TYPE_TAG?this.trayElement.find(".untag-button").show():this.trayElement.find(".untag-button").hide()},deleteSelection:function(){var t="Do you want to permanently delete this media from all existing presentations or remove it from the library?";this.selectedItems.size()>1&&(t="Do you want to permanently delete these items from all existing presentations or remove them from the library?"),SL.prompt({anchor:this.trayElement.find(".delete-button"),title:t,type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Remove from library</h3>",callback:function(){this.selectedItems.forEach(function(t){t.model.set("hidden",!0),t.model.save(["hidden"]).fail(function(){SL.notify("An error occurred, media was not removed","negative")}.bind(this)),this.media.remove(t.model)}.bind(this)),this.clearSelection()}.bind(this)},{html:"<h3>Delete permanently</h3>",selected:!0,className:"negative",callback:function(){this.selectedItems.forEach(function(t){t.model.destroy().fail(function(){SL.notify("An error occurred, media was not deleted","negative")}.bind(this)),this.media.remove(t.model)}.bind(this)),this.clearSelection()}.bind(this)}]}),SL.analytics.trackEditor("Media: Delete items")},editLabel:function(t){t.element.addClass("hover");var e=SL.prompt({anchor:t.element.find(".label-button"),title:"Rename",type:"input",confirmLabel:"Save",data:{value:t.model.get("label"),placeholder:"Label...",maxlength:SL.config.MEDIA_LABEL_MAXLENGTH,width:400}});e.confirmed.add(function(e){t.element.removeClass("hover"),e&&""!==e.trim()?(t.model.set("label",e),t.model.save(["label"]),this.refreshOverlay(t)):SL.notify("Label can't be empty","negative")}.bind(this)),e.canceled.add(function(){t.element.removeClass("hover")}.bind(this)),SL.analytics.trackEditor("Media: Edit item label")},toggleInline:function(t){t.model.set("inline",!t.model.get("inline")),t.model.save(["inline"]),this.refreshOverlay(t),SL.analytics.trackEditor("Media: Toggle inline SVG")},onMediaChanged:function(t,e){t&&t.length&&(t.forEach(function(t){this.addItem(t,!0,!0)}.bind(this)),this.applyFilter()),e&&e.length&&(e.forEach(this.removeItem.bind(this)),this.media.isEmpty()?this.applyFilter():this.loadItemsInView())},onTagAssociationChanged:function(t){var e=this.filterBData&&this.filterBData.type===SL.components.medialibrary.Filters.FILTER_TYPE_TAG&&this.filterBData.tag.get("id")===t.get("id");e&&this.applyFilter()},onMouseDown:function(t){2!==t.button&&(this.mouseDownTarget=$(t.target),this.mouseDownX=t.clientX,this.mouseDownY=t.clientY,this.domElement.on("vmousemove",this.onMouseMove),this.domElement.on("vmouseup",this.onMouseUp))},onMouseMove:function(t){var e=SL.util.trig.distanceBetween({x:this.mouseDownX,y:this.mouseDownY},{x:t.clientX,y:t.clientY});if(e>10&&this.options.editable){var i=this.mouseDownTarget.closest(".media-library-list-item").data("item");if(i){this.domElement.off("vmousemove",this.onMouseMove),this.domElement.off("vmouseup",this.onMouseUp);var n=[i.model];this.selectedItems.size()>0&&i.selected&&(n=this.selectedItems.map(function(t){return t.model})),this.drag.startDrag(t,i.element,n),SL.analytics.trackEditor("Media: Start drag",n.length>1?"multiple":"single")}}t.preventDefault()},onMouseUp:function(t){var e=$(t.target),i=e.closest(".media-library-list-item").data("item");i&&(this.selectedItems.size()>0||e.closest(".select-button").length?t.shiftKey?this.toggleSelectionThrough(i):(this.lastSelectedItem=i,this.toggleSelection(i)):e.closest(".label-button").length?this.editLabel(i):e.closest(".inline-button").length?this.toggleInline(i):this.itemSelected.dispatch(i.model)),this.domElement.off("vmousemove",this.onMouseMove),this.domElement.off("vmouseup",this.onMouseUp),t.preventDefault()},onListScrolled:function(){this.loadItemsInView()},onDeleteSelectionClicked:function(){this.deleteSelection()},onUntagSelectionClicked:function(){if(this.filterBData&&this.filterBData.type===SL.components.medialibrary.Filters.FILTER_TYPE_TAG){var t=this.selectedItems.map(function(t){return t.model});this.tags.removeTagFrom(this.filterBData.tag,t),this.applyFilter(),this.clearSelection()}},onClearSelectionClicked:function(){this.clearSelection()}}),SL("components.medialibrary").MediaLibraryPage=Class.extend({init:function(t,e,i){this.media=t,this.media.loadCompleted.add(this.onMediaLoaded.bind(this)),this.media.loadFailed.add(this.onMediaFailed.bind(this)),this.tags=e,this.tags.loadCompleted.add(this.onTagsLoaded.bind(this)),this.tags.loadFailed.add(this.onTagsFailed.bind(this)),this.tags.changed.add(this.onTagsChanged.bind(this)),this.options=$.extend({editable:!0,selectAfterUpload:!0},i),this.selected=new signals.Signal,this.render(),this.setupDragAndDrop()},load:function(){this.mediaLoaded=!1,this.tagsLoaded=!1,this.loadStatus&&this.loadStatus.remove(),this.loadStatus=$('<div class="media-library-load-status">').appendTo(this.domElement),this.loadStatus.html("Loading..."),this.media.load(),this.tags.load()},onMediaLoaded:function(){this.mediaLoaded=!0,this.tagsLoaded&&this.onMediaAndTagsLoaded()},onMediaFailed:function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),this.loadStatus.html('Failed to load media <button class="button outline retry">Try again</button>'),this.loadStatus.find(".retry").on("click",this.load.bind(this))},onTagsLoaded:function(){this.tagsLoaded=!0,this.mediaLoaded&&this.onMediaAndTagsLoaded()},onTagsFailed:function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),this.loadStatus.html('Failed to load tags <button class="button outline retry">Try again</button>'),this.loadStatus.find(".retry").on("click",this.load.bind(this))},onMediaAndTagsLoaded:function(){this.renderFilters(),this.renderUploader(),this.renderList(),this.refresh(),this.sidebarElement.addClass("visible"),this.contentElement.addClass("visible"),this.scrollShadow=new SL.components.ScrollShadow({parentElement:this.filters.domElement,contentElement:this.filters.innerElement,shadowSize:6,resizeContent:!1}),this.loadStatus.remove()},render:function(){this.domElement=$('<div class="media-library-page"></div>'),this.sidebarElement=$('<div class="media-library-sidebar">').appendTo(this.domElement),this.contentElement=$('<div class="media-library-content">').appendTo(this.domElement)},renderFilters:function(){this.filters=new SL.components.medialibrary.Filters(this.media,this.tags,{editable:this.isEditable()}),this.filters.filterChanged.add(this.onFilterChanged.bind(this)),this.filters.appendTo(this.sidebarElement)},renderUploader:function(){this.isEditable()&&(this.uploader=new SL.components.medialibrary.Uploader(this.media),this.uploader.uploadEnqueued.add(this.onUploadEnqueued.bind(this)),this.uploader.uploadStarted.add(this.onUploadStarted.bind(this)),this.uploader.uploadCompleted.add(this.onUploadCompleted.bind(this)),this.uploader.appendTo(this.sidebarElement))},renderList:function(){this.list=new SL.components.medialibrary.List(this.media,this.tags,{editable:this.isEditable()}),this.list.itemSelected.add(this.select.bind(this)),this.list.appendTo(this.contentElement)},setupDragAndDrop:function(){this.dragAndDropInstructions=$(['<div class="media-library-drag-instructions">','<div class="inner">',"Drop to upload media","</div>","</div>"].join("")),this.dragAndDropListener={onDragOver:function(){this.dragAndDropInstructions.appendTo(this.domElement)}.bind(this),onDragOut:function(){this.dragAndDropInstructions.remove()}.bind(this),onDrop:function(t){this.dragAndDropInstructions.remove();var e=t.originalEvent.dataTransfer.files;if(this.isSelecting())this.uploader.enqueue(e[0]);else for(var i=0;i<e.length;i++)this.uploader.enqueue(e[i]);SL.analytics.trackEditor("Media: Upload file","drop from desktop")}.bind(this)}},show:function(t){this.domElement.appendTo(t),this.domElement.removeClass("visible"),clearTimeout(this.showTimeout),this.showTimeout=setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1),this.bind()},hide:function(){this.unbind(),clearTimeout(this.showTimeout),this.domElement.detach()},bind:function(){SL.draganddrop.subscribe(this.dragAndDropListener)},unbind:function(){this.dragAndDropInstructions.remove(),SL.draganddrop.unsubscribe(this.dragAndDropListener)},configure:function(t){this.options=$.extend(this.options,t),this.refresh()},refresh:function(){this.media&&this.media.isLoaded()&&(this.list.clearSelection(),this.uploader&&this.uploader.configure({multiple:!this.isSelecting()||!this.options.selectAfterUpload}),this.isSelecting()?(this.list.setPrimaryFilter(this.options.select.filter),this.list.clearSecondaryFilter(),this.filters.hideAllTypesExcept(this.options.select.id),this.filters.selectFilter(this.options.select.id)):(this.filters.showAllTypes(),this.list.clearPrimaryFilter(),this.filters.selectDefaultFilter()),this.scrollShadow&&this.scrollShadow.sync())},layout:function(){var t=this.sidebarElement.width();this.contentElement.css({width:this.domElement.width()-t,left:t,paddingLeft:0}),this.list&&this.list.layout()},select:function(t){this.selected.dispatch(t)},isSelecting:function(){return!!this.options.select},isEditable:function(){return!!this.options.editable},onFilterChanged:function(t,e){this.list.setSecondaryFilter(t,e)},onUploadEnqueued:function(t){var e=this.filters.getSelectedFilterData();e.type===SL.components.medialibrary.Filters.FILTER_TYPE_TAG&&t.uploadCompleted.add(function(){this.tags.addTagTo(e.tag,[t])}.bind(this))},onUploadStarted:function(t){this.isSelecting()&&this.options.selectAfterUpload&&this.select(t)},onUploadCompleted:function(t){this.media.push(t)},onTagsChanged:function(){this.scrollShadow&&this.scrollShadow.sync()}}),SL("components.medialibrary").MediaLibrary=SL.components.popup.Popup.extend({TYPE:"media-library",init:function(t){this._super($.extend({title:"Media Library",width:1110,height:660,singleton:!0},t)),this.selected=new signals.Signal},render:function(){if(this._super(),this.innerElement.addClass("media-library"),this.userPage=new SL.components.medialibrary.MediaLibraryPage(new SL.collections.Media,new SL.collections.MediaTags),this.userPage.selected.add(this.onMediaSelected.bind(this)),this.userPage.load(),SL.current_user.isEnterprise()){var t=new SL.collections.TeamMedia;this.headerTabs=$(['<div class="media-library-header-tabs">','<div class="media-library-header-tab user-tab">Your Media</div>','<div class="media-library-header-tab team-tab" data-tooltip-alignment="r">Team Media</div>',"</div>"].join("")),this.userTab=this.headerTabs.find(".user-tab"),this.teamTab=this.headerTabs.find(".team-tab"),this.userTab.on("vclick",this.showUserPage.bind(this)),this.teamTab.on("vclick",this.showTeamPage.bind(this)),this.innerElement.addClass("has-header-tabs"),this.headerTitleElement.replaceWith(this.headerTabs),t.loadCompleted.add(function(){!SL.current_user.isEnterpriseManager()&&t.isEmpty()&&(this.teamTab.addClass("is-disabled"),this.teamTab.attr("data-tooltip","Your team doesn't have any shared media yet.<br>Only admins can upload team media."))}.bind(this)),t.loadFailed.add(function(){this.teamTab.attr("data-tooltip","Failed to load")}.bind(this)),this.teamPage=new SL.components.medialibrary.MediaLibraryPage(t,new SL.collections.TeamMediaTags,{editable:SL.current_user.isEnterpriseManager(),selectAfterUpload:!1}),this.teamPage.selected.add(this.onMediaSelected.bind(this)),this.teamPage.load()}this.showUserPage()},showUserPage:function(){this.currentPage=this.userPage,this.teamPage&&(this.teamPage.hide(),this.teamTab.removeClass("is-selected"),this.userTab.addClass("is-selected")),this.userPage.show(this.bodyElement),this.userPage.configure(this.options),this.refresh(),this.layout()},showTeamPage:function(){this.currentPage=this.teamPage,this.userPage.hide(),this.userTab.removeClass("is-selected"),this.teamPage.show(this.bodyElement),this.teamPage.configure(this.options),this.teamTab.addClass("is-selected"),this.refresh(),this.layout()},open:function(t){t=$.extend({select:null},t),this._super(t),this.currentPage.configure(t),this.currentPage.bind(),this.refresh(),this.layout()},close:function(){this._super.apply(this,arguments),this.selected.removeAll(),this.currentPage.unbind()},layout:function(){this._super.apply(this,arguments),this.currentPage.layout()},refresh:function(){this.currentPage.refresh()},isSelecting:function(){return!!this.options.select},onMediaSelected:function(t){this.isSelecting()?this.selected.dispatch(t):SL.editor.controllers.Blocks.add({type:"image",afterInit:function(e){e.setImageModel(t)}}),this.close()}}),SL("components.medialibrary").Uploader=Class.extend({MAX_CONCURRENT_UPLOADS:2,FILE_FORMATS:[{validator:/image.*/,maxSize:SL.config.MAX_IMAGE_UPLOAD_SIZE}],init:function(t){this.media=t,this.options={multiple:!0},this.queue=new SL.collections.Collection,this.render(),this.renderInput(),this.bind()},bind:function(){this.onUploadCompleted=this.onUploadCompleted.bind(this),this.onUploadFailed=this.onUploadFailed.bind(this),this.uploadEnqueued=new signals.Signal,this.uploadStarted=new signals.Signal,this.uploadCompleted=new signals.Signal},render:function(){this.domElement=$('<div class="media-library-uploader">'),this.uploadButton=$('<div class="media-library-uploader-button">Upload <span class="icon i-cloud-upload2"></span></div>'),this.uploadButton.appendTo(this.domElement),this.uploadList=$('<div class="media-library-uploader-list">'),this.uploadList.appendTo(this.domElement)},renderInput:function(){this.fileInput&&this.fileInput.remove(),this.fileInput=$('<input class="file-input" type="file">'),this.fileInput.on("change",this.onInputChanged.bind(this)),this.fileInput.appendTo(this.uploadButton),this.options.multiple?this.fileInput.attr("multiple","multiple"):this.fileInput.removeAttr("multiple","multiple")},configure:function(t){this.options=$.extend(this.options,t),this.renderInput()},appendTo:function(t){this.domElement.appendTo(t)},isUploading:function(){return this.queue.some(function(t){return t.isUploading()})},validateFile:function(t){var e="number"==typeof t.size?t.size/1024:0;return this.FILE_FORMATS.some(function(i){return t.type.match(i.validator)?i.maxSize&&e>i.maxSize?!1:!0:!1})},enqueue:function(t){if(this.queue.size()>=100)return SL.notify("Upload queue is full, please wait","negative"),!1;var e=new SL.models.Media(null,this.media.crud,t);e.uploaderElement=$(['<div class="media-library-uploader-item">','<div class="item-text">','<span class="status"><span class="icon i-clock"></span></span>','<span class="filename">'+(t.name||"untitled")+"</span>","</div>",'<div class="item-progress">','<span class="bar"></span>',"</div>","</div>"].join("")),e.uploaderElement.appendTo(this.uploadList),setTimeout(e.uploaderElement.addClass.bind(e.uploaderElement,"animate-in"),1),e.uploadCompleted.add(this.onUploadCompleted),e.uploadFailed.add(this.onUploadFailed),e.uploadProgressed.add(function(t){var i="scaleX("+t+")";e.uploaderElement.find(".bar").css({"-webkit-transform":i,"-moz-transform":i,transform:i})}.bind(this)),this.queue.push(e),this.uploadEnqueued.dispatch(e),this.checkQueue()},dequeue:function(t,e,i){var n=t.uploaderElement;n&&(t.uploaderElement=null,n.addClass(e),n.find(".status").html(i),setTimeout(function(){n.removeClass("animate-in").addClass("animate-out"),setTimeout(n.remove.bind(n),500)}.bind(this),2e3),this.queue.remove(t),t.isUploaded()&&this.uploadCompleted.dispatch(t))},checkQueue:function(){this.queue.forEach(function(t){t.isUploaded()?this.dequeue(t,"completed",'<span class="icon i-checkmark"></span>'):t.isUploadFailed()&&this.dequeue(t,"failed",'<span class="icon i-denied"></span>')}.bind(this));var t=0;this.queue.forEach(function(e){t<this.MAX_CONCURRENT_UPLOADS&&(e.isUploading()?t+=1:e.isWaitingToUpload()&&(e.upload(),e.uploaderElement.find(".status").html('<div class="upload-spinner"></div>'),t+=1,this.uploadStarted.dispatch(e)))
+}.bind(this)),this.domElement.toggleClass("is-uploading",t>0)},onUploadCompleted:function(){this.checkQueue()},onUploadFailed:function(t){SL.notify(t||"An error occurred while uploading your image.","negative"),this.checkQueue()},onInputChanged:function(t){var e=SL.util.toArray(this.fileInput.get(0).files);e=e.filter(this.validateFile.bind(this)),e.length?(e.forEach(this.enqueue.bind(this)),SL.analytics.trackEditor("Media: Upload file","file input")):SL.notify("Invalid file. We support <strong>PNG</strong>, <strong>JPG</strong>, <strong>GIF</strong> and <strong>SVG</strong> files up to <strong>10 MB</strong>","negative"),this.renderInput(),t.preventDefault()},destroy:function(){this.queue=null,this.uploadStarted.dispose(),this.uploadCompleted.dispose()}}),SL("components").Menu=Class.extend({init:function(t){if(this.config=$.extend({alignment:"auto",anchorSpacing:10,minWidth:0,offsetX:0,offsetY:0,options:[],showOnHover:!1,showOnHoverCondition:null,mouseLeaveDelay:150,destroyOnHide:!1,touch:/(iphone|ipod|ipad|android|windows\sphone)/gi.test(navigator.userAgent)},t),this.config.anchor=$(this.config.anchor),this.show=this.show.bind(this),this.hide=this.hide.bind(this),this.layout=this.layout.bind(this),this.toggle=this.toggle.bind(this),this.onMouseOver=this.onMouseOver.bind(this),this.onDocumentMouseMove=this.onDocumentMouseMove.bind(this),this.onDocumentMouseDown=this.onDocumentMouseDown.bind(this),this.onDocumentKeydown=this.onDocumentKeydown.bind(this),this.onAnchorFocus=this.onAnchorFocus.bind(this),this.onAnchorBlur=this.onAnchorBlur.bind(this),this.onAnchorFocusKeyDown=this.onAnchorFocusKeyDown.bind(this),this.submenus=[],this.destroyed=new signals.Signal,this.render(),this.renderList(),this.config.anchor.length)if(this.config.touch)this.config.anchor.addClass("menu-show-on-touch"),this.config.anchor.on("touchstart pointerdown",function(t){t.preventDefault(),this.toggle()}.bind(this)),this.config.anchor.on("click",function(t){t.preventDefault()}.bind(this));else{if(this.config.showOnHover){this.config.anchor.on("focus",this.onAnchorFocus),this.config.anchor.on("blur",this.onAnchorBlur),this.config.anchor.on("mouseover",this.onMouseOver);try{this.config.anchor.is(":hover")&&this.onMouseOver()}catch(e){}}this.config.anchor.on("click",this.toggle)}},render:function(){this.domElement=$('<div class="sl-menu">'),this.listElement=$('<div class="sl-menu-list">').appendTo(this.domElement),this.arrowElement=$('<div class="sl-menu-arrow">').appendTo(this.domElement),this.arrowFillElement=$('<div class="sl-menu-arrow-fill">').appendTo(this.arrowElement),this.hitareaElement=$('<div class="sl-menu-hitarea">').appendTo(this.domElement),this.listElement.css("minWidth",this.config.minWidth+"px")},renderList:function(){this.config.options.forEach(function(t){var e;"string"==typeof t.url?(e=$('<a class="sl-menu-item" href="'+t.url+'">'),"string"==typeof t.urlTarget&&e.attr("target",t.urlTarget)):e=$('<div class="sl-menu-item">'),e.html('<span class="label">'+t.label+"</span>"),e.data("callback",t.callback),e.appendTo(this.listElement),e.on("click",function(t){var e=$(t.currentTarget),i=e.data("callback");"function"==typeof i&&i.apply(null),this.hide()}.bind(this)),t.icon&&e.append('<span class="icon i-'+t.icon+'"></span>'),t.attributes&&e.attr(t.attributes),t.iconHTML&&e.append(t.iconHTML),t.submenu&&!this.config.touch&&this.submenus.push(new SL.components.Menu({anchor:e,anchorSpacing:10,alignment:t.submenuAlignment||"rl",minWidth:t.submenuWidth||160,showOnHover:!0,options:t.submenu}))}.bind(this)),this.listElement.find(".sl-menu-item:not(:last-child)").after('<div class="sl-menu-divider">')},bind:function(){this.config.showOnHover||SL.keyboard.keydown(this.onDocumentKeydown),$(window).on("resize scroll",this.layout),$(document).on("mousedown touchstart pointerdown",this.onDocumentMouseDown)},unbind:function(){this.config.showOnHover||SL.keyboard.release(this.onDocumentKeydown),SL.keyboard.release(this.onAnchorFocusKeyDown),$(window).off("resize scroll",this.layout),$(document).off("mousedown touchstart pointerdown",this.onDocumentMouseDown)},layout:function(){if(this.config.anchor.length){var t=this.config.anchor.offset(),e=this.config.anchorSpacing,i=this.config.alignment,n=$(window).scrollLeft(),s=$(window).scrollTop(),o=t.left+this.config.offsetX,a=t.top+this.config.offsetY,r=this.config.anchor.outerWidth(),l=this.config.anchor.outerHeight(),c=this.domElement.outerWidth(),d=this.domElement.outerHeight(),h=1,u=c/2,p=c/2,f=8;switch("auto"===i&&(i=t.top-(d+e+f)<s?"b":"t"),"rl"===i&&(i=t.left+r+e+f+c<window.innerWidth?"r":"l"),this.domElement.attr("data-alignment",i),i){case"t":o+=(r-c)/2,a-=d+e;break;case"b":o+=(r-c)/2,a+=l+e;break;case"l":o-=c+e,a+=(l-d)/2;break;case"r":o+=r+e,a+=(l-d)/2}switch(o=Math.min(Math.max(o,n+e),$(window).width()+n-c-e),a=Math.min(Math.max(a,s+e),window.innerHeight+s-d-e),i){case"t":u=t.left-o+r/2,p=d-2*h;break;case"b":u=t.left-o+r/2,p=-f;break;case"l":u=c-2*h,p=t.top-a+l/2;break;case"r":u=-f,p=t.top-a+l/2}this.domElement.css({left:Math.round(o),top:Math.round(a)}),this.arrowElement.css({left:Math.round(u),top:Math.round(p)}),this.hitareaElement.css({top:-e,right:-e,bottom:-e,left:-e})}},focus:function(t){var e=this.listElement.find(".focus");if(e.length){var i=t>0?e.nextAll(".sl-menu-item").first():e.prevAll(".sl-menu-item").first();i.length&&(e.removeClass("focus"),i.addClass("focus"))}else this.listElement.find(".sl-menu-item").first().addClass("focus")},show:function(){this.domElement.removeClass("visible").appendTo(document.body),setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1),this.config.anchor.addClass("menu-is-open"),this.layout(),this.bind()},hide:function(){this.listElement.find(".focus").removeClass("focus"),this.config.anchor.removeClass("menu-is-open"),this.domElement.detach(),this.unbind(),$(document).off("mousemove",this.onDocumentMouseMove),this.isMouseOver=!1,clearTimeout(this.hideTimeout),this.config.destroyOnHide===!0&&this.destroy()},toggle:function(){this.isVisible()?this.hide():this.show()},isVisible:function(){return this.domElement.parent().length>0},hasSubMenu:function(){return this.submenus.length>0},destroy:function(){this.destroyed.dispatch(),this.destroyed.dispose(),this.domElement.remove(),this.unbind(),this.config.anchor.off("click",this.toggle),this.config.anchor.off("hover",this.toggle),this.submenus.forEach(function(t){t.destroy()})},onDocumentKeydown:function(t){if(27===t.keyCode&&(this.hide(),t.preventDefault()),13===t.keyCode){var e=this.listElement.find(".focus");e.length&&(e.trigger("vclick"),t.preventDefault())}else 38===t.keyCode?(this.focus(-1),t.preventDefault()):40===t.keyCode?(this.focus(1),t.preventDefault()):9===t.keyCode&&t.shiftKey?(this.focus(-1),t.preventDefault()):9===t.keyCode&&(this.focus(1),t.preventDefault())},onMouseOver:function(){this.isMouseOver||SL.pointer.isDown()||("function"!=typeof this.config.showOnHoverCondition||this.config.showOnHoverCondition())&&($(document).on("mousemove",this.onDocumentMouseMove),this.hideTimeout=-1,this.isMouseOver=!0,this.show())},onDocumentMouseMove:function(t){var e=$(t.target),i=0===e.closest(this.domElement).length&&0===e.closest(this.config.anchor).length;this.hasSubMenu()&&(i=0===e.closest(".sl-menu").length&&0===e.closest(this.config.anchor).length),i?-1===this.hideTimeout&&(clearTimeout(this.hideTimeout),this.hideTimeout=setTimeout(this.hide,this.config.mouseLeaveDelay)):this.hideTimeout&&(clearTimeout(this.hideTimeout),this.hideTimeout=-1)},onDocumentMouseDown:function(t){var e=$(t.target);this.isVisible()&&0===e.closest(this.domElement).length&&0===e.closest(this.config.anchor).length&&this.hide()},onAnchorFocus:function(){this.isMouseOver||SL.keyboard.keydown(this.onAnchorFocusKeyDown)},onAnchorBlur:function(){SL.keyboard.release(this.onAnchorFocusKeyDown)},onAnchorFocusKeyDown:function(t){return this.isMouseOver||13!==t.keyCode&&32!==t.keyCode&&40!==t.keyCode?!0:(this.show(),this.focus(),SL.keyboard.release(this.onAnchorFocusKeyDown),!1)}}),SL("components").Meter=Class.extend({init:function(t){this.domElement=$(t),this.labelElement=$('<div class="label">').appendTo(this.domElement),this.progressElement=$('<div class="progress">').appendTo(this.domElement),this.read(),this.paint()},read:function(){switch(this.unit="",this.type=this.domElement.attr("data-type"),this.value=parseInt(this.domElement.attr("data-value"),10)||0,this.total=parseInt(this.domElement.attr("data-total"),10)||0,this.type){case"storage":var t=1024,e=1024*t,i=1024*e;this.value<e&&this.total<e&&(this.value=Math.round(this.value/t),this.total=Math.round(this.total/t),this.unit="KB"),this.value<i&&this.total<i?(this.value=Math.round(this.value/e),this.total=Math.round(this.total/e),this.unit="MB"):(this.value=(this.value/i).toFixed(2),this.total=(this.total/i).toFixed(2),this.unit="GB")}},paint:function(){var t=Math.min(Math.max(this.value/this.total,0),1)||0;this.labelElement.text(this.value+" / "+this.total+" "+this.unit),this.progressElement.width(100*t+"%"),0===this.total?this.domElement.attr("data-state","invalid"):t>.9?this.domElement.attr("data-state","negative"):t>.7?this.domElement.attr("data-state","warning"):this.domElement.attr("data-state","positive")}}),SL("components").Notification=Class.extend({init:function(t,e){this.html=t,this.options=$.extend({type:"",duration:2500+15*this.html.length,optional:!0},e),"negative"===this.options.type&&(this.options.duration=1.5*this.options.duration),this.destroyed=new signals.Signal,this.hideTimeout=-1,this.render(),this.bind(),this.show(),this.layout()},render:function(){0===$(".sl-notifications").length&&$(document.body).append('<div class="sl-notifications"></div>'),this.domElement=$('<p class="sl-notification">').html(this.html).addClass(this.options.type).appendTo($(".sl-notifications"))},bind:function(){this.hide=this.hide.bind(this),this.destroy=this.destroy.bind(this),this.options.optional&&(this.domElement.on("mouseenter",this.stopTimeout.bind(this)),this.domElement.on("mouseleave",this.startTimeout.bind(this)),this.domElement.on("click",this.destroy.bind(this)))},startTimeout:function(){this.stopTimeout(),this.hideTimeout=setTimeout(this.hide,this.options.duration)},stopTimeout:function(){clearTimeout(this.hideTimeout)},show:function(){this.isDestroyed!==!0&&setTimeout(function(){this.domElement.addClass("show"),this.options&&this.options.optional&&this.startTimeout()}.bind(this),1)},hide:function(){this.domElement.addClass("hide"),this.hideTimeout=setTimeout(this.destroy.bind(this),400),this.layout()},layout:function(){var t=0;$(".sl-notification:not(.hide)").get().reverse().forEach(function(e){t-=$(e).outerHeight()+10,e.style.top=t+"px"})},destroy:function(){clearTimeout(this.hideTimeout),this.isDestroyed=!0,this.options=null,this.domElement.remove(),this.layout(),this.destroyed.dispatch(),this.destroyed.dispose(),this.destroy=function(){}}}),SL.components.RetryNotification=SL.components.Notification.extend({init:function(t,e){e=$.extend({optional:!1},e),this._super(t,e),this.retryClicked=new signals.Signal},render:function(){this._super(),this.retryOptions=$('<div class="retry-options"></div>'),this.retryOptions.appendTo(this.domElement),this.retryMessage=$('<div class="retry-countdown"></div>'),this.retryButton=$('<button class="button white retry-button">Retry</button>'),this.retryButton.on("vclick",this.onRetryClicked.bind(this)),this.retryButton.appendTo(this.retryOptions)},bind:function(){this._super(),this.updateCountdown=this.updateCountdown.bind(this)},startCountdown:function(t){clearInterval(this.updateInterval),this.retryStart=Date.now(),this.retryDuration=t,this.updateInterval=setInterval(this.updateCountdown,250),this.updateCountdown(),this.retryMessage.prependTo(this.retryOptions),this.layout()},updateCountdown:function(){var t=this.retryDuration-(Date.now()-this.retryStart);t/=1e3,this.retryMessage.text(this.retryDuration<2e3||0>=t?"Retrying...":"Retrying in "+Math.ceil(t)+"s")},disableCountdown:function(){clearInterval(this.updateInterval),this.retryMessage.remove(),this.layout()},onRetryClicked:function(){this.retryClicked.dispatch()},destroy:function(){clearInterval(this.updateInterval),this.retryClicked&&(this.retryClicked.dispose(),this.retryClicked=null),this._super()}}),SL.notify=function(t,e){return $(".sl-notifications .sl-notification").last().html()===t&&$(".sl-notifications .sl-notification").last().remove(),"string"==typeof e&&(e={type:e}),new SL.components.Notification(t,e)},SL("components").Prompt=Class.extend({init:function(t){this.config=$.extend({type:"custom",data:null,anchor:null,title:null,subtitle:null,optional:!0,alignment:"auto",offsetX:0,offsetY:0,className:null,confirmOnEnter:!0,destroyAfterConfirm:!0,confirmLabel:"OK",cancelLabel:"Cancel",confirmButton:null,cancelButton:null,hoverTarget:null,hoverClass:"hover"},t),this.onBackgroundClicked=this.onBackgroundClicked.bind(this),this.onDocumentKeydown=this.onDocumentKeydown.bind(this),this.onPromptCancelClicked=this.onPromptCancelClicked.bind(this),this.onPromptConfirmClicked=this.onPromptConfirmClicked.bind(this),this.checkInputStatus=this.checkInputStatus.bind(this),this.layout=this.layout.bind(this),this.confirmed=new signals.Signal,this.canceled=new signals.Signal,this.destroyed=new signals.Signal,this.render()},render:function(){this.domElement=$('<div class="sl-prompt" data-type="'+this.config.type+'">'),this.innerElement=$('<div class="sl-prompt-inner">').appendTo(this.domElement),this.arrowElement=$('<div class="sl-prompt-arrow">').appendTo(this.innerElement),this.config.title&&(this.titleElement=$('<h3 class="title">').html(this.config.title).appendTo(this.innerElement)),this.config.subtitle&&(this.subtitleElement=$('<h4 class="subtitle">').html(this.config.subtitle).appendTo(this.innerElement),this.titleElement&&this.titleElement.addClass("has-subtitle")),this.config.className&&this.domElement.addClass(this.config.className),this.config.html&&this.innerElement.append(this.config.html),"select"===this.config.type?this.renderSelect():"list"===this.config.type?(this.renderList(),this.renderButtons(this.config.multiselect,"boolean"==typeof this.config.cancelButton?this.config.cancelButton:!this.config.multiselect)):"input"===this.config.type?(this.renderInput(),this.renderButtons(!0,!0)):"range"===this.config.type?(this.renderRange(),this.renderButtons(!0,!0)):this.renderButtons(this.config.confirmButton,this.config.cancelButton)},renderSelect:function(){this.config.data.forEach(function(t){var e=$('<a class="item button outline l">').html(t.html);e.data("callback",t.callback),e.appendTo(this.innerElement),e.on("vclick",function(t){var e=$(t.currentTarget).data("callback");"function"==typeof e&&e.apply(null),this.destroy(),t.preventDefault()}.bind(this)),t.focused===!0&&e.addClass("focus"),t.selected===!0&&e.addClass("selected"),"string"==typeof t.className&&(e.addClass(t.className),/(negative|positive)/g.test(t.className)&&e.removeClass("outline"))}.bind(this)),this.domElement.attr("data-length",this.config.data.length)},renderList:function(){this.listElement=$('<div class="list">').appendTo(this.innerElement),this.config.data.forEach(function(t){var e=$('<div class="item">');e.html('<span class="title">'+(t.title?t.title:t.value)+'</span><span class="checkmark icon i-checkmark"></span>'),e.data({callback:t.callback,value:t.value}),e.appendTo(this.listElement),e.on("click",function(e){var i=$(e.currentTarget),n=i.data("callback"),s=i.data("value");this.config.multiselect&&(i.toggleClass("selected"),t.exclusive?(i.addClass("selected"),i.siblings().removeClass("selected")):i.siblings().filter(".exclusive").removeClass("selected")),"function"==typeof n&&n.apply(null,[s,i.hasClass("selected")]),this.config.multiselect||(this.confirmed.dispatch(s),this.destroy())}.bind(this)),t.focused===!0&&e.addClass("focus"),t.selected===!0&&e.addClass("selected"),t.exclusive===!0&&e.addClass("exclusive"),"string"==typeof t.className&&e.addClass(t.className)}.bind(this))},renderInput:function(){this.config.data.multiline===!0?this.inputElement=$('<textarea cols="40" rows="8">'):(this.inputElement=$('<input type="text">'),"number"==typeof this.config.data.width&&(this.inputElement.css("width",this.config.data.width),this.titleElement&&this.titleElement.css("max-width",this.config.data.width),this.subtitleElement&&this.subtitleElement.css("max-width",this.config.data.width))),this.config.data.value&&this.inputElement.val(this.config.data.value),this.config.data.placeholder&&this.inputElement.attr("placeholder",this.config.data.placeholder),this.config.data.maxlength&&this.inputElement.attr("maxlength",this.config.data.maxlength),this.inputWrapperElement=$('<div class="input-wrapper">').append(this.inputElement),this.inputWrapperElement.appendTo(this.innerElement)},renderRange:function(){this.rangeInput=new SL.components.Range(this.config.data),this.rangeInput.appendTo(this.innerElement),"number"==typeof this.config.data.width&&(this.titleElement&&this.titleElement.css("max-width",this.config.data.width),this.subtitleElement&&this.subtitleElement.css("max-width",this.config.data.width))},renderButtons:function(t,e){var i=[];e&&this.config.optional&&this.config.cancelLabel&&i.push('<button class="button l outline prompt-cancel">'+this.config.cancelLabel+"</button>"),t&&this.config.confirmLabel&&i.push('<button class="button l prompt-confirm">'+this.config.confirmLabel+"</button>"),i.length&&(this.footerElement=$('<div class="footer">'+i.join("")+"</div>").appendTo(this.innerElement))},bind:function(){$(window).on("resize",this.layout),this.domElement.on("vclick",this.onBackgroundClicked),SL.keyboard.keydown(this.onDocumentKeydown),"hidden"!==$("html").css("overflow")&&$(window).on("scroll",this.layout),this.domElement.find(".prompt-cancel").on("vclick",this.onPromptCancelClicked),this.domElement.find(".prompt-confirm").on("vclick",this.onPromptConfirmClicked),this.inputElement&&this.inputElement.on("input",this.checkInputStatus)},unbind:function(){$(window).off("resize scroll",this.layout),this.domElement.off("vclick",this.onBackgroundClicked),SL.keyboard.release(this.onDocumentKeydown),this.domElement.find(".prompt-cancel").off("vclick",this.onPromptCancelClicked),this.domElement.find(".prompt-confirm").off("vclick",this.onPromptConfirmClicked),this.inputElement&&this.inputElement.off("input",this.checkInputStatus)},layout:function(){var t=10,e=$(window).width(),i=window.innerHeight;this.innerElement.css({"max-width":e-2*t,"max-height":i-2*t});var n=this.innerElement.outerWidth(),s=this.innerElement.outerHeight(),o=$(this.config.anchor);if(o.length){var a=o.offset(),r=15,l=this.config.alignment,c=$(window).scrollLeft(),d=$(window).scrollTop(),h=a.left-c,u=a.top-d;h+=this.config.offsetX,u+=this.config.offsetY;var p=o.outerWidth(),f=o.outerHeight(),m=n/2,g=n/2,v=10,b=!0;switch("auto"===l&&(l=a.top-(s+r+v)<d?"b":"t"),this.domElement.attr("data-alignment",l),l){case"t":h+=(p-n)/2,u-=s+r;break;case"b":h+=(p-n)/2,u+=f+r;break;case"l":h-=n+r,u+=(f-s)/2;break;case"r":h+=p+r,u+=(f-s)/2}var y=u;switch(h=Math.max(Math.min(h,e-n-t),t),u=Math.max(Math.min(u,i-s-t),t),h=Math.round(h),u=Math.round(u),"b"===l&&-f-v>u-y?b=!1:"t"===l&&u-y>f+v&&(b=!1),l){case"t":m=a.left-h-c+p/2,m=Math.max(Math.min(m,n-v),v),g=s;break;case"b":m=a.left-h-c+p/2,m=Math.max(Math.min(m,n-v),v),g=-v;break;case"l":m=n,g=a.top-u-d+f/2,g=Math.max(Math.min(g,s-v),v);break;case"r":m=-v,g=a.top-u-d+f/2,g=Math.max(Math.min(g,s-v),v)}this.innerElement.css({left:h,top:u}),this.arrowElement.css({left:m,top:g}).toggle(b)}else this.innerElement.css({left:Math.round((e-n)/2),top:Math.round(.4*(i-s))}),this.arrowElement.hide()},focus:function(t){var e=this.innerElement.find(".focus");if(e.length||(e=this.innerElement.find(".selected")),e.length){var i=t>0?e.next(".item"):e.prev(".item");i.length&&(e.removeClass("focus"),i.addClass("focus"))}else this.innerElement.find(".item").first().addClass("focus")},show:function(){var t=$(this.config.anchor);t.length&&t.addClass("focus"),$(this.config.hoverTarget).addClass(this.config.hoverClass),this.domElement.removeClass("visible").appendTo(document.body),setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1),this.layout(),this.bind(),this.inputElement&&(this.checkInputStatus(),this.inputElement.focus())},hide:function(){var t=$(this.config.anchor);t.length&&t.removeClass("focus"),$(this.config.hoverTarget).removeClass(this.config.hoverClass),this.domElement.detach(),this.unbind()},showOverlay:function(t,e,i,n){return clearTimeout(this.overlayTimeout),this.overlay||(this.overlay=$('<div class="sl-prompt-overlay">')),this.overlay.appendTo(this.innerElement),this.overlay.html(i+"<h3>"+e+"</h3>"),this.overlay.attr("data-status",t||"neutral"),this.overlay.addClass("visible"),new Promise(function(t){n?this.overlayTimeout=setTimeout(function(){this.overlay.removeClass("visible"),t()}.bind(this),n):t()}.bind(this))},getValue:function(){var t=void 0;return"input"===this.config.type?t=this.inputElement.val():"range"===this.config.type&&(t=this.rangeInput.getValue()),t},getDOMElement:function(){return this.domElement},cancel:function(){if("input"===this.config.type&&this.config.data.confirmBeforeDiscard){var t=this.config.data.value||"",e=this.getValue()||"";e!==t?SL.prompt({title:"Discard unsaved changes?",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Discard</h3>",selected:!0,className:"negative",callback:function(){this.canceled.dispatch(this.getValue()),this.destroy()}.bind(this)}]}):(this.canceled.dispatch(this.getValue()),this.destroy())}else this.canceled.dispatch(this.getValue()),this.destroy()},confirm:function(){this.confirmed.dispatch(this.getValue()),this.config.destroyAfterConfirm&&this.destroy()},checkInputStatus:function(){if(this.config.data.maxlength&&!this.config.data.maxlengthHidden){var t=this.inputWrapperElement.find(".input-status");0===t.length&&(t=$('<div class="input-status">').appendTo(this.inputWrapperElement));var e=this.inputElement.val().length,i=this.config.data.maxlength;t.text(e+"/"+i),t.toggleClass("negative",e>.95*i),this.config.data.multiline||this.inputElement.css("padding-right",t.outerWidth()+5)}},destroy:function(){this.destroyed.dispatch(),this.destroyed.dispose();var t=$(this.config.anchor);t.length&&t.removeClass("focus"),$(this.config.hoverTarget).removeClass(this.config.hoverClass),this.domElement.remove(),this.unbind(),this.confirmed.dispose(),this.canceled.dispose()},onBackgroundClicked:function(t){this.config.optional&&$(t.target).is(this.domElement)&&(this.cancel(),t.preventDefault())},onPromptCancelClicked:function(t){this.cancel(),t.preventDefault()},onPromptConfirmClicked:function(t){this.confirm(),t.preventDefault()},onDocumentKeydown:function(t){if(27===t.keyCode)return this.config.optional&&this.cancel(),t.preventDefault(),!1;if("select"===this.config.type||"list"===this.config.type)if(13===t.keyCode){var e=this.innerElement.find(".focus");0===e.length&&(e=this.innerElement.find(".selected")),e.length&&(e.trigger("click"),t.preventDefault())}else 37===t.keyCode||38===t.keyCode?(this.focus(-1),t.preventDefault()):39===t.keyCode||40===t.keyCode?(this.focus(1),t.preventDefault()):9===t.keyCode&&t.shiftKey?(this.focus(-1),t.preventDefault()):9===t.keyCode&&(this.focus(1),t.preventDefault());return"input"===this.config.type&&(13!==t.keyCode||this.config.data.multiline||this.onPromptConfirmClicked(t)),"custom"===this.config.type&&this.config.confirmOnEnter&&13===t.keyCode&&this.onPromptConfirmClicked(t),!0}}),SL.prompt=function(t){var e=new SL.components.Prompt(t);return e.show(),e},SL("components").Range=Class.extend({init:function(t){this.config=$.extend({value:0,width:300,minValue:0,maxValue:100,decimals:0,unit:null},t),this.valueRange=this.config.maxValue-this.config.minValue,this.stepSize=this.valueRange<1?this.valueRange/200:1,this.changing=!1,this.mouseDownValue=0,this.mouseDownX=0,this.render(),this.bind(),this.setValue(t.value,!1)},render:function(){this.domElement=$('<div class="sl-range"></div>'),this.domElement.width(this.config.width),this.progressElement=$('<div class="sl-range-progress">').appendTo(this.domElement),this.inputElement=$('<input class="sl-range-number input-field" type="text">').appendTo(this.domElement)},bind:function(){this.changed=new signals.Signal,this.changeStarted=new signals.Signal,this.changeEnded=new signals.Signal,this.onMouseDown=this.onMouseDown.bind(this),this.onMouseMove=this.onMouseMove.bind(this),this.onMouseUp=this.onMouseUp.bind(this),this.domElement.on("vmousedown",this.onMouseDown),this.inputElement.on("input",this.onInput.bind(this)),this.inputElement.on("keydown",this.onInputKeyDown.bind(this)),this.inputElement.on("focus",this.onInputFocused.bind(this)),this.inputElement.on("blur",this.onInputBlurred.bind(this))},appendTo:function(t){this.domElement.appendTo(t)},setValue:function(t,e,i){if(this.value=Math.max(Math.min(t,this.config.maxValue),this.config.minValue),this.value=this.roundValue(this.value),!i){var n=this.value;this.config.decimals>0&&(n=n.toFixed(this.config.decimals)),this.config.unit&&(n+=this.config.unit),this.inputElement.val(n)}var s=this.valueToPercent(this.value)/100;this.progressElement.css("transform","scaleX("+s+")"),e&&this.changed.dispatch(this.value)},getValue:function(){return this.value},roundValue:function(t){var e=Math.pow(10,this.config.decimals);return Math.round(t*e)/e},valueToPercent:function(t){var e=(t-this.config.minValue)/(this.config.maxValue-this.config.minValue)*100;return Math.max(Math.min(e,100),0)},isChanging:function(){return this.changing},onChangeStart:function(){this.isChanging()||(this.domElement.addClass("is-changing"),this.changing=!0,this.changeStarted.dispatch())},onChangeEnd:function(){this.isChanging()&&(this.domElement.removeClass("is-changing"),this.changing=!1,this.changeEnded.dispatch())},onMouseDown:function(t){this.inputElement.is(":focus")||t.preventDefault(),$(document).on("vmousemove",this.onMouseMove),$(document).on("vmouseup",this.onMouseUp),this.mouseDownX=t.clientX,this.mouseDownValue=this.getValue(),this.onChangeStart()},onMouseMove:function(t){this.domElement.addClass("is-scrubbing");var e=t.clientX-this.mouseDownX;1===this.stepSize&&this.valueRange<15?e*=.25:1===this.stepSize&&this.valueRange<30&&(e*=.5),this.setValue(this.mouseDownValue+e*this.stepSize,!0),this.changed.dispatch(this.getValue())},onMouseUp:function(t){$(document).off("vmousemove",this.onMouseMove),$(document).off("vmouseup",this.onMouseUp),this.domElement.hasClass("is-scrubbing")===!1?this.onClick(t):this.onChangeEnd(),this.domElement.removeClass("is-scrubbing")},onClick:function(){this.inputElement.focus()},onInput:function(){this.setValue(parseFloat(this.inputElement.val()),!0,!0)},onInputKeyDown:function(t){var e=0;38===t.keyCode?e=this.stepSize:40===t.keyCode&&(e=-this.stepSize),e&&(t.shiftKey&&(e*=10),this.setValue(this.getValue()+e,!0),t.preventDefault())},onInputFocused:function(){this.onChangeStart()},onInputBlurred:function(){this.onChangeEnd(),this.setValue(this.getValue(),!0)},destroy:function(){$(document).off("vmousemove",this.onMouseMove),$(document).off("vmouseup",this.onMouseUp),this.changed.dispose(),this.changeStarted.dispose(),this.changeEnded.dispose(),this.domElement.remove()}}),SL("components").Resizer=Class.extend({init:function(t,e){this.domElement=$(t),this.revealElement=this.domElement.closest(".reveal"),this.options=$.extend({padding:10,preserveAspectRatio:!1,useOverlay:!1},e),this.mouse={x:0,y:0},this.mouseStart={x:0,y:0},this.origin={x:0,y:0,width:0,height:0},this.resizing=!1,this.domElement.length?(this.onAnchorMouseDown=this.onAnchorMouseDown.bind(this),this.onDocumentMouseMove=this.onDocumentMouseMove.bind(this),this.onDocumentMouseUp=this.onDocumentMouseUp.bind(this),this.onElementDrop=this.onElementDrop.bind(this),this.layout=this.layout.bind(this),this.build(),this.bind(),this.layout()):console.warn("Resizer: invalid resize target.")},build:function(){this.options.useOverlay&&(this.overlay=$('<div class="editing-ui resizer-overlay"></div>').appendTo(document.body).hide()),this.anchorN=$('<div class="editing-ui resizer-anchor" data-direction="n"></div>').appendTo(document.body),this.anchorE=$('<div class="editing-ui resizer-anchor" data-direction="e"></div>').appendTo(document.body),this.anchorS=$('<div class="editing-ui resizer-anchor" data-direction="s"></div>').appendTo(document.body),this.anchorW=$('<div class="editing-ui resizer-anchor" data-direction="w"></div>').appendTo(document.body)},bind:function(){this.resizeStarted=new signals.Signal,this.resizeUpdated=new signals.Signal,this.resizeEnded=new signals.Signal,this.getAnchors().on("mousedown",this.onAnchorMouseDown),this.revealElement.on("drop",this.onElementDrop),$(document).on("keyup",this.layout),$(document).on("mouseup",this.layout),$(document).on("mousewheel",this.layout),$(document).on("DOMMouseScroll",this.layout),$(window).on("resize",this.layout)},layout:function(){if(!this.destroyIfDetached()){var t=SL.util.getRevealElementGlobalOffset(this.domElement),e=Reveal.getScale(),i=parseInt(this.domElement.css("margin-right"),10);marginBottom=parseInt(this.domElement.css("margin-bottom"),10);var n=t.x-this.options.padding,s=t.y-this.options.padding,o=(this.domElement.width()+i)*e+2*this.options.padding;height=(this.domElement.height()+marginBottom)*e+2*this.options.padding;var a=-this.anchorN.outerWidth()/2;this.anchorN.css({left:n+o/2+a,top:s+a}),this.anchorE.css({left:n+o+a,top:s+height/2+a}),this.anchorS.css({left:n+o/2+a,top:s+height+a}),this.anchorW.css({left:n+a,top:s+height/2+a}),this.overlay&&this.overlay.css({left:n,top:s,width:o,height:height})}},show:function(){this.getAnchors().addClass("visible"),this.layout()},hide:function(){this.getAnchors().removeClass("visible")},destroyIfDetached:function(){return 0===this.domElement.closest("body").length?(this.destroy(),!0):!1},getOptions:function(){return this.options},getAnchors:function(){return this.anchorN.add(this.anchorE).add(this.anchorS).add(this.anchorW)},isResizing:function(){return!!this.resizing},isDestroyed:function(){return!!this.destroyed},onAnchorMouseDown:function(t){var e=$(t.target).attr("data-direction");if(e){t.preventDefault(),this.resizeDirection=e,this.mouseStart.x=t.clientX,this.mouseStart.y=t.clientY;var i=SL.util.getRevealElementOffset(this.domElement);this.origin.x=i.x,this.origin.y=i.y,this.origin.width=this.domElement.width(),this.origin.height=this.domElement.height(),this.overlay&&this.overlay.show(),this.resizing=!0,$(document).on("mousemove",this.onDocumentMouseMove),$(document).on("mouseup",this.onDocumentMouseUp),this.resizeStarted.dispatch()}},onDocumentMouseMove:function(t){if(!this.destroyIfDetached()&&(this.mouse.x=t.clientX,this.mouse.y=t.clientY,this.resizing)){var e=Reveal.getScale(),i=(this.mouse.x-this.mouseStart.x)/e,n=(this.mouse.y-this.mouseStart.y)/e,s="",o="";switch(this.resizeDirection){case"e":s=Math.max(this.origin.width+i,1);break;case"w":s=Math.max(this.origin.width-i,1);break;case"s":o=Math.max(this.origin.height+n,1);break;case"n":o=Math.max(this.origin.height-n,1)}if(this.options.preserveAspectRatio?(""===s&&(s=this.origin.width*(o/this.origin.height)),""===o&&(o=this.origin.height*(s/this.origin.width))):(""===s&&(s=this.domElement.css("width")),""===o&&(o=this.domElement.css("height"))),"absolute"===this.domElement.css("position")&&("n"===this.resizeDirection||"w"===this.resizeDirection))switch(this.resizeDirection){case"w":this.domElement.css("left",Math.round(this.origin.x+i));break;case"n":this.domElement.css("top",Math.round(this.origin.y+n))}this.domElement.css({width:s?s:"",height:o?o:"",maxHeight:"none",maxWidth:"none"}),this.layout(),this.resizeUpdated.dispatch()}},onDocumentMouseUp:function(){this.resizing=!1,$(document).off("mousemove",this.onDocumentMouseMove),$(document).off("mouseup",this.onDocumentMouseUp),this.overlay&&this.overlay.hide(),this.resizeEnded.dispatch()},onElementDrop:function(){setTimeout(this.layout,1)},destroy:function(){this.destroyed||(this.destroyed=!0,this.resizeStarted.dispose(),this.resizeUpdated.dispose(),this.resizeEnded.dispose(),$(document).off("mousemove",this.onDocumentMouseMove),$(document).off("mouseup",this.onDocumentMouseUp),$(document).off("keyup",this.layout),$(document).off("mouseup",this.layout),$(document).off("mousewheel",this.layout),$(document).off("DOMMouseScroll",this.layout),$(window).off("resize",this.layout),this.revealElement.off("drop",this.onElementDrop),this.getAnchors().off("mousedown",this.onAnchorMouseDown),this.anchorN.remove(),this.anchorE.remove(),this.anchorS.remove(),this.anchorW.remove(),this.overlay&&this.overlay.remove())}}),SL.components.Resizer.delegateOnHover=function(t,e,i){function n(){c&&(c.destroy(),c=null,$(document).off("mousemove",a),$(document).off("mouseup",r))
+}function s(t,e){if(c&&c.isResizing())return!1;if(c&&d&&!d.is(t)&&n(),!c){var s={};$.extend(s,i),$.extend(s,e),d=$(t),c=new SL.components.Resizer(d,s),c.resizeUpdated.add(l),c.show(),$(document).on("mousemove",a),$(document).on("mouseup",r)}}function o(t){var e=$(t.currentTarget),i=null;e.data("resizer-options")&&(i=e.data("resizer-options")),e.data("target-element")&&(e=e.data("target-element")),s(e,i)}function a(t){if(c)if(c.isDestroyed())n();else if(!c.isResizing()){var e=Reveal.getScale(),i=SL.util.getRevealElementGlobalOffset(d),s=3*c.getOptions().padding,o={top:i.y-s,right:i.x+d.outerWidth(!0)*e+s,bottom:i.y+d.outerHeight(!0)*e+s,left:i.x-s};(t.clientX<o.left||t.clientX>o.right||t.clientY<o.top||t.clientY>o.bottom)&&n()}}function r(t){setTimeout(function(){a(t)},1)}function l(){h.dispatch(d)}t.delegate(e,"mouseover",o);var c=null,d=null,h=new signals.Signal;return{show:s,updated:h,layout:function(){c&&c.layout()},destroy:function(){n(),h.dispose(),t.undelegate(e,"mouseover",o)}}},SL("components").ScrollShadow=Class.extend({init:function(t){this.options=$.extend({threshold:20,shadowSize:10,resizeContent:!0},t),this.bind(),this.render(),this.layout()},bind:function(){this.layout=this.layout.bind(this),this.sync=this.sync.bind(this),this.onScroll=$.throttle(this.onScroll.bind(this),100),$(window).on("resize",this.layout),this.options.contentElement.on("scroll",this.onScroll)},render:function(){this.shadowTop=$('<div class="sl-scroll-shadow-top">').appendTo(this.options.parentElement),this.shadowBottom=$('<div class="sl-scroll-shadow-bottom">').appendTo(this.options.parentElement),this.shadowTop.height(this.options.shadowSize),this.shadowBottom.height(this.options.shadowSize)},layout:function(){var t=this.options.parentElement.height(),e=this.options.footerElement?this.options.footerElement.outerHeight():0,i=this.options.headerElement?this.options.headerElement.outerHeight():0;(this.options.resizeContent&&this.options.footerElement||this.options.headerElement)&&this.options.contentElement.css("height",t-e-i),this.sync()},sync:function(){var t=this.options.footerElement?this.options.footerElement.outerHeight():0,e=this.options.headerElement?this.options.headerElement.outerHeight():0,i=this.options.contentElement.scrollTop(),n=this.options.contentElement.prop("scrollHeight"),s=this.options.contentElement.outerHeight(),o=n>s+this.options.threshold,a=i/(n-s);this.shadowTop.css({opacity:o?a:0,top:e}),this.shadowBottom.css({opacity:o?1-a:0,bottom:t})},onScroll:function(){this.sync()},destroy:function(){$(window).off("resize",this.layout),this.options.contentElement.off("scroll",this.onScroll),this.options=null}}),SL("components").Search=Class.extend({init:function(t){this.config=t,this.searchForm=$(".search .search-form"),this.searchFormInput=this.searchForm.find(".search-term"),this.searchFormSubmit=this.searchForm.find(".search-submit"),this.searchResults=$(".search .search-results"),this.searchResultsHeader=this.searchResults.find("header"),this.searchResultsTitle=this.searchResults.find(".search-results-title"),this.searchResultsSorting=this.searchResults.find(".search-results-sorting"),this.searchResultsList=this.searchResults.find("ul"),this.searchFormLoader=Ladda.create(this.searchFormSubmit.get(0)),this.bind(),this.checkQuery()},bind:function(){this.searchForm.on("submit",this.onSearchFormSubmit.bind(this)),this.searchResultsSorting.find("input[type=radio]").on("click",this.onSearchSortingChange.bind(this))},checkQuery:function(){var t=SL.util.getQuery();t.search&&!this.searchFormInput.val()&&(this.searchFormInput.val(t.search),t.page?this.search(t.search,parseInt(t.page,10)):this.search(t.search))},renderSearchResults:function(t){if($(".search").removeClass("empty"),this.searchResults.show(),this.searchResultsList.empty(),this.renderSearchPagination(t),t.results&&t.results.length){this.searchResultsTitle.text(t.total+" "+SL.util.string.pluralize("result","s",t.total>1)+' for "'+this.searchTerm+'"');for(var e=0,i=t.results.length;i>e;e++){var n=t.results[e];n.user&&this.searchResultsList.append(SL.util.html.createDeckThumbnail(n))}}else this.searchResultsTitle.text(t.error||SL.locale.get("SEARCH_NO_RESULTS_FOR",{term:this.searchTerm}))},renderSearchPagination:function(t){"undefined"==typeof t.decks_per_page&&(t.decks_per_page=8);var e=Math.ceil(t.total/t.decks_per_page);this.searchPagination&&this.searchPagination.remove(),e>1&&(this.searchPagination=$('<div class="search-results-pagination"></div>').appendTo(this.searchResultsHeader),this.searchPagination.append('<span class="page">'+SL.locale.get("SEARCH_PAGINATION_PAGE")+" "+this.searchPage+"/"+e+"</span>"),this.searchPage>1&&this.searchPagination.append('<button class="button outline previous">'+SL.locale.get("PREVIOUS")+"</button>"),this.searchPagination.append('<button class="button outline next">'+SL.locale.get("NEXT")+"</button>"),this.searchPagination.find("button.previous").on("click",function(){this.search(this.searchTerm,Math.max(this.searchPage-1,1))}.bind(this)),this.searchPagination.find("button.next").on("click",function(){this.search(this.searchTerm,Math.min(this.searchPage+1,e))}.bind(this)))},search:function(t,e,i){if(this.searchTerm=t||this.searchFormInput.val(),this.searchPage=e||1,this.searchSort=i||this.searchSort,window.history&&"function"==typeof window.history.replaceState){var n="?search="+escape(this.searchTerm);e>1&&(n+="&page="+e),window.history.replaceState(null,null,"/explore"+n)}this.searchSort||(this.searchSort=this.searchResultsSorting.find("input[type=radio]:checked").val()),this.searchResultsSorting.find("input[type=radio]").prop("checked",!1),this.searchResultsSorting.find("input[type=radio][value="+this.searchSort+"]").prop("checked",!0),this.searchTerm?(this.searchFormLoader.start(),$.ajax({type:"GET",url:this.config.url,context:this,data:{q:this.searchTerm,page:this.searchPage,sort:this.searchSort}}).done(function(t){this.renderSearchResults(t)}).fail(function(){this.renderSearchResults({error:SL.locale.get("SEARCH_SERVER_ERROR")})}).always(function(){this.searchFormLoader.stop()})):SL.notify(SL.locale.get("SEARCH_NO_TERM_ERROR"))},sort:function(t){this.search(this.searchTerm,this.searchPage,t)},onSearchFormSubmit:function(t){return this.search(),t.preventDefault(),!1},onSearchSortingChange:function(){this.sort(this.searchResultsSorting.find("input[type=radio]:checked").val())}}),SL("components").TemplatesPage=Class.extend({init:function(t){this.options=t||{},this.templateSelected=new signals.Signal,this.render()},render:function(){this.domElement=$('<div class="page" data-page-id="'+this.options.id+'">'),this.actionList=$('<div class="action-list">').appendTo(this.domElement),this.templateList=$("<div>").appendTo(this.domElement),this.options.templates.forEach(this.renderTemplate.bind(this)),(this.isDefaultTemplates()||this.isTeamTemplates()&&this.getNumberOfVisibleTemplates()>0)&&(this.blankTemplate=this.renderBlankTemplate(),this.duplicateTemplate=this.renderDuplicateTemplate())},renderBlankTemplate:function(t){return t=$.extend({container:this.actionList,editable:!1},t),this.renderTemplate(new SL.models.Template({label:"Blank",html:""}),t)},renderDuplicateTemplate:function(t,e){return t=$.extend({container:this.actionList,editable:!1},t),this.renderTemplate(new SL.models.Template({label:"Duplicate",html:e||""}),t)},renderTemplate:function(t,e){e=$.extend({prepend:!1,editable:!0,container:this.templateList},e);var i=$('<div class="template-item">');i.html(['<div class="template-item-thumb themed">','<div class="template-item-thumb-content reveal reveal-thumbnail ready">','<div class="slides">',t.get("html"),"</div>",'<div class="backgrounds"></div>',"</div>","</div>"].join("")),i.data("template-model",t),i.on("vclick",this.onTemplateSelected.bind(this,i)),i.find(".slides>section").addClass("present"),i.find('.sl-block[data-block-type="code"] pre').addClass("hljs"),t.get("label")&&i.append('<span class="template-item-label">'+t.get("label")+"</span>"),e.replaceTemplate?e.replaceTemplate.replaceWith(i):e.replaceTemplateAt?e.container.find(".template-item").eq(e.replaceTemplateAt).replaceWith(i):e.prepend?e.container.prepend(i):e.container.append(i);var n=i.find("section").attr("data-background-color"),s=i.find("section").attr("data-background-image"),o=i.find("section").attr("data-background-size"),a=i.find("section").attr("data-background-position"),r=$('<div class="slide-background present template-item-thumb-background">');if(r.addClass(i.find(".template-item-thumb .reveal section").attr("class")),r.appendTo(i.find(".template-item-thumb .reveal>.backgrounds")),(n||s)&&(n&&r.css("background-color",n),s&&r.css("background-image",'url("'+s+'")'),o&&r.css("background-size",o),a&&r.css("background-position",a)),this.isEditable()&&e.editable){var l=$('<div class="template-item-options"></div>').appendTo(i),c=$('<div class="option"><span class="icon i-trash-stroke"></span></div>');if(c.attr("data-tooltip","Delete this template"),c.on("vclick",this.onTemplateDeleteClicked.bind(this,i)),c.appendTo(l),this.isTeamTemplates()&&SL.current_user.getThemes().size()>1){var d=$('<div class="option"><span class="icon i-ellipsis-v"></span></div>');d.attr("data-tooltip","Theme availability"),d.on("vclick",this.onTemplateThemeClicked.bind(this,i)),d.appendTo(l)}}return i},refresh:function(){this.duplicateTemplate&&this.duplicateTemplate.length&&(this.duplicateTemplate=this.renderDuplicateTemplate({replaceTemplate:this.duplicateTemplate},SL.data.templates.templatize(Reveal.getCurrentSlide()))),this.templateList.find(".placeholder").remove();var t=SL.view.getCurrentTheme(),e=this.domElement.find(".template-item");if(this.isTeamTemplates()&&e.each(function(e,i){var n=$(i),s=n.data("template-model").isAvailableForTheme(t);n.toggleClass(SL.current_user.isEnterpriseManager()?"semi-hidden":"hidden",!s)}.bind(this)),e=this.domElement.find(".template-item:not(.hidden)"),e.length)e.each(function(e,i){var n=$(i),s=(n.data("template-model"),n.find(".template-item-thumb"));s.attr("class",s.attr("class").replace(/theme\-(font|color)\-([a-z0-9-])*/gi,"")),s.addClass("theme-font-"+t.get("font")),s.addClass("theme-color-"+t.get("color")),s.find(".template-item-thumb-content img[data-src]").each(function(){this.setAttribute("src",this.getAttribute("data-src")),this.removeAttribute("data-src")}),SL.data.templates.layoutTemplate(s.find("section"),!0)}.bind(this)),this.templateList.find(".placeholder").remove();else{var i="You haven't saved any custom templates yet.<br>Click the button below to save one now.";this.isTeamTemplates()&&(i=SL.current_user.isEnterpriseManager()?"Templates saved here are made available to the everyone in your team.":"No templates are available for the current theme."),this.templateList.append('<p class="placeholder">'+i+"</p>")}},appendTo:function(t){this.domElement.appendTo(t)},saveCurrentSlide:function(){var t=SL.config.AJAX_SLIDE_TEMPLATES_CREATE;return this.isTeamTemplates()&&(t=SL.config.AJAX_TEAM_SLIDE_TEMPLATES_CREATE),$.ajax({type:"POST",url:t,context:this,data:{slide_template:{html:SL.data.templates.templatize(Reveal.getCurrentSlide())}}}).done(function(t){this.options.templates.create(t,{prepend:!0}).then(function(t){this.renderTemplate(t,{prepend:!0}),this.refresh()}.bind(this)),SL.notify(SL.locale.get("TEMPLATE_CREATE_SUCCESS"))}).fail(function(){SL.notify(SL.locale.get("TEMPLATE_CREATE_ERROR"),"negative")})},isEditable:function(){return this.isUserTemplates()||this.isTeamTemplates()&&SL.current_user.isEnterpriseManager()},isDefaultTemplates:function(){return"default"===this.options.id},isUserTemplates:function(){return"user"===this.options.id},isTeamTemplates:function(){return"team"===this.options.id},getNumberOfVisibleTemplates:function(){return this.domElement.find(".template-item:not(.hidden)").length},onTemplateSelected:function(t,e){e.preventDefault(),this.templateSelected.dispatch(t.data("template-model"))},onTemplateDeleteClicked:function(t,e){return e.preventDefault(),SL.prompt({anchor:$(e.currentTarget),title:SL.locale.get("TEMPLATE_DELETE_CONFIRM"),type:"select",hoverTarget:t,data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Delete</h3>",selected:!0,className:"negative",callback:function(){var e=t.data("template-model"),i=SL.config.AJAX_SLIDE_TEMPLATES_DELETE(e.get("id"));this.isTeamTemplates()&&(i=SL.config.AJAX_TEAM_SLIDE_TEMPLATES_DELETE(e.get("id"))),$.ajax({type:"DELETE",url:i,context:this}).done(function(){t.remove(),this.refresh()})}.bind(this)}]}),!1},onTemplateThemeClicked:function(t,e){e.preventDefault();var i=SL.current_user.getThemes();if(i.size()>0){var n=t.data("template-model"),s=n.get("id"),o=n.isAvailableForAllThemes(),a=($(Reveal.getCurrentSlide()),[{value:"All themes",selected:o,exclusive:!0,className:"header-item",callback:function(){i.forEach(function(t){t.hasSlideTemplate(s)&&t.removeSlideTemplate([s]).fail(this.onGenericError)}.bind(this)),this.refresh()}.bind(this)}]);i.forEach(function(t){a.push({value:t.get("name"),selected:o?!1:n.isAvailableForTheme(t),callback:function(e,i){i?t.addSlideTemplate([s]).fail(this.onGenericError):t.removeSlideTemplate([s]).fail(this.onGenericError),this.refresh()}.bind(this)})}.bind(this)),SL.prompt({anchor:$(e.currentTarget),title:"Available for...",type:"list",alignment:"l",data:a,multiselect:!0,optional:!0,hoverTarget:t})}return!1},onGenericError:function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}}),SL("components").Templates=Class.extend({init:function(t){this.options=$.extend({alignment:"",width:450,height:800,arrowSize:8},t),this.pages=[],this.pagesHash={},SL.data.templates.getUserTemplates(),SL.data.templates.getTeamTemplates(),this.render(),this.bind()},render:function(){this.domElement=$('<div class="sl-templates">'),this.innerElement=$('<div class="sl-templates-inner">').appendTo(this.domElement),this.domElement.data("instance",this),this.headerElement=$('<div class="sl-templates-header">').appendTo(this.innerElement),this.bodyElement=$('<div class="sl-templates-body">').appendTo(this.innerElement),this.footerElement=$('<div class="sl-templates-footer">').appendTo(this.innerElement),this.addTemplateButton=$(['<div class="add-new-template ladda-button" data-style="zoom-out" data-spinner-color="#222" data-spinner-size="32">','<span class="icon i-plus"></span>',"<span>Save current slide</span>","</div>"].join("")),this.addTemplateButton.on("click",this.onTemplateCreateClicked.bind(this)),this.addTemplateButton.appendTo(this.footerElement),this.addTemplateButtonLoader=Ladda.create(this.addTemplateButton.get(0))},renderTemplates:function(){this.pages=[],this.headerElement.empty(),this.bodyElement.empty(),this.renderPage("default","Default",SL.data.templates.getDefaultTemplates()),SL.data.templates.getUserTemplates(function(t){this.renderPage("user","Yours",t)}.bind(this)),SL.data.templates.getTeamTemplates(function(t){(SL.current_user.isEnterpriseManager()||!t.isEmpty())&&this.renderPage("team","Team",t)}.bind(this))},renderPage:function(t,e,i){var n=$('<div class="page-tab" data-page-id="'+t+'">'+e+"</div>");n.on("vclick",function(){this.showPage(t),SL.analytics.trackEditor("Slide templates tab clicked",t)}.bind(this)),n.appendTo(this.headerElement);var s=new SL.components.TemplatesPage({id:t,templates:i});s.templateSelected.add(this.onTemplateSelected.bind(this)),s.appendTo(this.bodyElement),this.pages.push(s),this.pagesHash[t]=s,this.domElement.attr("data-pages-total",this.pages.length)},selectDefaultPage:function(){var t=this.pages.some(function(t){return t.isTeamTemplates()&&t.getNumberOfVisibleTemplates()>0});this.showPage(t?"team":"default")},showPage:function(t){this.currentPage=this.pagesHash[t],this.currentPage?(this.bodyElement.find(".page").removeClass("past present future"),this.bodyElement.find('.page[data-page-id="'+t+'"]').addClass("present"),this.bodyElement.find('.page[data-page-id="'+t+'"]').prevAll().addClass("past"),this.bodyElement.find('.page[data-page-id="'+t+'"]').nextAll().addClass("future"),this.headerElement.find(".page-tab").removeClass("selected"),this.headerElement.find('.page-tab[data-page-id="'+t+'"]').addClass("selected")):console.warn('Template page "'+t+'" not found.')},refreshPages:function(){this.pages.forEach(function(t){t.refresh()})},bind:function(){this.layout=this.layout.bind(this),this.onKeyDown=this.onKeyDown.bind(this),this.onClicked=this.onClicked.bind(this),this.domElement.on("vclick",this.onClicked)},layout:function(){var t=10,e=this.domElement.outerWidth(),i=this.domElement.outerHeight(),n=this.options.width,s=this.options.height,o={};n=Math.min(n,i-2*t),s=Math.min(s,i-2*t),this.options.anchor&&(o.left=this.options.anchor.offset().left,o.top=this.options.anchor.offset().top,o.width=this.options.anchor.outerWidth(),o.height=this.options.anchor.outerHeight(),o.right=o.left+o.width,o.bottom=o.top+o.height);var a,r;this.options.anchor&&"r"===this.options.alignment?(n=Math.min(n,o.left-2*t),a=o.left-n-this.options.arrowSize-t,r=o.top+o.height/2-s/2):this.options.anchor&&"b"===this.options.alignment?(s=Math.min(s,o.top-2*t),a=o.left+o.width/2-n/2,r=o.top-s-this.options.arrowSize-t):this.options.anchor&&"l"===this.options.alignment?(n=Math.min(n,e-o.right-2*t),a=o.right+this.options.arrowSize+t,r=o.top+o.height/2-s/2):(a=(e-n)/2,r=(i-s)/2),this.innerElement.css({width:n,height:s,left:a,top:r})},show:function(t){this.options=$.extend(this.options,t),0===this.pages.length&&this.renderTemplates(),this.domElement.attr("data-alignment",this.options.alignment),this.domElement.appendTo(document.body),SL.util.skipCSSTransitions(this.domElement),$(window).on("resize",this.layout),SL.keyboard.keydown(this.onKeyDown),this.refreshPages(),this.hasSelectedDefaultPage||(this.hasSelectedDefaultPage=!0,this.selectDefaultPage()),this.layout()},hide:function(){this.domElement.detach(),$(window).off("resize",this.layout),SL.keyboard.release(this.onKeyDown)},onTemplateSelected:function(t){this.options.callback&&(this.hide(),this.options.callback(t.get("html")))},onTemplateCreateClicked:function(){return this.currentPage.isEditable()||this.showPage("user"),this.addTemplateButtonLoader.start(),this.currentPage.saveCurrentSlide().then(function(){this.addTemplateButtonLoader.stop()}.bind(this),function(){this.addTemplateButtonLoader.stop()}.bind(this)),SL.analytics.trackEditor(this.currentPage.isTeamTemplates()?"Saved team template":"Saved user template"),!1},onKeyDown:function(t){return 27===t.keyCode?(this.hide(),!1):!0},onClicked:function(t){$(t.target).is(this.domElement)&&(t.preventDefault(),this.hide())},destroy:function(){$(window).off("resize",this.layout),SL.keyboard.release(this.onKeyDown),this.domElement.remove()}}),SL("components").TextEditor=Class.extend({init:function(t){this.options=$.extend({type:"",value:""},t),this.saved=new signals.Signal,this.canceled=new signals.Signal,this.render(),this.bind(),this.originalValue=this.options.value||"","string"==typeof this.options.value&&this.setValue(this.options.value),SL.editor.controllers.Capabilities.isTouchEditor()||this.focusInput()},render:function(){this.domElement=$('<div class="sl-text-editor">').appendTo(document.body),this.innerElement=$('<div class="sl-text-editor-inner">').appendTo(this.domElement),this.domElement.attr("data-type",this.options.type),"html"===this.options.type?this.renderHTMLInput():this.renderTextInput(),this.footerElement=$(['<div class="sl-text-editor-footer">','<button class="button l outline white cancel-button">Cancel</button>','<button class="button l positive save-button">Save</button>',"</div>"].join("")).appendTo(this.innerElement),setTimeout(function(){this.domElement.addClass("visible")}.bind(this),1)},renderTextInput:function(){this.inputElement=$('<textarea class="sl-text-editor-input">').appendTo(this.innerElement),"code"===this.options.type&&this.inputElement.tabby({tabString:" "})},renderHTMLInput:function(){this.inputElement=$('<div class="editor sl-text-editor-input">').appendTo(this.innerElement),this.codeEditor&&"function"==typeof this.codeEditor.destroy&&(this.codeEditor.destroy(),this.codeEditor=null);try{this.codeEditor=ace.edit(this.inputElement.get(0)),SL.util.setAceEditorDefaults(this.codeEditor),this.codeEditor.getSession().setMode("ace/mode/html")}catch(t){console.log("An error occurred while initializing the Ace editor.")}},bind:function(){this.footerElement.find(".save-button").on("click",this.save.bind(this)),this.footerElement.find(".cancel-button").on("click",this.cancel.bind(this)),this.onKeyDown=this.onKeyDown.bind(this),SL.keyboard.keydown(this.onKeyDown),this.onBackgroundClicked=this.onBackgroundClicked.bind(this),this.domElement.on("vclick",this.onBackgroundClicked)},save:function(){this.saved.dispatch(this.getValue()),this.destroy()},cancel:function(){var t=this.originalValue||"",e=this.getValue()||"";e!==t?this.cancelPrompt||(this.cancelPrompt=SL.prompt({title:"Discard unsaved changes?",type:"select",data:[{html:"<h3>Cancel</h3>"},{html:"<h3>Discard</h3>",selected:!0,className:"negative",callback:function(){this.canceled.dispatch(),this.destroy()}.bind(this)}]}),this.cancelPrompt.destroyed.add(function(){this.cancelPrompt=null}.bind(this))):(this.canceled.dispatch(),this.destroy())},focusInput:function(){this.codeEditor?this.codeEditor.focus():this.inputElement.focus()},setValue:function(t){this.originalValue=t||"",this.codeEditor?this.codeEditor.getSession().setValue(t||""):this.inputElement.val(t)},getValue:function(){return this.codeEditor?this.codeEditor.getSession().getValue():this.inputElement.val()},onBackgroundClicked:function(t){$(t.target).is(this.domElement)&&(this.cancel(),t.preventDefault())},onKeyDown:function(t){return 27===t.keyCode?(this.cancel(),!1):(t.metaKey||t.ctrlKey)&&83===t.keyCode?(this.save(),!1):!0},destroy:function(){this.saved.dispose(),this.canceled.dispose(),SL.keyboard.release(this.onKeyDown),this.domElement.remove()}}),SL("components").ThemeOptions=Class.extend({init:function(t){if(!t.container)throw"Cannot build theme options without container";if(!t.model)throw"Cannot build theme options without model";this.config=$.extend({center:!0,rollingLinks:!0,supportsCustomFonts:!1,colors:SL.config.THEME_COLORS,fonts:SL.config.THEME_FONTS,transitions:SL.config.THEME_TRANSITIONS,backgroundTransitions:SL.config.THEME_BACKGROUND_TRANSITIONS},t),this.theme=t.model,this.changed=new signals.Signal,this.render(),this.updateSelection(),this.toggleDeprecatedOptions(),this.scrollToTop(),this.loadFonts()},render:function(){this.domElement=$('<div class="sl-themeoptions">').appendTo(this.config.container),"string"==typeof this.config.className&&this.domElement.addClass(this.config.className),this.config.themes&&this.renderThemes(),(this.config.center||this.config.rollingLinks)&&this.renderOptions(),this.config.colors&&this.renderColors(),this.config.fonts&&this.renderFonts(),this.config.transitions&&this.renderTransitions(),this.config.backgroundTransitions&&this.renderBackgroundTransitions()},renderThemes:function(){if(this.config.themes&&!this.config.themes.isEmpty()){var t=$('<div class="section selector theme"><h3>Theme</h3><ul></ul></div>').appendTo(this.domElement),e=t.find("ul");e.append(['<li data-theme="" class="custom">','<span class="thumb-icon icon i-equalizer"></span>','<span class="thumb-label">Custom</span>',"</li>"].join("")),this.config.themes.forEach(function(t){var i=$('<li data-theme="'+t.get("id")+'"><span class="thumb-label" title="'+t.get("name")+'">'+t.get("name")+"</span></li>").appendTo(e);t.hasThumbnail()&&i.css("background-image",'url("'+t.get("thumbnail_url")+'")')}),this.domElement.find(".theme li").on("vclick",this.onThemeClicked.bind(this))}},renderOptions:function(){var t=$('<div class="section options"><h3>Options</h3></div>').appendTo(this.domElement),e=$('<div class="options"></div>').appendTo(t);this.config.center&&(e.append('<div class="unit sl-checkbox outline"><input id="theme-center" value="center" type="checkbox"><label for="theme-center" data-tooltip="Center slide contents vertically (not visible while editing)" data-tooltip-maxwidth="220" data-tooltip-delay="500">Vertical centering</label></div>'),t.find("#theme-center").on("change",this.onOptionChanged.bind(this))),this.config.rollingLinks&&(e.append('<div class="unit sl-checkbox outline"><input id="theme-rolling_links" value="rolling_links" type="checkbox"><label for="theme-rolling_links" data-tooltip="Use a 3D hover effect on links" data-tooltip-maxwidth="220" data-tooltip-delay="500">Rolling links</label></div>'),t.find("#theme-rolling_links").on("change",this.onOptionChanged.bind(this)))},renderColors:function(){var t=$('<div class="section selector color"><h3>Color</h3><ul></ul></div>').appendTo(this.domElement),e=t.find("ul");this.config.colors.forEach(function(t){var i=$('<li data-color="'+t.id+'"><div class="theme-body-color-block"></div><div class="theme-link-color-block"></div></li>');i.addClass("theme-color-"+t.id),i.addClass("themed"),i.appendTo(e),t.tooltip&&i.attr({"data-tooltip":t.tooltip,"data-tooltip-delay":250,"data-tooltip-maxwidth":300}),!SL.current_user.isPaid()&&t.pro&&i.attr("data-pro","true")}.bind(this)),this.domElement.find(".color li").on("vclick",this.onColorClicked.bind(this))},renderFonts:function(){var t=$('<div class="section selector font"><h3 class="section-heading">Typography</h3><ul></ul></div>').appendTo(this.domElement),e=t.find("ul");if(this.config.supportsCustomFonts){var i="You can use custom fonts from Typekit, Google or your own host. Click to learn more.",n="http://help.slides.com/knowledgebase/articles/1077976";this.config.themeEditor&&(n="http://help.slides.com/knowledgebase/articles/590055-theme-editor-custom-font"),t.find(".section-heading").append('<a href="'+n+'" target="_blank" class="info-link" data-tooltip="'+i+'" data-tooltip-maxwidth="240">Custom fonts</a>')}this.config.fonts.forEach(function(t){var i=$('<li data-font="'+t.id+'" data-name="'+t.title+'"><div class="themed"><h1>'+t.title+"</h1><a>Type</a></div></li>");i.addClass("theme-font-"+t.id),i.appendTo(e),t.deprecated===!0&&i.addClass("deprecated"),t.tooltip&&i.attr({"data-tooltip":t.tooltip,"data-tooltip-delay":250,"data-tooltip-maxwidth":300})}.bind(this)),this.domElement.find(".font li").on("vclick",this.onFontClicked.bind(this))},renderTransitions:function(){var t=$('<div class="section selector transition"><h3>Transition</h3><ul></ul></div>').appendTo(this.domElement),e=t.find("ul");this.config.transitions.forEach(function(t){var i=$('<li data-transition="'+t.id+'"></li>').appendTo(e);t.deprecated===!0&&i.addClass("deprecated"),t.title&&i.attr({"data-tooltip":t.title,"data-tooltip-oy":-5})}.bind(this)),this.domElement.find(".transition li").on("vclick",this.onTransitionClicked.bind(this))},renderBackgroundTransitions:function(){var t=$('<div class="section selector background-transition"></div>').appendTo(this.domElement);t.append('<h3>Background Transition <span class="icon i-info info-icon" data-tooltip="Background transitions apply when navigating to or from a slide that has a background image or color." data-tooltip-maxwidth="250"></span></h3>'),t.append("<ul>");var e=t.find("ul");this.config.backgroundTransitions.forEach(function(t){var i=$('<li data-background-transition="'+t.id+'"></li>').appendTo(e);t.deprecated===!0&&i.addClass("deprecated"),t.title&&i.attr({"data-tooltip":t.title,"data-tooltip-oy":-5})}.bind(this)),this.domElement.find(".background-transition li").on("vclick",this.onBackgroundTransitionClicked.bind(this))},populate:function(t){t&&(this.theme=t,this.updateSelection(),this.toggleDeprecatedOptions(),this.scrollToTop())},scrollToTop:function(){this.domElement.scrollTop(0)},loadFonts:function(){setTimeout(function(){SL.fonts.fontactive.add(this.onFontLoaded.bind(this)),SL.fonts.fontinactive.add(this.onFontLoaded.bind(this)),SL.fonts.loadAll()}.bind(this),500)},onFontLoaded:function(){$(".font li[data-font]").each(function(t,e){e=$(e),SL.fonts.isPackageLoaded(e.attr("data-font"))&&e.addClass("font-loaded")}.bind(this))},updateSelection:function(){this.config.themes&&!this.config.themes.isEmpty()&&this.domElement.toggleClass("using-theme",this.theme.has("id")),this.config.center&&this.domElement.find("#theme-center").prop("checked",1==this.theme.get("center")),this.config.rollingLinks&&this.domElement.find("#theme-rolling_links").prop("checked",1==this.theme.get("rolling_links")),this.domElement.find(".theme li").removeClass("selected"),this.domElement.find(".theme li[data-theme="+this.theme.get("id")+"]").addClass("selected"),0!==this.domElement.find(".theme li.selected").length||this.theme.has("id")||this.domElement.find('.theme li[data-theme=""]').addClass("selected"),this.domElement.find(".color li").removeClass("selected"),this.domElement.find(".color li[data-color="+this.theme.get("color")+"]").addClass("selected"),this.domElement.find(".font li").removeClass("selected"),this.domElement.find(".font li[data-font="+this.theme.get("font")+"]").addClass("selected"),this.domElement.find(".font li").each(function(t,e){SL.util.html.removeClasses(e,function(t){return t.match(/^theme\-color\-/gi)}),$(e).addClass("theme-color-"+this.theme.get("color"))}.bind(this)),this.domElement.find(".transition li").removeClass("selected"),this.domElement.find(".transition li[data-transition="+this.theme.get("transition")+"]").addClass("selected"),this.domElement.find(".background-transition li").removeClass("selected"),this.domElement.find(".background-transition li[data-background-transition="+this.theme.get("background_transition")+"]").addClass("selected")},applySelection:function(){SL.helpers.ThemeController.paint(this.theme,{center:!1,js:!1})},toggleDeprecatedOptions:function(){this.domElement.find(".font .deprecated").toggle(this.theme.isFontDeprecated()),this.domElement.find(".transition .deprecated").toggle(this.theme.isTransitionDeprecated()),this.domElement.find(".background-transition .deprecated").toggle(this.theme.isBackgroundTransitionDeprecated())},getTheme:function(){return this.theme},onThemeClicked:function(t){var e=$(t.currentTarget),i=e.data("theme");if(i){var n=this.config.themes.getByProperties({id:i});if(n){if(!n.isLoading()){var s=$('<div class="thumb-preloader hidden"><div class="spinner centered"></div></div>').appendTo(e),o=setTimeout(function(){s.removeClass("hidden")},1);SL.util.html.generateSpinners(),e.addClass("selected"),n.load().done(function(){this.theme=n.clone(),this.theme.loadCustomFonts(),this.updateSelection(),this.applySelection(),this.changed.dispatch()}.bind(this)).fail(function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),e.removeClass("selected")}.bind(this)).always(function(){clearTimeout(o),s.remove()}.bind(this))}}else SL.notify("Could not find theme data","negative")}else this.theme.set("id",null),this.theme.set("js",null),this.theme.set("css",null),this.theme.set("less",null),this.theme.set("html",null),this.updateSelection(),this.applySelection(),this.changed.dispatch();SL.analytics.trackTheming("Theme option selected")},onOptionChanged:function(){this.theme.set("center",this.domElement.find("#theme-center").is(":checked")),this.theme.set("rolling_links",this.domElement.find("#theme-rolling_links").is(":checked")),this.updateSelection(),this.applySelection(),this.changed.dispatch()},onColorClicked:function(t){return t.preventDefault(),$(t.currentTarget).is("[data-pro]")?void window.open("/pricing"):(this.theme.set("color",$(t.currentTarget).data("color")),this.updateSelection(),this.applySelection(),SL.analytics.trackTheming("Color option selected",this.theme.get("color")),void this.changed.dispatch())},onFontClicked:function(t){t.preventDefault(),this.theme.set("font",$(t.currentTarget).data("font")),this.updateSelection(),this.applySelection(),SL.analytics.trackTheming("Font option selected",this.theme.get("font")),this.changed.dispatch()},onTransitionClicked:function(t){t.preventDefault(),this.theme.set("transition",$(t.currentTarget).data("transition")),this.updateSelection(),this.applySelection(),SL.analytics.trackTheming("Transition option selected",this.theme.get("transition")),this.changed.dispatch()},onBackgroundTransitionClicked:function(t){t.preventDefault(),this.theme.set("background_transition",$(t.currentTarget).data("background-transition")),this.updateSelection(),this.applySelection(),SL.analytics.trackTheming("Background transition option selected",this.theme.get("background_transition")),this.changed.dispatch()},destroy:function(){this.changed.dispose(),this.domElement.remove(),this.theme=null,this.config=null}}),SL.tooltip=function(){function t(){a=$("<div>").addClass("sl-tooltip"),r=$('<p class="sl-tooltip-inner">').appendTo(a),l=$('<div class="sl-tooltip-arrow">').appendTo(a),c=$('<div class="sl-tooltip-arrow-fill">').appendTo(l),e()
+}function e(){n=n.bind(this),$(document).on("keydown, mousedown",function(){SL.tooltip.hide()}),SL.util.device.IS_PHONE||SL.util.device.IS_TABLET||($(document.body).delegate("[data-tooltip]","mouseenter",function(t){var e=$(t.currentTarget);if(!e.is("[no-tooltip]")){var n=e.attr("data-tooltip"),s=e.attr("data-tooltip-delay"),o=e.attr("data-tooltip-align"),a=e.attr("data-tooltip-alignment"),r=e.attr("data-tooltip-maxwidth"),l=e.attr("data-tooltip-maxheight"),c=e.attr("data-tooltip-ox"),d=e.attr("data-tooltip-oy"),h=e.attr("data-tooltip-x"),u=e.attr("data-tooltip-y");if(n){var p={anchor:e,align:o,alignment:a,delay:parseInt(s,10),maxwidth:parseInt(r,10),maxheight:parseInt(l,10)};c&&(p.ox=parseFloat(c)),d&&(p.oy=parseFloat(d)),h&&u&&(p.x=parseFloat(h),p.y=parseFloat(u),p.anchor=null),i(n,p)}}}),$(document.body).delegate("[data-tooltip]","mouseleave",s))}function i(t,e){if(!SL.util.device.IS_PHONE&&!SL.util.device.IS_TABLET){d=e||{},clearTimeout(p);var s=Date.now()-f;if("number"==typeof d.delay&&s>500)return p=setTimeout(i.bind(this,t,d),d.delay),void delete d.delay;a.css("opacity",0),a.appendTo(document.body),r.html(t),a.css({left:0,top:0,"max-width":d.maxwidth?d.maxwidth:null,"max-height":d.maxheight?d.maxheight:null}),d.align&&a.css("text-align",d.align),n(),a.stop(!0,!0).animate({opacity:1},{duration:150}),$(window).on("resize scroll",n),$(d.anchor).parents(".sl-scrollable").on("scroll",n)}}function n(){var t=$(d.anchor);if(t.length){var e=d.alignment||"auto",i=10,n=$(window).scrollLeft(),s=$(window).scrollTop(),o=t.offset();o.x=o.left,o.y=o.top,d.anchor.parents(".reveal .slides").length&&"undefined"!=typeof window.Reveal&&(o=SL.util.getRevealElementGlobalOffset(d.anchor));var c=t.outerWidth(),p=t.outerHeight(),f=r.outerWidth(),m=r.outerHeight(),g=o.x-$(window).scrollLeft(),v=o.y-$(window).scrollTop(),b=f/2,y=m/2;switch("number"==typeof d.ox&&(g+=d.ox),"number"==typeof d.oy&&(v+=d.oy),"auto"===e&&(e=o.y-(m+i+h)<s?"b":"t"),e){case"t":g+=(c-f)/2,v-=m+h+u;break;case"b":g+=(c-f)/2,v+=p+h+u;break;case"l":g-=f+h+u,v+=(p-m)/2;break;case"r":g+=c+h+u,v+=(p-m)/2}g=Math.min(Math.max(g,i),window.innerWidth-f-i),v=Math.min(Math.max(v,i),window.innerHeight-m-i);var S=h+3;switch(e){case"t":b=o.x-g-n+c/2,y=m,b=Math.min(Math.max(b,S),f-S);break;case"b":b=o.x-g-n+c/2,y=-h,b=Math.min(Math.max(b,S),f-S);break;case"l":b=f,y=o.y-v-s+p/2,y=Math.min(Math.max(y,S),m-S);break;case"r":b=-h,y=o.y-v-s+p/2,y=Math.min(Math.max(y,S),m-S)}l.css({left:Math.round(b),top:Math.round(y)}),a.css({left:Math.round(g),top:Math.round(v)}).attr("data-alignment",e)}}function s(){o()&&(f=Date.now()),clearTimeout(p),a.remove().stop(!0,!0),$(window).off("resize scroll",n),d&&$(d.anchor).parents(".sl-scrollable").off("scroll",n)}function o(){return a.parent().length>0}var a,r,l,c,d,h=6,u=4,p=-1,f=-1;return t(),{show:function(t,e){i(t,e)},hide:function(){s()},isVisible:function(){return o()},anchorTo:function(t,e,i){var n={};"undefined"!=typeof e&&(n["data-tooltip"]=e),"number"==typeof i.delay&&(n["data-tooltip-delay"]=i.delay),"string"==typeof i.alignment&&(n["data-tooltip-alignment"]=i.alignment),$(t).attr(n)}}}(),SL("components").Tutorial=Class.extend({init:function(t){this.options=$.extend({steps:[]},t),this.options.steps.forEach(function(t){"undefined"==typeof t.backwards&&(t.backwards=function(){}),"undefined"==typeof t.forwards&&(t.forwards=function(){})}),this.skipped=new signals.Signal,this.finished=new signals.Signal,this.index=-1,this.render(),this.bind(),this.layout(),this.paint(),this.controlsButtons.css("width",this.controlsButtons.outerWidth()+10)},render:function(){this.domElement=$('<div class="sl-tutorial">'),this.domElement.appendTo(document.body),this.canvas=$('<canvas class="sl-tutorial-canvas">'),this.canvas.appendTo(this.domElement),this.canvas=this.canvas.get(0),this.context=this.canvas.getContext("2d"),this.controls=$('<div class="sl-tutorial-controls">'),this.controls.appendTo(this.domElement),this.controlsInner=$('<div class="sl-tutorial-controls-inner">'),this.controlsInner.appendTo(this.controls),this.renderPagination(),this.controlsButtons=$('<div class="sl-tutorial-buttons">'),this.controlsButtons.appendTo(this.controlsInner),this.nextButton=$('<button class="button no-transition white l sl-tutorial-next">Next</button>'),this.nextButton.appendTo(this.controlsButtons),this.skipButton=$('<button class="button no-transition outline white l sl-tutorial-skip">Skip tutorial</button>'),this.skipButton.appendTo(this.controlsButtons),this.messageElement=$('<div class="sl-tutorial-message no-transition">').hide(),this.messageElement.appendTo(this.domElement)},renderPagination:function(){this.pagination=$('<div class="sl-tutorial-pagination">'),this.pagination.appendTo(this.controlsInner),this.options.steps.forEach(function(t,e){$('<li class="sl-tutorial-pagination-number">').appendTo(this.pagination).on("click",this.step.bind(this,e))}.bind(this))},updatePagination:function(){this.pagination.find(".sl-tutorial-pagination-number").each(function(t,e){e=$(e),e.toggleClass("past",t<this.index),e.toggleClass("present",t===this.index),e.toggleClass("future",t>this.index)}.bind(this))},bind:function(){this.onKeyDown=this.onKeyDown.bind(this),this.onSkipClicked=this.onSkipClicked.bind(this),this.onNextClicked=this.onNextClicked.bind(this),this.onWindowResize=this.onWindowResize.bind(this),SL.keyboard.keydown(this.onKeyDown),this.skipButton.on("click",this.onSkipClicked),this.nextButton.on("click",this.onNextClicked),$(window).on("resize",this.onWindowResize)},unbind:function(){SL.keyboard.release(this.onKeyDown),this.skipButton.off("click",this.onSkipClicked),this.nextButton.off("click",this.onNextClicked),$(window).off("resize",this.onWindowResize)},prev:function(){this.step(Math.max(this.index-1,0))},next:function(){this.index+1>=this.options.steps.length?(this.finished.dispatch(),this.destroy()):this.step(Math.min(this.index+1,this.options.steps.length-1))},step:function(t){if(this.index<t){for(;this.index<t;)this.index+=1,this.options.steps[this.index].forwards.call(this.options.context);this.index+1===this.options.steps.length&&(this.skipButton.hide(),this.nextButton.text("Get started"),this.domElement.addClass("last-step"))}else if(this.index>t){for(this.index+1===this.options.steps.length&&(this.skipButton.show(),this.nextButton.text("Next"),this.domElement.removeClass("last-step"));this.index>t;)this.options.steps[this.index].backwards.call(this.options.context),this.index-=1;this.options.steps[this.index].forwards.call(this.options.context)}this.updatePagination()},layout:function(){this.width=window.innerWidth,this.height=window.innerHeight;if(this.cutoutElement){var t=this.cutoutElement.offset();this.cutoutRect={x:t.left-this.cutoutPadding,y:t.top-this.cutoutPadding,width:this.cutoutElement.outerWidth()+2*this.cutoutPadding,height:this.cutoutElement.outerHeight()+2*this.cutoutPadding}}if(this.messageElement.is(":visible")){var e=20,i=this.messageElement.outerWidth(),n=this.messageElement.outerHeight(),s={left:(window.innerWidth-i)/2,top:(window.innerHeight-n)/2};if(this.messageOptions.anchor&&this.messageOptions.alignment){var o=this.messageOptions.anchor.offset(),a=this.messageOptions.anchor.outerWidth(),r=this.messageOptions.anchor.outerHeight();switch(this.messageOptions.alignment){case"t":s.left=o.left+(a-i)/2,s.top=o.top-n-e;break;case"r":s.left=o.left+a+e,s.top=o.top+(r-n)/2;break;case"b":s.left=o.left+(a-i)/2,s.top=o.top+r+e;break;case"l":s.left=o.left-i-e,s.top=o.top+(r-n)/2;break;case"tl":s.left=o.left-i-e,s.top=o.top-20}}s.left=Math.max(s.left,10),s.top=Math.max(s.top,10);var l="translate("+Math.round(s.left)+"px,"+Math.round(s.top)+"px)";this.messageElement.css({"-webkit-transform":l,"-moz-transform":l,"-ms-transform":l,transform:l}),setTimeout(function(){this.messageElement.removeClass("no-transition")}.bind(this),1)}},paint:function(){this.canvas.width=this.width,this.canvas.height=this.height,this.context.clearRect(0,0,this.width,this.height),this.context.fillStyle="rgba( 0, 0, 0, 0.7 )",this.context.fillRect(0,0,this.width,this.height),this.cutoutElement&&(this.context.clearRect(this.cutoutRect.x,this.cutoutRect.y,this.cutoutRect.width,this.cutoutRect.height),this.context.strokeStyle="#ddd",this.context.lineWidth=1,this.context.strokeRect(this.cutoutRect.x+.5,this.cutoutRect.y+.5,this.cutoutRect.width-1,this.cutoutRect.height-1))},cutout:function(t,e){e=e||{},this.cutoutElement=t,this.cutoutPadding=e.padding||0,this.layout(),this.paint()},clearCutout:function(){this.cutoutElement=null,this.cutoutPadding=0,this.paint()},message:function(t,e){this.messageOptions=$.extend({maxWidth:320,alignment:""},e),this.messageElement.html(t).show(),this.messageElement.css("max-width",this.messageOptions.maxWidth),this.messageElement.attr("data-alignment",this.messageOptions.alignment),this.layout(),this.paint()},clearMessage:function(){this.messageElement.hide(),this.messageOptions={}},hasNextStep:function(){return this.index+1<this.options.steps.length},destroy:function(){this.destroyed||(this.destroyed=!0,$(window).off("resize",this.onWindowResize),this.skipped.dispose(),this.finished.dispose(),this.unbind(),this.domElement.fadeOut(400,this.domElement.remove))},onKeyDown:function(t){return 27===t.keyCode?(this.skipped.dispatch(),this.destroy(),!1):37===t.keyCode||8===t.keyCode?(this.prev(),!1):39===t.keyCode||32===t.keyCode?(this.next(),!1):!0},onSkipClicked:function(){this.skipped.dispatch(),this.destroy()},onNextClicked:function(){this.next()},onWindowResize:function(){this.layout(),this.paint()}}),SL("views").Base=Class.extend({init:function(){this.header=new SL.components.Header,this.setupAce(),this.setupSocial(),this.setupScrollAnchors(),this.handleLogos(),this.handleOutlines(),this.handleFeedback(),this.handleWindowClose(),this.handleAutoRefresh(),this.parseTimes(),this.parseLinks(),this.parseMeters(),this.parseSpinners(),this.parseNotifications(),this.parseScrollLinks(),setInterval(this.parseTimes.bind(this),12e4)},setupAce:function(){"object"==typeof window.ace&&"object"==typeof window.ace.config&&"function"==typeof window.ace.config.set&&ace.config.set("workerPath","/ace")},setupSocial:function(){$(window).on("load",function(){var t=$(".facebook-share-button"),e=$(".twitter-share-button"),i=$(".google-share-button"),n={url:window.location.protocol+"//"+window.location.hostname+window.location.pathname,title:$('meta[property="og:title"]').attr("content"),description:$('meta[property="og:description"]').attr("content"),thumbnail:$('meta[property="og:image"]').attr("content")};t.length&&(t.attr("href",SL.util.social.getFacebookShareLink(n.url,n.title,n.description,n.thumbnail)),t.on("vclick",function(t){SL.util.openPopupWindow($(this).attr("href"),"Share on Facebook",600,400),t.preventDefault()})),e.length&&(e.attr("href",SL.util.social.getTwitterShareLink(n.url,n.title)),e.on("vclick",function(t){SL.util.openPopupWindow($(this).attr("href"),"Share on Twitter",600,400),t.preventDefault()})),i.length&&(i.attr("href",SL.util.social.getGoogleShareLink(n.url)),i.on("vclick",function(t){SL.util.openPopupWindow($(this).attr("href"),"Share on Google+",600,400),t.preventDefault()}))})},setupScrollAnchors:function(){var t=$('.sl-scroll-anchor[href^="#"]');if(t.length){var e=t.map(function(t,e){var i=e.getAttribute("href").slice(1);return{id:i,link:$(e),target:$(document.getElementById(i))}}).toArray(),i=function(){var t=window.innerHeight,i=$(window).scrollTop(),n=null,s=Number.MAX_VALUE;e.forEach(function(e){e.link.removeClass("sl-scroll-anchor-selected");var o=e.target.offset().top-i,a=Math.abs(o);s>a&&.4*t>o&&(s=a,n=e)}),n&&n.link.addClass("sl-scroll-anchor-selected")};$(window).on("scroll",$.throttle(i.bind(this),300)),i()}},handleLogos:function(){setTimeout(function(){$(".logo-animation").addClass("open")},600)},handleOutlines:function(){var t=$("<style>").appendTo("head").get(0),e=function(e){t.styleSheet?t.styleSheet.cssText=e:t.innerHTML=e};$(document).on("mousedown",function(){e("a, button, .sl-select, .sl-checkbox label, .radio label { outline: none !important; }")}),$(document).on("keydown",function(){e("")})},handleFeedback:function(){$("html").on("click","[data-feedback-mode]",function(t){if(UserVoice&&"function"==typeof UserVoice.show){var e=$(this),i={target:this,mode:e.attr("data-feedback-mode")||"contact",position:e.attr("data-feedback-position")||"top",screenshot_enabled:e.attr("data-feedback-screenshot_enabled")||"true",smartvote_enabled:e.attr("data-feedback-smartvote-enabled")||"true",ticket_custom_fields:{}};SL.current_deck&&(i.ticket_custom_fields["Deck ID"]=SL.current_deck.get("id"),i.ticket_custom_fields["Deck Slug"]=SL.current_deck.get("slug"),i.ticket_custom_fields["Deck Version"]=SL.current_deck.get("version"),i.ticket_custom_fields["Deck Font"]=SL.current_deck.get("theme_font"),i.ticket_custom_fields["Deck Color"]=SL.current_deck.get("theme_color"),i.ticket_custom_fields["Deck Transition"]=SL.current_deck.get("transition"),i.ticket_custom_fields["Deck Background Transition"]=SL.current_deck.get("backgroundTransition"));var n=e.attr("data-feedback-type");n&&n.length&&(i.ticket_custom_fields.Type=n);var s=e.attr("data-feedback-contact-title");s&&s.length&&(i.contact_title=s),UserVoice.show(i),t.preventDefault()}})},handleWindowClose:function(){var t=SL.util.getQuery();if(t&&t.autoclose&&window.opener){var e=parseInt(t.autoclose,10)||0;setTimeout(function(){try{window.close()}catch(t){}},e)}},handleAutoRefresh:function(){var t=SL.util.getQuery();if(t&&t.autoRefresh){var e=parseInt(t.autoRefresh,10);!isNaN(e)&&e>0&&setTimeout(function(){window.location.reload()},e)}},parseTimes:function(){$("time.ago").each(function(){var t=$(this).attr("datetime");t&&$(this).text(moment.utc(t).fromNow())}),$("time.date").each(function(){var t=$(this).attr("datetime");t&&$(this).text(moment.utc(t).format("MMM Do, YYYY"))})},parseLinks:function(){$(".linkify").each(function(){$(this).html(SL.util.string.linkify($(this).text()))})},parseMeters:function(){$(".sl-meter").each(function(){new SL.components.Meter($(this))})},parseSpinners:function(){SL.util.html.generateSpinners()},parseNotifications:function(){var t=$(".flash-notification");t.length&&SL.notify(t.remove().text(),t.attr("data-notification-type"))},parseScrollLinks:function(){$(document).delegate("a[data-scroll-to]","click",function(t){var e=t.currentTarget,i=$(e.getAttribute("href")),n=parseInt(e.getAttribute("data-scroll-to-offset"),10),s=parseInt(e.getAttribute("data-scroll-to-duration"),10);isNaN(n)&&(n=-20),isNaN(s)&&(s=1e3),i.length&&$("html, body").animate({scrollTop:i.offset().top+n},s),t.preventDefault()})}}),SL("views.decks").EditRequiresUpgrade=SL.views.Base.extend({init:function(){this._super(),this.makePublicButton=$(".make-deck-public").first(),this.makePublicButton.on("click",this.onMakePublicClicked.bind(this)),this.makePublicLoader=Ladda.create(this.makePublicButton.get(0))},makeDeckPublic:function(){var t={type:"POST",url:SL.config.AJAX_PUBLISH_DECK(SL.current_deck.get("id")),context:this,data:{visibility:SL.models.Deck.VISIBILITY_ALL}};this.makePublicLoader.start(),$.ajax(t).done(function(){window.location=SL.routes.DECK_EDIT(SL.current_user.get("username"),SL.current_deck.get("slug"))}).fail(function(){SL.notify(SL.locale.get("DECK_VISIBILITY_CHANGED_ERROR"),"negative"),this.makePublicLoader.stop()})},onMakePublicClicked:function(t){t.preventDefault(),this.makeDeckPublic()}}),SL("views.decks").Embed=SL.views.Base.extend({init:function(){this._super(),this.footerElement=$(".embed-footer"),this.shareButton=this.footerElement.find(".embed-footer-share"),this.fullscreenButton=this.footerElement.find(".embed-footer-fullscreen"),this.revealElement=$(".reveal"),SL.util.setupReveal({embedded:!0,openLinksInTabs:!0,trackEvents:!0,maxScale:SL.config.PRESENT_UPSIZING_MAX_SCALE}),$(window).on("resize",this.layout.bind(this)),$(document).on("webkitfullscreenchange mozfullscreenchange MSFullscreenChange fullscreenchange",this.layout.bind(this)),this.shareButton.on("click",this.onShareClicked.bind(this)),this.fullscreenButton.on("click",this.onFullscreenClicked.bind(this));var t=SL.util.getQuery().style;"hidden"!==t||SL.current_deck.isPaid()||(t=null),t&&$("html").attr("data-embed-style",t),Modernizr.fullscreen===!1&&this.fullscreenButton.hide(),this.layout()},layout:function(){this.revealElement.height(this.footerElement.is(":visible")?window.innerHeight-this.footerElement.height():"100%"),Reveal.layout()},onFullscreenClicked:function(){var t=$("html").get(0);return t?(SL.helpers.Fullscreen.enter(t),!1):void 0},onShareClicked:function(){SL.popup.open(SL.components.decksharer.DeckSharer,{deck:SL.current_deck}),SL.analytics.trackPresenting("Share clicked (embed footer)")}}),SL("views.decks").Export=SL.views.Base.extend({init:function(){this._super()}}),SL("views.decks").Fullscreen=SL.views.Base.extend({init:function(){this._super(),/no-autoplay=1/.test(window.location.search)&&$(".reveal [data-autoplay]").removeAttr("data-autoplay"),SL.util.setupReveal({history:!navigator.userAgent.match(/(iphone|ipod|ipad|android)/gi),openLinksInTabs:!0,trackEvents:!0,maxScale:SL.config.PRESENT_UPSIZING_MAX_SCALE})}}),SL("views.decks").LiveClient=SL.views.Base.extend({init:function(){this._super(),SL.util.setupReveal({touch:!1,history:!1,keyboard:!1,controls:!1,progress:!1,showNotes:!1,slideNumber:!1,autoSlide:0,openLinksInTabs:!0,trackEvents:!0}),Reveal.addEventListener("ready",this.onRevealReady.bind(this)),this.stream=new SL.helpers.StreamLive({showErrors:!0}),this.stream.ready.add(this.onStreamReady.bind(this)),this.stream.stateChanged.add(this.onStreamStateChanged.bind(this)),this.stream.statusChanged.add(this.onStreamStatusChanged.bind(this)),this.render(),this.bind(),this.stream.connect()},render:function(){var t=SL.current_deck.get("user"),e=SL.routes.DECK(t.username,SL.current_deck.get("slug")),i=t.thumbnail_url;this.summaryBubble=$(['<a class="summary-bubble hidden" href="'+e+'" target="_blank">','<div class="summary-bubble-picture" style="background-image: url('+i+')"></div>','<div class="summary-bubble-content"></div>',"</a>"].join("")).appendTo(document.body),this.summaryBubbleContent=this.summaryBubble.find(".summary-bubble-content"),this.renderUserSummary()},renderUserSummary:function(){var t=SL.current_deck.get("user");this.summaryBubbleContent.html(["<h4>"+SL.current_deck.get("title")+"</h4>","<p>By "+(t.name||t.username)+"</p>"].join(""))},renderWaitingSummary:function(){this.summaryBubbleContent.html(["<h4>Waiting for presenter</h4>",'<p class="retry-status"></p>'].join("")),this.summaryBubbleRetryStatus=this.summaryBubbleContent.find(".retry-status")},renderConnectionLostSummary:function(){this.summaryBubbleContent.html(["<h4>Connection lost</h4>","<p>Attempting to reconnect</p>"].join(""))},startUpdatingTimer:function(){var t=function(){if(this.summaryBubbleRetryStatus&&this.summaryBubbleRetryStatus.length){var t=Date.now()-this.stream.getRetryStartTime(),e=Math.ceil((SL.helpers.StreamLive.CONNECTION_RETRY_INTERVAL-t)/1e3);this.summaryBubbleRetryStatus.text(isNaN(e)?"Retrying":e>0?"Retrying in "+e+"s":"Retrying now")}}.bind(this);clearInterval(this.updateTimerInterval),this.updateTimerInterval=setInterval(t,100),t()},stopUpdatingTimer:function(){clearInterval(this.updateTimerInterval)},bind:function(){this.summaryBubble.on("mouseover",this.expandSummary.bind(this)),this.summaryBubble.on("mouseout",this.collapseSummary.bind(this))},expandSummary:function(t){clearTimeout(this.collapseSummaryTimeout);var e=window.innerWidth-(this.summaryBubbleContent.find("h4, p").offset().left+40);e=Math.min(e,400),this.summaryBubbleContent.find("h4, p").css("max-width",e),this.summaryBubble.width(this.summaryBubble.height()+this.summaryBubbleContent.outerWidth()),"number"==typeof t&&(this.collapseSummaryTimeout=setTimeout(this.collapseSummary.bind(this),t))},expandSummaryError:function(){this.summaryBubbleError=!0,this.expandSummary()},collapseSummary:function(){this.summaryBubbleError||(clearTimeout(this.collapseSummaryTimeout),this.summaryBubble.width(this.summaryBubble.height()))},setPresentControls:function(t){this.summaryBubble.toggleClass("hidden",!t),Reveal.configure({slideNumber:SLConfig.deck.slide_number&&t})},setPresentNotes:function(t){Reveal.configure({showNotes:t})},setPresentUpsizing:function(t){Reveal.configure({maxScale:t?SL.config.PRESENT_UPSIZING_MAX_SCALE:1})},onRevealReady:function(){this.setPresentControls(SL.current_deck.user_settings.get("present_controls")),this.setPresentNotes(SL.current_deck.user_settings.get("present_notes")),this.setPresentUpsizing(SL.current_deck.user_settings.get("present_upsizing"))},onStreamReady:function(){this.expandSummary(5e3)},onStreamStateChanged:function(t){t&&"boolean"==typeof t.present_controls&&this.setPresentControls(t.present_controls),t&&"boolean"==typeof t.present_notes&&this.setPresentNotes(t.present_notes),t&&"boolean"==typeof t.present_upsizing&&this.setPresentUpsizing(t.present_upsizing)},onStreamStatusChanged:function(t){t===SL.helpers.StreamLive.STATUS_WAITING_FOR_PUBLISHER?(this.renderWaitingSummary(),this.expandSummaryError(),this.startUpdatingTimer()):(this.summaryBubbleError=!1,this.renderUserSummary(),this.stopUpdatingTimer())}}),SL("views.decks").LiveServer=SL.views.Base.extend({init:function(){this._super(),this.strings={speakerViewURL:SL.current_deck.getURL({view:"speaker"}),liveViewHelpURL:"http://help.slides.com/knowledgebase/articles/333924",speakerViewHelpURL:"http://help.slides.com/knowledgebase/articles/333923"},SL.util.setupReveal({history:!0,openLinksInTabs:!0,trackEvents:!0,showNotes:SL.current_deck.get("share_notes")&&SL.current_user.settings.get("present_notes"),controls:SL.current_user.settings.get("present_controls"),progress:SL.current_user.settings.get("present_controls"),maxScale:SL.current_user.settings.get("present_upsizing")?SL.config.PRESENT_UPSIZING_MAX_SCALE:1}),this.stream=new SL.helpers.StreamLive({publisher:!0,showErrors:!1}),this.stream.connect(),this.render(),this.bind(),SL.helpers.PageLoader.waitForFonts()},render:function(){this.presentationControls=$(['<div class="presentation-controls">','<div class="presentation-controls-content">',"<h2>Presentation Controls</h2>",'<div class="presentation-controls-section">',"<h2>Speaker View</h2>",'<p>The control panel for your presentation. Includes speaker notes, an upcoming slide preview and more. It can be used as a remote control when opened from a mobile device. <a href="'+this.strings.speakerViewHelpURL+'" target="_blank">Learn more.</a></p>','<a class="button l outline" href="'+this.strings.speakerViewURL+'" target="_blank">Open speaker view</a>',"</div>",'<div class="presentation-controls-section">',"<h2>Present Live</h2>",'<p class="live-description">Share this link with your audience to have them follow along with the presentation in real-time. <a href="'+this.strings.liveViewHelpURL+'" target="_blank">Learn more.</a></p>','<div class="live-share"></div>',"</div>",'<div class="presentation-controls-section sl-form">',"<h2>Options</h2>",'<div class="sl-checkbox outline fullscreen-toggle">','<input id="fullscreen-checkbox" type="checkbox">','<label for="fullscreen-checkbox">Fullscreen</label>',"</div>",'<div class="sl-checkbox outline controls-toggle" data-tooltip="Hide the presentation control arrows and progress bar." data-tooltip-alignment="r" data-tooltip-delay="500" data-tooltip-maxwidth="250">','<input id="controls-checkbox" type="checkbox">','<label for="controls-checkbox">Hide controls</label>',"</div>",'<div class="sl-checkbox outline notes-toggle" data-tooltip="Hide your speaker notes from the audience." data-tooltip-alignment="r" data-tooltip-delay="500" data-tooltip-maxwidth="250">','<input id="controls-checkbox" type="checkbox">','<label for="controls-checkbox">Hide notes</label>',"</div>",'<div class="sl-checkbox outline upsizing-toggle" data-tooltip="Your content is automatically scaled up to fill as much of the browser window as possible. This option disables that scaling and favors the original authored at size." data-tooltip-alignment="r" data-tooltip-delay="500" data-tooltip-maxwidth="300">','<input id="upsizing-checkbox" type="checkbox">','<label for="upsizing-checkbox">Disable upsizing</label>',"</div>","</div>","</div>",'<footer class="presentation-controls-footer">','<button class="button xl positive start-presentation">Start presentation</button>',"</footer>","</div>"].join("")).appendTo(document.body),this.presentationControlsExpander=$(['<div class="presentation-controls-expander" data-tooltip="Show menu" data-tooltip-alignment="r">','<span class="icon i-chevron-right"></span>',"</div>"].join("")).appendTo(document.body),$(".global-header").prependTo(this.presentationControls),this.presentationControlsScrollShadow=new SL.components.ScrollShadow({parentElement:this.presentationControls,headerElement:this.presentationControls.find(".global-header"),contentElement:this.presentationControls.find(".presentation-controls-content"),footerElement:this.presentationControls.find(".presentation-controls-footer")}),SL.helpers.Fullscreen.isEnabled()===!1&&this.presentationControls.find(".fullscreen-toggle").hide(),SL.current_deck.get("share_notes")||this.presentationControls.find(".notes-toggle").hide(),this.syncPresentationControls(),this.renderLiveShare()},bind:function(){this.presentationControls.find(".live-view-url").on("mousedown",this.onLiveURLMouseDown.bind(this)),this.presentationControls.find(".fullscreen-toggle").on("vclick",this.onFullscreenToggled.bind(this)),this.presentationControls.find(".controls-toggle").on("vclick",this.onControlsToggled.bind(this)),this.presentationControls.find(".notes-toggle").on("vclick",this.onNotesToggled.bind(this)),this.presentationControls.find(".upsizing-toggle").on("vclick",this.onUpsizingToggled.bind(this)),this.presentationControls.find(".button.start-presentation").on("vclick",this.onStartPresentationClicked.bind(this)),this.presentationControlsExpander.on("vclick",this.onStopPresentationClicked.bind(this)),$(document).on("webkitfullscreenchange mozfullscreenchange MSFullscreenChange fullscreenchange",this.onFullscreenChange.bind(this)),$(document).on("mousemove",this.onMouseMove.bind(this)),$(document).on("mouseleave",this.onMouseLeave.bind(this))},syncPresentationControls:function(){this.presentationControls.find(".fullscreen-toggle input").prop("checked",SL.helpers.Fullscreen.isActive()),this.presentationControls.find(".controls-toggle input").prop("checked",!SL.current_user.settings.get("present_controls")),this.presentationControls.find(".upsizing-toggle input").prop("checked",!SL.current_user.settings.get("present_upsizing")),this.presentationControls.find(".notes-toggle input").prop("checked",!SL.current_user.settings.get("present_notes"))},renderLiveShare:function(){this.liveShareElement=this.presentationControls.find(".live-share"),SL.current_deck.isVisibilityAll()?this.showLiveShareLink(SL.current_deck.getURL({view:"live"})):this.showLiveShareLinkGenerator()},showLiveShareLinkGenerator:function(){this.presentationControls.find(".live-description").html('Share a link with your audience to have them follow along with the presentation in real-time. Note that all private links you share point to the same live presentation session. <a href="'+this.strings.liveViewHelpURL+'" target="_blank">Learn more.</a>'),this.liveShareButton=$('<button class="button l outline ladda-button" data-style="zoom-out" data-spinner-color="#222">Share link</button>'),this.liveShareButton.appendTo(this.liveShareElement),this.liveShareButton.on("vclick",function(){"undefined"!=typeof SLConfig&&"string"==typeof SLConfig.deck.user.username&&"string"==typeof SLConfig.deck.slug?SL.popup.open(SL.components.decksharer.DeckSharer,{deck:SL.current_deck,deckView:"live"}):SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}.bind(this))},showLiveShareLink:function(t){this.liveShareElement.html('<input class="live-view-url input-field" type="text" value="'+t+'" readonly />'),this.liveShareElement.find(".live-view-url").on("mousedown",this.onLiveURLMouseDown.bind(this))},showStatus:function(t){this.statusElement?this.statusElement.find(".stream-status-message").html(t):this.statusElement=$(['<div class="stream-status">','<p class="stream-status-message">'+t+"</p>","</div>"].join("")).appendTo(document.body)},clearStatus:function(){this.statusElement&&(this.statusElement.remove(),this.statusElement=null)},savePresentOption:function(t){this.xhrRequests=this.xhrRequests||{},this.xhrRequests[t]&&this.xhrRequests[t].abort();var e={url:SL.config.AJAX_UPDATE_USER_SETTINGS,type:"PUT",context:this,data:{user_settings:{}}};e.data.user_settings[t]=SL.current_user.settings.get(t),this.xhrRequests[t]=$.ajax(e).always(function(){this.xhrRequests[t]=null})},startPresentation:function(){$("html").addClass("presentation-started"),this.presentationStarted=!0},stopPresentation:function(){$("html").removeClass("presentation-started"),this.presentationStarted=!1,this.presentationControlsExpander.removeClass("visible")},hasStartedPresentation:function(){return!!this.presentationStarted},onLiveURLMouseDown:function(t){$(t.target).focus().select(),t.preventDefault()},onControlsToggled:function(t){t.preventDefault();var e=!Reveal.getConfig().controls;SL.current_user.settings.set("present_controls",e),Reveal.configure({controls:e,progress:e,slideNumber:SLConfig.deck.slide_number&&e}),this.syncPresentationControls(),this.savePresentOption("present_controls"),this.stream.publish(null,{present_controls:e})},onNotesToggled:function(t){t.preventDefault();var e=!Reveal.getConfig().showNotes;SL.current_user.settings.set("present_notes",e),Reveal.configure({showNotes:e}),this.syncPresentationControls(),this.savePresentOption("present_notes"),this.stream.publish(null,{present_notes:e})},onUpsizingToggled:function(t){t.preventDefault();var e=Reveal.getConfig().maxScale<=1;SL.current_user.settings.set("present_upsizing",e),Reveal.configure({maxScale:e?SL.config.PRESENT_UPSIZING_MAX_SCALE:1}),this.syncPresentationControls(),this.savePresentOption("present_upsizing"),this.stream.publish(null,{present_upsizing:e})},onFullscreenToggled:function(t){t.preventDefault(),SL.helpers.Fullscreen.toggle()},onFullscreenChange:function(){this.syncPresentationControls(),Reveal.layout()},onStartPresentationClicked:function(){this.startPresentation()},onStopPresentationClicked:function(){this.stopPresentation()},onMouseMove:function(t){this.presentationControlsExpander.toggleClass("visible",this.hasStartedPresentation()&&t.clientX<50)},onMouseLeave:function(){this.presentationControlsExpander.removeClass("visible")}}),SL("views.decks").Password=SL.views.Base.extend({OUTRO_DURATION:600,init:function(){this._super(),this.domElement=$(".password-content"),this.formElement=this.domElement.find(".sl-form"),this.inputElement=this.formElement.find(".password-input"),this.submitButton=this.formElement.find(".password-submit"),this.submitLoader=Ladda.create(this.submitButton.get(0)),this.iconElement=$(".password-icon"),this.titleElement=$(".password-title"),this.incorrectPasswordCounter=0,this.incorrectPasswordMessages=["Wrong password, please try again","Still wrong, give it another try","That one was wrong too","Nope"],this.submitButton.on("vclick",this.onSubmitClicked.bind(this)),$(document).on("keydown",this.onKeyDown.bind(this))},submit:function(){this.request||(this.submitLoader.start(),this.iconElement.removeClass("wobble"),this.request=$.ajax({url:SL.config.AJAX_ACCESS_TOKENS_PASSWORD_AUTH(SLConfig.access_token_id),type:"PUT",context:this,data:{access_token:{password:this.inputElement.val()}}}).done(function(){this.domElement.addClass("outro"),this.titleElement.text("All set! Loading deck..."),setTimeout(function(){window.location.reload()},this.OUTRO_DURATION)}).fail(function(){this.submitLoader.stop(),this.titleElement.text(this.getIncorrectPasswordMessage()),this.iconElement.addClass("wobble"),this.request=null}))},getIncorrectPasswordMessage:function(){return this.incorrectPasswordMessages[this.incorrectPasswordCounter++%this.incorrectPasswordMessages.length]},onSubmitClicked:function(t){t.preventDefault(),this.submit()},onKeyDown:function(t){13===t.keyCode&&(t.preventDefault(),this.submit())}}),SL("views.decks").Review=SL.views.Base.extend({init:function(){this._super(),$("html").toggleClass("small-mode",window.innerWidth<850),SL.util.setupReveal({help:!1,history:!0,openLinksInTabs:!0,margin:.15}),SL.helpers.PageLoader.show(),this.setupCollaboration().then(function(){SL.fonts.isReady()?SL.helpers.PageLoader.hide():SL.fonts.ready.add(SL.helpers.PageLoader.hide)}),SL.session.enforce()},setupCollaboration:function(){this.collaboration=new SL.components.collab.Collaboration({container:document.body,fixed:!$("html").hasClass("small-mode"),autofocusComment:!1});
+var t=new Promise(function(t){this.collaboration.loaded.add(function(){t()}.bind(this))}.bind(this));return this.collaboration.load(),t}}),SL("views.decks").Show=SL.views.Base.extend({init:function(){this._super(),SL.util.setupReveal({history:!0,embedded:!0,pause:!1,margin:.1,openLinksInTabs:!0,trackEvents:!0}),this.setupDisqus(),this.setupPills(),$("header .deck-promotion").length&&$("header").addClass("extra-wide"),Modernizr.fullscreen===!1&&$(".deck-options .fullscreen-button").hide(),this.bind(),this.layout()},bind:function(){this.editButton=$(".deck-options .edit-button"),this.editButtonOriginalLink=this.editButton.attr("href"),$(".deck-options .fork-button").on("click",this.onForkClicked.bind(this)),$(".deck-options .share-button").on("click",this.onShareClicked.bind(this)),$(".deck-options .comment-button").on("click",this.onCommentsClicked.bind(this)),$(".deck-options .fullscreen-button").on("click",this.onFullScreenClicked.bind(this)),this.visibilityButton=$(".deck-options .visibility-button"),this.visibilityButton.on("click",this.onVisibilityClicked.bind(this)),$(document).on("webkitfullscreenchange mozfullscreenchange MSFullscreenChange fullscreenchange",Reveal.layout),this.onWindowScroll=$.debounce(this.onWindowScroll,200),$(window).on("resize",this.layout.bind(this)),$(window).on("scroll",this.onWindowScroll.bind(this)),Reveal.addEventListener("slidechanged",this.onSlideChanged.bind(this)),Reveal.addEventListener("fragmentshown",this.hideSummary),Reveal.addEventListener("fragmenthidden",this.hideSummary)},setupPills:function(){this.hideSummary=this.hideSummary.bind(this),this.hideInstructions=this.hideInstructions.bind(this),this.summaryPill=$(".summary-pill"),this.instructionsPill=$(".instructions-pill"),this.summaryPill.on("click",this.hideSummary),this.instructionsPill.on("click",this.hideInstructions),this.showSummaryTimeout=setTimeout(this.showSummary.bind(this),1e3),this.hideSummaryTimeout=setTimeout(this.hideSummary.bind(this),6e3),this.showNavigationInstructions()},setupDisqus:function(){$("#disqus_thread").length?$(window).on("load",function(){{var t=window.disqus_shortname="slidesapp";window.disqus_identifier=SLConfig.deck.id}!function(){var e=document.createElement("script");e.type="text/javascript",e.async=!0,e.src="//"+t+".disqus.com/embed.js",(document.getElementsByTagName("head")[0]||document.getElementsByTagName("body")[0]).appendChild(e)}()}):$(".options .comment-button").hide()},showSummary:function(){this.summaryPill&&this.summaryPill.addClass("visible")},hideSummary:function(){clearTimeout(this.showSummaryTimeout),this.summaryPill&&(this.summaryPill.removeClass("visible"),this.summaryPill.on("transitionend",this.summaryPill.remove),this.summaryPill=null)},canShowInstructions:function(){return!SL.util.user.isLoggedIn()&&!SL.util.device.IS_PHONE&&!SL.util.device.IS_TABLET&&Reveal.getTotalSlides()>1&&Modernizr.localstorage},showNavigationInstructions:function(){this.showInstructions("slides-has-seen-deck-navigation-instructions",6e3,{title:"Navigation instructions",description:"Press the space key or click the arrows to the right"})},showVerticalInstructions:function(){this.showInstructions("slides-has-seen-deck-vertical-instructions",1e3,{title:"There's a vertical slide below",description:"Use the controls to the right or the keyboard arrows",icon:"down-arrow"})},showInstructions:function(t,e,i){clearTimeout(this.showInstructionsTimeout),this.instructionsPill&&this.canShowInstructions()&&!localStorage.getItem(t)&&(localStorage.setItem(t,"yes"),this.showInstructionsTimeout=setTimeout(function(){this.instructionsPill.attr("data-icon",i.icon),this.instructionsPill.find(".pill-title").text(i.title),this.instructionsPill.find(".pill-description").text(i.description),this.instructionsPill.addClass("visible"),this.layout()}.bind(this),e))},hideInstructions:function(){clearTimeout(this.showInstructionsTimeout),this.instructionsPill&&this.instructionsPill.removeClass("visible")},layout:function(){this.summaryPill&&this.summaryPill.css("left",(window.innerWidth-this.summaryPill.width())/2),this.instructionsPill&&this.instructionsPill.css("left",(window.innerWidth-this.instructionsPill.width())/2);var t=$(".reveal .playback"),e=$(".deck-kudos"),i={opacity:1};e.length&&t.length&&(i.marginLeft=t.offset().left+t.outerWidth()-10),e.css(i)},saveVisibility:function(t){var e={type:"POST",url:SL.config.AJAX_PUBLISH_DECK(SL.current_deck.get("id")),context:this,data:{visibility:t}};$.ajax(e).done(function(t){t.deck.visibility===SL.models.Deck.VISIBILITY_SELF?SL.notify(SL.locale.get("DECK_VISIBILITY_CHANGED_SELF")):t.deck.visibility===SL.models.Deck.VISIBILITY_TEAM?SL.notify(SL.locale.get("DECK_VISIBILITY_CHANGED_TEAM")):t.deck.visibility===SL.models.Deck.VISIBILITY_ALL&&SL.notify(SL.locale.get("DECK_VISIBILITY_CHANGED_ALL")),"string"==typeof t.deck.slug&&SL.current_deck.set("slug",t.deck.slug),"string"==typeof t.deck.visibility&&SL.current_deck.set("visibility",t.deck.visibility)}).fail(function(){SL.notify(SL.locale.get("DECK_VISIBILITY_CHANGED_ERROR"),"negative")})},onShareClicked:function(){return"undefined"!=typeof SLConfig&&"string"==typeof SLConfig.deck.user.username&&"string"==typeof SLConfig.deck.slug?SL.popup.open(SL.components.decksharer.DeckSharer,{deck:SL.current_deck}):SL.notify(SL.locale.get("GENERIC_ERROR"),"negative"),SL.analytics.trackPresenting("Share clicked"),!1},onCommentsClicked:function(){SL.analytics.trackPresenting("Comments clicked")},onFullScreenClicked:function(){var t=$(".reveal-viewport").get(0);return t?(SL.helpers.Fullscreen.enter(t),!1):void SL.analytics.trackPresenting("Fullscreen clicked")},onForkClicked:function(){return SL.analytics.trackPresenting("Fork clicked"),$.ajax({type:"POST",url:SL.config.AJAX_FORK_DECK(SLConfig.deck.id),context:this}).done(function(){window.location=SL.current_user.getProfileURL()}).fail(function(){SL.notify(SL.locale.get("GENERIC_ERROR"),"negative")}),!1},onVisibilityClicked:function(t){t.preventDefault();var e=SL.current_deck.get("visibility"),i=[];i.push({html:SL.locale.get("DECK_VISIBILITY_CHANGE_SELF"),selected:e===SL.models.Deck.VISIBILITY_SELF,callback:function(){this.saveVisibility(SL.models.Deck.VISIBILITY_SELF),SL.analytics.trackPresenting("Visibility changed","self")}.bind(this)}),SL.current_user.isEnterprise()&&i.push({html:SL.locale.get("DECK_VISIBILITY_CHANGE_TEAM"),selected:e===SL.models.Deck.VISIBILITY_TEAM,className:"divider",callback:function(){this.saveVisibility(SL.models.Deck.VISIBILITY_TEAM),SL.analytics.trackPresenting("Visibility changed","team")}.bind(this)}),i.push({html:SL.locale.get("DECK_VISIBILITY_CHANGE_ALL"),selected:e===SL.models.Deck.VISIBILITY_ALL,callback:function(){this.saveVisibility(SL.models.Deck.VISIBILITY_ALL),SL.analytics.trackPresenting("Visibility changed","all")}.bind(this)}),SL.prompt({anchor:$(t.currentTarget),type:"select",className:"sl-visibility-prompt",data:i}),SL.analytics.trackPresenting("Visibility menu opened")},onSlideChanged:function(t){this.hideSummary(),this.hideInstructions();var e="#";t.indexh&&(e+="/"+t.indexh,t.indexv&&(e+="/"+t.indexv)),this.editButton.attr("href",this.editButtonOriginalLink+e),t.indexh>0&&0===t.indexv&&Reveal.availableRoutes().down&&this.showVerticalInstructions()},onWindowScroll:function(){$(window).scrollTop()>10&&(this.hideSummary(),this.hideInstructions())}}),SL("views.decks").Speaker=SL.views.Base.extend({init:function(){this._super(),this.notesElement=$(".speaker-controls .notes"),this.notesValue=$(".speaker-controls .notes .value"),this.timeElement=$(".speaker-controls .time"),this.timeTimerValue=$(".speaker-controls .time .timer-value"),this.timeClockValue=$(".speaker-controls .time .clock-value"),this.subscribersElement=$(".speaker-controls .subscribers"),this.subscribersValue=$(".speaker-controls .subscribers .subscribers-value"),this.currentElement=$(".current-slide"),this.upcomingElement=$(".upcoming-slide"),this.upcomingFrame=$(".upcoming-slide iframe"),this.upcomingJumpTo=$(".upcoming-slide-jump-to"),this.speakerLayout=$(".speaker-layout-button"),this.speakerLayout.on("vclick",this.onLayoutClicked.bind(this)),$(".reveal [data-autoplay]").removeAttr("data-autoplay"),this.isMobileSpeakerView()||this.setLayout(SL.current_user.settings.get("speaker_layout")),this.upcomingFrame.length?(this.upcomingFrame.on("load",this.onUpcomingFrameLoaded.bind(this)),this.upcomingFrame.attr("src",this.upcomingFrame.attr("data-src"))):this.setup(),SL.helpers.PageLoader.show()},setup:function(){Reveal.addEventListener("ready",function(){this.currentReveal=window.Reveal,this.currentReveal.addEventListener("slidechanged",this.onCurrentSlideChanged.bind(this)),this.currentReveal.addEventListener("fragmentshown",this.onCurrentFragmentChanged.bind(this)),this.currentReveal.addEventListener("fragmenthidden",this.onCurrentFragmentChanged.bind(this)),this.currentReveal.addEventListener("paused",this.onCurrentPaused.bind(this)),this.currentReveal.addEventListener("resumed",this.onCurrentResumed.bind(this)),this.upcomingFrame.length&&(this.upcomingReveal=this.upcomingFrame.get(0).contentWindow.Reveal,this.upcomingReveal.isReady()?this.setupUpcomingReveal():this.upcomingReveal.addEventListener("ready",this.setupUpcomingReveal.bind(this))),this.setupTimer(),this.setupTouch(),this.stream=new SL.helpers.StreamLive({reveal:this.currentReveal,publisher:!0,showErrors:!0}),this.stream.ready.add(this.onStreamReady.bind(this)),this.stream.subscribersChanged.add(this.onStreamSubscribersChanged.bind(this)),this.stream.connect(),this.layout(),window.addEventListener("resize",this.layout.bind(this))}.bind(this)),SL.util.setupReveal({touch:!0,history:!1,autoSlide:0,openLinksInTabs:!0,trackEvents:!0,showNotes:!1})},setupUpcomingReveal:function(){this.upcomingReveal.configure({history:!1,controls:!1,progress:!1,overview:!1,autoSlide:0,transition:"none",backgroundTransition:"none"}),this.upcomingReveal.addEventListener("slidechanged",this.onUpcomingSlideChanged.bind(this)),this.upcomingReveal.addEventListener("fragmentshown",this.onUpcomingFragmentChanged.bind(this)),this.upcomingReveal.addEventListener("fragmenthidden",this.onUpcomingFragmentChanged.bind(this)),this.upcomingFrame.get(0).contentWindow.document.body.className+=" no-transition",this.upcomingJumpTo.on("vclick",this.onJumpToUpcomingSlide.bind(this)),this.syncJumpButton()},setupTouch:function(){if(this.isMobileSpeakerView()&&(SL.util.device.HAS_TOUCH||window.navigator.pointerEnabled)){this.touchControls=$(['<div class="touch-controls">','<div class="touch-controls-content">','<span class="status">',"Tap or Swipe to change slide","</span>",'<span class="slide-number"></span>',"</div>",'<div class="touch-controls-progress"></div>',"</div>"].join("")).appendTo(document.body),this.touchControlsProgress=this.touchControls.find(".touch-controls-progress"),this.touchControlsSlideNumber=this.touchControls.find(".slide-number"),this.touchControlsStatus=this.touchControls.find(".status"),setTimeout(function(){this.touchControls.addClass("visible")}.bind(this),1e3);var t=document.body,e=new Hammer(t);e.get("swipe").set({direction:Hammer.DIRECTION_ALL}),e.get("press").set({threshold:1e3}),$(t).on("touchstart",function(i){1===$(i.target).closest(".notes-overflowing").length?(e.stop(),$(t).one("touchend",function(t){var e={x:i.originalEvent.pageX,y:i.originalEvent.pageY},n={x:t.originalEvent.pageX,y:t.originalEvent.pageY};SL.util.trig.distanceBetween({x:e.x,y:e.y},{x:n.x,y:n.y})<10&&(this.currentReveal.next(),this.showTouchStatus("Next slide"))}.bind(this))):i.preventDefault()}.bind(this)),e.on("swipe",function(t){switch(t.direction){case Hammer.DIRECTION_LEFT:this.currentReveal.right(),this.showTouchStatus("Next slide");break;case Hammer.DIRECTION_RIGHT:this.currentReveal.left(),this.showTouchStatus("Previous slide");break;case Hammer.DIRECTION_UP:this.currentReveal.down(),this.showTouchStatus("Next vertical slide");break;case Hammer.DIRECTION_DOWN:this.currentReveal.up(),this.showTouchStatus("Previous vertical slide")}}.bind(this)),e.on("tap",function(){this.currentReveal.next(),this.showTouchStatus("Next slide")}.bind(this)),e.on("press",function(){this.currentReveal.isPaused()&&(this.currentReveal.togglePause(!1),this.showTouchStatus("Resumed"))}.bind(this))}},setupTimer:function(){this.timeTimerValue.on("click",this.restartTimer.bind(this)),this.restartTimer(),setInterval(this.syncTimer.bind(this),1e3)},restartTimer:function(){this.startTime=Date.now(),this.syncTimer()},layout:function(){var t=window.innerHeight-this.notesValue.offset().top-10;this.isMobileSpeakerView()?this.touchControls&&(t-=this.touchControls.outerHeight()):this.subscribersElement.hasClass("visible")&&(t-=this.subscribersElement.outerHeight()),this.notesValue.height(t),this.syncNotesOverflow()},setLayout:function(t,e){$("html").attr("data-speaker-layout",t),this.currentReveal&&this.currentReveal.layout(),this.upcomingReveal&&this.upcomingReveal.layout(),this.layout(),e&&(SL.current_user.settings.set("speaker_layout",t),SL.current_user.settings.save(["speaker_layout"]))},getLayout:function(){return SL.current_user.settings.get("speaker_layout")||SL.views.decks.Speaker.LAYOUT_DEFAULT},sync:function(){setTimeout(function(){this.syncUpcomingSlide(),this.syncTouchControls(),this.syncNotes(),this.syncNotesOverflow(),this.syncTimer()}.bind(this),1)},syncTimer:function(){var t=moment();this.timeClockValue.html(t.format("hh:mm")+' <span class="dim">'+t.format("A")+"<span>"),t.hour(0).minute(0).second((Date.now()-this.startTime)/1e3);var e=t.format("HH")+":",i=t.format("mm")+":",n=t.format("ss");"00:"===e&&(e='<span class="dim">'+e+"</span>","00:"===i&&(i='<span class="dim">'+i+"</span>")),this.timeTimerValue.html(e+i+n)},syncUpcomingSlide:function(){if(this.upcomingReveal){var t=this.currentReveal.getIndices();this.upcomingReveal.slide(t.h,t.v,t.f),this.upcomingReveal.next();var e=this.upcomingReveal.getIndices();this.upcomingElement.toggleClass("is-last-slide",t.h===e.h&&t.v===e.v&&t.f===e.f)}},syncJumpButton:function(){if(this.upcomingReveal){var t=this.currentReveal.getIndices(),e=this.upcomingReveal.getIndices();this.upcomingJumpTo.toggleClass("hidden",t.h===e.h&&t.v===e.v&&t.f===e.f)}},syncNotes:function(){var t=$(this.currentReveal.getCurrentSlide()).attr("data-notes")||"";t?(this.notesElement.show(),this.notesValue.text(t),this.notesElement.removeAttr("data-note-length"),t.length<120?this.notesElement.attr("data-note-length","short"):t.length>210&&this.notesElement.attr("data-note-length","long")):this.notesElement.hide()},syncNotesOverflow:function(){this.notesValue.toggleClass("notes-overflowing",this.notesValue.prop("scrollHeight")>this.notesValue.height())},syncTouchControls:function(){if(this.touchControls){var t=this.currentReveal.getProgress();this.touchControlsProgress.css({"-webkit-transform":"scale("+t+", 1)","-moz-transform":"scale("+t+", 1)","-ms-transform":"scale("+t+", 1)",transform:"scale("+t+", 1)"});var e=$(".reveal .slides section:not(.stack)").length,i=this.currentReveal.getIndices().h+this.currentReveal.getIndices().v;i+=$(".reveal .slides>section.present").prevAll("section").find(">section:gt(0)").length,i+=1,this.touchControlsSlideNumber.html(i+"/"+e)}},showTouchStatus:function(t){clearTimeout(this.touchControlsStatusTimeout);var e=this.currentReveal&&this.currentReveal.isPaused();e&&(t="Paused (tap+hold to resume)"),this.touchControlsStatus&&(this.touchControlsStatus.text(t).removeClass("hidden"),e||(this.touchControlsStatusTimeout=setTimeout(function(){this.touchControlsStatus.addClass("hidden")}.bind(this),1e3)))},isMobileSpeakerView:function(){return $("html").hasClass("speaker-mobile")},onUpcomingFrameLoaded:function(){this.setup()},onStreamReady:function(){SL.helpers.PageLoader.hide(),this.sync()},onStreamSubscribersChanged:function(t){"number"==typeof this.subscriberCount&&(this.subscribersValue.removeClass("flash green flash-red"),t>this.subscriberCount?setTimeout(function(){this.subscribersValue.addClass("flash-green")}.bind(this),1):t<this.subscriberCount&&setTimeout(function(){this.subscribersValue.addClass("flash-red")}.bind(this),1)),this.subscriberCount=t,this.subscriberCount>0?(this.subscribersValue.html('<span class="icon i-eye"></span>'+t),this.subscribersElement.addClass("visible")):this.subscribersElement.removeClass("visible"),this.layout()},onCurrentSlideChanged:function(){this.sync()},onCurrentFragmentChanged:function(){this.sync()},onCurrentPaused:function(){this.pausedInstructions||(this.pausedInstructions=$('<h3 class="message-overlay">Paused. Press the "B" key to resume.</h3>'),this.pausedInstructions.appendTo(this.currentElement),this.pausedInstructions.addClass("visible"))},onCurrentResumed:function(){this.pausedInstructions&&(this.pausedInstructions.remove(),this.pausedInstructions=null)},onUpcomingSlideChanged:function(){this.syncJumpButton()},onUpcomingFragmentChanged:function(){this.syncJumpButton()},onJumpToUpcomingSlide:function(){var t=this.upcomingReveal.getIndices();this.currentReveal.slide(t.h,t.v,t.f),this.syncUpcomingSlide()},onLayoutClicked:function(){var t=this.getLayout();SL.prompt({anchor:this.speakerLayout,type:"select",title:"Speaker layout",className:"sl-speaker-layout-prompt",data:[{html:'<div class="speaker-layout-icon" data-speaker-layout="'+SL.views.decks.Speaker.LAYOUT_DEFAULT+'"></div><h3>Default</h3>',selected:t===SL.views.decks.Speaker.LAYOUT_DEFAULT,callback:this.setLayout.bind(this,SL.views.decks.Speaker.LAYOUT_DEFAULT,!0)},{html:'<div class="speaker-layout-icon" data-speaker-layout="'+SL.views.decks.Speaker.LAYOUT_WIDE+'"></div><h3>Wide</h3>',selected:t===SL.views.decks.Speaker.LAYOUT_WIDE,callback:this.setLayout.bind(this,SL.views.decks.Speaker.LAYOUT_WIDE,!0)},{html:'<div class="speaker-layout-icon" data-speaker-layout="'+SL.views.decks.Speaker.LAYOUT_TALL+'"></div><h3>Tall</h3>',selected:t===SL.views.decks.Speaker.LAYOUT_TALL,callback:this.setLayout.bind(this,SL.views.decks.Speaker.LAYOUT_TALL,!0)},{html:'<div class="speaker-layout-icon" data-speaker-layout="'+SL.views.decks.Speaker.LAYOUT_NOTES_ONLY+'"></div><h3>Notes only</h3>',selected:t===SL.views.decks.Speaker.LAYOUT_NOTES_ONLY,callback:this.setLayout.bind(this,SL.views.decks.Speaker.LAYOUT_NOTES_ONLY,!0)}]})}}),SL.views.decks.Speaker.LAYOUT_DEFAULT="default",SL.views.decks.Speaker.LAYOUT_WIDE="wide",SL.views.decks.Speaker.LAYOUT_TALL="tall",SL.views.decks.Speaker.LAYOUT_NOTES_ONLY="notes-only";
+ </script>
+ <script>
+ // Expose speaker notes in case we're printing with share_notes
+ if( SLConfig.deck.notes ) {
+ [].forEach.call( document.querySelectorAll( '.reveal .slides section' ), function( slide ) {
+
+ var value = SLConfig.deck.notes[ slide.getAttribute( 'data-id' ) ];
+ if( value && typeof value === 'string' ) {
+ slide.setAttribute( 'data-notes', value );
+ }
+
+ } );
+ }
+
+
+ Reveal.initialize({
+ controls: true,
+ progress: true,
+ history: true,
+ mouseWheel: false,
+ showNotes: SLConfig.deck.share_notes,
+ slideNumber: SLConfig.deck.slide_number,
+
+ autoSlide: SLConfig.deck.auto_slide_interval || 0,
+ autoSlideStoppable: true,
+
+ rollingLinks: false,
+ center: SLConfig.deck.center || false,
+ loop: SLConfig.deck.should_loop || false,
+ rtl: SLConfig.deck.rtl || false,
+
+ transition: SLConfig.deck.transition,
+ backgroundTransition: SLConfig.deck.background_transition,
+
+ pdfMaxPagesPerSlide: 1
+ });
+
+ if( window.hljs ) hljs.initHighlightingOnLoad();
+
+ </script>
+
+
+
+ </body>
+</html>
diff --git a/admin/static/libre-icons/LICENSES.md b/admin/static/libre-icons/LICENSES.md
new file mode 100644
index 0000000..4c43b75
--- /dev/null
+++ b/admin/static/libre-icons/LICENSES.md
@@ -0,0 +1,136 @@
+# Icone di software libero presenti
+
+Apache HTTP server logo (Apache license)
+https://commons.wikimedia.org/wiki/File:Apache_HTTP_server_logo_(2016).svg
+
+Attendize (AAL)
+https://github.com/Attendize/Attendize/blob/master/public/assets/images/logo-dark.png
+
+Debian logo (GNU LGPL)
+https://commons.wikimedia.org/wiki/File:Debian-OpenLogo.svg
+
+Docker logo (Apache license)
+https://commons.wikimedia.org/wiki/File:Docker_%28container_engine%29_logo.png
+
+FIdoCadJ (GNU GPL v3)
+https://github.com/DarwinNE/FidoCadJ/blob/master/icons/icona_fidocadj_512x512.png
+
+F-Droid Logo 4 (GNU GPL v3+)
+https://commons.wikimedia.org/wiki/File:F-Droid_Logo_4.svg
+
+The GIMP icon (GNU GPL)
+https://commons.wikimedia.org/wiki/File:The_GIMP_icon_-_gnome.svg
+
+Git icon (CC By 3.0 Unported)
+https://commons.wikimedia.org/wiki/File:Git_icon.svg
+
+GNU Head (GNU FDL)
+https://commons.wikimedia.org/wiki/File:Heckert_GNU_white.svg
+
+GNU Nano (Public domain)
+https://commons.wikimedia.org/wiki/File:Gnu-nano.svg
+
+HADOOP cluster (Public domain)
+https://commons.wikimedia.org/wiki/File:Cubieboard_HADOOP_cluster.JPG
+
+HTTPS icon (CC By 2.0 Generic)
+https://commons.wikimedia.org/wiki/File:HTTPS_icon.png
+
+Inkscape (GNU GPLv3)
+https://commons.wikimedia.org/wiki/File:Inkscape_Logo.svg
+
+IPv6 launch badge (CC By 3.0 Unported)
+https://commons.wikimedia.org/wiki/File:World_IPv6_launch_badge.svg
+
+Leaflet logo (BSD-2)
+https://commons.wikimedia.org/wiki/File:Leaflet_logo.svg
+
+MariaDB (GNU FDL)
+https://commons.wikimedia.org/wiki/File:Mariadb-seal-browntext.svg
+
+Material Design icon (CC By 4.0 International)
+https://commons.wikimedia.org/wiki/File:Ic_store_48px.svg
+
+Materialize (MIT License)
+https://github.com/Dogfalo/materialize/blob/master/images/materialize.png
+
+MySQL (GNU GPLv3)
+https://commons.wikimedia.org/wiki/File:Mysql.svg
+
+OpenStreetMap logo (CC By-Sa 2.0)
+https://commons.wikimedia.org/wiki/File:Openstreetmap_logo.svg
+
+Planimetria Dipartimento di Informatica (CC By-Sa 4.0)
+Grazie a Roberto Guido che ha ricalcato la piantina con Inkscape.
+
+jQuery logo (public domain)
+https://commons.wikimedia.org/wiki/File:JQuery_logo_text.svg
+
+JavaScript logo (public domain)
+https://commons.wikimedia.org/wiki/File:JavaScript-logo.png
+
+PHP icon (CC By-Sa 4.0 International)
+https://commons.wikimedia.org/wiki/File:PHP-logo.svg
+
+Raspberry Pi model (CC By-Sa 4.0 International by Multicherry)
+https://commons.wikimedia.org/wiki/File:Raspberry_Pi_2_Model_B_v1.1_top.jpg
+
+Roboto typeface (CC By 2.5 Generic)
+https://commons.wikimedia.org/wiki/File:Roboto_(typeface).svg
+
+W3C logo (public domain)
+https://commons.wikimedia.org/wiki/File:W3C_icon.svg
+
+Wikidata logo (Public domain)
+https://commons.wikimedia.org/wiki/File:Wikidata-logo-en.svg
+
+Wikipedia logo (GNU FDL)
+https://commons.wikimedia.org/wiki/File:Wikipedia-logo-v2-o75.svg
+
+YOURLS logo (MIT)
+https://github.com/YOURLS/YOURLS/blob/master/images/yourls-logo.png
+
+## Licenze
+Attribution Assurance License (AAL)
+https://opensource.org/licenses/AAL
+
+Apache License
+https://www.apache.org/licenses/LICENSE-2.0
+
+BSD-2 License
+https://commons.wikimedia.org/wiki/Template:BSD
+
+Creative Commons Attribution-ShareAlike 4.0 International (CC By-Sa 4.0)
+https://creativecommons.org/licenses/by-sa/4.0/
+
+Creative Commons Attribution-ShareAlike 2.0 Generic (CC By-Sa 2.0)
+https://creativecommons.org/licenses/by-sa/2.0/
+
+Creative Commons Attribution 4.0 International (CC By 4.0)
+https://creativecommons.org/licenses/by/4.0/
+
+Creative Commons Attribution 3.0 Unported (CC By 3.0)
+https://creativecommons.org/licenses/by/3.0/
+
+Creative Commons Attribution 2.5 Generic (CC By 2.5)
+https://creativecommons.org/licenses/by/2.5/
+
+Creative Commons Attribution 2.0 Generic (CC By 2.0)
+https://creativecommons.org/licenses/by/2.0/
+
+GNU Free Documentation License (GNU FDL)
+https://www.gnu.org/licenses/fdl.html
+
+GNU General Public License version 3 (GNU GPL v3)
+https://www.gnu.org/copyleft/gpl-3.0.html
+
+GNU Lesser General Public License (GNU LGPL)
+https://www.gnu.org/copyleft/lgpl.html
+
+Mit License
+https://opensource.org/licenses/MIT
+
+## Icone non-libere di software libero
+Let's Encrypt (CC By-NC 4.0)
+https://letsencrypt.org/images/le-logo-standard.png
+https://creativecommons.org/licenses/by-nc/4.0/
diff --git a/admin/static/libre-icons/apache.png b/admin/static/libre-icons/apache.png
new file mode 100644
index 0000000..4f1c439
Binary files /dev/null and b/admin/static/libre-icons/apache.png differ
diff --git a/admin/static/libre-icons/attendize.jpg b/admin/static/libre-icons/attendize.jpg
new file mode 100644
index 0000000..ce849e8
Binary files /dev/null and b/admin/static/libre-icons/attendize.jpg differ
diff --git a/admin/static/libre-icons/bot_father.jpg b/admin/static/libre-icons/bot_father.jpg
new file mode 100644
index 0000000..450c4d6
Binary files /dev/null and b/admin/static/libre-icons/bot_father.jpg differ
diff --git a/admin/static/libre-icons/boz.png b/admin/static/libre-icons/boz.png
new file mode 100644
index 0000000..ce51cab
Binary files /dev/null and b/admin/static/libre-icons/boz.png differ
diff --git a/admin/static/libre-icons/debian.png b/admin/static/libre-icons/debian.png
new file mode 100644
index 0000000..2a69066
Binary files /dev/null and b/admin/static/libre-icons/debian.png differ
diff --git a/admin/static/libre-icons/docker.png b/admin/static/libre-icons/docker.png
new file mode 100644
index 0000000..8ff27ae
Binary files /dev/null and b/admin/static/libre-icons/docker.png differ
diff --git a/admin/static/libre-icons/f-droid.png b/admin/static/libre-icons/f-droid.png
new file mode 100644
index 0000000..278f946
Binary files /dev/null and b/admin/static/libre-icons/f-droid.png differ
diff --git a/admin/static/libre-icons/fidocadj.png b/admin/static/libre-icons/fidocadj.png
new file mode 100644
index 0000000..dfde7cc
Binary files /dev/null and b/admin/static/libre-icons/fidocadj.png differ
diff --git a/admin/static/libre-icons/gimp.png b/admin/static/libre-icons/gimp.png
new file mode 100644
index 0000000..81e59f0
Binary files /dev/null and b/admin/static/libre-icons/gimp.png differ
diff --git a/admin/static/libre-icons/git.png b/admin/static/libre-icons/git.png
new file mode 100644
index 0000000..fca5f47
Binary files /dev/null and b/admin/static/libre-icons/git.png differ
diff --git a/admin/static/libre-icons/gnu-nano.png b/admin/static/libre-icons/gnu-nano.png
new file mode 100644
index 0000000..4786e6d
Binary files /dev/null and b/admin/static/libre-icons/gnu-nano.png differ
diff --git a/admin/static/libre-icons/gnu.png b/admin/static/libre-icons/gnu.png
new file mode 100644
index 0000000..f374430
Binary files /dev/null and b/admin/static/libre-icons/gnu.png differ
diff --git a/admin/static/libre-icons/hadoop.png b/admin/static/libre-icons/hadoop.png
new file mode 100644
index 0000000..515536f
Binary files /dev/null and b/admin/static/libre-icons/hadoop.png differ
diff --git a/admin/static/libre-icons/https.png b/admin/static/libre-icons/https.png
new file mode 100644
index 0000000..82ba2d6
Binary files /dev/null and b/admin/static/libre-icons/https.png differ
diff --git a/admin/static/libre-icons/inkscape.png b/admin/static/libre-icons/inkscape.png
new file mode 100644
index 0000000..5e43aae
Binary files /dev/null and b/admin/static/libre-icons/inkscape.png differ
diff --git a/admin/static/libre-icons/ipv6.png b/admin/static/libre-icons/ipv6.png
new file mode 100644
index 0000000..6ae307b
Binary files /dev/null and b/admin/static/libre-icons/ipv6.png differ
diff --git a/admin/static/libre-icons/javascript.png b/admin/static/libre-icons/javascript.png
new file mode 100644
index 0000000..0bd667e
Binary files /dev/null and b/admin/static/libre-icons/javascript.png differ
diff --git a/admin/static/libre-icons/jquery.png b/admin/static/libre-icons/jquery.png
new file mode 100644
index 0000000..aad30ca
Binary files /dev/null and b/admin/static/libre-icons/jquery.png differ
diff --git a/admin/static/libre-icons/leaflet.png b/admin/static/libre-icons/leaflet.png
new file mode 100644
index 0000000..eef1318
Binary files /dev/null and b/admin/static/libre-icons/leaflet.png differ
diff --git a/admin/static/libre-icons/lets-encrypt.png b/admin/static/libre-icons/lets-encrypt.png
new file mode 100644
index 0000000..b478efe
Binary files /dev/null and b/admin/static/libre-icons/lets-encrypt.png differ
diff --git a/admin/static/libre-icons/mariadb.png b/admin/static/libre-icons/mariadb.png
new file mode 100644
index 0000000..f15fe86
Binary files /dev/null and b/admin/static/libre-icons/mariadb.png differ
diff --git a/admin/static/libre-icons/material.png b/admin/static/libre-icons/material.png
new file mode 100644
index 0000000..d742690
Binary files /dev/null and b/admin/static/libre-icons/material.png differ
diff --git a/admin/static/libre-icons/materialize.png b/admin/static/libre-icons/materialize.png
new file mode 100644
index 0000000..34a0868
Binary files /dev/null and b/admin/static/libre-icons/materialize.png differ
diff --git a/admin/static/libre-icons/mysql.png b/admin/static/libre-icons/mysql.png
new file mode 100644
index 0000000..ec4b1bb
Binary files /dev/null and b/admin/static/libre-icons/mysql.png differ
diff --git a/admin/static/libre-icons/osm.png b/admin/static/libre-icons/osm.png
new file mode 100644
index 0000000..a081d86
Binary files /dev/null and b/admin/static/libre-icons/osm.png differ
diff --git a/admin/static/libre-icons/php.png b/admin/static/libre-icons/php.png
new file mode 100644
index 0000000..0d0313c
Binary files /dev/null and b/admin/static/libre-icons/php.png differ
diff --git a/admin/static/libre-icons/planimetria_dip_info.png b/admin/static/libre-icons/planimetria_dip_info.png
new file mode 100644
index 0000000..b32544c
Binary files /dev/null and b/admin/static/libre-icons/planimetria_dip_info.png differ
diff --git a/admin/static/libre-icons/planimetria_dip_info.svg b/admin/static/libre-icons/planimetria_dip_info.svg
new file mode 100644
index 0000000..632ac07
--- /dev/null
+++ b/admin/static/libre-icons/planimetria_dip_info.svg
@@ -0,0 +1,252 @@
+<?xml version="1.0" encoding="UTF-8" standalone="no"?>
+<!-- Created with Inkscape (http://www.inkscape.org/) -->
+
+<svg
+ xmlns:dc="http://purl.org/dc/elements/1.1/"
+ xmlns:cc="http://creativecommons.org/ns#"
+ xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
+ xmlns:svg="http://www.w3.org/2000/svg"
+ xmlns="http://www.w3.org/2000/svg"
+ xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
+ xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
+ id="svg6077"
+ version="1.1"
+ inkscape:version="0.48.5 r10040"
+ width="873.75"
+ height="678.75"
+ viewBox="0 0 873.75 678.75"
+ sodipodi:docname="planimetria_dip_info.svg"
+ inkscape:export-filename="/tmp/planimetria_ldto_2016.png"
+ inkscape:export-xdpi="90"
+ inkscape:export-ydpi="90">
+ <metadata
+ id="metadata6083">
+ <rdf:RDF>
+ <cc:Work
+ rdf:about="">
+ <dc:format>image/svg+xml</dc:format>
+ <dc:type
+ rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
+ <dc:title></dc:title>
+ </cc:Work>
+ </rdf:RDF>
+ </metadata>
+ <defs
+ id="defs6081" />
+ <sodipodi:namedview
+ pagecolor="#ffffff"
+ bordercolor="#666666"
+ borderopacity="1"
+ objecttolerance="10"
+ gridtolerance="10"
+ guidetolerance="10"
+ inkscape:pageopacity="0"
+ inkscape:pageshadow="2"
+ inkscape:window-width="1920"
+ inkscape:window-height="1014"
+ id="namedview6079"
+ showgrid="false"
+ inkscape:zoom="1"
+ inkscape:cx="330.13055"
+ inkscape:cy="320.1625"
+ inkscape:window-x="0"
+ inkscape:window-y="27"
+ inkscape:window-maximized="1"
+ inkscape:current-layer="svg6077" />
+ <path
+ style="opacity:1;fill:none;fill-opacity:1;stroke:#000000;stroke-width:4.59829521;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ d="m 338.75258,52.911604 0,379.457896 158.10736,0 0,-103.6159 59.47828,0 0,103.6159 98.06452,0 0,-103.70744 129.30912,0 0,-275.750456 -444.95928,0 z"
+ id="rect6087"
+ inkscape:connector-curvature="0" />
+ <rect
+ style="opacity:1;fill:none;fill-opacity:1;stroke:#000000;stroke-width:4.59041929;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ id="rect6091"
+ width="444.96683"
+ height="249.21535"
+ x="338.74875"
+ y="52.907837" />
+ <rect
+ style="opacity:1;fill:none;fill-opacity:1;stroke:#000000;stroke-width:4.23876572;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ id="rect6093"
+ width="109.52885"
+ height="123.08094"
+ x="229.25992"
+ y="335.6485" />
+ <rect
+ y="52.888535"
+ x="450.05017"
+ height="249.26459"
+ width="111.21081"
+ id="rect6099"
+ style="opacity:1;fill:none;fill-opacity:0;stroke:#000000;stroke-width:4.61899999999999977;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1" />
+ <rect
+ style="opacity:1;fill:#ffffff;fill-opacity:0;stroke:#000000;stroke-width:4.61887883999999982;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ id="rect6101"
+ width="111.21081"
+ height="249.26459"
+ x="561.25519"
+ y="52.888535" />
+ <rect
+ y="52.888535"
+ x="672.52435"
+ height="249.26459"
+ width="111.21081"
+ id="rect6103"
+ style="opacity:1;fill:none;fill-opacity:0;stroke:#000000;stroke-width:4.61887883999999982;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1" />
+ <path
+ style="opacity:1;fill:none;fill-opacity:1;stroke:#000000;stroke-width:3.2671876;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ d="m 603.51817,467.33454 -13.50716,23.39561 -13.50715,23.39563 12.57006,0 0,34.35595 28.88851,0 0,-34.35595 12.57133,0 -13.50842,-23.39563 -13.50717,-23.39561 z"
+ id="rect6121"
+ inkscape:connector-curvature="0" />
+ <path
+ inkscape:connector-curvature="0"
+ id="path6126"
+ d="m 470.71242,467.33454 -13.50715,23.39561 -13.50716,23.39563 12.57007,0 0,34.35595 28.88849,0 0,-34.35595 12.57134,0 -13.50843,-23.39563 -13.50716,-23.39561 z"
+ style="opacity:1;fill:none;fill-opacity:1;stroke:#000000;stroke-width:3.2671876;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1" />
+ <path
+ style="opacity:1;fill:none;fill-opacity:1;stroke:#000000;stroke-width:3.2671876;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ d="m 361.34298,467.33454 -13.50716,23.39561 -13.50715,23.39563 12.57006,0 0,34.35595 28.88851,0 0,-34.35595 12.57133,0 -13.50843,-23.39563 -13.50716,-23.39561 z"
+ id="path6128"
+ inkscape:connector-curvature="0" />
+ <text
+ xml:space="preserve"
+ style="font-style:normal;font-weight:500;font-size:26.04034233000000143px;line-height:125%;font-family:Ubuntu;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1;-inkscape-font-specification:Ubuntu Medium;font-stretch:normal;font-variant:normal"
+ x="398.10077"
+ y="595.9566"
+ id="text6130"
+ sodipodi:linespacing="125%"><tspan
+ sodipodi:role="line"
+ id="tspan6132"
+ x="398.10077"
+ y="595.9566">VIA PESSINETTO</tspan></text>
+ <text
+ xml:space="preserve"
+ style="font-style:normal;font-weight:500;font-size:26.04034233000000143px;line-height:125%;font-family:Ubuntu;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1;-inkscape-font-specification:Ubuntu Medium;font-stretch:normal;font-variant:normal"
+ x="-212.28366"
+ y="515.13464"
+ id="text6138"
+ sodipodi:linespacing="125%"
+ transform="matrix(0,-1,1,0,0,0)"><tspan
+ sodipodi:role="line"
+ id="tspan6140"
+ x="-212.28366"
+ y="515.13464">BASE</tspan></text>
+ <text
+ xml:space="preserve"
+ style="font-style:normal;font-weight:500;font-size:26.04034233000000143px;line-height:125%;font-family:Ubuntu;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1;-inkscape-font-specification:Ubuntu Medium;font-stretch:normal;font-variant:normal"
+ x="-205.85622"
+ y="626.35236"
+ id="text6142"
+ sodipodi:linespacing="125%"
+ transform="matrix(0,-1,1,0,0,0)"><tspan
+ sodipodi:role="line"
+ id="tspan6144"
+ x="-205.85622"
+ y="626.35236">DEV</tspan></text>
+ <text
+ xml:space="preserve"
+ style="font-style:normal;font-weight:500;font-size:26.04034233000000143px;line-height:125%;font-family:Ubuntu;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1;-inkscape-font-specification:Ubuntu Medium;font-stretch:normal;font-variant:normal"
+ x="-202.14343"
+ y="737.60883"
+ id="text6146"
+ sodipodi:linespacing="125%"
+ transform="matrix(0,-1,1,0,0,0)"><tspan
+ sodipodi:role="line"
+ id="tspan6148"
+ x="-202.14343"
+ y="737.60883">SYS</tspan></text>
+ <text
+ xml:space="preserve"
+ style="font-style:normal;font-weight:500;font-size:26.04034233000000143px;line-height:125%;font-family:Ubuntu;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1;-inkscape-font-specification:Ubuntu Medium;font-stretch:normal;font-variant:normal"
+ x="-210.52899"
+ y="403.88147"
+ id="text6150"
+ sodipodi:linespacing="125%"
+ transform="matrix(0,-1,1,0,0,0)"><tspan
+ sodipodi:role="line"
+ id="tspan6152"
+ x="-210.52899"
+ y="403.88147">MISC</tspan></text>
+ <path
+ style="fill:none;fill-rule:evenodd;stroke:#000000;stroke-width:4.59829521;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ d="m 338.47916,458.54458 316.0204,0 0,-27.36186"
+ id="path6158"
+ inkscape:connector-curvature="0" />
+ <text
+ xml:space="preserve"
+ style="font-style:normal;font-weight:500;font-size:26.44702338999999824px;line-height:125%;font-family:Ubuntu;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1;-inkscape-font-specification:Ubuntu Medium;font-stretch:normal;font-variant:normal"
+ x="20.175438"
+ y="208.40851"
+ id="text6160"
+ sodipodi:linespacing="125%"><tspan
+ sodipodi:role="line"
+ id="tspan6162"
+ x="20.175438"
+ y="208.40851">AREA LIP</tspan><tspan
+ sodipodi:role="line"
+ x="20.175438"
+ y="241.46729"
+ id="tspan6164">AREA CODERDOJO</tspan></text>
+ <text
+ xml:space="preserve"
+ style="font-size:22.37062073px;font-style:normal;font-variant:normal;font-weight:500;font-stretch:normal;line-height:85.00000238%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Ubuntu;-inkscape-font-specification:Ubuntu Medium"
+ x="458.4267"
+ y="377.03854"
+ id="text6166"
+ sodipodi:linespacing="85.000002%"
+ inkscape:export-filename="/run/user/1000/gvfs/sftp:host=reyboz/home/www-data/vhosts/reyboz.it/linuxday2016/2017/static/porcodio.png"
+ inkscape:export-xdpi="500"
+ inkscape:export-ydpi="500"><tspan
+ sodipodi:role="line"
+ id="tspan6168"
+ x="458.4267"
+ y="377.03854"
+ style="font-style:normal;font-variant:normal;font-weight:500;font-stretch:normal;text-align:center;line-height:85.00000238%;text-anchor:middle;font-family:Ubuntu;-inkscape-font-specification:Ubuntu Medium">INFO</tspan><tspan
+ sodipodi:role="line"
+ x="458.4267"
+ y="396.05356"
+ id="tspan6170"
+ style="font-style:normal;font-variant:normal;font-weight:500;font-stretch:normal;text-align:center;line-height:85.00000238%;text-anchor:middle;font-family:Ubuntu;-inkscape-font-specification:Ubuntu Medium">POINT</tspan></text>
+ <g
+ id="g6184"
+ transform="translate(-48.000061,-9.5063466)">
+ <text
+ sodipodi:linespacing="125%"
+ id="text6172"
+ y="602.35413"
+ x="707.77985"
+ style="font-style:normal;font-weight:500;font-size:40px;line-height:125%;font-family:Ubuntu;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1;-inkscape-font-specification:Ubuntu Medium;font-stretch:normal;font-variant:normal"
+ xml:space="preserve"><tspan
+ style="font-size:17.50000000000000000px;-inkscape-font-specification:Ubuntu Medium;font-family:Ubuntu;font-weight:500;font-style:normal;font-stretch:normal;font-variant:normal"
+ y="602.35413"
+ x="707.77985"
+ id="tspan6174"
+ sodipodi:role="line">CORSO SVIZZERA</tspan></text>
+ <path
+ style="opacity:1;fill:none;fill-opacity:1;stroke:#000000;stroke-width:1.33646417;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
+ d="m 902.04269,595.98365 -9.57013,-5.52519 -9.57013,-5.52519 0,5.14187 -14.05352,0 0,11.81703 14.05352,0 0,5.14238 9.57013,-5.52571 9.57013,-5.52519 z"
+ id="path6180"
+ inkscape:connector-curvature="0" />
+ </g>
+ <g
+ id="g6189"
+ transform="translate(-48.000004,-11.886027)">
+ <text
+ sodipodi:linespacing="125%"
+ id="text6176"
+ y="604.73383"
+ x="242.86563"
+ style="font-style:normal;font-weight:500;font-size:40px;line-height:125%;font-family:Ubuntu;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;stroke-width:1px;stroke-linecap:butt;stroke-linejoin:miter;stroke-opacity:1;-inkscape-font-specification:Ubuntu Medium;font-stretch:normal;font-variant:normal"
+ xml:space="preserve"><tspan
+ style="font-size:17.50000000000000000px;-inkscape-font-specification:Ubuntu Medium;font-family:Ubuntu;font-weight:500;font-style:normal;font-stretch:normal;font-variant:normal"
+ y="604.73383"
+ x="242.86563"
+ id="tspan6178"
+ sodipodi:role="line">CORSO POTENZA</tspan></text>
+ <path
+ inkscape:connector-curvature="0"
+ id="path6182"
+ d="m 201.54764,598.36385 9.57013,5.52519 9.57013,5.52519 0,-5.14187 14.05352,0 0,-11.81703 -14.05352,0 0,-5.14238 -9.57013,5.52571 -9.57013,5.52519 z"
+ style="opacity:1;fill:none;fill-opacity:1;stroke:#000000;stroke-width:1.33646417;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1" />
+ </g>
+</svg>
diff --git a/admin/static/libre-icons/roboto.png b/admin/static/libre-icons/roboto.png
new file mode 100644
index 0000000..39c5622
Binary files /dev/null and b/admin/static/libre-icons/roboto.png differ
diff --git a/admin/static/libre-icons/w3c.png b/admin/static/libre-icons/w3c.png
new file mode 100644
index 0000000..a23fdbe
Binary files /dev/null and b/admin/static/libre-icons/w3c.png differ
diff --git a/admin/static/libre-icons/wikidata.png b/admin/static/libre-icons/wikidata.png
new file mode 100644
index 0000000..4ab8ea2
Binary files /dev/null and b/admin/static/libre-icons/wikidata.png differ
diff --git a/admin/static/libre-icons/wikipedia.png b/admin/static/libre-icons/wikipedia.png
new file mode 100644
index 0000000..ff147fb
Binary files /dev/null and b/admin/static/libre-icons/wikipedia.png differ
diff --git a/admin/static/libre-icons/yourls.png b/admin/static/libre-icons/yourls.png
new file mode 100644
index 0000000..91fc150
Binary files /dev/null and b/admin/static/libre-icons/yourls.png differ
diff --git a/admin/static/linuxday-200.png b/admin/static/linuxday-200.png
new file mode 100644
index 0000000..854683b
Binary files /dev/null and b/admin/static/linuxday-200.png differ
diff --git a/admin/static/linuxday-64-shadow.png b/admin/static/linuxday-64-shadow.png
new file mode 100644
index 0000000..05557ed
Binary files /dev/null and b/admin/static/linuxday-64-shadow.png differ
diff --git a/admin/static/linuxday-64.png b/admin/static/linuxday-64.png
new file mode 100644
index 0000000..0373f2e
Binary files /dev/null and b/admin/static/linuxday-64.png differ
diff --git a/admin/static/linuxday.png b/admin/static/linuxday.png
new file mode 100644
index 0000000..c2f930f
Binary files /dev/null and b/admin/static/linuxday.png differ
diff --git a/admin/static/material-design-icons/MaterialIcons-Regular.eot b/admin/static/material-design-icons/MaterialIcons-Regular.eot
new file mode 100644
index 0000000..70508eb
Binary files /dev/null and b/admin/static/material-design-icons/MaterialIcons-Regular.eot differ
diff --git a/admin/static/material-design-icons/MaterialIcons-Regular.ttf b/admin/static/material-design-icons/MaterialIcons-Regular.ttf
new file mode 100644
index 0000000..88ce6a3
--- /dev/null
+++ b/admin/static/material-design-icons/MaterialIcons-Regular.ttf
@@ -0,0 +1,837 @@
+
+
+
+
+
+
+<!DOCTYPE html>
+<html lang="en">
+ <head>
+ <meta charset="utf-8">
+ <link rel="dns-prefetch" href="https://assets-cdn.github.com">
+ <link rel="dns-prefetch" href="https://avatars0.githubusercontent.com">
+ <link rel="dns-prefetch" href="https://avatars1.githubusercontent.com">
+ <link rel="dns-prefetch" href="https://avatars2.githubusercontent.com">
+ <link rel="dns-prefetch" href="https://avatars3.githubusercontent.com">
+ <link rel="dns-prefetch" href="https://github-cloud.s3.amazonaws.com">
+ <link rel="dns-prefetch" href="https://user-images.githubusercontent.com/">
+
+
+
+ <link crossorigin="anonymous" href="https://assets-cdn.github.com/assets/frameworks-bedfc518345498ab3204d330c1727cde7e733526a09cd7df6867f6a231565091.css" media="all" rel="stylesheet" />
+ <link crossorigin="anonymous" href="https://assets-cdn.github.com/assets/github-a1f1041276ec59b7ad51bdbd35d2d73f15f99aebe2686a60e9cd9f705b57d220.css" media="all" rel="stylesheet" />
+
+
+ <link crossorigin="anonymous" href="https://assets-cdn.github.com/assets/site-877643c520258c4fa15ac8d1664d84efd0e3db56f5e544ccac58da0e50489904.css" media="all" rel="stylesheet" />
+
+
+ <meta name="viewport" content="width=device-width">
+
+ <title>material-design-icons/MaterialIcons-Regular.ttf at master · google/material-design-icons · GitHub</title>
+ <link rel="search" type="application/opensearchdescription+xml" href="/opensearch.xml" title="GitHub">
+ <link rel="fluid-icon" href="https://github.com/fluidicon.png" title="GitHub">
+ <meta property="fb:app_id" content="1401488693436528">
+
+
+ <meta content="https://avatars0.githubusercontent.com/u/1342004?v=4&amp;s=400" property="og:image" /><meta content="GitHub" property="og:site_name" /><meta content="object" property="og:type" /><meta content="google/material-design-icons" property="og:title" /><meta content="https://github.com/google/material-design-icons" property="og:url" /><meta content="material-design-icons - Material Design icons by Google" property="og:description" />
+
+ <link rel="assets" href="https://assets-cdn.github.com/">
+
+ <meta name="pjax-timeout" content="1000">
+
+ <meta name="request-id" content="8980:8874:479F353:71E9021:59C81A33" data-pjax-transient>
+
+
+ <meta name="selected-link" value="repo_source" data-pjax-transient>
+
+ <meta name="google-site-verification" content="KT5gs8h0wvaagLKAVWq8bbeNwnZZK1r1XQysX3xurLU">
+<meta name="google-site-verification" content="ZzhVyEFwb7w3e0-uOTltm8Jsck2F5StVihD0exw2fsA">
+ <meta name="google-analytics" content="UA-3769691-2">
+
+<meta content="collector.githubapp.com" name="octolytics-host" /><meta content="github" name="octolytics-app-id" /><meta content="https://collector.githubapp.com/github-external/browser_event" name="octolytics-event-url" /><meta content="8980:8874:479F353:71E9021:59C81A33" name="octolytics-dimension-request_id" /><meta content="iad" name="octolytics-dimension-region_edge" /><meta content="iad" name="octolytics-dimension-region_render" />
+<meta content="/&lt;user-name&gt;/&lt;repo-name&gt;/blob/show" data-pjax-transient="true" name="analytics-location" />
+
+
+
+
+ <meta class="js-ga-set" name="dimension1" content="Logged Out">
+
+
+
+
+ <meta name="hostname" content="github.com">
+ <meta name="user-login" content="">
+
+ <meta name="expected-hostname" content="github.com">
+ <meta name="js-proxy-site-detection-payload" content="MmNiZjliNDAwNzkwZWY4NDEzMWJlZDc2MGYxOGI1NzI5N2FhNmFjNzMxMzRlYzU5MmIyOGM5MDc2ZGFjZGRjYnx7InJlbW90ZV9hZGRyZXNzIjoiMTc4LjMyLjIxOS4xOTAiLCJyZXF1ZXN0X2lkIjoiODk4MDo4ODc0OjQ3OUYzNTM6NzFFOTAyMTo1OUM4MUEzMyIsInRpbWVzdGFtcCI6MTUwNjI4NjEzMiwiaG9zdCI6ImdpdGh1Yi5jb20ifQ==">
+
+
+ <meta name="html-safe-nonce" content="4965e824f1a752b992af2d74cf15f669644b9102">
+
+ <meta http-equiv="x-pjax-version" content="91fbc80bd47c6773a7a0b82ce6f50214">
+
+
+ <link href="https://github.com/google/material-design-icons/commits/master.atom" rel="alternate" title="Recent Commits to material-design-icons:master" type="application/atom+xml">
+
+ <meta name="description" content="material-design-icons - Material Design icons by Google">
+ <meta name="go-import" content="github.com/google/material-design-icons git https://github.com/google/material-design-icons.git">
+
+ <meta content="1342004" name="octolytics-dimension-user_id" /><meta content="google" name="octolytics-dimension-user_login" /><meta content="24953448" name="octolytics-dimension-repository_id" /><meta content="google/material-design-icons" name="octolytics-dimension-repository_nwo" /><meta content="true" name="octolytics-dimension-repository_public" /><meta content="false" name="octolytics-dimension-repository_is_fork" /><meta content="24953448" name="octolytics-dimension-repository_network_root_id" /><meta content="google/material-design-icons" name="octolytics-dimension-repository_network_root_nwo" /><meta content="false" name="octolytics-dimension-repository_explore_github_marketplace_ci_cta_shown" />
+
+
+ <link rel="canonical" href="https://github.com/google/material-design-icons/blob/master/iconfont/MaterialIcons-Regular.ttf" data-pjax-transient>
+
+
+ <meta name="browser-stats-url" content="https://api.github.com/_private/browser/stats">
+
+ <meta name="browser-errors-url" content="https://api.github.com/_private/browser/errors">
+
+ <link rel="mask-icon" href="https://assets-cdn.github.com/pinned-octocat.svg" color="#000000">
+ <link rel="icon" type="image/x-icon" href="https://assets-cdn.github.com/favicon.ico">
+
+<meta name="theme-color" content="#1e2327">
+
+
+
+ </head>
+
+ <body class="logged-out env-production page-blob">
+
+
+ <div class="position-relative js-header-wrapper ">
+ <a href="#start-of-content" tabindex="1" class="px-2 py-4 show-on-focus js-skip-to-content">Skip to content</a>
+ <div id="js-pjax-loader-bar" class="pjax-loader-bar"><div class="progress"></div></div>
+
+
+
+
+
+
+
+ <header class="Header header-logged-out position-relative f4 py-3" role="banner">
+ <div class="container-lg d-flex px-3">
+ <div class="d-flex flex-justify-between flex-items-center">
+ <a class="header-logo-invertocat my-0" href="https://github.com/" aria-label="Homepage" data-ga-click="(Logged out) Header, go to homepage, icon:logo-wordmark">
+ <svg aria-hidden="true" class="octicon octicon-mark-github" height="32" version="1.1" viewBox="0 0 16 16" width="32"><path fill-rule="evenodd" d="M8 0C3.58 0 0 3.58 0 8c0 3.54 2.29 6.53 5.47 7.59.4.07.55-.17.55-.38 0-.19-.01-.82-.01-1.49-2.01.37-2.53-.49-2.69-.94-.09-.23-.48-.94-.82-1.13-.28-.15-.68-.52-.01-.53.63-.01 1.08.58 1.23.82.72 1.21 1.87.87 2.33.66.07-.52.28-.87.51-1.07-1.78-.2-3.64-.89-3.64-3.95 0-.87.31-1.59.82-2.15-.08-.2-.36-1.02.08-2.12 0 0 .67-.21 2.2.82.64-.18 1.32-.27 2-.27.68 0 1.36.09 2 .27 1.53-1.04 2.2-.82 2.2-.82.44 1.1.16 1.92.08 2.12.51.56.82 1.27.82 2.15 0 3.07-1.87 3.75-3.65 3.95.29.25.54.73.54 1.48 0 1.07-.01 1.93-.01 2.2 0 .21.15.46.55.38A8.013 8.013 0 0 0 16 8c0-4.42-3.58-8-8-8z"/></svg>
+ </a>
+
+ </div>
+
+ <div class="HeaderMenu HeaderMenu--bright d-flex flex-justify-between flex-auto">
+ <nav class="mt-0">
+ <ul class="d-flex list-style-none">
+ <li class="ml-2">
+ <a href="/features" class="js-selected-navigation-item HeaderNavlink px-0 py-2 m-0" data-ga-click="Header, click, Nav menu - item:features" data-selected-links="/features /features/project-management /features/code-review /features/project-management /features/integrations /features">
+ Features
+</a> </li>
+ <li class="ml-4">
+ <a href="/business" class="js-selected-navigation-item HeaderNavlink px-0 py-2 m-0" data-ga-click="Header, click, Nav menu - item:business" data-selected-links="/business /business/security /business/customers /business">
+ Business
+</a> </li>
+
+ <li class="ml-4">
+ <a href="/explore" class="js-selected-navigation-item HeaderNavlink px-0 py-2 m-0" data-ga-click="Header, click, Nav menu - item:explore" data-selected-links="/explore /trending /trending/developers /integrations /integrations/feature/code /integrations/feature/collaborate /integrations/feature/ship showcases showcases_search showcases_landing /explore">
+ Explore
+</a> </li>
+
+ <li class="ml-4">
+ <a href="/marketplace" class="js-selected-navigation-item HeaderNavlink px-0 py-2 m-0" data-ga-click="Header, click, Nav menu - item:marketplace" data-selected-links=" /marketplace">
+ Marketplace
+</a> </li>
+ <li class="ml-4">
+ <a href="/pricing" class="js-selected-navigation-item HeaderNavlink px-0 py-2 m-0" data-ga-click="Header, click, Nav menu - item:pricing" data-selected-links="/pricing /pricing/developer /pricing/team /pricing/business-hosted /pricing/business-enterprise /pricing">
+ Pricing
+</a> </li>
+ </ul>
+ </nav>
+
+ <div class="d-flex">
+ <div class="d-lg-flex flex-items-center mr-3">
+ <div class="header-search scoped-search site-scoped-search js-site-search" role="search">
+ <!-- '"` --><!-- </textarea></xmp> --></option></form><form accept-charset="UTF-8" action="/google/material-design-icons/search" class="js-site-search-form" data-scoped-search-url="/google/material-design-icons/search" data-unscoped-search-url="/search" method="get"><div style="margin:0;padding:0;display:inline"><input name="utf8" type="hidden" value="&#x2713;" /></div>
+ <label class="form-control header-search-wrapper js-chromeless-input-container">
+ <a href="/google/material-design-icons/blob/master/iconfont/MaterialIcons-Regular.ttf" class="header-search-scope no-underline">This repository</a>
+ <input type="text"
+ class="form-control header-search-input js-site-search-focus js-site-search-field is-clearable"
+ data-hotkey="s"
+ name="q"
+ value=""
+ placeholder="Search"
+ aria-label="Search this repository"
+ data-unscoped-placeholder="Search GitHub"
+ data-scoped-placeholder="Search"
+ autocapitalize="off">
+ <input type="hidden" class="js-site-search-type-field" name="type" >
+ </label>
+</form></div>
+
+ </div>
+
+ <span class="d-inline-block">
+ <div class="HeaderNavlink px-0 py-2 m-0">
+ <a class="text-bold text-white no-underline" href="/login?return_to=%2Fgoogle%2Fmaterial-design-icons%2Fblob%2Fmaster%2Ficonfont%2FMaterialIcons-Regular.ttf" data-ga-click="(Logged out) Header, clicked Sign in, text:sign-in">Sign in</a>
+ <span class="text-gray">or</span>
+ <a class="text-bold text-white no-underline" href="/join?source=header-repo" data-ga-click="(Logged out) Header, clicked Sign up, text:sign-up">Sign up</a>
+ </div>
+ </span>
+ </div>
+ </div>
+ </div>
+</header>
+
+
+ </div>
+
+ <div id="start-of-content" class="show-on-focus"></div>
+
+ <div id="js-flash-container">
+</div>
+
+
+
+ <div role="main">
+ <div itemscope itemtype="http://schema.org/SoftwareSourceCode">
+ <div id="js-repo-pjax-container" data-pjax-container>
+
+
+
+
+
+
+
+
+ <div class="pagehead repohead instapaper_ignore readability-menu experiment-repo-nav">
+ <div class="container repohead-details-container">
+
+ <ul class="pagehead-actions">
+ <li>
+ <a href="/login?return_to=%2Fgoogle%2Fmaterial-design-icons"
+ class="btn btn-sm btn-with-count tooltipped tooltipped-n"
+ aria-label="You must be signed in to watch a repository" rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-eye" height="16" version="1.1" viewBox="0 0 16 16" width="16"><path fill-rule="evenodd" d="M8.06 2C3 2 0 8 0 8s3 6 8.06 6C13 14 16 8 16 8s-3-6-7.94-6zM8 12c-2.2 0-4-1.78-4-4 0-2.2 1.8-4 4-4 2.22 0 4 1.8 4 4 0 2.22-1.78 4-4 4zm2-4c0 1.11-.89 2-2 2-1.11 0-2-.89-2-2 0-1.11.89-2 2-2 1.11 0 2 .89 2 2z"/></svg>
+ Watch
+ </a>
+ <a class="social-count" href="/google/material-design-icons/watchers"
+ aria-label="1695 users are watching this repository">
+ 1,695
+ </a>
+
+ </li>
+
+ <li>
+ <a href="/login?return_to=%2Fgoogle%2Fmaterial-design-icons"
+ class="btn btn-sm btn-with-count tooltipped tooltipped-n"
+ aria-label="You must be signed in to star a repository" rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-star" height="16" version="1.1" viewBox="0 0 14 16" width="14"><path fill-rule="evenodd" d="M14 6l-4.9-.64L7 1 4.9 5.36 0 6l3.6 3.26L2.67 14 7 11.67 11.33 14l-.93-4.74z"/></svg>
+ Star
+ </a>
+
+ <a class="social-count js-social-count" href="/google/material-design-icons/stargazers"
+ aria-label="31474 users starred this repository">
+ 31,474
+ </a>
+
+ </li>
+
+ <li>
+ <a href="/login?return_to=%2Fgoogle%2Fmaterial-design-icons"
+ class="btn btn-sm btn-with-count tooltipped tooltipped-n"
+ aria-label="You must be signed in to fork a repository" rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-repo-forked" height="16" version="1.1" viewBox="0 0 10 16" width="10"><path fill-rule="evenodd" d="M8 1a1.993 1.993 0 0 0-1 3.72V6L5 8 3 6V4.72A1.993 1.993 0 0 0 2 1a1.993 1.993 0 0 0-1 3.72V6.5l3 3v1.78A1.993 1.993 0 0 0 5 15a1.993 1.993 0 0 0 1-3.72V9.5l3-3V4.72A1.993 1.993 0 0 0 8 1zM2 4.2C1.34 4.2.8 3.65.8 3c0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2zm3 10c-.66 0-1.2-.55-1.2-1.2 0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2zm3-10c-.66 0-1.2-.55-1.2-1.2 0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2z"/></svg>
+ Fork
+ </a>
+
+ <a href="/google/material-design-icons/network" class="social-count"
+ aria-label="6129 users forked this repository">
+ 6,129
+ </a>
+ </li>
+</ul>
+
+ <h1 class="public ">
+ <svg aria-hidden="true" class="octicon octicon-repo" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M4 9H3V8h1v1zm0-3H3v1h1V6zm0-2H3v1h1V4zm0-2H3v1h1V2zm8-1v12c0 .55-.45 1-1 1H6v2l-1.5-1.5L3 16v-2H1c-.55 0-1-.45-1-1V1c0-.55.45-1 1-1h10c.55 0 1 .45 1 1zm-1 10H1v2h2v-1h3v1h5v-2zm0-10H2v9h9V1z"/></svg>
+ <span class="author" itemprop="author"><a href="/google" class="url fn" rel="author">google</a></span><!--
+--><span class="path-divider">/</span><!--
+--><strong itemprop="name"><a href="/google/material-design-icons" data-pjax="#js-repo-pjax-container">material-design-icons</a></strong>
+
+</h1>
+
+ </div>
+ <div class="container">
+
+<nav class="reponav js-repo-nav js-sidenav-container-pjax"
+ itemscope
+ itemtype="http://schema.org/BreadcrumbList"
+ role="navigation"
+ data-pjax="#js-repo-pjax-container">
+
+ <span itemscope itemtype="http://schema.org/ListItem" itemprop="itemListElement">
+ <a href="/google/material-design-icons" class="js-selected-navigation-item selected reponav-item" data-hotkey="g c" data-selected-links="repo_source repo_downloads repo_commits repo_releases repo_tags repo_branches /google/material-design-icons" itemprop="url">
+ <svg aria-hidden="true" class="octicon octicon-code" height="16" version="1.1" viewBox="0 0 14 16" width="14"><path fill-rule="evenodd" d="M9.5 3L8 4.5 11.5 8 8 11.5 9.5 13 14 8 9.5 3zm-5 0L0 8l4.5 5L6 11.5 2.5 8 6 4.5 4.5 3z"/></svg>
+ <span itemprop="name">Code</span>
+ <meta itemprop="position" content="1">
+</a> </span>
+
+ <span itemscope itemtype="http://schema.org/ListItem" itemprop="itemListElement">
+ <a href="/google/material-design-icons/issues" class="js-selected-navigation-item reponav-item" data-hotkey="g i" data-selected-links="repo_issues repo_labels repo_milestones /google/material-design-icons/issues" itemprop="url">
+ <svg aria-hidden="true" class="octicon octicon-issue-opened" height="16" version="1.1" viewBox="0 0 14 16" width="14"><path fill-rule="evenodd" d="M7 2.3c3.14 0 5.7 2.56 5.7 5.7s-2.56 5.7-5.7 5.7A5.71 5.71 0 0 1 1.3 8c0-3.14 2.56-5.7 5.7-5.7zM7 1C3.14 1 0 4.14 0 8s3.14 7 7 7 7-3.14 7-7-3.14-7-7-7zm1 3H6v5h2V4zm0 6H6v2h2v-2z"/></svg>
+ <span itemprop="name">Issues</span>
+ <span class="Counter">338</span>
+ <meta itemprop="position" content="2">
+</a> </span>
+
+ <span itemscope itemtype="http://schema.org/ListItem" itemprop="itemListElement">
+ <a href="/google/material-design-icons/pulls" class="js-selected-navigation-item reponav-item" data-hotkey="g p" data-selected-links="repo_pulls /google/material-design-icons/pulls" itemprop="url">
+ <svg aria-hidden="true" class="octicon octicon-git-pull-request" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M11 11.28V5c-.03-.78-.34-1.47-.94-2.06C9.46 2.35 8.78 2.03 8 2H7V0L4 3l3 3V4h1c.27.02.48.11.69.31.21.2.3.42.31.69v6.28A1.993 1.993 0 0 0 10 15a1.993 1.993 0 0 0 1-3.72zm-1 2.92c-.66 0-1.2-.55-1.2-1.2 0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2zM4 3c0-1.11-.89-2-2-2a1.993 1.993 0 0 0-1 3.72v6.56A1.993 1.993 0 0 0 2 15a1.993 1.993 0 0 0 1-3.72V4.72c.59-.34 1-.98 1-1.72zm-.8 10c0 .66-.55 1.2-1.2 1.2-.65 0-1.2-.55-1.2-1.2 0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2zM2 4.2C1.34 4.2.8 3.65.8 3c0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2z"/></svg>
+ <span itemprop="name">Pull requests</span>
+ <span class="Counter">21</span>
+ <meta itemprop="position" content="3">
+</a> </span>
+
+ <a href="/google/material-design-icons/projects" class="js-selected-navigation-item reponav-item" data-hotkey="g b" data-selected-links="repo_projects new_repo_project repo_project /google/material-design-icons/projects">
+ <svg aria-hidden="true" class="octicon octicon-project" height="16" version="1.1" viewBox="0 0 15 16" width="15"><path fill-rule="evenodd" d="M10 12h3V2h-3v10zm-4-2h3V2H6v8zm-4 4h3V2H2v12zm-1 1h13V1H1v14zM14 0H1a1 1 0 0 0-1 1v14a1 1 0 0 0 1 1h13a1 1 0 0 0 1-1V1a1 1 0 0 0-1-1z"/></svg>
+ Projects
+ <span class="Counter" >0</span>
+</a>
+ <a href="/google/material-design-icons/wiki" class="js-selected-navigation-item reponav-item" data-hotkey="g w" data-selected-links="repo_wiki /google/material-design-icons/wiki">
+ <svg aria-hidden="true" class="octicon octicon-book" height="16" version="1.1" viewBox="0 0 16 16" width="16"><path fill-rule="evenodd" d="M3 5h4v1H3V5zm0 3h4V7H3v1zm0 2h4V9H3v1zm11-5h-4v1h4V5zm0 2h-4v1h4V7zm0 2h-4v1h4V9zm2-6v9c0 .55-.45 1-1 1H9.5l-1 1-1-1H2c-.55 0-1-.45-1-1V3c0-.55.45-1 1-1h5.5l1 1 1-1H15c.55 0 1 .45 1 1zm-8 .5L7.5 3H2v9h6V3.5zm7-.5H9.5l-.5.5V12h6V3z"/></svg>
+ Wiki
+</a>
+
+ <div class="reponav-dropdown js-menu-container">
+ <button type="button" class="btn-link reponav-item reponav-dropdown js-menu-target " data-no-toggle aria-expanded="false" aria-haspopup="true">
+ Insights
+ <svg aria-hidden="true" class="octicon octicon-triangle-down v-align-middle text-gray" height="11" version="1.1" viewBox="0 0 12 16" width="8"><path fill-rule="evenodd" d="M0 5l6 6 6-6z"/></svg>
+ </button>
+ <div class="dropdown-menu-content js-menu-content">
+ <div class="dropdown-menu dropdown-menu-sw">
+ <a class="dropdown-item" href="/google/material-design-icons/pulse" data-skip-pjax>
+ <svg aria-hidden="true" class="octicon octicon-pulse" height="16" version="1.1" viewBox="0 0 14 16" width="14"><path fill-rule="evenodd" d="M11.5 8L8.8 5.4 6.6 8.5 5.5 1.6 2.38 8H0v2h3.6l.9-1.8.9 5.4L9 8.5l1.6 1.5H14V8z"/></svg>
+ Pulse
+ </a>
+ <a class="dropdown-item" href="/google/material-design-icons/graphs" data-skip-pjax>
+ <svg aria-hidden="true" class="octicon octicon-graph" height="16" version="1.1" viewBox="0 0 16 16" width="16"><path fill-rule="evenodd" d="M16 14v1H0V0h1v14h15zM5 13H3V8h2v5zm4 0H7V3h2v10zm4 0h-2V6h2v7z"/></svg>
+ Graphs
+ </a>
+ </div>
+ </div>
+ </div>
+</nav>
+
+ </div>
+ </div>
+
+<div class="container new-discussion-timeline experiment-repo-nav">
+ <div class="repository-content">
+
+
+ <a href="/google/material-design-icons/blob/7fbdfc47a52bcfe7bd414a1b2eeabb85a4ab6c49/iconfont/MaterialIcons-Regular.ttf" class="d-none js-permalink-shortcut" data-hotkey="y">Permalink</a>
+
+ <!-- blob contrib key: blob_contributors:v21:2ef48e02b18daf3ff66f7449ee4474f4 -->
+
+ <div class="file-navigation js-zeroclipboard-container">
+
+<div class="select-menu branch-select-menu js-menu-container js-select-menu float-left">
+ <button class=" btn btn-sm select-menu-button js-menu-target css-truncate" data-hotkey="w"
+
+ type="button" aria-label="Switch branches or tags" aria-expanded="false" aria-haspopup="true">
+ <i>Branch:</i>
+ <span class="js-select-button css-truncate-target">master</span>
+ </button>
+
+ <div class="select-menu-modal-holder js-menu-content js-navigation-container" data-pjax>
+
+ <div class="select-menu-modal">
+ <div class="select-menu-header">
+ <svg aria-label="Close" class="octicon octicon-x js-menu-close" height="16" role="img" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M7.48 8l3.75 3.75-1.48 1.48L6 9.48l-3.75 3.75-1.48-1.48L4.52 8 .77 4.25l1.48-1.48L6 6.52l3.75-3.75 1.48 1.48z"/></svg>
+ <span class="select-menu-title">Switch branches/tags</span>
+ </div>
+
+ <div class="select-menu-filters">
+ <div class="select-menu-text-filter">
+ <input type="text" aria-label="Filter branches/tags" id="context-commitish-filter-field" class="form-control js-filterable-field js-navigation-enable" placeholder="Filter branches/tags">
+ </div>
+ <div class="select-menu-tabs">
+ <ul>
+ <li class="select-menu-tab">
+ <a href="#" data-tab-filter="branches" data-filter-placeholder="Filter branches/tags" class="js-select-menu-tab" role="tab">Branches</a>
+ </li>
+ <li class="select-menu-tab">
+ <a href="#" data-tab-filter="tags" data-filter-placeholder="Find a tag…" class="js-select-menu-tab" role="tab">Tags</a>
+ </li>
+ </ul>
+ </div>
+ </div>
+
+ <div class="select-menu-list select-menu-tab-bucket js-select-menu-tab-bucket" data-tab-filter="branches" role="menu">
+
+ <div data-filterable-for="context-commitish-filter-field" data-filterable-type="substring">
+
+
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/2.1.0-update/iconfont/MaterialIcons-Regular.ttf"
+ data-name="2.1.0-update"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ 2.1.0-update
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/2.2.0/iconfont/MaterialIcons-Regular.ttf"
+ data-name="2.2.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ 2.2.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/apache_license/iconfont/MaterialIcons-Regular.ttf"
+ data-name="apache_license"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ apache_license
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/fix-apache-license/iconfont/MaterialIcons-Regular.ttf"
+ data-name="fix-apache-license"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ fix-apache-license
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/generate-device-sprites/iconfont/MaterialIcons-Regular.ttf"
+ data-name="generate-device-sprites"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ generate-device-sprites
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/gh-pages-typo/iconfont/MaterialIcons-Regular.ttf"
+ data-name="gh-pages-typo"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ gh-pages-typo
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/gh-pages/iconfont/MaterialIcons-Regular.ttf"
+ data-name="gh-pages"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ gh-pages
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open selected"
+ href="/google/material-design-icons/blob/master/iconfont/MaterialIcons-Regular.ttf"
+ data-name="master"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ master
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/removal-of-gh-pages-from-master/iconfont/MaterialIcons-Regular.ttf"
+ data-name="removal-of-gh-pages-from-master"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ removal-of-gh-pages-from-master
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/update-license/iconfont/MaterialIcons-Regular.ttf"
+ data-name="update-license"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ update-license
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/version-info/iconfont/MaterialIcons-Regular.ttf"
+ data-name="version-info"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ version-info
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/woff2-correction/iconfont/MaterialIcons-Regular.ttf"
+ data-name="woff2-correction"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ woff2-correction
+ </span>
+ </a>
+ </div>
+
+ <div class="select-menu-no-results">Nothing to show</div>
+ </div>
+
+ <div class="select-menu-list select-menu-tab-bucket js-select-menu-tab-bucket" data-tab-filter="tags">
+ <div data-filterable-for="context-commitish-filter-field" data-filterable-type="substring">
+
+
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/v2.1.3/iconfont/MaterialIcons-Regular.ttf"
+ data-name="v2.1.3"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="v2.1.3">
+ v2.1.3
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/3.0.1/iconfont/MaterialIcons-Regular.ttf"
+ data-name="3.0.1"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="3.0.1">
+ 3.0.1
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/3.0.0/iconfont/MaterialIcons-Regular.ttf"
+ data-name="3.0.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="3.0.0">
+ 3.0.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.2.3/iconfont/MaterialIcons-Regular.ttf"
+ data-name="2.2.3"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.2.3">
+ 2.2.3
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.2.2/iconfont/MaterialIcons-Regular.ttf"
+ data-name="2.2.2"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.2.2">
+ 2.2.2
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.2.1/iconfont/MaterialIcons-Regular.ttf"
+ data-name="2.2.1"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.2.1">
+ 2.2.1
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.2.0/iconfont/MaterialIcons-Regular.ttf"
+ data-name="2.2.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.2.0">
+ 2.2.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.1.1/iconfont/MaterialIcons-Regular.ttf"
+ data-name="2.1.1"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.1.1">
+ 2.1.1
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.1/iconfont/MaterialIcons-Regular.ttf"
+ data-name="2.1"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.1">
+ 2.1
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.0.0/iconfont/MaterialIcons-Regular.ttf"
+ data-name="2.0.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.0.0">
+ 2.0.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.0/iconfont/MaterialIcons-Regular.ttf"
+ data-name="2.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.0">
+ 2.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/1.0.2/iconfont/MaterialIcons-Regular.ttf"
+ data-name="1.0.2"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="1.0.2">
+ 1.0.2
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/1.0.2b/iconfont/MaterialIcons-Regular.ttf"
+ data-name="1.0.2b"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="1.0.2b">
+ 1.0.2b
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/1.0.1/iconfont/MaterialIcons-Regular.ttf"
+ data-name="1.0.1"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="1.0.1">
+ 1.0.1
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/1.0.0/iconfont/MaterialIcons-Regular.ttf"
+ data-name="1.0.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="1.0.0">
+ 1.0.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/1.0.0-pre/iconfont/MaterialIcons-Regular.ttf"
+ data-name="1.0.0-pre"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="1.0.0-pre">
+ 1.0.0-pre
+ </span>
+ </a>
+ </div>
+
+ <div class="select-menu-no-results">Nothing to show</div>
+ </div>
+
+ </div>
+ </div>
+</div>
+
+ <div class="BtnGroup float-right">
+ <a href="/google/material-design-icons/find/master"
+ class="js-pjax-capture-input btn btn-sm BtnGroup-item"
+ data-pjax
+ data-hotkey="t">
+ Find file
+ </a>
+ <button aria-label="Copy file path to clipboard" class="js-zeroclipboard btn btn-sm BtnGroup-item tooltipped tooltipped-s" data-copied-hint="Copied!" type="button">Copy path</button>
+ </div>
+ <div class="breadcrumb js-zeroclipboard-target">
+ <span class="repo-root js-repo-root"><span class="js-path-segment"><a href="/google/material-design-icons"><span>material-design-icons</span></a></span></span><span class="separator">/</span><span class="js-path-segment"><a href="/google/material-design-icons/tree/master/iconfont"><span>iconfont</span></a></span><span class="separator">/</span><strong class="final-path">MaterialIcons-Regular.ttf</strong>
+ </div>
+ </div>
+
+
+
+ <div class="commit-tease">
+ <span class="float-right">
+ <a class="commit-tease-sha" href="/google/material-design-icons/commit/ac75e8329cc936816f1c5e2de182858efe7530ab" data-pjax>
+ ac75e83
+ </a>
+ <relative-time datetime="2016-02-08T22:05:52Z">Feb 8, 2016</relative-time>
+ </span>
+ <div>
+ <img alt="@shyndman" class="avatar" height="20" src="https://avatars0.githubusercontent.com/u/42326?v=4&amp;s=40" width="20" />
+ <a href="/shyndman" class="user-mention" rel="contributor">shyndman</a>
+ <a href="/google/material-design-icons/commit/ac75e8329cc936816f1c5e2de182858efe7530ab" class="message" data-pjax="true" title="2.2.0 release -- 41 new icons!">2.2.0 release -- 41 new icons!</a>
+ </div>
+
+ <div class="commit-tease-contributors">
+ <button type="button" class="btn-link muted-link contributors-toggle" data-facebox="#blob_contributors_box">
+ <strong>2</strong>
+ contributors
+ </button>
+ <a class="avatar-link tooltipped tooltipped-s" aria-label="shyndman" href="/google/material-design-icons/commits/master/iconfont/MaterialIcons-Regular.ttf?author=shyndman"><img alt="@shyndman" class="avatar" height="20" src="https://avatars0.githubusercontent.com/u/42326?v=4&amp;s=40" width="20" /> </a>
+ <a class="avatar-link tooltipped tooltipped-s" aria-label="jestelle" href="/google/material-design-icons/commits/master/iconfont/MaterialIcons-Regular.ttf?author=jestelle"><img alt="@jestelle" class="avatar" height="20" src="https://avatars3.githubusercontent.com/u/3145577?v=4&amp;s=40" width="20" /> </a>
+
+
+ </div>
+
+ <div id="blob_contributors_box" style="display:none">
+ <h2 class="facebox-header" data-facebox-id="facebox-header">Users who have contributed to this file</h2>
+ <ul class="facebox-user-list" data-facebox-id="facebox-description">
+ <li class="facebox-user-list-item">
+ <img alt="@shyndman" height="24" src="https://avatars2.githubusercontent.com/u/42326?v=4&amp;s=48" width="24" />
+ <a href="/shyndman">shyndman</a>
+ </li>
+ <li class="facebox-user-list-item">
+ <img alt="@jestelle" height="24" src="https://avatars1.githubusercontent.com/u/3145577?v=4&amp;s=48" width="24" />
+ <a href="/jestelle">jestelle</a>
+ </li>
+ </ul>
+ </div>
+ </div>
+
+
+ <div class="file">
+ <div class="file-header">
+ <div class="file-actions">
+
+ <div class="BtnGroup">
+ <a href="/google/material-design-icons/raw/master/iconfont/MaterialIcons-Regular.ttf" class="btn btn-sm BtnGroup-item" id="raw-url">Download</a>
+ <a href="/google/material-design-icons/commits/master/iconfont/MaterialIcons-Regular.ttf" class="btn btn-sm BtnGroup-item" rel="nofollow">History</a>
+ </div>
+
+
+ <!-- '"` --><!-- </textarea></xmp> --></option></form><form accept-charset="UTF-8" action="/google/material-design-icons/delete/master/iconfont/MaterialIcons-Regular.ttf" class="inline-form" method="post"><div style="margin:0;padding:0;display:inline"><input name="utf8" type="hidden" value="&#x2713;" /><input name="authenticity_token" type="hidden" value="rTYexo7JsJkIbw1CpilqM9zkd8LMsvk3kTuH+eCo8HeOaHiT5QQNcLbtHFB2qo/czMDiyWAs2sxp4YSAv+lu6A==" /></div>
+ <button class="btn-octicon btn-octicon-danger tooltipped tooltipped-nw" type="submit"
+ aria-label="You must be signed in to make or propose changes" data-disable-with>
+ <svg aria-hidden="true" class="octicon octicon-trashcan" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M11 2H9c0-.55-.45-1-1-1H5c-.55 0-1 .45-1 1H2c-.55 0-1 .45-1 1v1c0 .55.45 1 1 1v9c0 .55.45 1 1 1h7c.55 0 1-.45 1-1V5c.55 0 1-.45 1-1V3c0-.55-.45-1-1-1zm-1 12H3V5h1v8h1V5h1v8h1V5h1v8h1V5h1v9zm1-10H2V3h9v1z"/></svg>
+ </button>
+</form> </div>
+
+ <div class="file-info">
+ 125 KB
+ </div>
+</div>
+
+
+
+ <div itemprop="text" class="blob-wrapper data type-text">
+ <div class="image">
+ <a href="/google/material-design-icons/blob/master/iconfont/MaterialIcons-Regular.ttf?raw=true">View Raw</a>
+ </div>
+ </div>
+
+ </div>
+
+ <button type="button" data-facebox="#jump-to-line" data-facebox-class="linejump" data-hotkey="l" class="d-none">Jump to Line</button>
+ <div id="jump-to-line" style="display:none">
+ <!-- '"` --><!-- </textarea></xmp> --></option></form><form accept-charset="UTF-8" action="" class="js-jump-to-line-form" method="get"><div style="margin:0;padding:0;display:inline"><input name="utf8" type="hidden" value="&#x2713;" /></div>
+ <input class="form-control linejump-input js-jump-to-line-field" type="text" placeholder="Jump to line&hellip;" aria-label="Jump to line" autofocus>
+ <button type="submit" class="btn">Go</button>
+</form> </div>
+
+ </div>
+ <div class="modal-backdrop js-touch-events"></div>
+</div>
+
+ </div>
+ </div>
+
+ </div>
+
+
+<div class="footer container-lg px-3" role="contentinfo">
+ <div class="position-relative d-flex flex-justify-between py-6 mt-6 f6 text-gray border-top border-gray-light ">
+ <ul class="list-style-none d-flex flex-wrap ">
+ <li class="mr-3">&copy; 2017 <span title="0.11805s from unicorn-2897288677-5cf2n">GitHub</span>, Inc.</li>
+ <li class="mr-3"><a href="https://github.com/site/terms" data-ga-click="Footer, go to terms, text:terms">Terms</a></li>
+ <li class="mr-3"><a href="https://github.com/site/privacy" data-ga-click="Footer, go to privacy, text:privacy">Privacy</a></li>
+ <li class="mr-3"><a href="https://github.com/security" data-ga-click="Footer, go to security, text:security">Security</a></li>
+ <li class="mr-3"><a href="https://status.github.com/" data-ga-click="Footer, go to status, text:status">Status</a></li>
+ <li><a href="https://help.github.com" data-ga-click="Footer, go to help, text:help">Help</a></li>
+ </ul>
+
+ <a href="https://github.com" aria-label="Homepage" class="footer-octicon" title="GitHub">
+ <svg aria-hidden="true" class="octicon octicon-mark-github" height="24" version="1.1" viewBox="0 0 16 16" width="24"><path fill-rule="evenodd" d="M8 0C3.58 0 0 3.58 0 8c0 3.54 2.29 6.53 5.47 7.59.4.07.55-.17.55-.38 0-.19-.01-.82-.01-1.49-2.01.37-2.53-.49-2.69-.94-.09-.23-.48-.94-.82-1.13-.28-.15-.68-.52-.01-.53.63-.01 1.08.58 1.23.82.72 1.21 1.87.87 2.33.66.07-.52.28-.87.51-1.07-1.78-.2-3.64-.89-3.64-3.95 0-.87.31-1.59.82-2.15-.08-.2-.36-1.02.08-2.12 0 0 .67-.21 2.2.82.64-.18 1.32-.27 2-.27.68 0 1.36.09 2 .27 1.53-1.04 2.2-.82 2.2-.82.44 1.1.16 1.92.08 2.12.51.56.82 1.27.82 2.15 0 3.07-1.87 3.75-3.65 3.95.29.25.54.73.54 1.48 0 1.07-.01 1.93-.01 2.2 0 .21.15.46.55.38A8.013 8.013 0 0 0 16 8c0-4.42-3.58-8-8-8z"/></svg>
+</a>
+ <ul class="list-style-none d-flex flex-wrap ">
+ <li class="mr-3"><a href="https://github.com/contact" data-ga-click="Footer, go to contact, text:contact">Contact GitHub</a></li>
+ <li class="mr-3"><a href="https://developer.github.com" data-ga-click="Footer, go to api, text:api">API</a></li>
+ <li class="mr-3"><a href="https://training.github.com" data-ga-click="Footer, go to training, text:training">Training</a></li>
+ <li class="mr-3"><a href="https://shop.github.com" data-ga-click="Footer, go to shop, text:shop">Shop</a></li>
+ <li class="mr-3"><a href="https://github.com/blog" data-ga-click="Footer, go to blog, text:blog">Blog</a></li>
+ <li><a href="https://github.com/about" data-ga-click="Footer, go to about, text:about">About</a></li>
+
+ </ul>
+ </div>
+</div>
+
+
+
+ <div id="ajax-error-message" class="ajax-error-message flash flash-error">
+ <svg aria-hidden="true" class="octicon octicon-alert" height="16" version="1.1" viewBox="0 0 16 16" width="16"><path fill-rule="evenodd" d="M8.865 1.52c-.18-.31-.51-.5-.87-.5s-.69.19-.87.5L.275 13.5c-.18.31-.18.69 0 1 .19.31.52.5.87.5h13.7c.36 0 .69-.19.86-.5.17-.31.18-.69.01-1L8.865 1.52zM8.995 13h-2v-2h2v2zm0-3h-2V6h2v4z"/></svg>
+ <button type="button" class="flash-close js-flash-close js-ajax-error-dismiss" aria-label="Dismiss error">
+ <svg aria-hidden="true" class="octicon octicon-x" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M7.48 8l3.75 3.75-1.48 1.48L6 9.48l-3.75 3.75-1.48-1.48L4.52 8 .77 4.25l1.48-1.48L6 6.52l3.75-3.75 1.48 1.48z"/></svg>
+ </button>
+ You can't perform that action at this time.
+ </div>
+
+
+ <script crossorigin="anonymous" src="https://assets-cdn.github.com/assets/compat-91f98c37fc84eac24836eec2567e9912742094369a04c4eba6e3cd1fa18902d9.js"></script>
+ <script crossorigin="anonymous" src="https://assets-cdn.github.com/assets/frameworks-143a6f74056707f6b14875ec6ca4f2eb16f5d0781f7e1cb82bd441b4438b43d3.js"></script>
+
+ <script async="async" crossorigin="anonymous" src="https://assets-cdn.github.com/assets/github-a3db37c169c8510815dedb0e9bbfda110628b0b4a4fb9652b95642f8e0b0fff2.js"></script>
+
+
+
+
+ <div class="js-stale-session-flash stale-session-flash flash flash-warn flash-banner d-none">
+ <svg aria-hidden="true" class="octicon octicon-alert" height="16" version="1.1" viewBox="0 0 16 16" width="16"><path fill-rule="evenodd" d="M8.865 1.52c-.18-.31-.51-.5-.87-.5s-.69.19-.87.5L.275 13.5c-.18.31-.18.69 0 1 .19.31.52.5.87.5h13.7c.36 0 .69-.19.86-.5.17-.31.18-.69.01-1L8.865 1.52zM8.995 13h-2v-2h2v2zm0-3h-2V6h2v4z"/></svg>
+ <span class="signed-in-tab-flash">You signed in with another tab or window. <a href="">Reload</a> to refresh your session.</span>
+ <span class="signed-out-tab-flash">You signed out in another tab or window. <a href="">Reload</a> to refresh your session.</span>
+ </div>
+ <div class="facebox" id="facebox" style="display:none;">
+ <div class="facebox-popup">
+ <div class="facebox-content" role="dialog" aria-labelledby="facebox-header" aria-describedby="facebox-description">
+ </div>
+ <button type="button" class="facebox-close js-facebox-close" aria-label="Close modal">
+ <svg aria-hidden="true" class="octicon octicon-x" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M7.48 8l3.75 3.75-1.48 1.48L6 9.48l-3.75 3.75-1.48-1.48L4.52 8 .77 4.25l1.48-1.48L6 6.52l3.75-3.75 1.48 1.48z"/></svg>
+ </button>
+ </div>
+</div>
+
+
+ </body>
+</html>
+
diff --git a/admin/static/material-design-icons/MaterialIcons-Regular.woff b/admin/static/material-design-icons/MaterialIcons-Regular.woff
new file mode 100644
index 0000000..36cf487
--- /dev/null
+++ b/admin/static/material-design-icons/MaterialIcons-Regular.woff
@@ -0,0 +1,839 @@
+
+
+
+
+
+
+<!DOCTYPE html>
+<html lang="en">
+ <head>
+ <meta charset="utf-8">
+ <link rel="dns-prefetch" href="https://assets-cdn.github.com">
+ <link rel="dns-prefetch" href="https://avatars0.githubusercontent.com">
+ <link rel="dns-prefetch" href="https://avatars1.githubusercontent.com">
+ <link rel="dns-prefetch" href="https://avatars2.githubusercontent.com">
+ <link rel="dns-prefetch" href="https://avatars3.githubusercontent.com">
+ <link rel="dns-prefetch" href="https://github-cloud.s3.amazonaws.com">
+ <link rel="dns-prefetch" href="https://user-images.githubusercontent.com/">
+
+
+
+ <link crossorigin="anonymous" href="https://assets-cdn.github.com/assets/frameworks-bedfc518345498ab3204d330c1727cde7e733526a09cd7df6867f6a231565091.css" media="all" rel="stylesheet" />
+ <link crossorigin="anonymous" href="https://assets-cdn.github.com/assets/github-a1f1041276ec59b7ad51bdbd35d2d73f15f99aebe2686a60e9cd9f705b57d220.css" media="all" rel="stylesheet" />
+
+
+ <link crossorigin="anonymous" href="https://assets-cdn.github.com/assets/site-877643c520258c4fa15ac8d1664d84efd0e3db56f5e544ccac58da0e50489904.css" media="all" rel="stylesheet" />
+
+
+ <meta name="viewport" content="width=device-width">
+
+ <title>material-design-icons/MaterialIcons-Regular.woff at master · google/material-design-icons · GitHub</title>
+ <link rel="search" type="application/opensearchdescription+xml" href="/opensearch.xml" title="GitHub">
+ <link rel="fluid-icon" href="https://github.com/fluidicon.png" title="GitHub">
+ <meta property="fb:app_id" content="1401488693436528">
+
+
+ <meta content="https://avatars0.githubusercontent.com/u/1342004?v=4&amp;s=400" property="og:image" /><meta content="GitHub" property="og:site_name" /><meta content="object" property="og:type" /><meta content="google/material-design-icons" property="og:title" /><meta content="https://github.com/google/material-design-icons" property="og:url" /><meta content="material-design-icons - Material Design icons by Google" property="og:description" />
+
+ <link rel="assets" href="https://assets-cdn.github.com/">
+
+ <meta name="pjax-timeout" content="1000">
+
+ <meta name="request-id" content="897D:8871:266D473:3E355F7:59C81A2E" data-pjax-transient>
+
+
+ <meta name="selected-link" value="repo_source" data-pjax-transient>
+
+ <meta name="google-site-verification" content="KT5gs8h0wvaagLKAVWq8bbeNwnZZK1r1XQysX3xurLU">
+<meta name="google-site-verification" content="ZzhVyEFwb7w3e0-uOTltm8Jsck2F5StVihD0exw2fsA">
+ <meta name="google-analytics" content="UA-3769691-2">
+
+<meta content="collector.githubapp.com" name="octolytics-host" /><meta content="github" name="octolytics-app-id" /><meta content="https://collector.githubapp.com/github-external/browser_event" name="octolytics-event-url" /><meta content="897D:8871:266D473:3E355F7:59C81A2E" name="octolytics-dimension-request_id" /><meta content="iad" name="octolytics-dimension-region_edge" /><meta content="iad" name="octolytics-dimension-region_render" />
+<meta content="/&lt;user-name&gt;/&lt;repo-name&gt;/blob/show" data-pjax-transient="true" name="analytics-location" />
+
+
+
+
+ <meta class="js-ga-set" name="dimension1" content="Logged Out">
+
+
+
+
+ <meta name="hostname" content="github.com">
+ <meta name="user-login" content="">
+
+ <meta name="expected-hostname" content="github.com">
+ <meta name="js-proxy-site-detection-payload" content="MzE1MWQ4MDI5MWJhNzgyMDM2NTg0ZWM3OTMxOTJjNWZkYTc2NTFjYjk1YWNmM2EzYzExNDkxZjU5NDcwMjYzZHx7InJlbW90ZV9hZGRyZXNzIjoiMTc4LjMyLjIxOS4xOTAiLCJyZXF1ZXN0X2lkIjoiODk3RDo4ODcxOjI2NkQ0NzM6M0UzNTVGNzo1OUM4MUEyRSIsInRpbWVzdGFtcCI6MTUwNjI4NjEyNywiaG9zdCI6ImdpdGh1Yi5jb20ifQ==">
+
+
+ <meta name="html-safe-nonce" content="1c0ddbf5c2bfe5e90f4b96bee8f75aebab8000f3">
+
+ <meta http-equiv="x-pjax-version" content="91fbc80bd47c6773a7a0b82ce6f50214">
+
+
+ <link href="https://github.com/google/material-design-icons/commits/master.atom" rel="alternate" title="Recent Commits to material-design-icons:master" type="application/atom+xml">
+
+ <meta name="description" content="material-design-icons - Material Design icons by Google">
+ <meta name="go-import" content="github.com/google/material-design-icons git https://github.com/google/material-design-icons.git">
+
+ <meta content="1342004" name="octolytics-dimension-user_id" /><meta content="google" name="octolytics-dimension-user_login" /><meta content="24953448" name="octolytics-dimension-repository_id" /><meta content="google/material-design-icons" name="octolytics-dimension-repository_nwo" /><meta content="true" name="octolytics-dimension-repository_public" /><meta content="false" name="octolytics-dimension-repository_is_fork" /><meta content="24953448" name="octolytics-dimension-repository_network_root_id" /><meta content="google/material-design-icons" name="octolytics-dimension-repository_network_root_nwo" /><meta content="false" name="octolytics-dimension-repository_explore_github_marketplace_ci_cta_shown" />
+
+
+ <link rel="canonical" href="https://github.com/google/material-design-icons/blob/master/iconfont/MaterialIcons-Regular.woff" data-pjax-transient>
+
+
+ <meta name="browser-stats-url" content="https://api.github.com/_private/browser/stats">
+
+ <meta name="browser-errors-url" content="https://api.github.com/_private/browser/errors">
+
+ <link rel="mask-icon" href="https://assets-cdn.github.com/pinned-octocat.svg" color="#000000">
+ <link rel="icon" type="image/x-icon" href="https://assets-cdn.github.com/favicon.ico">
+
+<meta name="theme-color" content="#1e2327">
+
+
+
+ </head>
+
+ <body class="logged-out env-production page-blob">
+
+
+ <div class="position-relative js-header-wrapper ">
+ <a href="#start-of-content" tabindex="1" class="px-2 py-4 show-on-focus js-skip-to-content">Skip to content</a>
+ <div id="js-pjax-loader-bar" class="pjax-loader-bar"><div class="progress"></div></div>
+
+
+
+
+
+
+
+ <header class="Header header-logged-out position-relative f4 py-3" role="banner">
+ <div class="container-lg d-flex px-3">
+ <div class="d-flex flex-justify-between flex-items-center">
+ <a class="header-logo-invertocat my-0" href="https://github.com/" aria-label="Homepage" data-ga-click="(Logged out) Header, go to homepage, icon:logo-wordmark">
+ <svg aria-hidden="true" class="octicon octicon-mark-github" height="32" version="1.1" viewBox="0 0 16 16" width="32"><path fill-rule="evenodd" d="M8 0C3.58 0 0 3.58 0 8c0 3.54 2.29 6.53 5.47 7.59.4.07.55-.17.55-.38 0-.19-.01-.82-.01-1.49-2.01.37-2.53-.49-2.69-.94-.09-.23-.48-.94-.82-1.13-.28-.15-.68-.52-.01-.53.63-.01 1.08.58 1.23.82.72 1.21 1.87.87 2.33.66.07-.52.28-.87.51-1.07-1.78-.2-3.64-.89-3.64-3.95 0-.87.31-1.59.82-2.15-.08-.2-.36-1.02.08-2.12 0 0 .67-.21 2.2.82.64-.18 1.32-.27 2-.27.68 0 1.36.09 2 .27 1.53-1.04 2.2-.82 2.2-.82.44 1.1.16 1.92.08 2.12.51.56.82 1.27.82 2.15 0 3.07-1.87 3.75-3.65 3.95.29.25.54.73.54 1.48 0 1.07-.01 1.93-.01 2.2 0 .21.15.46.55.38A8.013 8.013 0 0 0 16 8c0-4.42-3.58-8-8-8z"/></svg>
+ </a>
+
+ </div>
+
+ <div class="HeaderMenu HeaderMenu--bright d-flex flex-justify-between flex-auto">
+ <nav class="mt-0">
+ <ul class="d-flex list-style-none">
+ <li class="ml-2">
+ <a href="/features" class="js-selected-navigation-item HeaderNavlink px-0 py-2 m-0" data-ga-click="Header, click, Nav menu - item:features" data-selected-links="/features /features/project-management /features/code-review /features/project-management /features/integrations /features">
+ Features
+</a> </li>
+ <li class="ml-4">
+ <a href="/business" class="js-selected-navigation-item HeaderNavlink px-0 py-2 m-0" data-ga-click="Header, click, Nav menu - item:business" data-selected-links="/business /business/security /business/customers /business">
+ Business
+</a> </li>
+
+ <li class="ml-4">
+ <a href="/explore" class="js-selected-navigation-item HeaderNavlink px-0 py-2 m-0" data-ga-click="Header, click, Nav menu - item:explore" data-selected-links="/explore /trending /trending/developers /integrations /integrations/feature/code /integrations/feature/collaborate /integrations/feature/ship showcases showcases_search showcases_landing /explore">
+ Explore
+</a> </li>
+
+ <li class="ml-4">
+ <a href="/marketplace" class="js-selected-navigation-item HeaderNavlink px-0 py-2 m-0" data-ga-click="Header, click, Nav menu - item:marketplace" data-selected-links=" /marketplace">
+ Marketplace
+</a> </li>
+ <li class="ml-4">
+ <a href="/pricing" class="js-selected-navigation-item HeaderNavlink px-0 py-2 m-0" data-ga-click="Header, click, Nav menu - item:pricing" data-selected-links="/pricing /pricing/developer /pricing/team /pricing/business-hosted /pricing/business-enterprise /pricing">
+ Pricing
+</a> </li>
+ </ul>
+ </nav>
+
+ <div class="d-flex">
+ <div class="d-lg-flex flex-items-center mr-3">
+ <div class="header-search scoped-search site-scoped-search js-site-search" role="search">
+ <!-- '"` --><!-- </textarea></xmp> --></option></form><form accept-charset="UTF-8" action="/google/material-design-icons/search" class="js-site-search-form" data-scoped-search-url="/google/material-design-icons/search" data-unscoped-search-url="/search" method="get"><div style="margin:0;padding:0;display:inline"><input name="utf8" type="hidden" value="&#x2713;" /></div>
+ <label class="form-control header-search-wrapper js-chromeless-input-container">
+ <a href="/google/material-design-icons/blob/master/iconfont/MaterialIcons-Regular.woff" class="header-search-scope no-underline">This repository</a>
+ <input type="text"
+ class="form-control header-search-input js-site-search-focus js-site-search-field is-clearable"
+ data-hotkey="s"
+ name="q"
+ value=""
+ placeholder="Search"
+ aria-label="Search this repository"
+ data-unscoped-placeholder="Search GitHub"
+ data-scoped-placeholder="Search"
+ autocapitalize="off">
+ <input type="hidden" class="js-site-search-type-field" name="type" >
+ </label>
+</form></div>
+
+ </div>
+
+ <span class="d-inline-block">
+ <div class="HeaderNavlink px-0 py-2 m-0">
+ <a class="text-bold text-white no-underline" href="/login?return_to=%2Fgoogle%2Fmaterial-design-icons%2Fblob%2Fmaster%2Ficonfont%2FMaterialIcons-Regular.woff" data-ga-click="(Logged out) Header, clicked Sign in, text:sign-in">Sign in</a>
+ <span class="text-gray">or</span>
+ <a class="text-bold text-white no-underline" href="/join?source=header-repo" data-ga-click="(Logged out) Header, clicked Sign up, text:sign-up">Sign up</a>
+ </div>
+ </span>
+ </div>
+ </div>
+ </div>
+</header>
+
+
+ </div>
+
+ <div id="start-of-content" class="show-on-focus"></div>
+
+ <div id="js-flash-container">
+</div>
+
+
+
+ <div role="main">
+ <div itemscope itemtype="http://schema.org/SoftwareSourceCode">
+ <div id="js-repo-pjax-container" data-pjax-container>
+
+
+
+
+
+
+
+
+ <div class="pagehead repohead instapaper_ignore readability-menu experiment-repo-nav">
+ <div class="container repohead-details-container">
+
+ <ul class="pagehead-actions">
+ <li>
+ <a href="/login?return_to=%2Fgoogle%2Fmaterial-design-icons"
+ class="btn btn-sm btn-with-count tooltipped tooltipped-n"
+ aria-label="You must be signed in to watch a repository" rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-eye" height="16" version="1.1" viewBox="0 0 16 16" width="16"><path fill-rule="evenodd" d="M8.06 2C3 2 0 8 0 8s3 6 8.06 6C13 14 16 8 16 8s-3-6-7.94-6zM8 12c-2.2 0-4-1.78-4-4 0-2.2 1.8-4 4-4 2.22 0 4 1.8 4 4 0 2.22-1.78 4-4 4zm2-4c0 1.11-.89 2-2 2-1.11 0-2-.89-2-2 0-1.11.89-2 2-2 1.11 0 2 .89 2 2z"/></svg>
+ Watch
+ </a>
+ <a class="social-count" href="/google/material-design-icons/watchers"
+ aria-label="1695 users are watching this repository">
+ 1,695
+ </a>
+
+ </li>
+
+ <li>
+ <a href="/login?return_to=%2Fgoogle%2Fmaterial-design-icons"
+ class="btn btn-sm btn-with-count tooltipped tooltipped-n"
+ aria-label="You must be signed in to star a repository" rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-star" height="16" version="1.1" viewBox="0 0 14 16" width="14"><path fill-rule="evenodd" d="M14 6l-4.9-.64L7 1 4.9 5.36 0 6l3.6 3.26L2.67 14 7 11.67 11.33 14l-.93-4.74z"/></svg>
+ Star
+ </a>
+
+ <a class="social-count js-social-count" href="/google/material-design-icons/stargazers"
+ aria-label="31474 users starred this repository">
+ 31,474
+ </a>
+
+ </li>
+
+ <li>
+ <a href="/login?return_to=%2Fgoogle%2Fmaterial-design-icons"
+ class="btn btn-sm btn-with-count tooltipped tooltipped-n"
+ aria-label="You must be signed in to fork a repository" rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-repo-forked" height="16" version="1.1" viewBox="0 0 10 16" width="10"><path fill-rule="evenodd" d="M8 1a1.993 1.993 0 0 0-1 3.72V6L5 8 3 6V4.72A1.993 1.993 0 0 0 2 1a1.993 1.993 0 0 0-1 3.72V6.5l3 3v1.78A1.993 1.993 0 0 0 5 15a1.993 1.993 0 0 0 1-3.72V9.5l3-3V4.72A1.993 1.993 0 0 0 8 1zM2 4.2C1.34 4.2.8 3.65.8 3c0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2zm3 10c-.66 0-1.2-.55-1.2-1.2 0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2zm3-10c-.66 0-1.2-.55-1.2-1.2 0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2z"/></svg>
+ Fork
+ </a>
+
+ <a href="/google/material-design-icons/network" class="social-count"
+ aria-label="6129 users forked this repository">
+ 6,129
+ </a>
+ </li>
+</ul>
+
+ <h1 class="public ">
+ <svg aria-hidden="true" class="octicon octicon-repo" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M4 9H3V8h1v1zm0-3H3v1h1V6zm0-2H3v1h1V4zm0-2H3v1h1V2zm8-1v12c0 .55-.45 1-1 1H6v2l-1.5-1.5L3 16v-2H1c-.55 0-1-.45-1-1V1c0-.55.45-1 1-1h10c.55 0 1 .45 1 1zm-1 10H1v2h2v-1h3v1h5v-2zm0-10H2v9h9V1z"/></svg>
+ <span class="author" itemprop="author"><a href="/google" class="url fn" rel="author">google</a></span><!--
+--><span class="path-divider">/</span><!--
+--><strong itemprop="name"><a href="/google/material-design-icons" data-pjax="#js-repo-pjax-container">material-design-icons</a></strong>
+
+</h1>
+
+ </div>
+ <div class="container">
+
+<nav class="reponav js-repo-nav js-sidenav-container-pjax"
+ itemscope
+ itemtype="http://schema.org/BreadcrumbList"
+ role="navigation"
+ data-pjax="#js-repo-pjax-container">
+
+ <span itemscope itemtype="http://schema.org/ListItem" itemprop="itemListElement">
+ <a href="/google/material-design-icons" class="js-selected-navigation-item selected reponav-item" data-hotkey="g c" data-selected-links="repo_source repo_downloads repo_commits repo_releases repo_tags repo_branches /google/material-design-icons" itemprop="url">
+ <svg aria-hidden="true" class="octicon octicon-code" height="16" version="1.1" viewBox="0 0 14 16" width="14"><path fill-rule="evenodd" d="M9.5 3L8 4.5 11.5 8 8 11.5 9.5 13 14 8 9.5 3zm-5 0L0 8l4.5 5L6 11.5 2.5 8 6 4.5 4.5 3z"/></svg>
+ <span itemprop="name">Code</span>
+ <meta itemprop="position" content="1">
+</a> </span>
+
+ <span itemscope itemtype="http://schema.org/ListItem" itemprop="itemListElement">
+ <a href="/google/material-design-icons/issues" class="js-selected-navigation-item reponav-item" data-hotkey="g i" data-selected-links="repo_issues repo_labels repo_milestones /google/material-design-icons/issues" itemprop="url">
+ <svg aria-hidden="true" class="octicon octicon-issue-opened" height="16" version="1.1" viewBox="0 0 14 16" width="14"><path fill-rule="evenodd" d="M7 2.3c3.14 0 5.7 2.56 5.7 5.7s-2.56 5.7-5.7 5.7A5.71 5.71 0 0 1 1.3 8c0-3.14 2.56-5.7 5.7-5.7zM7 1C3.14 1 0 4.14 0 8s3.14 7 7 7 7-3.14 7-7-3.14-7-7-7zm1 3H6v5h2V4zm0 6H6v2h2v-2z"/></svg>
+ <span itemprop="name">Issues</span>
+ <span class="Counter">338</span>
+ <meta itemprop="position" content="2">
+</a> </span>
+
+ <span itemscope itemtype="http://schema.org/ListItem" itemprop="itemListElement">
+ <a href="/google/material-design-icons/pulls" class="js-selected-navigation-item reponav-item" data-hotkey="g p" data-selected-links="repo_pulls /google/material-design-icons/pulls" itemprop="url">
+ <svg aria-hidden="true" class="octicon octicon-git-pull-request" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M11 11.28V5c-.03-.78-.34-1.47-.94-2.06C9.46 2.35 8.78 2.03 8 2H7V0L4 3l3 3V4h1c.27.02.48.11.69.31.21.2.3.42.31.69v6.28A1.993 1.993 0 0 0 10 15a1.993 1.993 0 0 0 1-3.72zm-1 2.92c-.66 0-1.2-.55-1.2-1.2 0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2zM4 3c0-1.11-.89-2-2-2a1.993 1.993 0 0 0-1 3.72v6.56A1.993 1.993 0 0 0 2 15a1.993 1.993 0 0 0 1-3.72V4.72c.59-.34 1-.98 1-1.72zm-.8 10c0 .66-.55 1.2-1.2 1.2-.65 0-1.2-.55-1.2-1.2 0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2zM2 4.2C1.34 4.2.8 3.65.8 3c0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2z"/></svg>
+ <span itemprop="name">Pull requests</span>
+ <span class="Counter">21</span>
+ <meta itemprop="position" content="3">
+</a> </span>
+
+ <a href="/google/material-design-icons/projects" class="js-selected-navigation-item reponav-item" data-hotkey="g b" data-selected-links="repo_projects new_repo_project repo_project /google/material-design-icons/projects">
+ <svg aria-hidden="true" class="octicon octicon-project" height="16" version="1.1" viewBox="0 0 15 16" width="15"><path fill-rule="evenodd" d="M10 12h3V2h-3v10zm-4-2h3V2H6v8zm-4 4h3V2H2v12zm-1 1h13V1H1v14zM14 0H1a1 1 0 0 0-1 1v14a1 1 0 0 0 1 1h13a1 1 0 0 0 1-1V1a1 1 0 0 0-1-1z"/></svg>
+ Projects
+ <span class="Counter" >0</span>
+</a>
+ <a href="/google/material-design-icons/wiki" class="js-selected-navigation-item reponav-item" data-hotkey="g w" data-selected-links="repo_wiki /google/material-design-icons/wiki">
+ <svg aria-hidden="true" class="octicon octicon-book" height="16" version="1.1" viewBox="0 0 16 16" width="16"><path fill-rule="evenodd" d="M3 5h4v1H3V5zm0 3h4V7H3v1zm0 2h4V9H3v1zm11-5h-4v1h4V5zm0 2h-4v1h4V7zm0 2h-4v1h4V9zm2-6v9c0 .55-.45 1-1 1H9.5l-1 1-1-1H2c-.55 0-1-.45-1-1V3c0-.55.45-1 1-1h5.5l1 1 1-1H15c.55 0 1 .45 1 1zm-8 .5L7.5 3H2v9h6V3.5zm7-.5H9.5l-.5.5V12h6V3z"/></svg>
+ Wiki
+</a>
+
+ <div class="reponav-dropdown js-menu-container">
+ <button type="button" class="btn-link reponav-item reponav-dropdown js-menu-target " data-no-toggle aria-expanded="false" aria-haspopup="true">
+ Insights
+ <svg aria-hidden="true" class="octicon octicon-triangle-down v-align-middle text-gray" height="11" version="1.1" viewBox="0 0 12 16" width="8"><path fill-rule="evenodd" d="M0 5l6 6 6-6z"/></svg>
+ </button>
+ <div class="dropdown-menu-content js-menu-content">
+ <div class="dropdown-menu dropdown-menu-sw">
+ <a class="dropdown-item" href="/google/material-design-icons/pulse" data-skip-pjax>
+ <svg aria-hidden="true" class="octicon octicon-pulse" height="16" version="1.1" viewBox="0 0 14 16" width="14"><path fill-rule="evenodd" d="M11.5 8L8.8 5.4 6.6 8.5 5.5 1.6 2.38 8H0v2h3.6l.9-1.8.9 5.4L9 8.5l1.6 1.5H14V8z"/></svg>
+ Pulse
+ </a>
+ <a class="dropdown-item" href="/google/material-design-icons/graphs" data-skip-pjax>
+ <svg aria-hidden="true" class="octicon octicon-graph" height="16" version="1.1" viewBox="0 0 16 16" width="16"><path fill-rule="evenodd" d="M16 14v1H0V0h1v14h15zM5 13H3V8h2v5zm4 0H7V3h2v10zm4 0h-2V6h2v7z"/></svg>
+ Graphs
+ </a>
+ </div>
+ </div>
+ </div>
+</nav>
+
+ </div>
+ </div>
+
+<div class="container new-discussion-timeline experiment-repo-nav">
+ <div class="repository-content">
+
+
+ <a href="/google/material-design-icons/blob/7fbdfc47a52bcfe7bd414a1b2eeabb85a4ab6c49/iconfont/MaterialIcons-Regular.woff" class="d-none js-permalink-shortcut" data-hotkey="y">Permalink</a>
+
+ <!-- blob contrib key: blob_contributors:v21:aee8c35d6f2592877411b67b79b4b1f3 -->
+
+ <div class="file-navigation js-zeroclipboard-container">
+
+<div class="select-menu branch-select-menu js-menu-container js-select-menu float-left">
+ <button class=" btn btn-sm select-menu-button js-menu-target css-truncate" data-hotkey="w"
+
+ type="button" aria-label="Switch branches or tags" aria-expanded="false" aria-haspopup="true">
+ <i>Branch:</i>
+ <span class="js-select-button css-truncate-target">master</span>
+ </button>
+
+ <div class="select-menu-modal-holder js-menu-content js-navigation-container" data-pjax>
+
+ <div class="select-menu-modal">
+ <div class="select-menu-header">
+ <svg aria-label="Close" class="octicon octicon-x js-menu-close" height="16" role="img" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M7.48 8l3.75 3.75-1.48 1.48L6 9.48l-3.75 3.75-1.48-1.48L4.52 8 .77 4.25l1.48-1.48L6 6.52l3.75-3.75 1.48 1.48z"/></svg>
+ <span class="select-menu-title">Switch branches/tags</span>
+ </div>
+
+ <div class="select-menu-filters">
+ <div class="select-menu-text-filter">
+ <input type="text" aria-label="Filter branches/tags" id="context-commitish-filter-field" class="form-control js-filterable-field js-navigation-enable" placeholder="Filter branches/tags">
+ </div>
+ <div class="select-menu-tabs">
+ <ul>
+ <li class="select-menu-tab">
+ <a href="#" data-tab-filter="branches" data-filter-placeholder="Filter branches/tags" class="js-select-menu-tab" role="tab">Branches</a>
+ </li>
+ <li class="select-menu-tab">
+ <a href="#" data-tab-filter="tags" data-filter-placeholder="Find a tag…" class="js-select-menu-tab" role="tab">Tags</a>
+ </li>
+ </ul>
+ </div>
+ </div>
+
+ <div class="select-menu-list select-menu-tab-bucket js-select-menu-tab-bucket" data-tab-filter="branches" role="menu">
+
+ <div data-filterable-for="context-commitish-filter-field" data-filterable-type="substring">
+
+
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/2.1.0-update/iconfont/MaterialIcons-Regular.woff"
+ data-name="2.1.0-update"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ 2.1.0-update
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/2.2.0/iconfont/MaterialIcons-Regular.woff"
+ data-name="2.2.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ 2.2.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/apache_license/iconfont/MaterialIcons-Regular.woff"
+ data-name="apache_license"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ apache_license
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/fix-apache-license/iconfont/MaterialIcons-Regular.woff"
+ data-name="fix-apache-license"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ fix-apache-license
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/generate-device-sprites/iconfont/MaterialIcons-Regular.woff"
+ data-name="generate-device-sprites"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ generate-device-sprites
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/gh-pages-typo/iconfont/MaterialIcons-Regular.woff"
+ data-name="gh-pages-typo"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ gh-pages-typo
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/gh-pages/iconfont/MaterialIcons-Regular.woff"
+ data-name="gh-pages"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ gh-pages
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open selected"
+ href="/google/material-design-icons/blob/master/iconfont/MaterialIcons-Regular.woff"
+ data-name="master"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ master
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/removal-of-gh-pages-from-master/iconfont/MaterialIcons-Regular.woff"
+ data-name="removal-of-gh-pages-from-master"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ removal-of-gh-pages-from-master
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/update-license/iconfont/MaterialIcons-Regular.woff"
+ data-name="update-license"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ update-license
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/version-info/iconfont/MaterialIcons-Regular.woff"
+ data-name="version-info"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ version-info
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/blob/woff2-correction/iconfont/MaterialIcons-Regular.woff"
+ data-name="woff2-correction"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target js-select-menu-filter-text">
+ woff2-correction
+ </span>
+ </a>
+ </div>
+
+ <div class="select-menu-no-results">Nothing to show</div>
+ </div>
+
+ <div class="select-menu-list select-menu-tab-bucket js-select-menu-tab-bucket" data-tab-filter="tags">
+ <div data-filterable-for="context-commitish-filter-field" data-filterable-type="substring">
+
+
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/v2.1.3/iconfont/MaterialIcons-Regular.woff"
+ data-name="v2.1.3"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="v2.1.3">
+ v2.1.3
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/3.0.1/iconfont/MaterialIcons-Regular.woff"
+ data-name="3.0.1"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="3.0.1">
+ 3.0.1
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/3.0.0/iconfont/MaterialIcons-Regular.woff"
+ data-name="3.0.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="3.0.0">
+ 3.0.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.2.3/iconfont/MaterialIcons-Regular.woff"
+ data-name="2.2.3"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.2.3">
+ 2.2.3
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.2.2/iconfont/MaterialIcons-Regular.woff"
+ data-name="2.2.2"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.2.2">
+ 2.2.2
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.2.1/iconfont/MaterialIcons-Regular.woff"
+ data-name="2.2.1"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.2.1">
+ 2.2.1
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.2.0/iconfont/MaterialIcons-Regular.woff"
+ data-name="2.2.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.2.0">
+ 2.2.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.1.1/iconfont/MaterialIcons-Regular.woff"
+ data-name="2.1.1"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.1.1">
+ 2.1.1
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.1/iconfont/MaterialIcons-Regular.woff"
+ data-name="2.1"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.1">
+ 2.1
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.0.0/iconfont/MaterialIcons-Regular.woff"
+ data-name="2.0.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.0.0">
+ 2.0.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/2.0/iconfont/MaterialIcons-Regular.woff"
+ data-name="2.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="2.0">
+ 2.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/1.0.2/iconfont/MaterialIcons-Regular.woff"
+ data-name="1.0.2"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="1.0.2">
+ 1.0.2
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/1.0.2b/iconfont/MaterialIcons-Regular.woff"
+ data-name="1.0.2b"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="1.0.2b">
+ 1.0.2b
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/1.0.1/iconfont/MaterialIcons-Regular.woff"
+ data-name="1.0.1"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="1.0.1">
+ 1.0.1
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/1.0.0/iconfont/MaterialIcons-Regular.woff"
+ data-name="1.0.0"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="1.0.0">
+ 1.0.0
+ </span>
+ </a>
+ <a class="select-menu-item js-navigation-item js-navigation-open "
+ href="/google/material-design-icons/tree/1.0.0-pre/iconfont/MaterialIcons-Regular.woff"
+ data-name="1.0.0-pre"
+ data-skip-pjax="true"
+ rel="nofollow">
+ <svg aria-hidden="true" class="octicon octicon-check select-menu-item-icon" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M12 5l-8 8-4-4 1.5-1.5L4 10l6.5-6.5z"/></svg>
+ <span class="select-menu-item-text css-truncate-target" title="1.0.0-pre">
+ 1.0.0-pre
+ </span>
+ </a>
+ </div>
+
+ <div class="select-menu-no-results">Nothing to show</div>
+ </div>
+
+ </div>
+ </div>
+</div>
+
+ <div class="BtnGroup float-right">
+ <a href="/google/material-design-icons/find/master"
+ class="js-pjax-capture-input btn btn-sm BtnGroup-item"
+ data-pjax
+ data-hotkey="t">
+ Find file
+ </a>
+ <button aria-label="Copy file path to clipboard" class="js-zeroclipboard btn btn-sm BtnGroup-item tooltipped tooltipped-s" data-copied-hint="Copied!" type="button">Copy path</button>
+ </div>
+ <div class="breadcrumb js-zeroclipboard-target">
+ <span class="repo-root js-repo-root"><span class="js-path-segment"><a href="/google/material-design-icons"><span>material-design-icons</span></a></span></span><span class="separator">/</span><span class="js-path-segment"><a href="/google/material-design-icons/tree/master/iconfont"><span>iconfont</span></a></span><span class="separator">/</span><strong class="final-path">MaterialIcons-Regular.woff</strong>
+ </div>
+ </div>
+
+
+
+ <div class="commit-tease">
+ <span class="float-right">
+ <a class="commit-tease-sha" href="/google/material-design-icons/commit/32c0c746175a8d41b940b48df85dc6ba5a4c988c" data-pjax>
+ 32c0c74
+ </a>
+ <relative-time datetime="2016-03-17T17:55:19Z">Mar 17, 2016</relative-time>
+ </span>
+ <div>
+ <img alt="@shyndman" class="avatar" height="20" src="https://avatars0.githubusercontent.com/u/42326?v=4&amp;s=40" width="20" />
+ <a href="/shyndman" class="user-mention" rel="contributor">shyndman</a>
+ <a href="/google/material-design-icons/commit/32c0c746175a8d41b940b48df85dc6ba5a4c988c" class="message" data-pjax="true" title="Updated icon font woff file.
+
+It now mirrors what is served by Google Fonts.">Updated icon font woff file.</a>
+ </div>
+
+ <div class="commit-tease-contributors">
+ <button type="button" class="btn-link muted-link contributors-toggle" data-facebox="#blob_contributors_box">
+ <strong>2</strong>
+ contributors
+ </button>
+ <a class="avatar-link tooltipped tooltipped-s" aria-label="shyndman" href="/google/material-design-icons/commits/master/iconfont/MaterialIcons-Regular.woff?author=shyndman"><img alt="@shyndman" class="avatar" height="20" src="https://avatars0.githubusercontent.com/u/42326?v=4&amp;s=40" width="20" /> </a>
+ <a class="avatar-link tooltipped tooltipped-s" aria-label="jestelle" href="/google/material-design-icons/commits/master/iconfont/MaterialIcons-Regular.woff?author=jestelle"><img alt="@jestelle" class="avatar" height="20" src="https://avatars3.githubusercontent.com/u/3145577?v=4&amp;s=40" width="20" /> </a>
+
+
+ </div>
+
+ <div id="blob_contributors_box" style="display:none">
+ <h2 class="facebox-header" data-facebox-id="facebox-header">Users who have contributed to this file</h2>
+ <ul class="facebox-user-list" data-facebox-id="facebox-description">
+ <li class="facebox-user-list-item">
+ <img alt="@shyndman" height="24" src="https://avatars2.githubusercontent.com/u/42326?v=4&amp;s=48" width="24" />
+ <a href="/shyndman">shyndman</a>
+ </li>
+ <li class="facebox-user-list-item">
+ <img alt="@jestelle" height="24" src="https://avatars1.githubusercontent.com/u/3145577?v=4&amp;s=48" width="24" />
+ <a href="/jestelle">jestelle</a>
+ </li>
+ </ul>
+ </div>
+ </div>
+
+
+ <div class="file">
+ <div class="file-header">
+ <div class="file-actions">
+
+ <div class="BtnGroup">
+ <a href="/google/material-design-icons/raw/master/iconfont/MaterialIcons-Regular.woff" class="btn btn-sm BtnGroup-item" id="raw-url">Download</a>
+ <a href="/google/material-design-icons/commits/master/iconfont/MaterialIcons-Regular.woff" class="btn btn-sm BtnGroup-item" rel="nofollow">History</a>
+ </div>
+
+
+ <!-- '"` --><!-- </textarea></xmp> --></option></form><form accept-charset="UTF-8" action="/google/material-design-icons/delete/master/iconfont/MaterialIcons-Regular.woff" class="inline-form" method="post"><div style="margin:0;padding:0;display:inline"><input name="utf8" type="hidden" value="&#x2713;" /><input name="authenticity_token" type="hidden" value="tko2jAv2ueCZ28Zpus+OW0KvSq0S3TnsjdjWs4ycgskyGUpcCKGS7ratA6qj8XSFO0GGdd8BUdCibgpJTSn0rA==" /></div>
+ <button class="btn-octicon btn-octicon-danger tooltipped tooltipped-nw" type="submit"
+ aria-label="You must be signed in to make or propose changes" data-disable-with>
+ <svg aria-hidden="true" class="octicon octicon-trashcan" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M11 2H9c0-.55-.45-1-1-1H5c-.55 0-1 .45-1 1H2c-.55 0-1 .45-1 1v1c0 .55.45 1 1 1v9c0 .55.45 1 1 1h7c.55 0 1-.45 1-1V5c.55 0 1-.45 1-1V3c0-.55-.45-1-1-1zm-1 12H3V5h1v8h1V5h1v8h1V5h1v8h1V5h1v9zm1-10H2V3h9v1z"/></svg>
+ </button>
+</form> </div>
+
+ <div class="file-info">
+ 56.3 KB
+ </div>
+</div>
+
+
+
+ <div itemprop="text" class="blob-wrapper data type-text">
+ <div class="image">
+ <a href="/google/material-design-icons/blob/master/iconfont/MaterialIcons-Regular.woff?raw=true">View Raw</a>
+ </div>
+ </div>
+
+ </div>
+
+ <button type="button" data-facebox="#jump-to-line" data-facebox-class="linejump" data-hotkey="l" class="d-none">Jump to Line</button>
+ <div id="jump-to-line" style="display:none">
+ <!-- '"` --><!-- </textarea></xmp> --></option></form><form accept-charset="UTF-8" action="" class="js-jump-to-line-form" method="get"><div style="margin:0;padding:0;display:inline"><input name="utf8" type="hidden" value="&#x2713;" /></div>
+ <input class="form-control linejump-input js-jump-to-line-field" type="text" placeholder="Jump to line&hellip;" aria-label="Jump to line" autofocus>
+ <button type="submit" class="btn">Go</button>
+</form> </div>
+
+ </div>
+ <div class="modal-backdrop js-touch-events"></div>
+</div>
+
+ </div>
+ </div>
+
+ </div>
+
+
+<div class="footer container-lg px-3" role="contentinfo">
+ <div class="position-relative d-flex flex-justify-between py-6 mt-6 f6 text-gray border-top border-gray-light ">
+ <ul class="list-style-none d-flex flex-wrap ">
+ <li class="mr-3">&copy; 2017 <span title="0.13195s from unicorn-2897288677-1c85b">GitHub</span>, Inc.</li>
+ <li class="mr-3"><a href="https://github.com/site/terms" data-ga-click="Footer, go to terms, text:terms">Terms</a></li>
+ <li class="mr-3"><a href="https://github.com/site/privacy" data-ga-click="Footer, go to privacy, text:privacy">Privacy</a></li>
+ <li class="mr-3"><a href="https://github.com/security" data-ga-click="Footer, go to security, text:security">Security</a></li>
+ <li class="mr-3"><a href="https://status.github.com/" data-ga-click="Footer, go to status, text:status">Status</a></li>
+ <li><a href="https://help.github.com" data-ga-click="Footer, go to help, text:help">Help</a></li>
+ </ul>
+
+ <a href="https://github.com" aria-label="Homepage" class="footer-octicon" title="GitHub">
+ <svg aria-hidden="true" class="octicon octicon-mark-github" height="24" version="1.1" viewBox="0 0 16 16" width="24"><path fill-rule="evenodd" d="M8 0C3.58 0 0 3.58 0 8c0 3.54 2.29 6.53 5.47 7.59.4.07.55-.17.55-.38 0-.19-.01-.82-.01-1.49-2.01.37-2.53-.49-2.69-.94-.09-.23-.48-.94-.82-1.13-.28-.15-.68-.52-.01-.53.63-.01 1.08.58 1.23.82.72 1.21 1.87.87 2.33.66.07-.52.28-.87.51-1.07-1.78-.2-3.64-.89-3.64-3.95 0-.87.31-1.59.82-2.15-.08-.2-.36-1.02.08-2.12 0 0 .67-.21 2.2.82.64-.18 1.32-.27 2-.27.68 0 1.36.09 2 .27 1.53-1.04 2.2-.82 2.2-.82.44 1.1.16 1.92.08 2.12.51.56.82 1.27.82 2.15 0 3.07-1.87 3.75-3.65 3.95.29.25.54.73.54 1.48 0 1.07-.01 1.93-.01 2.2 0 .21.15.46.55.38A8.013 8.013 0 0 0 16 8c0-4.42-3.58-8-8-8z"/></svg>
+</a>
+ <ul class="list-style-none d-flex flex-wrap ">
+ <li class="mr-3"><a href="https://github.com/contact" data-ga-click="Footer, go to contact, text:contact">Contact GitHub</a></li>
+ <li class="mr-3"><a href="https://developer.github.com" data-ga-click="Footer, go to api, text:api">API</a></li>
+ <li class="mr-3"><a href="https://training.github.com" data-ga-click="Footer, go to training, text:training">Training</a></li>
+ <li class="mr-3"><a href="https://shop.github.com" data-ga-click="Footer, go to shop, text:shop">Shop</a></li>
+ <li class="mr-3"><a href="https://github.com/blog" data-ga-click="Footer, go to blog, text:blog">Blog</a></li>
+ <li><a href="https://github.com/about" data-ga-click="Footer, go to about, text:about">About</a></li>
+
+ </ul>
+ </div>
+</div>
+
+
+
+ <div id="ajax-error-message" class="ajax-error-message flash flash-error">
+ <svg aria-hidden="true" class="octicon octicon-alert" height="16" version="1.1" viewBox="0 0 16 16" width="16"><path fill-rule="evenodd" d="M8.865 1.52c-.18-.31-.51-.5-.87-.5s-.69.19-.87.5L.275 13.5c-.18.31-.18.69 0 1 .19.31.52.5.87.5h13.7c.36 0 .69-.19.86-.5.17-.31.18-.69.01-1L8.865 1.52zM8.995 13h-2v-2h2v2zm0-3h-2V6h2v4z"/></svg>
+ <button type="button" class="flash-close js-flash-close js-ajax-error-dismiss" aria-label="Dismiss error">
+ <svg aria-hidden="true" class="octicon octicon-x" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M7.48 8l3.75 3.75-1.48 1.48L6 9.48l-3.75 3.75-1.48-1.48L4.52 8 .77 4.25l1.48-1.48L6 6.52l3.75-3.75 1.48 1.48z"/></svg>
+ </button>
+ You can't perform that action at this time.
+ </div>
+
+
+ <script crossorigin="anonymous" src="https://assets-cdn.github.com/assets/compat-91f98c37fc84eac24836eec2567e9912742094369a04c4eba6e3cd1fa18902d9.js"></script>
+ <script crossorigin="anonymous" src="https://assets-cdn.github.com/assets/frameworks-143a6f74056707f6b14875ec6ca4f2eb16f5d0781f7e1cb82bd441b4438b43d3.js"></script>
+
+ <script async="async" crossorigin="anonymous" src="https://assets-cdn.github.com/assets/github-a3db37c169c8510815dedb0e9bbfda110628b0b4a4fb9652b95642f8e0b0fff2.js"></script>
+
+
+
+
+ <div class="js-stale-session-flash stale-session-flash flash flash-warn flash-banner d-none">
+ <svg aria-hidden="true" class="octicon octicon-alert" height="16" version="1.1" viewBox="0 0 16 16" width="16"><path fill-rule="evenodd" d="M8.865 1.52c-.18-.31-.51-.5-.87-.5s-.69.19-.87.5L.275 13.5c-.18.31-.18.69 0 1 .19.31.52.5.87.5h13.7c.36 0 .69-.19.86-.5.17-.31.18-.69.01-1L8.865 1.52zM8.995 13h-2v-2h2v2zm0-3h-2V6h2v4z"/></svg>
+ <span class="signed-in-tab-flash">You signed in with another tab or window. <a href="">Reload</a> to refresh your session.</span>
+ <span class="signed-out-tab-flash">You signed out in another tab or window. <a href="">Reload</a> to refresh your session.</span>
+ </div>
+ <div class="facebox" id="facebox" style="display:none;">
+ <div class="facebox-popup">
+ <div class="facebox-content" role="dialog" aria-labelledby="facebox-header" aria-describedby="facebox-description">
+ </div>
+ <button type="button" class="facebox-close js-facebox-close" aria-label="Close modal">
+ <svg aria-hidden="true" class="octicon octicon-x" height="16" version="1.1" viewBox="0 0 12 16" width="12"><path fill-rule="evenodd" d="M7.48 8l3.75 3.75-1.48 1.48L6 9.48l-3.75 3.75-1.48-1.48L4.52 8 .77 4.25l1.48-1.48L6 6.52l3.75-3.75 1.48 1.48z"/></svg>
+ </button>
+ </div>
+</div>
+
+
+ </body>
+</html>
+
diff --git a/admin/static/material-design-icons/MaterialIcons-Regular.woff2 b/admin/static/material-design-icons/MaterialIcons-Regular.woff2
new file mode 100644
index 0000000..9fa2112
Binary files /dev/null and b/admin/static/material-design-icons/MaterialIcons-Regular.woff2 differ
diff --git a/admin/static/material-design-icons/material-icons.css b/admin/static/material-design-icons/material-icons.css
new file mode 100644
index 0000000..6dfad35
--- /dev/null
+++ b/admin/static/material-design-icons/material-icons.css
@@ -0,0 +1,40 @@
+/**
+ * https://github.com/google/material-design-icons/tree/master/iconfont
+ * https://google.github.io/material-design-icons/#setup-method-2-self-hosting
+ */
+@font-face {
+ font-family: 'Material Icons';
+ font-style: normal;
+ font-weight: 400;
+ src: url(MaterialIcons-Regular.eot); /* For IE6-8 */
+ src: local('Material Icons'),
+ local('MaterialIcons-Regular'),
+ url(MaterialIcons-Regular.woff2) format('woff2'),
+ url(MaterialIcons-Regular.woff) format('woff'),
+ url(MaterialIcons-Regular.ttf) format('truetype');
+}
+
+.material-icons {
+ font-family: 'Material Icons';
+ font-weight: normal;
+ font-style: normal;
+ font-size: 24px; /* Preferred icon size */
+ display: inline-block;
+ line-height: 1;
+ text-transform: none;
+ letter-spacing: normal;
+ word-wrap: normal;
+ white-space: nowrap;
+ direction: ltr;
+
+ /* Support for all WebKit browsers. */
+ -webkit-font-smoothing: antialiased;
+ /* Support for Safari and Chrome. */
+ text-rendering: optimizeLegibility;
+
+ /* Support for Firefox. */
+ -moz-osx-font-smoothing: grayscale;
+
+ /* Support for IE. */
+ font-feature-settings: 'liga';
+}
diff --git a/admin/static/materialize-custom.css b/admin/static/materialize-custom.css
new file mode 100644
index 0000000..0dd9cf1
--- /dev/null
+++ b/admin/static/materialize-custom.css
@@ -0,0 +1,47 @@
+/* Linux Day 2016 - MaterializeCSS customization
+ * Copyright (C) 2016 Valerio Bozzolan
+ *
+ * This program is free software: you can redistribute it and/or modify
+ * it under the terms of the GNU Affero General Public License as published by
+ * the Free Software Foundation, either version 3 of the License, or
+ * (at your option) any later version.
+ *
+ * This program is distributed in the hope that it will be useful,
+ * but WITHOUT ANY WARRANTY; without even the implied warranty of
+ * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+ * GNU Affero General Public License for more details.
+ *
+ * You should have received a copy of the GNU Affero General Public License
+ * along with this program. If not, see <http://www.gnu.org/licenses/>.
+ */
+.brand-logo img {
+ margin:2px 10px;
+ height:60px;
+}
+@media only screen and (max-width: 600px) {
+ .brand-logo img {
+ margin:0;
+ height:56px;
+ }
+}
+.parallax-container {
+ height:200px;
+}
+.ld-social a {
+ margin:10px;
+}
+
+/*
+ * https://github.com/Dogfalo/materialize/issues/3327
+ */
+@media only screen and (max-width: 600px) {
+ .row.valign-wrapper {
+ display: inherit;
+ }
+}
+.ld-photo {
+ margin-bottom: 10px;
+}
+.text-justify {
+ text-align:justify;
+}
diff --git a/admin/static/materialize/LICENSE b/admin/static/materialize/LICENSE
new file mode 100644
index 0000000..5038d18
--- /dev/null
+++ b/admin/static/materialize/LICENSE
@@ -0,0 +1,21 @@
+The MIT License (MIT)
+
+Copyright (c) 2014-2016 Materialize
+
+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.
diff --git a/admin/static/materialize/README.md b/admin/static/materialize/README.md
new file mode 100644
index 0000000..d83647f
--- /dev/null
+++ b/admin/static/materialize/README.md
@@ -0,0 +1,90 @@
+<p align="center">
+ <a href="http://materializecss.com/">
+ <img src="http://materializecss.com/res/materialize.svg" width="150">
+ </a>
+
+ <h3 align="center">MaterializeCSS</h3>
+
+ <p align="center">
+ Materialize, a CSS Framework based on material design.
+ <br>
+ <a href="http://materializecss.com/"><strong>-- Browse the docs --</strong></a>
+ <br>
+ <br>
+ <a href="https://travis-ci.org/Dogfalo/materialize">
+ <img src="https://travis-ci.org/Dogfalo/materialize.svg?branch=master" alt="Travis CI badge">
+ </a>
+ <a href="https://badge.fury.io/js/materialize-css">
+ <img src="https://badge.fury.io/js/materialize-css.svg" alt="npm version badge">
+ </a>
+ <a href="https://cdnjs.com/libraries/materialize">
+ <img src="https://img.shields.io/cdnjs/v/materialize.svg" alt="CDNJS version badge">
+ </a>
+ <a href="https://david-dm.org/Dogfalo/materialize">
+ <img src="https://david-dm.org/Dogfalo/materialize/status.svg" alt="dependencies Status badge">
+ </a>
+ <a href="https://david-dm.org/Dogfalo/materialize#info=devDependencies">
+ <img src="https://david-dm.org/Dogfalo/materialize/dev-status.svg" alt="devDependency Status badge">
+ </a>
+ <a href="https://gitter.im/Dogfalo/materialize">
+ <img src="https://badges.gitter.im/Join%20Chat.svg" alt="Gitter badge">
+ </a>
+</p>
+
+## Table of Contents
+- [Quickstart](#quickstart)
+- [Documentation](#documentation)
+- [Supported Browsers](#supported-browsers)
+- [Changelog](#changelog)
+- [Testing](#testing)
+- [Contributing](#contributing)
+- [Copyright and license](#copyright-and-license)
+
+## Quickstart:
+Read the [getting started guide](http://materializecss.com/getting-started.html) for more information on how to use materialize.
+
+- [Download the latest release](https://github.com/Dogfalo/materialize/releases/latest) of materialize directly from GitHub.
+- Clone the repo: `git clone https://github.com/Dogfalo/materialize.git`
+- Include the files via [cdnjs](https://cdnjs.com/libraries/materialize). More [here](http://materializecss.com/getting-started.html).
+- Install with [npm](https://www.npmjs.com): `npm install materialize-css`
+- Install with [Bower](https://bower.io): `bower install materialize`
+- Install with [Atmosphere](https://atmospherejs.com): `meteor add materialize:materialize`
+
+## Documentation
+The documentation can be found at <http://materializecss.com>. To run the documentation locally on your machine, you need [Node.js](https://nodejs.org/en/) installed on your computer.
+
+### Running documentation locally
+Run these commands to set up the documentation:
+
+```bash
+git clone https://github.com/Dogfalo/materialize
+cd materialize
+npm install
+```
+
+Then run `grunt monitor` to compile the documentation. When it finishes, open a new browser window and navigate to `localhost:8000`. We use [BrowserSync](https://www.browsersync.io/) to display the documentation.
+
+### Documentation for previous releases
+Previous releases and their documentation are available for [download](https://github.com/Dogfalo/materialize/releases).
+
+## Supported Browsers:
+Materialize is compatible with:
+
+- Chrome 35+
+- Firefox 31+
+- Safari 7+
+- Opera
+- Edge
+- IE 10+
+
+## Changelog
+For changelogs, check out [the Releases section of materialize](https://github.com/Dogfalo/materialize/releases) or the [CHANGELOG.md](CHANGELOG.md).
+
+## Testing
+We use Jasmine as our testing framework and we're trying to write a robust test suite for our components. If you want to help, [here's a starting guide on how to write tests in Jasmine](CONTRIBUTING.md#jasmine-testing-guide).
+
+## Contributing
+Check out the [CONTRIBUTING document](CONTRIBUTING.md) in the root of the repository to learn how you can contribute. You can also browse the [help-wanted](https://github.com/Dogfalo/materialize/labels/help-wanted) tag in our issue tracker to find things to do.
+
+## Copyright and license
+Code copyright 2017 Materialize. Code released under the MIT license.
diff --git a/admin/static/materialize/css/materialize.css b/admin/static/materialize/css/materialize.css
new file mode 100644
index 0000000..5d19b13
--- /dev/null
+++ b/admin/static/materialize/css/materialize.css
@@ -0,0 +1,9389 @@
+/*!
+ * Materialize v0.100.2 (http://materializecss.com)
+ * Copyright 2014-2017 Materialize
+ * MIT License (https://raw.githubusercontent.com/Dogfalo/materialize/master/LICENSE)
+ */
+.materialize-red {
+ background-color: #e51c23 !important;
+}
+
+.materialize-red-text {
+ color: #e51c23 !important;
+}
+
+.materialize-red.lighten-5 {
+ background-color: #fdeaeb !important;
+}
+
+.materialize-red-text.text-lighten-5 {
+ color: #fdeaeb !important;
+}
+
+.materialize-red.lighten-4 {
+ background-color: #f8c1c3 !important;
+}
+
+.materialize-red-text.text-lighten-4 {
+ color: #f8c1c3 !important;
+}
+
+.materialize-red.lighten-3 {
+ background-color: #f3989b !important;
+}
+
+.materialize-red-text.text-lighten-3 {
+ color: #f3989b !important;
+}
+
+.materialize-red.lighten-2 {
+ background-color: #ee6e73 !important;
+}
+
+.materialize-red-text.text-lighten-2 {
+ color: #ee6e73 !important;
+}
+
+.materialize-red.lighten-1 {
+ background-color: #ea454b !important;
+}
+
+.materialize-red-text.text-lighten-1 {
+ color: #ea454b !important;
+}
+
+.materialize-red.darken-1 {
+ background-color: #d0181e !important;
+}
+
+.materialize-red-text.text-darken-1 {
+ color: #d0181e !important;
+}
+
+.materialize-red.darken-2 {
+ background-color: #b9151b !important;
+}
+
+.materialize-red-text.text-darken-2 {
+ color: #b9151b !important;
+}
+
+.materialize-red.darken-3 {
+ background-color: #a21318 !important;
+}
+
+.materialize-red-text.text-darken-3 {
+ color: #a21318 !important;
+}
+
+.materialize-red.darken-4 {
+ background-color: #8b1014 !important;
+}
+
+.materialize-red-text.text-darken-4 {
+ color: #8b1014 !important;
+}
+
+.red {
+ background-color: #F44336 !important;
+}
+
+.red-text {
+ color: #F44336 !important;
+}
+
+.red.lighten-5 {
+ background-color: #FFEBEE !important;
+}
+
+.red-text.text-lighten-5 {
+ color: #FFEBEE !important;
+}
+
+.red.lighten-4 {
+ background-color: #FFCDD2 !important;
+}
+
+.red-text.text-lighten-4 {
+ color: #FFCDD2 !important;
+}
+
+.red.lighten-3 {
+ background-color: #EF9A9A !important;
+}
+
+.red-text.text-lighten-3 {
+ color: #EF9A9A !important;
+}
+
+.red.lighten-2 {
+ background-color: #E57373 !important;
+}
+
+.red-text.text-lighten-2 {
+ color: #E57373 !important;
+}
+
+.red.lighten-1 {
+ background-color: #EF5350 !important;
+}
+
+.red-text.text-lighten-1 {
+ color: #EF5350 !important;
+}
+
+.red.darken-1 {
+ background-color: #E53935 !important;
+}
+
+.red-text.text-darken-1 {
+ color: #E53935 !important;
+}
+
+.red.darken-2 {
+ background-color: #D32F2F !important;
+}
+
+.red-text.text-darken-2 {
+ color: #D32F2F !important;
+}
+
+.red.darken-3 {
+ background-color: #C62828 !important;
+}
+
+.red-text.text-darken-3 {
+ color: #C62828 !important;
+}
+
+.red.darken-4 {
+ background-color: #B71C1C !important;
+}
+
+.red-text.text-darken-4 {
+ color: #B71C1C !important;
+}
+
+.red.accent-1 {
+ background-color: #FF8A80 !important;
+}
+
+.red-text.text-accent-1 {
+ color: #FF8A80 !important;
+}
+
+.red.accent-2 {
+ background-color: #FF5252 !important;
+}
+
+.red-text.text-accent-2 {
+ color: #FF5252 !important;
+}
+
+.red.accent-3 {
+ background-color: #FF1744 !important;
+}
+
+.red-text.text-accent-3 {
+ color: #FF1744 !important;
+}
+
+.red.accent-4 {
+ background-color: #D50000 !important;
+}
+
+.red-text.text-accent-4 {
+ color: #D50000 !important;
+}
+
+.pink {
+ background-color: #e91e63 !important;
+}
+
+.pink-text {
+ color: #e91e63 !important;
+}
+
+.pink.lighten-5 {
+ background-color: #fce4ec !important;
+}
+
+.pink-text.text-lighten-5 {
+ color: #fce4ec !important;
+}
+
+.pink.lighten-4 {
+ background-color: #f8bbd0 !important;
+}
+
+.pink-text.text-lighten-4 {
+ color: #f8bbd0 !important;
+}
+
+.pink.lighten-3 {
+ background-color: #f48fb1 !important;
+}
+
+.pink-text.text-lighten-3 {
+ color: #f48fb1 !important;
+}
+
+.pink.lighten-2 {
+ background-color: #f06292 !important;
+}
+
+.pink-text.text-lighten-2 {
+ color: #f06292 !important;
+}
+
+.pink.lighten-1 {
+ background-color: #ec407a !important;
+}
+
+.pink-text.text-lighten-1 {
+ color: #ec407a !important;
+}
+
+.pink.darken-1 {
+ background-color: #d81b60 !important;
+}
+
+.pink-text.text-darken-1 {
+ color: #d81b60 !important;
+}
+
+.pink.darken-2 {
+ background-color: #c2185b !important;
+}
+
+.pink-text.text-darken-2 {
+ color: #c2185b !important;
+}
+
+.pink.darken-3 {
+ background-color: #ad1457 !important;
+}
+
+.pink-text.text-darken-3 {
+ color: #ad1457 !important;
+}
+
+.pink.darken-4 {
+ background-color: #880e4f !important;
+}
+
+.pink-text.text-darken-4 {
+ color: #880e4f !important;
+}
+
+.pink.accent-1 {
+ background-color: #ff80ab !important;
+}
+
+.pink-text.text-accent-1 {
+ color: #ff80ab !important;
+}
+
+.pink.accent-2 {
+ background-color: #ff4081 !important;
+}
+
+.pink-text.text-accent-2 {
+ color: #ff4081 !important;
+}
+
+.pink.accent-3 {
+ background-color: #f50057 !important;
+}
+
+.pink-text.text-accent-3 {
+ color: #f50057 !important;
+}
+
+.pink.accent-4 {
+ background-color: #c51162 !important;
+}
+
+.pink-text.text-accent-4 {
+ color: #c51162 !important;
+}
+
+.purple {
+ background-color: #9c27b0 !important;
+}
+
+.purple-text {
+ color: #9c27b0 !important;
+}
+
+.purple.lighten-5 {
+ background-color: #f3e5f5 !important;
+}
+
+.purple-text.text-lighten-5 {
+ color: #f3e5f5 !important;
+}
+
+.purple.lighten-4 {
+ background-color: #e1bee7 !important;
+}
+
+.purple-text.text-lighten-4 {
+ color: #e1bee7 !important;
+}
+
+.purple.lighten-3 {
+ background-color: #ce93d8 !important;
+}
+
+.purple-text.text-lighten-3 {
+ color: #ce93d8 !important;
+}
+
+.purple.lighten-2 {
+ background-color: #ba68c8 !important;
+}
+
+.purple-text.text-lighten-2 {
+ color: #ba68c8 !important;
+}
+
+.purple.lighten-1 {
+ background-color: #ab47bc !important;
+}
+
+.purple-text.text-lighten-1 {
+ color: #ab47bc !important;
+}
+
+.purple.darken-1 {
+ background-color: #8e24aa !important;
+}
+
+.purple-text.text-darken-1 {
+ color: #8e24aa !important;
+}
+
+.purple.darken-2 {
+ background-color: #7b1fa2 !important;
+}
+
+.purple-text.text-darken-2 {
+ color: #7b1fa2 !important;
+}
+
+.purple.darken-3 {
+ background-color: #6a1b9a !important;
+}
+
+.purple-text.text-darken-3 {
+ color: #6a1b9a !important;
+}
+
+.purple.darken-4 {
+ background-color: #4a148c !important;
+}
+
+.purple-text.text-darken-4 {
+ color: #4a148c !important;
+}
+
+.purple.accent-1 {
+ background-color: #ea80fc !important;
+}
+
+.purple-text.text-accent-1 {
+ color: #ea80fc !important;
+}
+
+.purple.accent-2 {
+ background-color: #e040fb !important;
+}
+
+.purple-text.text-accent-2 {
+ color: #e040fb !important;
+}
+
+.purple.accent-3 {
+ background-color: #d500f9 !important;
+}
+
+.purple-text.text-accent-3 {
+ color: #d500f9 !important;
+}
+
+.purple.accent-4 {
+ background-color: #aa00ff !important;
+}
+
+.purple-text.text-accent-4 {
+ color: #aa00ff !important;
+}
+
+.deep-purple {
+ background-color: #673ab7 !important;
+}
+
+.deep-purple-text {
+ color: #673ab7 !important;
+}
+
+.deep-purple.lighten-5 {
+ background-color: #ede7f6 !important;
+}
+
+.deep-purple-text.text-lighten-5 {
+ color: #ede7f6 !important;
+}
+
+.deep-purple.lighten-4 {
+ background-color: #d1c4e9 !important;
+}
+
+.deep-purple-text.text-lighten-4 {
+ color: #d1c4e9 !important;
+}
+
+.deep-purple.lighten-3 {
+ background-color: #b39ddb !important;
+}
+
+.deep-purple-text.text-lighten-3 {
+ color: #b39ddb !important;
+}
+
+.deep-purple.lighten-2 {
+ background-color: #9575cd !important;
+}
+
+.deep-purple-text.text-lighten-2 {
+ color: #9575cd !important;
+}
+
+.deep-purple.lighten-1 {
+ background-color: #7e57c2 !important;
+}
+
+.deep-purple-text.text-lighten-1 {
+ color: #7e57c2 !important;
+}
+
+.deep-purple.darken-1 {
+ background-color: #5e35b1 !important;
+}
+
+.deep-purple-text.text-darken-1 {
+ color: #5e35b1 !important;
+}
+
+.deep-purple.darken-2 {
+ background-color: #512da8 !important;
+}
+
+.deep-purple-text.text-darken-2 {
+ color: #512da8 !important;
+}
+
+.deep-purple.darken-3 {
+ background-color: #4527a0 !important;
+}
+
+.deep-purple-text.text-darken-3 {
+ color: #4527a0 !important;
+}
+
+.deep-purple.darken-4 {
+ background-color: #311b92 !important;
+}
+
+.deep-purple-text.text-darken-4 {
+ color: #311b92 !important;
+}
+
+.deep-purple.accent-1 {
+ background-color: #b388ff !important;
+}
+
+.deep-purple-text.text-accent-1 {
+ color: #b388ff !important;
+}
+
+.deep-purple.accent-2 {
+ background-color: #7c4dff !important;
+}
+
+.deep-purple-text.text-accent-2 {
+ color: #7c4dff !important;
+}
+
+.deep-purple.accent-3 {
+ background-color: #651fff !important;
+}
+
+.deep-purple-text.text-accent-3 {
+ color: #651fff !important;
+}
+
+.deep-purple.accent-4 {
+ background-color: #6200ea !important;
+}
+
+.deep-purple-text.text-accent-4 {
+ color: #6200ea !important;
+}
+
+.indigo {
+ background-color: #3f51b5 !important;
+}
+
+.indigo-text {
+ color: #3f51b5 !important;
+}
+
+.indigo.lighten-5 {
+ background-color: #e8eaf6 !important;
+}
+
+.indigo-text.text-lighten-5 {
+ color: #e8eaf6 !important;
+}
+
+.indigo.lighten-4 {
+ background-color: #c5cae9 !important;
+}
+
+.indigo-text.text-lighten-4 {
+ color: #c5cae9 !important;
+}
+
+.indigo.lighten-3 {
+ background-color: #9fa8da !important;
+}
+
+.indigo-text.text-lighten-3 {
+ color: #9fa8da !important;
+}
+
+.indigo.lighten-2 {
+ background-color: #7986cb !important;
+}
+
+.indigo-text.text-lighten-2 {
+ color: #7986cb !important;
+}
+
+.indigo.lighten-1 {
+ background-color: #5c6bc0 !important;
+}
+
+.indigo-text.text-lighten-1 {
+ color: #5c6bc0 !important;
+}
+
+.indigo.darken-1 {
+ background-color: #3949ab !important;
+}
+
+.indigo-text.text-darken-1 {
+ color: #3949ab !important;
+}
+
+.indigo.darken-2 {
+ background-color: #303f9f !important;
+}
+
+.indigo-text.text-darken-2 {
+ color: #303f9f !important;
+}
+
+.indigo.darken-3 {
+ background-color: #283593 !important;
+}
+
+.indigo-text.text-darken-3 {
+ color: #283593 !important;
+}
+
+.indigo.darken-4 {
+ background-color: #1a237e !important;
+}
+
+.indigo-text.text-darken-4 {
+ color: #1a237e !important;
+}
+
+.indigo.accent-1 {
+ background-color: #8c9eff !important;
+}
+
+.indigo-text.text-accent-1 {
+ color: #8c9eff !important;
+}
+
+.indigo.accent-2 {
+ background-color: #536dfe !important;
+}
+
+.indigo-text.text-accent-2 {
+ color: #536dfe !important;
+}
+
+.indigo.accent-3 {
+ background-color: #3d5afe !important;
+}
+
+.indigo-text.text-accent-3 {
+ color: #3d5afe !important;
+}
+
+.indigo.accent-4 {
+ background-color: #304ffe !important;
+}
+
+.indigo-text.text-accent-4 {
+ color: #304ffe !important;
+}
+
+.blue {
+ background-color: #2196F3 !important;
+}
+
+.blue-text {
+ color: #2196F3 !important;
+}
+
+.blue.lighten-5 {
+ background-color: #E3F2FD !important;
+}
+
+.blue-text.text-lighten-5 {
+ color: #E3F2FD !important;
+}
+
+.blue.lighten-4 {
+ background-color: #BBDEFB !important;
+}
+
+.blue-text.text-lighten-4 {
+ color: #BBDEFB !important;
+}
+
+.blue.lighten-3 {
+ background-color: #90CAF9 !important;
+}
+
+.blue-text.text-lighten-3 {
+ color: #90CAF9 !important;
+}
+
+.blue.lighten-2 {
+ background-color: #64B5F6 !important;
+}
+
+.blue-text.text-lighten-2 {
+ color: #64B5F6 !important;
+}
+
+.blue.lighten-1 {
+ background-color: #42A5F5 !important;
+}
+
+.blue-text.text-lighten-1 {
+ color: #42A5F5 !important;
+}
+
+.blue.darken-1 {
+ background-color: #1E88E5 !important;
+}
+
+.blue-text.text-darken-1 {
+ color: #1E88E5 !important;
+}
+
+.blue.darken-2 {
+ background-color: #1976D2 !important;
+}
+
+.blue-text.text-darken-2 {
+ color: #1976D2 !important;
+}
+
+.blue.darken-3 {
+ background-color: #1565C0 !important;
+}
+
+.blue-text.text-darken-3 {
+ color: #1565C0 !important;
+}
+
+.blue.darken-4 {
+ background-color: #0D47A1 !important;
+}
+
+.blue-text.text-darken-4 {
+ color: #0D47A1 !important;
+}
+
+.blue.accent-1 {
+ background-color: #82B1FF !important;
+}
+
+.blue-text.text-accent-1 {
+ color: #82B1FF !important;
+}
+
+.blue.accent-2 {
+ background-color: #448AFF !important;
+}
+
+.blue-text.text-accent-2 {
+ color: #448AFF !important;
+}
+
+.blue.accent-3 {
+ background-color: #2979FF !important;
+}
+
+.blue-text.text-accent-3 {
+ color: #2979FF !important;
+}
+
+.blue.accent-4 {
+ background-color: #2962FF !important;
+}
+
+.blue-text.text-accent-4 {
+ color: #2962FF !important;
+}
+
+.light-blue {
+ background-color: #03a9f4 !important;
+}
+
+.light-blue-text {
+ color: #03a9f4 !important;
+}
+
+.light-blue.lighten-5 {
+ background-color: #e1f5fe !important;
+}
+
+.light-blue-text.text-lighten-5 {
+ color: #e1f5fe !important;
+}
+
+.light-blue.lighten-4 {
+ background-color: #b3e5fc !important;
+}
+
+.light-blue-text.text-lighten-4 {
+ color: #b3e5fc !important;
+}
+
+.light-blue.lighten-3 {
+ background-color: #81d4fa !important;
+}
+
+.light-blue-text.text-lighten-3 {
+ color: #81d4fa !important;
+}
+
+.light-blue.lighten-2 {
+ background-color: #4fc3f7 !important;
+}
+
+.light-blue-text.text-lighten-2 {
+ color: #4fc3f7 !important;
+}
+
+.light-blue.lighten-1 {
+ background-color: #29b6f6 !important;
+}
+
+.light-blue-text.text-lighten-1 {
+ color: #29b6f6 !important;
+}
+
+.light-blue.darken-1 {
+ background-color: #039be5 !important;
+}
+
+.light-blue-text.text-darken-1 {
+ color: #039be5 !important;
+}
+
+.light-blue.darken-2 {
+ background-color: #0288d1 !important;
+}
+
+.light-blue-text.text-darken-2 {
+ color: #0288d1 !important;
+}
+
+.light-blue.darken-3 {
+ background-color: #0277bd !important;
+}
+
+.light-blue-text.text-darken-3 {
+ color: #0277bd !important;
+}
+
+.light-blue.darken-4 {
+ background-color: #01579b !important;
+}
+
+.light-blue-text.text-darken-4 {
+ color: #01579b !important;
+}
+
+.light-blue.accent-1 {
+ background-color: #80d8ff !important;
+}
+
+.light-blue-text.text-accent-1 {
+ color: #80d8ff !important;
+}
+
+.light-blue.accent-2 {
+ background-color: #40c4ff !important;
+}
+
+.light-blue-text.text-accent-2 {
+ color: #40c4ff !important;
+}
+
+.light-blue.accent-3 {
+ background-color: #00b0ff !important;
+}
+
+.light-blue-text.text-accent-3 {
+ color: #00b0ff !important;
+}
+
+.light-blue.accent-4 {
+ background-color: #0091ea !important;
+}
+
+.light-blue-text.text-accent-4 {
+ color: #0091ea !important;
+}
+
+.cyan {
+ background-color: #00bcd4 !important;
+}
+
+.cyan-text {
+ color: #00bcd4 !important;
+}
+
+.cyan.lighten-5 {
+ background-color: #e0f7fa !important;
+}
+
+.cyan-text.text-lighten-5 {
+ color: #e0f7fa !important;
+}
+
+.cyan.lighten-4 {
+ background-color: #b2ebf2 !important;
+}
+
+.cyan-text.text-lighten-4 {
+ color: #b2ebf2 !important;
+}
+
+.cyan.lighten-3 {
+ background-color: #80deea !important;
+}
+
+.cyan-text.text-lighten-3 {
+ color: #80deea !important;
+}
+
+.cyan.lighten-2 {
+ background-color: #4dd0e1 !important;
+}
+
+.cyan-text.text-lighten-2 {
+ color: #4dd0e1 !important;
+}
+
+.cyan.lighten-1 {
+ background-color: #26c6da !important;
+}
+
+.cyan-text.text-lighten-1 {
+ color: #26c6da !important;
+}
+
+.cyan.darken-1 {
+ background-color: #00acc1 !important;
+}
+
+.cyan-text.text-darken-1 {
+ color: #00acc1 !important;
+}
+
+.cyan.darken-2 {
+ background-color: #0097a7 !important;
+}
+
+.cyan-text.text-darken-2 {
+ color: #0097a7 !important;
+}
+
+.cyan.darken-3 {
+ background-color: #00838f !important;
+}
+
+.cyan-text.text-darken-3 {
+ color: #00838f !important;
+}
+
+.cyan.darken-4 {
+ background-color: #006064 !important;
+}
+
+.cyan-text.text-darken-4 {
+ color: #006064 !important;
+}
+
+.cyan.accent-1 {
+ background-color: #84ffff !important;
+}
+
+.cyan-text.text-accent-1 {
+ color: #84ffff !important;
+}
+
+.cyan.accent-2 {
+ background-color: #18ffff !important;
+}
+
+.cyan-text.text-accent-2 {
+ color: #18ffff !important;
+}
+
+.cyan.accent-3 {
+ background-color: #00e5ff !important;
+}
+
+.cyan-text.text-accent-3 {
+ color: #00e5ff !important;
+}
+
+.cyan.accent-4 {
+ background-color: #00b8d4 !important;
+}
+
+.cyan-text.text-accent-4 {
+ color: #00b8d4 !important;
+}
+
+.teal {
+ background-color: #009688 !important;
+}
+
+.teal-text {
+ color: #009688 !important;
+}
+
+.teal.lighten-5 {
+ background-color: #e0f2f1 !important;
+}
+
+.teal-text.text-lighten-5 {
+ color: #e0f2f1 !important;
+}
+
+.teal.lighten-4 {
+ background-color: #b2dfdb !important;
+}
+
+.teal-text.text-lighten-4 {
+ color: #b2dfdb !important;
+}
+
+.teal.lighten-3 {
+ background-color: #80cbc4 !important;
+}
+
+.teal-text.text-lighten-3 {
+ color: #80cbc4 !important;
+}
+
+.teal.lighten-2 {
+ background-color: #4db6ac !important;
+}
+
+.teal-text.text-lighten-2 {
+ color: #4db6ac !important;
+}
+
+.teal.lighten-1 {
+ background-color: #26a69a !important;
+}
+
+.teal-text.text-lighten-1 {
+ color: #26a69a !important;
+}
+
+.teal.darken-1 {
+ background-color: #00897b !important;
+}
+
+.teal-text.text-darken-1 {
+ color: #00897b !important;
+}
+
+.teal.darken-2 {
+ background-color: #00796b !important;
+}
+
+.teal-text.text-darken-2 {
+ color: #00796b !important;
+}
+
+.teal.darken-3 {
+ background-color: #00695c !important;
+}
+
+.teal-text.text-darken-3 {
+ color: #00695c !important;
+}
+
+.teal.darken-4 {
+ background-color: #004d40 !important;
+}
+
+.teal-text.text-darken-4 {
+ color: #004d40 !important;
+}
+
+.teal.accent-1 {
+ background-color: #a7ffeb !important;
+}
+
+.teal-text.text-accent-1 {
+ color: #a7ffeb !important;
+}
+
+.teal.accent-2 {
+ background-color: #64ffda !important;
+}
+
+.teal-text.text-accent-2 {
+ color: #64ffda !important;
+}
+
+.teal.accent-3 {
+ background-color: #1de9b6 !important;
+}
+
+.teal-text.text-accent-3 {
+ color: #1de9b6 !important;
+}
+
+.teal.accent-4 {
+ background-color: #00bfa5 !important;
+}
+
+.teal-text.text-accent-4 {
+ color: #00bfa5 !important;
+}
+
+.green {
+ background-color: #4CAF50 !important;
+}
+
+.green-text {
+ color: #4CAF50 !important;
+}
+
+.green.lighten-5 {
+ background-color: #E8F5E9 !important;
+}
+
+.green-text.text-lighten-5 {
+ color: #E8F5E9 !important;
+}
+
+.green.lighten-4 {
+ background-color: #C8E6C9 !important;
+}
+
+.green-text.text-lighten-4 {
+ color: #C8E6C9 !important;
+}
+
+.green.lighten-3 {
+ background-color: #A5D6A7 !important;
+}
+
+.green-text.text-lighten-3 {
+ color: #A5D6A7 !important;
+}
+
+.green.lighten-2 {
+ background-color: #81C784 !important;
+}
+
+.green-text.text-lighten-2 {
+ color: #81C784 !important;
+}
+
+.green.lighten-1 {
+ background-color: #66BB6A !important;
+}
+
+.green-text.text-lighten-1 {
+ color: #66BB6A !important;
+}
+
+.green.darken-1 {
+ background-color: #43A047 !important;
+}
+
+.green-text.text-darken-1 {
+ color: #43A047 !important;
+}
+
+.green.darken-2 {
+ background-color: #388E3C !important;
+}
+
+.green-text.text-darken-2 {
+ color: #388E3C !important;
+}
+
+.green.darken-3 {
+ background-color: #2E7D32 !important;
+}
+
+.green-text.text-darken-3 {
+ color: #2E7D32 !important;
+}
+
+.green.darken-4 {
+ background-color: #1B5E20 !important;
+}
+
+.green-text.text-darken-4 {
+ color: #1B5E20 !important;
+}
+
+.green.accent-1 {
+ background-color: #B9F6CA !important;
+}
+
+.green-text.text-accent-1 {
+ color: #B9F6CA !important;
+}
+
+.green.accent-2 {
+ background-color: #69F0AE !important;
+}
+
+.green-text.text-accent-2 {
+ color: #69F0AE !important;
+}
+
+.green.accent-3 {
+ background-color: #00E676 !important;
+}
+
+.green-text.text-accent-3 {
+ color: #00E676 !important;
+}
+
+.green.accent-4 {
+ background-color: #00C853 !important;
+}
+
+.green-text.text-accent-4 {
+ color: #00C853 !important;
+}
+
+.light-green {
+ background-color: #8bc34a !important;
+}
+
+.light-green-text {
+ color: #8bc34a !important;
+}
+
+.light-green.lighten-5 {
+ background-color: #f1f8e9 !important;
+}
+
+.light-green-text.text-lighten-5 {
+ color: #f1f8e9 !important;
+}
+
+.light-green.lighten-4 {
+ background-color: #dcedc8 !important;
+}
+
+.light-green-text.text-lighten-4 {
+ color: #dcedc8 !important;
+}
+
+.light-green.lighten-3 {
+ background-color: #c5e1a5 !important;
+}
+
+.light-green-text.text-lighten-3 {
+ color: #c5e1a5 !important;
+}
+
+.light-green.lighten-2 {
+ background-color: #aed581 !important;
+}
+
+.light-green-text.text-lighten-2 {
+ color: #aed581 !important;
+}
+
+.light-green.lighten-1 {
+ background-color: #9ccc65 !important;
+}
+
+.light-green-text.text-lighten-1 {
+ color: #9ccc65 !important;
+}
+
+.light-green.darken-1 {
+ background-color: #7cb342 !important;
+}
+
+.light-green-text.text-darken-1 {
+ color: #7cb342 !important;
+}
+
+.light-green.darken-2 {
+ background-color: #689f38 !important;
+}
+
+.light-green-text.text-darken-2 {
+ color: #689f38 !important;
+}
+
+.light-green.darken-3 {
+ background-color: #558b2f !important;
+}
+
+.light-green-text.text-darken-3 {
+ color: #558b2f !important;
+}
+
+.light-green.darken-4 {
+ background-color: #33691e !important;
+}
+
+.light-green-text.text-darken-4 {
+ color: #33691e !important;
+}
+
+.light-green.accent-1 {
+ background-color: #ccff90 !important;
+}
+
+.light-green-text.text-accent-1 {
+ color: #ccff90 !important;
+}
+
+.light-green.accent-2 {
+ background-color: #b2ff59 !important;
+}
+
+.light-green-text.text-accent-2 {
+ color: #b2ff59 !important;
+}
+
+.light-green.accent-3 {
+ background-color: #76ff03 !important;
+}
+
+.light-green-text.text-accent-3 {
+ color: #76ff03 !important;
+}
+
+.light-green.accent-4 {
+ background-color: #64dd17 !important;
+}
+
+.light-green-text.text-accent-4 {
+ color: #64dd17 !important;
+}
+
+.lime {
+ background-color: #cddc39 !important;
+}
+
+.lime-text {
+ color: #cddc39 !important;
+}
+
+.lime.lighten-5 {
+ background-color: #f9fbe7 !important;
+}
+
+.lime-text.text-lighten-5 {
+ color: #f9fbe7 !important;
+}
+
+.lime.lighten-4 {
+ background-color: #f0f4c3 !important;
+}
+
+.lime-text.text-lighten-4 {
+ color: #f0f4c3 !important;
+}
+
+.lime.lighten-3 {
+ background-color: #e6ee9c !important;
+}
+
+.lime-text.text-lighten-3 {
+ color: #e6ee9c !important;
+}
+
+.lime.lighten-2 {
+ background-color: #dce775 !important;
+}
+
+.lime-text.text-lighten-2 {
+ color: #dce775 !important;
+}
+
+.lime.lighten-1 {
+ background-color: #d4e157 !important;
+}
+
+.lime-text.text-lighten-1 {
+ color: #d4e157 !important;
+}
+
+.lime.darken-1 {
+ background-color: #c0ca33 !important;
+}
+
+.lime-text.text-darken-1 {
+ color: #c0ca33 !important;
+}
+
+.lime.darken-2 {
+ background-color: #afb42b !important;
+}
+
+.lime-text.text-darken-2 {
+ color: #afb42b !important;
+}
+
+.lime.darken-3 {
+ background-color: #9e9d24 !important;
+}
+
+.lime-text.text-darken-3 {
+ color: #9e9d24 !important;
+}
+
+.lime.darken-4 {
+ background-color: #827717 !important;
+}
+
+.lime-text.text-darken-4 {
+ color: #827717 !important;
+}
+
+.lime.accent-1 {
+ background-color: #f4ff81 !important;
+}
+
+.lime-text.text-accent-1 {
+ color: #f4ff81 !important;
+}
+
+.lime.accent-2 {
+ background-color: #eeff41 !important;
+}
+
+.lime-text.text-accent-2 {
+ color: #eeff41 !important;
+}
+
+.lime.accent-3 {
+ background-color: #c6ff00 !important;
+}
+
+.lime-text.text-accent-3 {
+ color: #c6ff00 !important;
+}
+
+.lime.accent-4 {
+ background-color: #aeea00 !important;
+}
+
+.lime-text.text-accent-4 {
+ color: #aeea00 !important;
+}
+
+.yellow {
+ background-color: #ffeb3b !important;
+}
+
+.yellow-text {
+ color: #ffeb3b !important;
+}
+
+.yellow.lighten-5 {
+ background-color: #fffde7 !important;
+}
+
+.yellow-text.text-lighten-5 {
+ color: #fffde7 !important;
+}
+
+.yellow.lighten-4 {
+ background-color: #fff9c4 !important;
+}
+
+.yellow-text.text-lighten-4 {
+ color: #fff9c4 !important;
+}
+
+.yellow.lighten-3 {
+ background-color: #fff59d !important;
+}
+
+.yellow-text.text-lighten-3 {
+ color: #fff59d !important;
+}
+
+.yellow.lighten-2 {
+ background-color: #fff176 !important;
+}
+
+.yellow-text.text-lighten-2 {
+ color: #fff176 !important;
+}
+
+.yellow.lighten-1 {
+ background-color: #ffee58 !important;
+}
+
+.yellow-text.text-lighten-1 {
+ color: #ffee58 !important;
+}
+
+.yellow.darken-1 {
+ background-color: #fdd835 !important;
+}
+
+.yellow-text.text-darken-1 {
+ color: #fdd835 !important;
+}
+
+.yellow.darken-2 {
+ background-color: #fbc02d !important;
+}
+
+.yellow-text.text-darken-2 {
+ color: #fbc02d !important;
+}
+
+.yellow.darken-3 {
+ background-color: #f9a825 !important;
+}
+
+.yellow-text.text-darken-3 {
+ color: #f9a825 !important;
+}
+
+.yellow.darken-4 {
+ background-color: #f57f17 !important;
+}
+
+.yellow-text.text-darken-4 {
+ color: #f57f17 !important;
+}
+
+.yellow.accent-1 {
+ background-color: #ffff8d !important;
+}
+
+.yellow-text.text-accent-1 {
+ color: #ffff8d !important;
+}
+
+.yellow.accent-2 {
+ background-color: #ffff00 !important;
+}
+
+.yellow-text.text-accent-2 {
+ color: #ffff00 !important;
+}
+
+.yellow.accent-3 {
+ background-color: #ffea00 !important;
+}
+
+.yellow-text.text-accent-3 {
+ color: #ffea00 !important;
+}
+
+.yellow.accent-4 {
+ background-color: #ffd600 !important;
+}
+
+.yellow-text.text-accent-4 {
+ color: #ffd600 !important;
+}
+
+.amber {
+ background-color: #ffc107 !important;
+}
+
+.amber-text {
+ color: #ffc107 !important;
+}
+
+.amber.lighten-5 {
+ background-color: #fff8e1 !important;
+}
+
+.amber-text.text-lighten-5 {
+ color: #fff8e1 !important;
+}
+
+.amber.lighten-4 {
+ background-color: #ffecb3 !important;
+}
+
+.amber-text.text-lighten-4 {
+ color: #ffecb3 !important;
+}
+
+.amber.lighten-3 {
+ background-color: #ffe082 !important;
+}
+
+.amber-text.text-lighten-3 {
+ color: #ffe082 !important;
+}
+
+.amber.lighten-2 {
+ background-color: #ffd54f !important;
+}
+
+.amber-text.text-lighten-2 {
+ color: #ffd54f !important;
+}
+
+.amber.lighten-1 {
+ background-color: #ffca28 !important;
+}
+
+.amber-text.text-lighten-1 {
+ color: #ffca28 !important;
+}
+
+.amber.darken-1 {
+ background-color: #ffb300 !important;
+}
+
+.amber-text.text-darken-1 {
+ color: #ffb300 !important;
+}
+
+.amber.darken-2 {
+ background-color: #ffa000 !important;
+}
+
+.amber-text.text-darken-2 {
+ color: #ffa000 !important;
+}
+
+.amber.darken-3 {
+ background-color: #ff8f00 !important;
+}
+
+.amber-text.text-darken-3 {
+ color: #ff8f00 !important;
+}
+
+.amber.darken-4 {
+ background-color: #ff6f00 !important;
+}
+
+.amber-text.text-darken-4 {
+ color: #ff6f00 !important;
+}
+
+.amber.accent-1 {
+ background-color: #ffe57f !important;
+}
+
+.amber-text.text-accent-1 {
+ color: #ffe57f !important;
+}
+
+.amber.accent-2 {
+ background-color: #ffd740 !important;
+}
+
+.amber-text.text-accent-2 {
+ color: #ffd740 !important;
+}
+
+.amber.accent-3 {
+ background-color: #ffc400 !important;
+}
+
+.amber-text.text-accent-3 {
+ color: #ffc400 !important;
+}
+
+.amber.accent-4 {
+ background-color: #ffab00 !important;
+}
+
+.amber-text.text-accent-4 {
+ color: #ffab00 !important;
+}
+
+.orange {
+ background-color: #ff9800 !important;
+}
+
+.orange-text {
+ color: #ff9800 !important;
+}
+
+.orange.lighten-5 {
+ background-color: #fff3e0 !important;
+}
+
+.orange-text.text-lighten-5 {
+ color: #fff3e0 !important;
+}
+
+.orange.lighten-4 {
+ background-color: #ffe0b2 !important;
+}
+
+.orange-text.text-lighten-4 {
+ color: #ffe0b2 !important;
+}
+
+.orange.lighten-3 {
+ background-color: #ffcc80 !important;
+}
+
+.orange-text.text-lighten-3 {
+ color: #ffcc80 !important;
+}
+
+.orange.lighten-2 {
+ background-color: #ffb74d !important;
+}
+
+.orange-text.text-lighten-2 {
+ color: #ffb74d !important;
+}
+
+.orange.lighten-1 {
+ background-color: #ffa726 !important;
+}
+
+.orange-text.text-lighten-1 {
+ color: #ffa726 !important;
+}
+
+.orange.darken-1 {
+ background-color: #fb8c00 !important;
+}
+
+.orange-text.text-darken-1 {
+ color: #fb8c00 !important;
+}
+
+.orange.darken-2 {
+ background-color: #f57c00 !important;
+}
+
+.orange-text.text-darken-2 {
+ color: #f57c00 !important;
+}
+
+.orange.darken-3 {
+ background-color: #ef6c00 !important;
+}
+
+.orange-text.text-darken-3 {
+ color: #ef6c00 !important;
+}
+
+.orange.darken-4 {
+ background-color: #e65100 !important;
+}
+
+.orange-text.text-darken-4 {
+ color: #e65100 !important;
+}
+
+.orange.accent-1 {
+ background-color: #ffd180 !important;
+}
+
+.orange-text.text-accent-1 {
+ color: #ffd180 !important;
+}
+
+.orange.accent-2 {
+ background-color: #ffab40 !important;
+}
+
+.orange-text.text-accent-2 {
+ color: #ffab40 !important;
+}
+
+.orange.accent-3 {
+ background-color: #ff9100 !important;
+}
+
+.orange-text.text-accent-3 {
+ color: #ff9100 !important;
+}
+
+.orange.accent-4 {
+ background-color: #ff6d00 !important;
+}
+
+.orange-text.text-accent-4 {
+ color: #ff6d00 !important;
+}
+
+.deep-orange {
+ background-color: #ff5722 !important;
+}
+
+.deep-orange-text {
+ color: #ff5722 !important;
+}
+
+.deep-orange.lighten-5 {
+ background-color: #fbe9e7 !important;
+}
+
+.deep-orange-text.text-lighten-5 {
+ color: #fbe9e7 !important;
+}
+
+.deep-orange.lighten-4 {
+ background-color: #ffccbc !important;
+}
+
+.deep-orange-text.text-lighten-4 {
+ color: #ffccbc !important;
+}
+
+.deep-orange.lighten-3 {
+ background-color: #ffab91 !important;
+}
+
+.deep-orange-text.text-lighten-3 {
+ color: #ffab91 !important;
+}
+
+.deep-orange.lighten-2 {
+ background-color: #ff8a65 !important;
+}
+
+.deep-orange-text.text-lighten-2 {
+ color: #ff8a65 !important;
+}
+
+.deep-orange.lighten-1 {
+ background-color: #ff7043 !important;
+}
+
+.deep-orange-text.text-lighten-1 {
+ color: #ff7043 !important;
+}
+
+.deep-orange.darken-1 {
+ background-color: #f4511e !important;
+}
+
+.deep-orange-text.text-darken-1 {
+ color: #f4511e !important;
+}
+
+.deep-orange.darken-2 {
+ background-color: #e64a19 !important;
+}
+
+.deep-orange-text.text-darken-2 {
+ color: #e64a19 !important;
+}
+
+.deep-orange.darken-3 {
+ background-color: #d84315 !important;
+}
+
+.deep-orange-text.text-darken-3 {
+ color: #d84315 !important;
+}
+
+.deep-orange.darken-4 {
+ background-color: #bf360c !important;
+}
+
+.deep-orange-text.text-darken-4 {
+ color: #bf360c !important;
+}
+
+.deep-orange.accent-1 {
+ background-color: #ff9e80 !important;
+}
+
+.deep-orange-text.text-accent-1 {
+ color: #ff9e80 !important;
+}
+
+.deep-orange.accent-2 {
+ background-color: #ff6e40 !important;
+}
+
+.deep-orange-text.text-accent-2 {
+ color: #ff6e40 !important;
+}
+
+.deep-orange.accent-3 {
+ background-color: #ff3d00 !important;
+}
+
+.deep-orange-text.text-accent-3 {
+ color: #ff3d00 !important;
+}
+
+.deep-orange.accent-4 {
+ background-color: #dd2c00 !important;
+}
+
+.deep-orange-text.text-accent-4 {
+ color: #dd2c00 !important;
+}
+
+.brown {
+ background-color: #795548 !important;
+}
+
+.brown-text {
+ color: #795548 !important;
+}
+
+.brown.lighten-5 {
+ background-color: #efebe9 !important;
+}
+
+.brown-text.text-lighten-5 {
+ color: #efebe9 !important;
+}
+
+.brown.lighten-4 {
+ background-color: #d7ccc8 !important;
+}
+
+.brown-text.text-lighten-4 {
+ color: #d7ccc8 !important;
+}
+
+.brown.lighten-3 {
+ background-color: #bcaaa4 !important;
+}
+
+.brown-text.text-lighten-3 {
+ color: #bcaaa4 !important;
+}
+
+.brown.lighten-2 {
+ background-color: #a1887f !important;
+}
+
+.brown-text.text-lighten-2 {
+ color: #a1887f !important;
+}
+
+.brown.lighten-1 {
+ background-color: #8d6e63 !important;
+}
+
+.brown-text.text-lighten-1 {
+ color: #8d6e63 !important;
+}
+
+.brown.darken-1 {
+ background-color: #6d4c41 !important;
+}
+
+.brown-text.text-darken-1 {
+ color: #6d4c41 !important;
+}
+
+.brown.darken-2 {
+ background-color: #5d4037 !important;
+}
+
+.brown-text.text-darken-2 {
+ color: #5d4037 !important;
+}
+
+.brown.darken-3 {
+ background-color: #4e342e !important;
+}
+
+.brown-text.text-darken-3 {
+ color: #4e342e !important;
+}
+
+.brown.darken-4 {
+ background-color: #3e2723 !important;
+}
+
+.brown-text.text-darken-4 {
+ color: #3e2723 !important;
+}
+
+.blue-grey {
+ background-color: #607d8b !important;
+}
+
+.blue-grey-text {
+ color: #607d8b !important;
+}
+
+.blue-grey.lighten-5 {
+ background-color: #eceff1 !important;
+}
+
+.blue-grey-text.text-lighten-5 {
+ color: #eceff1 !important;
+}
+
+.blue-grey.lighten-4 {
+ background-color: #cfd8dc !important;
+}
+
+.blue-grey-text.text-lighten-4 {
+ color: #cfd8dc !important;
+}
+
+.blue-grey.lighten-3 {
+ background-color: #b0bec5 !important;
+}
+
+.blue-grey-text.text-lighten-3 {
+ color: #b0bec5 !important;
+}
+
+.blue-grey.lighten-2 {
+ background-color: #90a4ae !important;
+}
+
+.blue-grey-text.text-lighten-2 {
+ color: #90a4ae !important;
+}
+
+.blue-grey.lighten-1 {
+ background-color: #78909c !important;
+}
+
+.blue-grey-text.text-lighten-1 {
+ color: #78909c !important;
+}
+
+.blue-grey.darken-1 {
+ background-color: #546e7a !important;
+}
+
+.blue-grey-text.text-darken-1 {
+ color: #546e7a !important;
+}
+
+.blue-grey.darken-2 {
+ background-color: #455a64 !important;
+}
+
+.blue-grey-text.text-darken-2 {
+ color: #455a64 !important;
+}
+
+.blue-grey.darken-3 {
+ background-color: #37474f !important;
+}
+
+.blue-grey-text.text-darken-3 {
+ color: #37474f !important;
+}
+
+.blue-grey.darken-4 {
+ background-color: #263238 !important;
+}
+
+.blue-grey-text.text-darken-4 {
+ color: #263238 !important;
+}
+
+.grey {
+ background-color: #9e9e9e !important;
+}
+
+.grey-text {
+ color: #9e9e9e !important;
+}
+
+.grey.lighten-5 {
+ background-color: #fafafa !important;
+}
+
+.grey-text.text-lighten-5 {
+ color: #fafafa !important;
+}
+
+.grey.lighten-4 {
+ background-color: #f5f5f5 !important;
+}
+
+.grey-text.text-lighten-4 {
+ color: #f5f5f5 !important;
+}
+
+.grey.lighten-3 {
+ background-color: #eeeeee !important;
+}
+
+.grey-text.text-lighten-3 {
+ color: #eeeeee !important;
+}
+
+.grey.lighten-2 {
+ background-color: #e0e0e0 !important;
+}
+
+.grey-text.text-lighten-2 {
+ color: #e0e0e0 !important;
+}
+
+.grey.lighten-1 {
+ background-color: #bdbdbd !important;
+}
+
+.grey-text.text-lighten-1 {
+ color: #bdbdbd !important;
+}
+
+.grey.darken-1 {
+ background-color: #757575 !important;
+}
+
+.grey-text.text-darken-1 {
+ color: #757575 !important;
+}
+
+.grey.darken-2 {
+ background-color: #616161 !important;
+}
+
+.grey-text.text-darken-2 {
+ color: #616161 !important;
+}
+
+.grey.darken-3 {
+ background-color: #424242 !important;
+}
+
+.grey-text.text-darken-3 {
+ color: #424242 !important;
+}
+
+.grey.darken-4 {
+ background-color: #212121 !important;
+}
+
+.grey-text.text-darken-4 {
+ color: #212121 !important;
+}
+
+.black {
+ background-color: #000000 !important;
+}
+
+.black-text {
+ color: #000000 !important;
+}
+
+.white {
+ background-color: #FFFFFF !important;
+}
+
+.white-text {
+ color: #FFFFFF !important;
+}
+
+.transparent {
+ background-color: transparent !important;
+}
+
+.transparent-text {
+ color: transparent !important;
+}
+
+/*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */
+/**
+ * 1. Set default font family to sans-serif.
+ * 2. Prevent iOS and IE text size adjust after device orientation change,
+ * without disabling user zoom.
+ */
+html {
+ font-family: sans-serif;
+ /* 1 */
+ -ms-text-size-adjust: 100%;
+ /* 2 */
+ -webkit-text-size-adjust: 100%;
+ /* 2 */
+}
+
+/**
+ * Remove default margin.
+ */
+body {
+ margin: 0;
+}
+
+/* HTML5 display definitions
+ ========================================================================== */
+/**
+ * Correct `block` display not defined for any HTML5 element in IE 8/9.
+ * Correct `block` display not defined for `details` or `summary` in IE 10/11
+ * and Firefox.
+ * Correct `block` display not defined for `main` in IE 11.
+ */
+article,
+aside,
+details,
+figcaption,
+figure,
+footer,
+header,
+hgroup,
+main,
+menu,
+nav,
+section,
+summary {
+ display: block;
+}
+
+/**
+ * 1. Correct `inline-block` display not defined in IE 8/9.
+ * 2. Normalize vertical alignment of `progress` in Chrome, Firefox, and Opera.
+ */
+audio,
+canvas,
+progress,
+video {
+ display: inline-block;
+ /* 1 */
+ vertical-align: baseline;
+ /* 2 */
+}
+
+/**
+ * Prevent modern browsers from displaying `audio` without controls.
+ * Remove excess height in iOS 5 devices.
+ */
+audio:not([controls]) {
+ display: none;
+ height: 0;
+}
+
+/**
+ * Address `[hidden]` styling not present in IE 8/9/10.
+ * Hide the `template` element in IE 8/9/10/11, Safari, and Firefox < 22.
+ */
+[hidden],
+template {
+ display: none;
+}
+
+/* Links
+ ========================================================================== */
+/**
+ * Remove the gray background color from active links in IE 10.
+ */
+a {
+ background-color: transparent;
+}
+
+/**
+ * Improve readability of focused elements when they are also in an
+ * active/hover state.
+ */
+a:active,
+a:hover {
+ outline: 0;
+}
+
+/* Text-level semantics
+ ========================================================================== */
+/**
+ * Address styling not present in IE 8/9/10/11, Safari, and Chrome.
+ */
+abbr[title] {
+ border-bottom: 1px dotted;
+}
+
+/**
+ * Address style set to `bolder` in Firefox 4+, Safari, and Chrome.
+ */
+b,
+strong {
+ font-weight: bold;
+}
+
+/**
+ * Address styling not present in Safari and Chrome.
+ */
+dfn {
+ font-style: italic;
+}
+
+/**
+ * Address variable `h1` font-size and margin within `section` and `article`
+ * contexts in Firefox 4+, Safari, and Chrome.
+ */
+h1 {
+ font-size: 2em;
+ margin: 0.67em 0;
+}
+
+/**
+ * Address styling not present in IE 8/9.
+ */
+mark {
+ background: #ff0;
+ color: #000;
+}
+
+/**
+ * Address inconsistent and variable font size in all browsers.
+ */
+small {
+ font-size: 80%;
+}
+
+/**
+ * Prevent `sub` and `sup` affecting `line-height` in all browsers.
+ */
+sub,
+sup {
+ font-size: 75%;
+ line-height: 0;
+ position: relative;
+ vertical-align: baseline;
+}
+
+sup {
+ top: -0.5em;
+}
+
+sub {
+ bottom: -0.25em;
+}
+
+/* Embedded content
+ ========================================================================== */
+/**
+ * Remove border when inside `a` element in IE 8/9/10.
+ */
+img {
+ border: 0;
+}
+
+/**
+ * Correct overflow not hidden in IE 9/10/11.
+ */
+svg:not(:root) {
+ overflow: hidden;
+}
+
+/* Grouping content
+ ========================================================================== */
+/**
+ * Address margin not present in IE 8/9 and Safari.
+ */
+figure {
+ margin: 1em 40px;
+}
+
+/**
+ * Address differences between Firefox and other browsers.
+ */
+hr {
+ -webkit-box-sizing: content-box;
+ box-sizing: content-box;
+ height: 0;
+}
+
+/**
+ * Contain overflow in all browsers.
+ */
+pre {
+ overflow: auto;
+}
+
+/**
+ * Address odd `em`-unit font size rendering in all browsers.
+ */
+code,
+kbd,
+pre,
+samp {
+ font-family: monospace, monospace;
+ font-size: 1em;
+}
+
+/* Forms
+ ========================================================================== */
+/**
+ * Known limitation: by default, Chrome and Safari on OS X allow very limited
+ * styling of `select`, unless a `border` property is set.
+ */
+/**
+ * 1. Correct color not being inherited.
+ * Known issue: affects color of disabled elements.
+ * 2. Correct font properties not being inherited.
+ * 3. Address margins set differently in Firefox 4+, Safari, and Chrome.
+ */
+button,
+input,
+optgroup,
+select,
+textarea {
+ color: inherit;
+ /* 1 */
+ font: inherit;
+ /* 2 */
+ margin: 0;
+ /* 3 */
+}
+
+/**
+ * Address `overflow` set to `hidden` in IE 8/9/10/11.
+ */
+button {
+ overflow: visible;
+}
+
+/**
+ * Address inconsistent `text-transform` inheritance for `button` and `select`.
+ * All other form control elements do not inherit `text-transform` values.
+ * Correct `button` style inheritance in Firefox, IE 8/9/10/11, and Opera.
+ * Correct `select` style inheritance in Firefox.
+ */
+button,
+select {
+ text-transform: none;
+}
+
+/**
+ * 1. Avoid the WebKit bug in Android 4.0.* where (2) destroys native `audio`
+ * and `video` controls.
+ * 2. Correct inability to style clickable `input` types in iOS.
+ * 3. Improve usability and consistency of cursor style between image-type
+ * `input` and others.
+ */
+button,
+html input[type="button"],
+input[type="reset"],
+input[type="submit"] {
+ -webkit-appearance: button;
+ /* 2 */
+ cursor: pointer;
+ /* 3 */
+}
+
+/**
+ * Re-set default cursor for disabled elements.
+ */
+button[disabled],
+html input[disabled] {
+ cursor: default;
+}
+
+/**
+ * Remove inner padding and border in Firefox 4+.
+ */
+button::-moz-focus-inner,
+input::-moz-focus-inner {
+ border: 0;
+ padding: 0;
+}
+
+/**
+ * Address Firefox 4+ setting `line-height` on `input` using `!important` in
+ * the UA stylesheet.
+ */
+input {
+ line-height: normal;
+}
+
+/**
+ * It's recommended that you don't attempt to style these elements.
+ * Firefox's implementation doesn't respect box-sizing, padding, or width.
+ *
+ * 1. Address box sizing set to `content-box` in IE 8/9/10.
+ * 2. Remove excess padding in IE 8/9/10.
+ */
+input[type="checkbox"],
+input[type="radio"] {
+ -webkit-box-sizing: border-box;
+ box-sizing: border-box;
+ /* 1 */
+ padding: 0;
+ /* 2 */
+}
+
+/**
+ * Fix the cursor style for Chrome's increment/decrement buttons. For certain
+ * `font-size` values of the `input`, it causes the cursor style of the
+ * decrement button to change from `default` to `text`.
+ */
+input[type="number"]::-webkit-inner-spin-button,
+input[type="number"]::-webkit-outer-spin-button {
+ height: auto;
+}
+
+/**
+ * 1. Address `appearance` set to `searchfield` in Safari and Chrome.
+ * 2. Address `box-sizing` set to `border-box` in Safari and Chrome.
+ */
+input[type="search"] {
+ -webkit-appearance: textfield;
+ /* 1 */
+ -webkit-box-sizing: content-box;
+ box-sizing: content-box;
+ /* 2 */
+}
+
+/**
+ * Remove inner padding and search cancel button in Safari and Chrome on OS X.
+ * Safari (but not Chrome) clips the cancel button when the search input has
+ * padding (and `textfield` appearance).
+ */
+input[type="search"]::-webkit-search-cancel-button,
+input[type="search"]::-webkit-search-decoration {
+ -webkit-appearance: none;
+}
+
+/**
+ * Define consistent border, margin, and padding.
+ */
+fieldset {
+ border: 1px solid #c0c0c0;
+ margin: 0 2px;
+ padding: 0.35em 0.625em 0.75em;
+}
+
+/**
+ * 1. Correct `color` not being inherited in IE 8/9/10/11.
+ * 2. Remove padding so people aren't caught out if they zero out fieldsets.
+ */
+legend {
+ border: 0;
+ /* 1 */
+ padding: 0;
+ /* 2 */
+}
+
+/**
+ * Remove default vertical scrollbar in IE 8/9/10/11.
+ */
+textarea {
+ overflow: auto;
+}
+
+/**
+ * Don't inherit the `font-weight` (applied by a rule above).
+ * NOTE: the default cannot safely be changed in Chrome and Safari on OS X.
+ */
+optgroup {
+ font-weight: bold;
+}
+
+/* Tables
+ ========================================================================== */
+/**
+ * Remove most spacing between table cells.
+ */
+table {
+ border-collapse: collapse;
+ border-spacing: 0;
+}
+
+td,
+th {
+ padding: 0;
+}
+
+html {
+ -webkit-box-sizing: border-box;
+ box-sizing: border-box;
+}
+
+*, *:before, *:after {
+ -webkit-box-sizing: inherit;
+ box-sizing: inherit;
+}
+
+ul:not(.browser-default) {
+ padding-left: 0;
+ list-style-type: none;
+}
+
+ul:not(.browser-default) > li {
+ list-style-type: none;
+}
+
+a {
+ color: #039be5;
+ text-decoration: none;
+ -webkit-tap-highlight-color: transparent;
+}
+
+.valign-wrapper {
+ display: -webkit-box;
+ display: -webkit-flex;
+ display: -ms-flexbox;
+ display: flex;
+ -webkit-box-align: center;
+ -webkit-align-items: center;
+ -ms-flex-align: center;
+ align-items: center;
+}
+
+.clearfix {
+ clear: both;
+}
+
+.z-depth-0 {
+ -webkit-box-shadow: none !important;
+ box-shadow: none !important;
+}
+
+.z-depth-1, nav, .card-panel, .card, .toast, .btn, .btn-large, .btn-floating, .dropdown-content, .collapsible, .side-nav {
+ -webkit-box-shadow: 0 2px 2px 0 rgba(0, 0, 0, 0.14), 0 1px 5px 0 rgba(0, 0, 0, 0.12), 0 3px 1px -2px rgba(0, 0, 0, 0.2);
+ box-shadow: 0 2px 2px 0 rgba(0, 0, 0, 0.14), 0 1px 5px 0 rgba(0, 0, 0, 0.12), 0 3px 1px -2px rgba(0, 0, 0, 0.2);
+}
+
+.z-depth-1-half, .btn:hover, .btn-large:hover, .btn-floating:hover {
+ -webkit-box-shadow: 0 3px 3px 0 rgba(0, 0, 0, 0.14), 0 1px 7px 0 rgba(0, 0, 0, 0.12), 0 3px 1px -1px rgba(0, 0, 0, 0.2);
+ box-shadow: 0 3px 3px 0 rgba(0, 0, 0, 0.14), 0 1px 7px 0 rgba(0, 0, 0, 0.12), 0 3px 1px -1px rgba(0, 0, 0, 0.2);
+}
+
+.z-depth-2 {
+ -webkit-box-shadow: 0 4px 5px 0 rgba(0, 0, 0, 0.14), 0 1px 10px 0 rgba(0, 0, 0, 0.12), 0 2px 4px -1px rgba(0, 0, 0, 0.3);
+ box-shadow: 0 4px 5px 0 rgba(0, 0, 0, 0.14), 0 1px 10px 0 rgba(0, 0, 0, 0.12), 0 2px 4px -1px rgba(0, 0, 0, 0.3);
+}
+
+.z-depth-3 {
+ -webkit-box-shadow: 0 6px 10px 0 rgba(0, 0, 0, 0.14), 0 1px 18px 0 rgba(0, 0, 0, 0.12), 0 3px 5px -1px rgba(0, 0, 0, 0.3);
+ box-shadow: 0 6px 10px 0 rgba(0, 0, 0, 0.14), 0 1px 18px 0 rgba(0, 0, 0, 0.12), 0 3px 5px -1px rgba(0, 0, 0, 0.3);
+}
+
+.z-depth-4, .modal {
+ -webkit-box-shadow: 0 8px 10px 1px rgba(0, 0, 0, 0.14), 0 3px 14px 2px rgba(0, 0, 0, 0.12), 0 5px 5px -3px rgba(0, 0, 0, 0.3);
+ box-shadow: 0 8px 10px 1px rgba(0, 0, 0, 0.14), 0 3px 14px 2px rgba(0, 0, 0, 0.12), 0 5px 5px -3px rgba(0, 0, 0, 0.3);
+}
+
+.z-depth-5 {
+ -webkit-box-shadow: 0 16px 24px 2px rgba(0, 0, 0, 0.14), 0 6px 30px 5px rgba(0, 0, 0, 0.12), 0 8px 10px -5px rgba(0, 0, 0, 0.3);
+ box-shadow: 0 16px 24px 2px rgba(0, 0, 0, 0.14), 0 6px 30px 5px rgba(0, 0, 0, 0.12), 0 8px 10px -5px rgba(0, 0, 0, 0.3);
+}
+
+.hoverable {
+ -webkit-transition: -webkit-box-shadow .25s;
+ transition: -webkit-box-shadow .25s;
+ transition: box-shadow .25s;
+ transition: box-shadow .25s, -webkit-box-shadow .25s;
+}
+
+.hoverable:hover {
+ -webkit-box-shadow: 0 8px 17px 0 rgba(0, 0, 0, 0.2), 0 6px 20px 0 rgba(0, 0, 0, 0.19);
+ box-shadow: 0 8px 17px 0 rgba(0, 0, 0, 0.2), 0 6px 20px 0 rgba(0, 0, 0, 0.19);
+}
+
+.divider {
+ height: 1px;
+ overflow: hidden;
+ background-color: #e0e0e0;
+}
+
+blockquote {
+ margin: 20px 0;
+ padding-left: 1.5rem;
+ border-left: 5px solid #ee6e73;
+}
+
+i {
+ line-height: inherit;
+}
+
+i.left {
+ float: left;
+ margin-right: 15px;
+}
+
+i.right {
+ float: right;
+ margin-left: 15px;
+}
+
+i.tiny {
+ font-size: 1rem;
+}
+
+i.small {
+ font-size: 2rem;
+}
+
+i.medium {
+ font-size: 4rem;
+}
+
+i.large {
+ font-size: 6rem;
+}
+
+img.responsive-img,
+video.responsive-video {
+ max-width: 100%;
+ height: auto;
+}
+
+.pagination li {
+ display: inline-block;
+ border-radius: 2px;
+ text-align: center;
+ vertical-align: top;
+ height: 30px;
+}
+
+.pagination li a {
+ color: #444;
+ display: inline-block;
+ font-size: 1.2rem;
+ padding: 0 10px;
+ line-height: 30px;
+}
+
+.pagination li.active a {
+ color: #fff;
+}
+
+.pagination li.active {
+ background-color: #ee6e73;
+}
+
+.pagination li.disabled a {
+ cursor: default;
+ color: #999;
+}
+
+.pagination li i {
+ font-size: 2rem;
+}
+
+.pagination li.pages ul li {
+ display: inline-block;
+ float: none;
+}
+
+@media only screen and (max-width: 992px) {
+ .pagination {
+ width: 100%;
+ }
+ .pagination li.prev,
+ .pagination li.next {
+ width: 10%;
+ }
+ .pagination li.pages {
+ width: 80%;
+ overflow: hidden;
+ white-space: nowrap;
+ }
+}
+
+.breadcrumb {
+ font-size: 18px;
+ color: rgba(255, 255, 255, 0.7);
+}
+
+.breadcrumb i,
+.breadcrumb [class^="mdi-"], .breadcrumb [class*="mdi-"],
+.breadcrumb i.material-icons {
+ display: inline-block;
+ float: left;
+ font-size: 24px;
+}
+
+.breadcrumb:before {
+ content: '\E5CC';
+ color: rgba(255, 255, 255, 0.7);
+ vertical-align: top;
+ display: inline-block;
+ font-family: 'Material Icons';
+ font-weight: normal;
+ font-style: normal;
+ font-size: 25px;
+ margin: 0 10px 0 8px;
+ -webkit-font-smoothing: antialiased;
+}
+
+.breadcrumb:first-child:before {
+ display: none;
+}
+
+.breadcrumb:last-child {
+ color: #fff;
+}
+
+.parallax-container {
+ position: relative;
+ overflow: hidden;
+ height: 500px;
+}
+
+.parallax-container .parallax {
+ position: absolute;
+ top: 0;
+ left: 0;
+ right: 0;
+ bottom: 0;
+ z-index: -1;
+}
+
+.parallax-container .parallax img {
+ display: none;
+ position: absolute;
+ left: 50%;
+ bottom: 0;
+ min-width: 100%;
+ min-height: 100%;
+ -webkit-transform: translate3d(0, 0, 0);
+ transform: translate3d(0, 0, 0);
+ -webkit-transform: translateX(-50%);
+ transform: translateX(-50%);
+}
+
+.pin-top, .pin-bottom {
+ position: relative;
+}
+
+.pinned {
+ position: fixed !important;
+}
+
+/*********************
+ Transition Classes
+**********************/
+ul.staggered-list li {
+ opacity: 0;
+}
+
+.fade-in {
+ opacity: 0;
+ -webkit-transform-origin: 0 50%;
+ transform-origin: 0 50%;
+}
+
+/*********************
+ Media Query Classes
+**********************/
+@media only screen and (max-width: 600px) {
+ .hide-on-small-only, .hide-on-small-and-down {
+ display: none !important;
+ }
+}
+
+@media only screen and (max-width: 992px) {
+ .hide-on-med-and-down {
+ display: none !important;
+ }
+}
+
+@media only screen and (min-width: 601px) {
+ .hide-on-med-and-up {
+ display: none !important;
+ }
+}
+
+@media only screen and (min-width: 600px) and (max-width: 992px) {
+ .hide-on-med-only {
+ display: none !important;
+ }
+}
+
+@media only screen and (min-width: 993px) {
+ .hide-on-large-only {
+ display: none !important;
+ }
+}
+
+@media only screen and (min-width: 993px) {
+ .show-on-large {
+ display: block !important;
+ }
+}
+
+@media only screen and (min-width: 600px) and (max-width: 992px) {
+ .show-on-medium {
+ display: block !important;
+ }
+}
+
+@media only screen and (max-width: 600px) {
+ .show-on-small {
+ display: block !important;
+ }
+}
+
+@media only screen and (min-width: 601px) {
+ .show-on-medium-and-up {
+ display: block !important;
+ }
+}
+
+@media only screen and (max-width: 992px) {
+ .show-on-medium-and-down {
+ display: block !important;
+ }
+}
+
+@media only screen and (max-width: 600px) {
+ .center-on-small-only {
+ text-align: center;
+ }
+}
+
+.page-footer {
+ padding-top: 20px;
+ color: #fff;
+ background-color: #ee6e73;
+}
+
+.page-footer .footer-copyright {
+ overflow: hidden;
+ min-height: 50px;
+ display: -webkit-box;
+ display: -webkit-flex;
+ display: -ms-flexbox;
+ display: flex;
+ -webkit-box-align: center;
+ -webkit-align-items: center;
+ -ms-flex-align: center;
+ align-items: center;
+ padding: 10px 0px;
+ color: rgba(255, 255, 255, 0.8);
+ background-color: rgba(51, 51, 51, 0.08);
+}
+
+table, th, td {
+ border: none;
+}
+
+table {
+ width: 100%;
+ display: table;
+}
+
+table.bordered > thead > tr,
+table.bordered > tbody > tr {
+ border-bottom: 1px solid #d0d0d0;
+}
+
+table.striped > tbody > tr:nth-child(odd) {
+ background-color: #f2f2f2;
+}
+
+table.striped > tbody > tr > td {
+ border-radius: 0;
+}
+
+table.highlight > tbody > tr {
+ -webkit-transition: background-color .25s ease;
+ transition: background-color .25s ease;
+}
+
+table.highlight > tbody > tr:hover {
+ background-color: #f2f2f2;
+}
+
+table.centered thead tr th, table.centered tbody tr td {
+ text-align: center;
+}
+
+thead {
+ border-bottom: 1px solid #d0d0d0;
+}
+
+td, th {
+ padding: 15px 5px;
+ display: table-cell;
+ text-align: left;
+ vertical-align: middle;
+ border-radius: 2px;
+}
+
+@media only screen and (max-width: 992px) {
+ table.responsive-table {
+ width: 100%;
+ border-collapse: collapse;
+ border-spacing: 0;
+ display: block;
+ position: relative;
+ /* sort out borders */
+ }
+ table.responsive-table td:empty:before {
+ content: '\00a0';
+ }
+ table.responsive-table th,
+ table.responsive-table td {
+ margin: 0;
+ vertical-align: top;
+ }
+ table.responsive-table th {
+ text-align: left;
+ }
+ table.responsive-table thead {
+ display: block;
+ float: left;
+ }
+ table.responsive-table thead tr {
+ display: block;
+ padding: 0 10px 0 0;
+ }
+ table.responsive-table thead tr th::before {
+ content: "\00a0";
+ }
+ table.responsive-table tbody {
+ display: block;
+ width: auto;
+ position: relative;
+ overflow-x: auto;
+ white-space: nowrap;
+ }
+ table.responsive-table tbody tr {
+ display: inline-block;
+ vertical-align: top;
+ }
+ table.responsive-table th {
+ display: block;
+ text-align: right;
+ }
+ table.responsive-table td {
+ display: block;
+ min-height: 1.25em;
+ text-align: left;
+ }
+ table.responsive-table tr {
+ padding: 0 10px;
+ }
+ table.responsive-table thead {
+ border: 0;
+ border-right: 1px solid #d0d0d0;
+ }
+ table.responsive-table.bordered th {
+ border-bottom: 0;
+ border-left: 0;
+ }
+ table.responsive-table.bordered td {
+ border-left: 0;
+ border-right: 0;
+ border-bottom: 0;
+ }
+ table.responsive-table.bordered tr {
+ border: 0;
+ }
+ table.responsive-table.bordered tbody tr {
+ border-right: 1px solid #d0d0d0;
+ }
+}
+
+.collection {
+ margin: 0.5rem 0 1rem 0;
+ border: 1px solid #e0e0e0;
+ border-radius: 2px;
+ overflow: hidden;
+ position: relative;
+}
+
+.collection .collection-item {
+ background-color: #fff;
+ line-height: 1.5rem;
+ padding: 10px 20px;
+ margin: 0;
+ border-bottom: 1px solid #e0e0e0;
+}
+
+.collection .collection-item.avatar {
+ min-height: 84px;
+ padding-left: 72px;
+ position: relative;
+}
+
+.collection .collection-item.avatar:not(.circle-clipper) > .circle,
+.collection .collection-item.avatar :not(.circle-clipper) > .circle {
+ position: absolute;
+ width: 42px;
+ height: 42px;
+ overflow: hidden;
+ left: 15px;
+ display: inline-block;
+ vertical-align: middle;
+}
+
+.collection .collection-item.avatar i.circle {
+ font-size: 18px;
+ line-height: 42px;
+ color: #fff;
+ background-color: #999;
+ text-align: center;
+}
+
+.collection .collection-item.avatar .title {
+ font-size: 16px;
+}
+
+.collection .collection-item.avatar p {
+ margin: 0;
+}
+
+.collection .collection-item.avatar .secondary-content {
+ position: absolute;
+ top: 16px;
+ right: 16px;
+}
+
+.collection .collection-item:last-child {
+ border-bottom: none;
+}
+
+.collection .collection-item.active {
+ background-color: #26a69a;
+ color: #eafaf9;
+}
+
+.collection .collection-item.active .secondary-content {
+ color: #fff;
+}
+
+.collection a.collection-item {
+ display: block;
+ -webkit-transition: .25s;
+ transition: .25s;
+ color: #26a69a;
+}
+
+.collection a.collection-item:not(.active):hover {
+ background-color: #ddd;
+}
+
+.collection.with-header .collection-header {
+ background-color: #fff;
+ border-bottom: 1px solid #e0e0e0;
+ padding: 10px 20px;
+}
+
+.collection.with-header .collection-item {
+ padding-left: 30px;
+}
+
+.collection.with-header .collection-item.avatar {
+ padding-left: 72px;
+}
+
+.secondary-content {
+ float: right;
+ color: #26a69a;
+}
+
+.collapsible .collection {
+ margin: 0;
+ border: none;
+}
+
+.video-container {
+ position: relative;
+ padding-bottom: 56.25%;
+ height: 0;
+ overflow: hidden;
+}
+
+.video-container iframe, .video-container object, .video-container embed {
+ position: absolute;
+ top: 0;
+ left: 0;
+ width: 100%;
+ height: 100%;
+}
+
+.progress {
+ position: relative;
+ height: 4px;
+ display: block;
+ width: 100%;
+ background-color: #acece6;
+ border-radius: 2px;
+ margin: 0.5rem 0 1rem 0;
+ overflow: hidden;
+}
+
+.progress .determinate {
+ position: absolute;
+ top: 0;
+ left: 0;
+ bottom: 0;
+ background-color: #26a69a;
+ -webkit-transition: width .3s linear;
+ transition: width .3s linear;
+}
+
+.progress .indeterminate {
+ background-color: #26a69a;
+}
+
+.progress .indeterminate:before {
+ content: '';
+ position: absolute;
+ background-color: inherit;
+ top: 0;
+ left: 0;
+ bottom: 0;
+ will-change: left, right;
+ -webkit-animation: indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) infinite;
+ animation: indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) infinite;
+}
+
+.progress .indeterminate:after {
+ content: '';
+ position: absolute;
+ background-color: inherit;
+ top: 0;
+ left: 0;
+ bottom: 0;
+ will-change: left, right;
+ -webkit-animation: indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) infinite;
+ animation: indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) infinite;
+ -webkit-animation-delay: 1.15s;
+ animation-delay: 1.15s;
+}
+
+@-webkit-keyframes indeterminate {
+ 0% {
+ left: -35%;
+ right: 100%;
+ }
+ 60% {
+ left: 100%;
+ right: -90%;
+ }
+ 100% {
+ left: 100%;
+ right: -90%;
+ }
+}
+
+@keyframes indeterminate {
+ 0% {
+ left: -35%;
+ right: 100%;
+ }
+ 60% {
+ left: 100%;
+ right: -90%;
+ }
+ 100% {
+ left: 100%;
+ right: -90%;
+ }
+}
+
+@-webkit-keyframes indeterminate-short {
+ 0% {
+ left: -200%;
+ right: 100%;
+ }
+ 60% {
+ left: 107%;
+ right: -8%;
+ }
+ 100% {
+ left: 107%;
+ right: -8%;
+ }
+}
+
+@keyframes indeterminate-short {
+ 0% {
+ left: -200%;
+ right: 100%;
+ }
+ 60% {
+ left: 107%;
+ right: -8%;
+ }
+ 100% {
+ left: 107%;
+ right: -8%;
+ }
+}
+
+/*******************
+ Utility Classes
+*******************/
+.hide {
+ display: none !important;
+}
+
+.left-align {
+ text-align: left;
+}
+
+.right-align {
+ text-align: right;
+}
+
+.center, .center-align {
+ text-align: center;
+}
+
+.left {
+ float: left !important;
+}
+
+.right {
+ float: right !important;
+}
+
+.no-select, input[type=range],
+input[type=range] + .thumb {
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ -ms-user-select: none;
+ user-select: none;
+}
+
+.circle {
+ border-radius: 50%;
+}
+
+.center-block {
+ display: block;
+ margin-left: auto;
+ margin-right: auto;
+}
+
+.truncate {
+ display: block;
+ white-space: nowrap;
+ overflow: hidden;
+ text-overflow: ellipsis;
+}
+
+.no-padding {
+ padding: 0 !important;
+}
+
+span.badge {
+ min-width: 3rem;
+ padding: 0 6px;
+ margin-left: 14px;
+ text-align: center;
+ font-size: 1rem;
+ line-height: 22px;
+ height: 22px;
+ color: #757575;
+ float: right;
+ -webkit-box-sizing: border-box;
+ box-sizing: border-box;
+}
+
+span.badge.new {
+ font-weight: 300;
+ font-size: 0.8rem;
+ color: #fff;
+ background-color: #26a69a;
+ border-radius: 2px;
+}
+
+span.badge.new:after {
+ content: " new";
+}
+
+span.badge[data-badge-caption]::after {
+ content: " " attr(data-badge-caption);
+}
+
+nav ul a span.badge {
+ display: inline-block;
+ float: none;
+ margin-left: 4px;
+ line-height: 22px;
+ height: 22px;
+ -webkit-font-smoothing: auto;
+}
+
+.collection-item span.badge {
+ margin-top: calc(0.75rem - 11px);
+}
+
+.collapsible span.badge {
+ margin-left: auto;
+}
+
+.side-nav span.badge {
+ margin-top: calc(24px - 11px);
+}
+
+/* This is needed for some mobile phones to display the Google Icon font properly */
+.material-icons {
+ text-rendering: optimizeLegibility;
+ -webkit-font-feature-settings: 'liga';
+ -moz-font-feature-settings: 'liga';
+ font-feature-settings: 'liga';
+}
+
+.container {
+ margin: 0 auto;
+ max-width: 1280px;
+ width: 90%;
+}
+
+@media only screen and (min-width: 601px) {
+ .container {
+ width: 85%;
+ }
+}
+
+@media only screen and (min-width: 993px) {
+ .container {
+ width: 70%;
+ }
+}
+
+.container .row {
+ margin-left: -0.75rem;
+ margin-right: -0.75rem;
+}
+
+.section {
+ padding-top: 1rem;
+ padding-bottom: 1rem;
+}
+
+.section.no-pad {
+ padding: 0;
+}
+
+.section.no-pad-bot {
+ padding-bottom: 0;
+}
+
+.section.no-pad-top {
+ padding-top: 0;
+}
+
+.row {
+ margin-left: auto;
+ margin-right: auto;
+ margin-bottom: 20px;
+}
+
+.row:after {
+ content: "";
+ display: table;
+ clear: both;
+}
+
+.row .col {
+ float: left;
+ -webkit-box-sizing: border-box;
+ box-sizing: border-box;
+ padding: 0 0.75rem;
+ min-height: 1px;
+}
+
+.row .col[class*="push-"], .row .col[class*="pull-"] {
+ position: relative;
+}
+
+.row .col.s1 {
+ width: 8.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s2 {
+ width: 16.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s3 {
+ width: 25%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s4 {
+ width: 33.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s5 {
+ width: 41.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s6 {
+ width: 50%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s7 {
+ width: 58.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s8 {
+ width: 66.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s9 {
+ width: 75%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s10 {
+ width: 83.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s11 {
+ width: 91.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.s12 {
+ width: 100%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+}
+
+.row .col.offset-s1 {
+ margin-left: 8.3333333333%;
+}
+
+.row .col.pull-s1 {
+ right: 8.3333333333%;
+}
+
+.row .col.push-s1 {
+ left: 8.3333333333%;
+}
+
+.row .col.offset-s2 {
+ margin-left: 16.6666666667%;
+}
+
+.row .col.pull-s2 {
+ right: 16.6666666667%;
+}
+
+.row .col.push-s2 {
+ left: 16.6666666667%;
+}
+
+.row .col.offset-s3 {
+ margin-left: 25%;
+}
+
+.row .col.pull-s3 {
+ right: 25%;
+}
+
+.row .col.push-s3 {
+ left: 25%;
+}
+
+.row .col.offset-s4 {
+ margin-left: 33.3333333333%;
+}
+
+.row .col.pull-s4 {
+ right: 33.3333333333%;
+}
+
+.row .col.push-s4 {
+ left: 33.3333333333%;
+}
+
+.row .col.offset-s5 {
+ margin-left: 41.6666666667%;
+}
+
+.row .col.pull-s5 {
+ right: 41.6666666667%;
+}
+
+.row .col.push-s5 {
+ left: 41.6666666667%;
+}
+
+.row .col.offset-s6 {
+ margin-left: 50%;
+}
+
+.row .col.pull-s6 {
+ right: 50%;
+}
+
+.row .col.push-s6 {
+ left: 50%;
+}
+
+.row .col.offset-s7 {
+ margin-left: 58.3333333333%;
+}
+
+.row .col.pull-s7 {
+ right: 58.3333333333%;
+}
+
+.row .col.push-s7 {
+ left: 58.3333333333%;
+}
+
+.row .col.offset-s8 {
+ margin-left: 66.6666666667%;
+}
+
+.row .col.pull-s8 {
+ right: 66.6666666667%;
+}
+
+.row .col.push-s8 {
+ left: 66.6666666667%;
+}
+
+.row .col.offset-s9 {
+ margin-left: 75%;
+}
+
+.row .col.pull-s9 {
+ right: 75%;
+}
+
+.row .col.push-s9 {
+ left: 75%;
+}
+
+.row .col.offset-s10 {
+ margin-left: 83.3333333333%;
+}
+
+.row .col.pull-s10 {
+ right: 83.3333333333%;
+}
+
+.row .col.push-s10 {
+ left: 83.3333333333%;
+}
+
+.row .col.offset-s11 {
+ margin-left: 91.6666666667%;
+}
+
+.row .col.pull-s11 {
+ right: 91.6666666667%;
+}
+
+.row .col.push-s11 {
+ left: 91.6666666667%;
+}
+
+.row .col.offset-s12 {
+ margin-left: 100%;
+}
+
+.row .col.pull-s12 {
+ right: 100%;
+}
+
+.row .col.push-s12 {
+ left: 100%;
+}
+
+@media only screen and (min-width: 601px) {
+ .row .col.m1 {
+ width: 8.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m2 {
+ width: 16.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m3 {
+ width: 25%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m4 {
+ width: 33.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m5 {
+ width: 41.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m6 {
+ width: 50%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m7 {
+ width: 58.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m8 {
+ width: 66.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m9 {
+ width: 75%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m10 {
+ width: 83.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m11 {
+ width: 91.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.m12 {
+ width: 100%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.offset-m1 {
+ margin-left: 8.3333333333%;
+ }
+ .row .col.pull-m1 {
+ right: 8.3333333333%;
+ }
+ .row .col.push-m1 {
+ left: 8.3333333333%;
+ }
+ .row .col.offset-m2 {
+ margin-left: 16.6666666667%;
+ }
+ .row .col.pull-m2 {
+ right: 16.6666666667%;
+ }
+ .row .col.push-m2 {
+ left: 16.6666666667%;
+ }
+ .row .col.offset-m3 {
+ margin-left: 25%;
+ }
+ .row .col.pull-m3 {
+ right: 25%;
+ }
+ .row .col.push-m3 {
+ left: 25%;
+ }
+ .row .col.offset-m4 {
+ margin-left: 33.3333333333%;
+ }
+ .row .col.pull-m4 {
+ right: 33.3333333333%;
+ }
+ .row .col.push-m4 {
+ left: 33.3333333333%;
+ }
+ .row .col.offset-m5 {
+ margin-left: 41.6666666667%;
+ }
+ .row .col.pull-m5 {
+ right: 41.6666666667%;
+ }
+ .row .col.push-m5 {
+ left: 41.6666666667%;
+ }
+ .row .col.offset-m6 {
+ margin-left: 50%;
+ }
+ .row .col.pull-m6 {
+ right: 50%;
+ }
+ .row .col.push-m6 {
+ left: 50%;
+ }
+ .row .col.offset-m7 {
+ margin-left: 58.3333333333%;
+ }
+ .row .col.pull-m7 {
+ right: 58.3333333333%;
+ }
+ .row .col.push-m7 {
+ left: 58.3333333333%;
+ }
+ .row .col.offset-m8 {
+ margin-left: 66.6666666667%;
+ }
+ .row .col.pull-m8 {
+ right: 66.6666666667%;
+ }
+ .row .col.push-m8 {
+ left: 66.6666666667%;
+ }
+ .row .col.offset-m9 {
+ margin-left: 75%;
+ }
+ .row .col.pull-m9 {
+ right: 75%;
+ }
+ .row .col.push-m9 {
+ left: 75%;
+ }
+ .row .col.offset-m10 {
+ margin-left: 83.3333333333%;
+ }
+ .row .col.pull-m10 {
+ right: 83.3333333333%;
+ }
+ .row .col.push-m10 {
+ left: 83.3333333333%;
+ }
+ .row .col.offset-m11 {
+ margin-left: 91.6666666667%;
+ }
+ .row .col.pull-m11 {
+ right: 91.6666666667%;
+ }
+ .row .col.push-m11 {
+ left: 91.6666666667%;
+ }
+ .row .col.offset-m12 {
+ margin-left: 100%;
+ }
+ .row .col.pull-m12 {
+ right: 100%;
+ }
+ .row .col.push-m12 {
+ left: 100%;
+ }
+}
+
+@media only screen and (min-width: 993px) {
+ .row .col.l1 {
+ width: 8.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l2 {
+ width: 16.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l3 {
+ width: 25%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l4 {
+ width: 33.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l5 {
+ width: 41.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l6 {
+ width: 50%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l7 {
+ width: 58.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l8 {
+ width: 66.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l9 {
+ width: 75%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l10 {
+ width: 83.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l11 {
+ width: 91.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.l12 {
+ width: 100%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.offset-l1 {
+ margin-left: 8.3333333333%;
+ }
+ .row .col.pull-l1 {
+ right: 8.3333333333%;
+ }
+ .row .col.push-l1 {
+ left: 8.3333333333%;
+ }
+ .row .col.offset-l2 {
+ margin-left: 16.6666666667%;
+ }
+ .row .col.pull-l2 {
+ right: 16.6666666667%;
+ }
+ .row .col.push-l2 {
+ left: 16.6666666667%;
+ }
+ .row .col.offset-l3 {
+ margin-left: 25%;
+ }
+ .row .col.pull-l3 {
+ right: 25%;
+ }
+ .row .col.push-l3 {
+ left: 25%;
+ }
+ .row .col.offset-l4 {
+ margin-left: 33.3333333333%;
+ }
+ .row .col.pull-l4 {
+ right: 33.3333333333%;
+ }
+ .row .col.push-l4 {
+ left: 33.3333333333%;
+ }
+ .row .col.offset-l5 {
+ margin-left: 41.6666666667%;
+ }
+ .row .col.pull-l5 {
+ right: 41.6666666667%;
+ }
+ .row .col.push-l5 {
+ left: 41.6666666667%;
+ }
+ .row .col.offset-l6 {
+ margin-left: 50%;
+ }
+ .row .col.pull-l6 {
+ right: 50%;
+ }
+ .row .col.push-l6 {
+ left: 50%;
+ }
+ .row .col.offset-l7 {
+ margin-left: 58.3333333333%;
+ }
+ .row .col.pull-l7 {
+ right: 58.3333333333%;
+ }
+ .row .col.push-l7 {
+ left: 58.3333333333%;
+ }
+ .row .col.offset-l8 {
+ margin-left: 66.6666666667%;
+ }
+ .row .col.pull-l8 {
+ right: 66.6666666667%;
+ }
+ .row .col.push-l8 {
+ left: 66.6666666667%;
+ }
+ .row .col.offset-l9 {
+ margin-left: 75%;
+ }
+ .row .col.pull-l9 {
+ right: 75%;
+ }
+ .row .col.push-l9 {
+ left: 75%;
+ }
+ .row .col.offset-l10 {
+ margin-left: 83.3333333333%;
+ }
+ .row .col.pull-l10 {
+ right: 83.3333333333%;
+ }
+ .row .col.push-l10 {
+ left: 83.3333333333%;
+ }
+ .row .col.offset-l11 {
+ margin-left: 91.6666666667%;
+ }
+ .row .col.pull-l11 {
+ right: 91.6666666667%;
+ }
+ .row .col.push-l11 {
+ left: 91.6666666667%;
+ }
+ .row .col.offset-l12 {
+ margin-left: 100%;
+ }
+ .row .col.pull-l12 {
+ right: 100%;
+ }
+ .row .col.push-l12 {
+ left: 100%;
+ }
+}
+
+@media only screen and (min-width: 1201px) {
+ .row .col.xl1 {
+ width: 8.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl2 {
+ width: 16.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl3 {
+ width: 25%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl4 {
+ width: 33.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl5 {
+ width: 41.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl6 {
+ width: 50%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl7 {
+ width: 58.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl8 {
+ width: 66.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl9 {
+ width: 75%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl10 {
+ width: 83.3333333333%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl11 {
+ width: 91.6666666667%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.xl12 {
+ width: 100%;
+ margin-left: auto;
+ left: auto;
+ right: auto;
+ }
+ .row .col.offset-xl1 {
+ margin-left: 8.3333333333%;
+ }
+ .row .col.pull-xl1 {
+ right: 8.3333333333%;
+ }
+ .row .col.push-xl1 {
+ left: 8.3333333333%;
+ }
+ .row .col.offset-xl2 {
+ margin-left: 16.6666666667%;
+ }
+ .row .col.pull-xl2 {
+ right: 16.6666666667%;
+ }
+ .row .col.push-xl2 {
+ left: 16.6666666667%;
+ }
+ .row .col.offset-xl3 {
+ margin-left: 25%;
+ }
+ .row .col.pull-xl3 {
+ right: 25%;
+ }
+ .row .col.push-xl3 {
+ left: 25%;
+ }
+ .row .col.offset-xl4 {
+ margin-left: 33.3333333333%;
+ }
+ .row .col.pull-xl4 {
+ right: 33.3333333333%;
+ }
+ .row .col.push-xl4 {
+ left: 33.3333333333%;
+ }
+ .row .col.offset-xl5 {
+ margin-left: 41.6666666667%;
+ }
+ .row .col.pull-xl5 {
+ right: 41.6666666667%;
+ }
+ .row .col.push-xl5 {
+ left: 41.6666666667%;
+ }
+ .row .col.offset-xl6 {
+ margin-left: 50%;
+ }
+ .row .col.pull-xl6 {
+ right: 50%;
+ }
+ .row .col.push-xl6 {
+ left: 50%;
+ }
+ .row .col.offset-xl7 {
+ margin-left: 58.3333333333%;
+ }
+ .row .col.pull-xl7 {
+ right: 58.3333333333%;
+ }
+ .row .col.push-xl7 {
+ left: 58.3333333333%;
+ }
+ .row .col.offset-xl8 {
+ margin-left: 66.6666666667%;
+ }
+ .row .col.pull-xl8 {
+ right: 66.6666666667%;
+ }
+ .row .col.push-xl8 {
+ left: 66.6666666667%;
+ }
+ .row .col.offset-xl9 {
+ margin-left: 75%;
+ }
+ .row .col.pull-xl9 {
+ right: 75%;
+ }
+ .row .col.push-xl9 {
+ left: 75%;
+ }
+ .row .col.offset-xl10 {
+ margin-left: 83.3333333333%;
+ }
+ .row .col.pull-xl10 {
+ right: 83.3333333333%;
+ }
+ .row .col.push-xl10 {
+ left: 83.3333333333%;
+ }
+ .row .col.offset-xl11 {
+ margin-left: 91.6666666667%;
+ }
+ .row .col.pull-xl11 {
+ right: 91.6666666667%;
+ }
+ .row .col.push-xl11 {
+ left: 91.6666666667%;
+ }
+ .row .col.offset-xl12 {
+ margin-left: 100%;
+ }
+ .row .col.pull-xl12 {
+ right: 100%;
+ }
+ .row .col.push-xl12 {
+ left: 100%;
+ }
+}
+
+nav {
+ color: #fff;
+ background-color: #ee6e73;
+ width: 100%;
+ height: 56px;
+ line-height: 56px;
+}
+
+nav.nav-extended {
+ height: auto;
+}
+
+nav.nav-extended .nav-wrapper {
+ min-height: 56px;
+ height: auto;
+}
+
+nav.nav-extended .nav-content {
+ position: relative;
+ line-height: normal;
+}
+
+nav a {
+ color: #fff;
+}
+
+nav i,
+nav [class^="mdi-"], nav [class*="mdi-"],
+nav i.material-icons {
+ display: block;
+ font-size: 24px;
+ height: 56px;
+ line-height: 56px;
+}
+
+nav .nav-wrapper {
+ position: relative;
+ height: 100%;
+}
+
+@media only screen and (min-width: 993px) {
+ nav a.button-collapse {
+ display: none;
+ }
+}
+
+nav .button-collapse {
+ float: left;
+ position: relative;
+ z-index: 1;
+ height: 56px;
+ margin: 0 18px;
+}
+
+nav .button-collapse i {
+ height: 56px;
+ line-height: 56px;
+}
+
+nav .brand-logo {
+ position: absolute;
+ color: #fff;
+ display: inline-block;
+ font-size: 2.1rem;
+ padding: 0;
+}
+
+nav .brand-logo.center {
+ left: 50%;
+ -webkit-transform: translateX(-50%);
+ transform: translateX(-50%);
+}
+
+@media only screen and (max-width: 992px) {
+ nav .brand-logo {
+ left: 50%;
+ -webkit-transform: translateX(-50%);
+ transform: translateX(-50%);
+ }
+ nav .brand-logo.left, nav .brand-logo.right {
+ padding: 0;
+ -webkit-transform: none;
+ transform: none;
+ }
+ nav .brand-logo.left {
+ left: 0.5rem;
+ }
+ nav .brand-logo.right {
+ right: 0.5rem;
+ left: auto;
+ }
+}
+
+nav .brand-logo.right {
+ right: 0.5rem;
+ padding: 0;
+}
+
+nav .brand-logo i,
+nav .brand-logo [class^="mdi-"], nav .brand-logo [class*="mdi-"],
+nav .brand-logo i.material-icons {
+ float: left;
+ margin-right: 15px;
+}
+
+nav .nav-title {
+ display: inline-block;
+ font-size: 32px;
+ padding: 28px 0;
+}
+
+nav ul {
+ margin: 0;
+}
+
+nav ul li {
+ -webkit-transition: background-color .3s;
+ transition: background-color .3s;
+ float: left;
+ padding: 0;
+}
+
+nav ul li.active {
+ background-color: rgba(0, 0, 0, 0.1);
+}
+
+nav ul a {
+ -webkit-transition: background-color .3s;
+ transition: background-color .3s;
+ font-size: 1rem;
+ color: #fff;
+ display: block;
+ padding: 0 15px;
+ cursor: pointer;
+}
+
+nav ul a.btn, nav ul a.btn-large, nav ul a.btn-large, nav ul a.btn-flat, nav ul a.btn-floating {
+ margin-top: -2px;
+ margin-left: 15px;
+ margin-right: 15px;
+}
+
+nav ul a.btn > .material-icons, nav ul a.btn-large > .material-icons, nav ul a.btn-large > .material-icons, nav ul a.btn-flat > .material-icons, nav ul a.btn-floating > .material-icons {
+ height: inherit;
+ line-height: inherit;
+}
+
+nav ul a:hover {
+ background-color: rgba(0, 0, 0, 0.1);
+}
+
+nav ul.left {
+ float: left;
+}
+
+nav form {
+ height: 100%;
+}
+
+nav .input-field {
+ margin: 0;
+ height: 100%;
+}
+
+nav .input-field input {
+ height: 100%;
+ font-size: 1.2rem;
+ border: none;
+ padding-left: 2rem;
+}
+
+nav .input-field input:focus, nav .input-field input[type=text]:valid, nav .input-field input[type=password]:valid, nav .input-field input[type=email]:valid, nav .input-field input[type=url]:valid, nav .input-field input[type=date]:valid {
+ border: none;
+ -webkit-box-shadow: none;
+ box-shadow: none;
+}
+
+nav .input-field label {
+ top: 0;
+ left: 0;
+}
+
+nav .input-field label i {
+ color: rgba(255, 255, 255, 0.7);
+ -webkit-transition: color .3s;
+ transition: color .3s;
+}
+
+nav .input-field label.active i {
+ color: #fff;
+}
+
+.navbar-fixed {
+ position: relative;
+ height: 56px;
+ z-index: 997;
+}
+
+.navbar-fixed nav {
+ position: fixed;
+}
+
+@media only screen and (min-width: 601px) {
+ nav.nav-extended .nav-wrapper {
+ min-height: 64px;
+ }
+ nav, nav .nav-wrapper i, nav a.button-collapse, nav a.button-collapse i {
+ height: 64px;
+ line-height: 64px;
+ }
+ .navbar-fixed {
+ height: 64px;
+ }
+}
+
+@font-face {
+ font-family: "Roboto";
+ src: local(Roboto Thin), url("../fonts/roboto/Roboto-Thin.woff2") format("woff2"), url("../fonts/roboto/Roboto-Thin.woff") format("woff");
+ font-weight: 100;
+}
+
+@font-face {
+ font-family: "Roboto";
+ src: local(Roboto Light), url("../fonts/roboto/Roboto-Light.woff2") format("woff2"), url("../fonts/roboto/Roboto-Light.woff") format("woff");
+ font-weight: 300;
+}
+
+@font-face {
+ font-family: "Roboto";
+ src: local(Roboto Regular), url("../fonts/roboto/Roboto-Regular.woff2") format("woff2"), url("../fonts/roboto/Roboto-Regular.woff") format("woff");
+ font-weight: 400;
+}
+
+@font-face {
+ font-family: "Roboto";
+ src: local(Roboto Medium), url("../fonts/roboto/Roboto-Medium.woff2") format("woff2"), url("../fonts/roboto/Roboto-Medium.woff") format("woff");
+ font-weight: 500;
+}
+
+@font-face {
+ font-family: "Roboto";
+ src: local(Roboto Bold), url("../fonts/roboto/Roboto-Bold.woff2") format("woff2"), url("../fonts/roboto/Roboto-Bold.woff") format("woff");
+ font-weight: 700;
+}
+
+a {
+ text-decoration: none;
+}
+
+html {
+ line-height: 1.5;
+ font-family: "Roboto", sans-serif;
+ font-weight: normal;
+ color: rgba(0, 0, 0, 0.87);
+}
+
+@media only screen and (min-width: 0) {
+ html {
+ font-size: 14px;
+ }
+}
+
+@media only screen and (min-width: 992px) {
+ html {
+ font-size: 14.5px;
+ }
+}
+
+@media only screen and (min-width: 1200px) {
+ html {
+ font-size: 15px;
+ }
+}
+
+h1, h2, h3, h4, h5, h6 {
+ font-weight: 400;
+ line-height: 1.1;
+}
+
+h1 a, h2 a, h3 a, h4 a, h5 a, h6 a {
+ font-weight: inherit;
+}
+
+h1 {
+ font-size: 4.2rem;
+ line-height: 110%;
+ margin: 2.1rem 0 1.68rem 0;
+}
+
+h2 {
+ font-size: 3.56rem;
+ line-height: 110%;
+ margin: 1.78rem 0 1.424rem 0;
+}
+
+h3 {
+ font-size: 2.92rem;
+ line-height: 110%;
+ margin: 1.46rem 0 1.168rem 0;
+}
+
+h4 {
+ font-size: 2.28rem;
+ line-height: 110%;
+ margin: 1.14rem 0 0.912rem 0;
+}
+
+h5 {
+ font-size: 1.64rem;
+ line-height: 110%;
+ margin: 0.82rem 0 0.656rem 0;
+}
+
+h6 {
+ font-size: 1rem;
+ line-height: 110%;
+ margin: 0.5rem 0 0.4rem 0;
+}
+
+em {
+ font-style: italic;
+}
+
+strong {
+ font-weight: 500;
+}
+
+small {
+ font-size: 75%;
+}
+
+.light, .page-footer .footer-copyright {
+ font-weight: 300;
+}
+
+.thin {
+ font-weight: 200;
+}
+
+.flow-text {
+ font-weight: 300;
+}
+
+@media only screen and (min-width: 360px) {
+ .flow-text {
+ font-size: 1.2rem;
+ }
+}
+
+@media only screen and (min-width: 390px) {
+ .flow-text {
+ font-size: 1.224rem;
+ }
+}
+
+@media only screen and (min-width: 420px) {
+ .flow-text {
+ font-size: 1.248rem;
+ }
+}
+
+@media only screen and (min-width: 450px) {
+ .flow-text {
+ font-size: 1.272rem;
+ }
+}
+
+@media only screen and (min-width: 480px) {
+ .flow-text {
+ font-size: 1.296rem;
+ }
+}
+
+@media only screen and (min-width: 510px) {
+ .flow-text {
+ font-size: 1.32rem;
+ }
+}
+
+@media only screen and (min-width: 540px) {
+ .flow-text {
+ font-size: 1.344rem;
+ }
+}
+
+@media only screen and (min-width: 570px) {
+ .flow-text {
+ font-size: 1.368rem;
+ }
+}
+
+@media only screen and (min-width: 600px) {
+ .flow-text {
+ font-size: 1.392rem;
+ }
+}
+
+@media only screen and (min-width: 630px) {
+ .flow-text {
+ font-size: 1.416rem;
+ }
+}
+
+@media only screen and (min-width: 660px) {
+ .flow-text {
+ font-size: 1.44rem;
+ }
+}
+
+@media only screen and (min-width: 690px) {
+ .flow-text {
+ font-size: 1.464rem;
+ }
+}
+
+@media only screen and (min-width: 720px) {
+ .flow-text {
+ font-size: 1.488rem;
+ }
+}
+
+@media only screen and (min-width: 750px) {
+ .flow-text {
+ font-size: 1.512rem;
+ }
+}
+
+@media only screen and (min-width: 780px) {
+ .flow-text {
+ font-size: 1.536rem;
+ }
+}
+
+@media only screen and (min-width: 810px) {
+ .flow-text {
+ font-size: 1.56rem;
+ }
+}
+
+@media only screen and (min-width: 840px) {
+ .flow-text {
+ font-size: 1.584rem;
+ }
+}
+
+@media only screen and (min-width: 870px) {
+ .flow-text {
+ font-size: 1.608rem;
+ }
+}
+
+@media only screen and (min-width: 900px) {
+ .flow-text {
+ font-size: 1.632rem;
+ }
+}
+
+@media only screen and (min-width: 930px) {
+ .flow-text {
+ font-size: 1.656rem;
+ }
+}
+
+@media only screen and (min-width: 960px) {
+ .flow-text {
+ font-size: 1.68rem;
+ }
+}
+
+@media only screen and (max-width: 360px) {
+ .flow-text {
+ font-size: 1.2rem;
+ }
+}
+
+.scale-transition {
+ -webkit-transition: -webkit-transform 0.3s cubic-bezier(0.53, 0.01, 0.36, 1.63) !important;
+ transition: -webkit-transform 0.3s cubic-bezier(0.53, 0.01, 0.36, 1.63) !important;
+ transition: transform 0.3s cubic-bezier(0.53, 0.01, 0.36, 1.63) !important;
+ transition: transform 0.3s cubic-bezier(0.53, 0.01, 0.36, 1.63), -webkit-transform 0.3s cubic-bezier(0.53, 0.01, 0.36, 1.63) !important;
+}
+
+.scale-transition.scale-out {
+ -webkit-transform: scale(0);
+ transform: scale(0);
+ -webkit-transition: -webkit-transform .2s !important;
+ transition: -webkit-transform .2s !important;
+ transition: transform .2s !important;
+ transition: transform .2s, -webkit-transform .2s !important;
+}
+
+.scale-transition.scale-in {
+ -webkit-transform: scale(1);
+ transform: scale(1);
+}
+
+.card-panel {
+ -webkit-transition: -webkit-box-shadow .25s;
+ transition: -webkit-box-shadow .25s;
+ transition: box-shadow .25s;
+ transition: box-shadow .25s, -webkit-box-shadow .25s;
+ padding: 24px;
+ margin: 0.5rem 0 1rem 0;
+ border-radius: 2px;
+ background-color: #fff;
+}
+
+.card {
+ position: relative;
+ margin: 0.5rem 0 1rem 0;
+ background-color: #fff;
+ -webkit-transition: -webkit-box-shadow .25s;
+ transition: -webkit-box-shadow .25s;
+ transition: box-shadow .25s;
+ transition: box-shadow .25s, -webkit-box-shadow .25s;
+ border-radius: 2px;
+}
+
+.card .card-title {
+ font-size: 24px;
+ font-weight: 300;
+}
+
+.card .card-title.activator {
+ cursor: pointer;
+}
+
+.card.small, .card.medium, .card.large {
+ position: relative;
+}
+
+.card.small .card-image, .card.medium .card-image, .card.large .card-image {
+ max-height: 60%;
+ overflow: hidden;
+}
+
+.card.small .card-image + .card-content, .card.medium .card-image + .card-content, .card.large .card-image + .card-content {
+ max-height: 40%;
+}
+
+.card.small .card-content, .card.medium .card-content, .card.large .card-content {
+ max-height: 100%;
+ overflow: hidden;
+}
+
+.card.small .card-action, .card.medium .card-action, .card.large .card-action {
+ position: absolute;
+ bottom: 0;
+ left: 0;
+ right: 0;
+}
+
+.card.small {
+ height: 300px;
+}
+
+.card.medium {
+ height: 400px;
+}
+
+.card.large {
+ height: 500px;
+}
+
+.card.horizontal {
+ display: -webkit-box;
+ display: -webkit-flex;
+ display: -ms-flexbox;
+ display: flex;
+}
+
+.card.horizontal.small .card-image, .card.horizontal.medium .card-image, .card.horizontal.large .card-image {
+ height: 100%;
+ max-height: none;
+ overflow: visible;
+}
+
+.card.horizontal.small .card-image img, .card.horizontal.medium .card-image img, .card.horizontal.large .card-image img {
+ height: 100%;
+}
+
+.card.horizontal .card-image {
+ max-width: 50%;
+}
+
+.card.horizontal .card-image img {
+ border-radius: 2px 0 0 2px;
+ max-width: 100%;
+ width: auto;
+}
+
+.card.horizontal .card-stacked {
+ display: -webkit-box;
+ display: -webkit-flex;
+ display: -ms-flexbox;
+ display: flex;
+ -webkit-box-orient: vertical;
+ -webkit-box-direction: normal;
+ -webkit-flex-direction: column;
+ -ms-flex-direction: column;
+ flex-direction: column;
+ -webkit-box-flex: 1;
+ -webkit-flex: 1;
+ -ms-flex: 1;
+ flex: 1;
+ position: relative;
+}
+
+.card.horizontal .card-stacked .card-content {
+ -webkit-box-flex: 1;
+ -webkit-flex-grow: 1;
+ -ms-flex-positive: 1;
+ flex-grow: 1;
+}
+
+.card.sticky-action .card-action {
+ z-index: 2;
+}
+
+.card.sticky-action .card-reveal {
+ z-index: 1;
+ padding-bottom: 64px;
+}
+
+.card .card-image {
+ position: relative;
+}
+
+.card .card-image img {
+ display: block;
+ border-radius: 2px 2px 0 0;
+ position: relative;
+ left: 0;
+ right: 0;
+ top: 0;
+ bottom: 0;
+ width: 100%;
+}
+
+.card .card-image .card-title {
+ color: #fff;
+ position: absolute;
+ bottom: 0;
+ left: 0;
+ max-width: 100%;
+ padding: 24px;
+}
+
+.card .card-content {
+ padding: 24px;
+ border-radius: 0 0 2px 2px;
+}
+
+.card .card-content p {
+ margin: 0;
+ color: inherit;
+}
+
+.card .card-content .card-title {
+ display: block;
+ line-height: 32px;
+ margin-bottom: 8px;
+}
+
+.card .card-content .card-title i {
+ line-height: 32px;
+}
+
+.card .card-action {
+ position: relative;
+ background-color: inherit;
+ border-top: 1px solid rgba(160, 160, 160, 0.2);
+ padding: 16px 24px;
+}
+
+.card .card-action:last-child {
+ border-radius: 0 0 2px 2px;
+}
+
+.card .card-action a:not(.btn):not(.btn-large):not(.btn-large):not(.btn-floating) {
+ color: #ffab40;
+ margin-right: 24px;
+ -webkit-transition: color .3s ease;
+ transition: color .3s ease;
+ text-transform: uppercase;
+}
+
+.card .card-action a:not(.btn):not(.btn-large):not(.btn-large):not(.btn-floating):hover {
+ color: #ffd8a6;
+}
+
+.card .card-reveal {
+ padding: 24px;
+ position: absolute;
+ background-color: #fff;
+ width: 100%;
+ overflow-y: auto;
+ left: 0;
+ top: 100%;
+ height: 100%;
+ z-index: 3;
+ display: none;
+}
+
+.card .card-reveal .card-title {
+ cursor: pointer;
+ display: block;
+}
+
+#toast-container {
+ display: block;
+ position: fixed;
+ z-index: 10000;
+}
+
+@media only screen and (max-width: 600px) {
+ #toast-container {
+ min-width: 100%;
+ bottom: 0%;
+ }
+}
+
+@media only screen and (min-width: 601px) and (max-width: 992px) {
+ #toast-container {
+ left: 5%;
+ bottom: 7%;
+ max-width: 90%;
+ }
+}
+
+@media only screen and (min-width: 993px) {
+ #toast-container {
+ top: 10%;
+ right: 7%;
+ max-width: 86%;
+ }
+}
+
+.toast {
+ border-radius: 2px;
+ top: 35px;
+ width: auto;
+ margin-top: 10px;
+ position: relative;
+ max-width: 100%;
+ height: auto;
+ min-height: 48px;
+ line-height: 1.5em;
+ word-break: break-all;
+ background-color: #323232;
+ padding: 10px 25px;
+ font-size: 1.1rem;
+ font-weight: 300;
+ color: #fff;
+ display: -webkit-box;
+ display: -webkit-flex;
+ display: -ms-flexbox;
+ display: flex;
+ -webkit-box-align: center;
+ -webkit-align-items: center;
+ -ms-flex-align: center;
+ align-items: center;
+ -webkit-box-pack: justify;
+ -webkit-justify-content: space-between;
+ -ms-flex-pack: justify;
+ justify-content: space-between;
+ cursor: default;
+}
+
+.toast .toast-action {
+ color: #eeff41;
+ font-weight: 500;
+ margin-right: -25px;
+ margin-left: 3rem;
+}
+
+.toast.rounded {
+ border-radius: 24px;
+}
+
+@media only screen and (max-width: 600px) {
+ .toast {
+ width: 100%;
+ border-radius: 0;
+ }
+}
+
+.tabs {
+ position: relative;
+ overflow-x: auto;
+ overflow-y: hidden;
+ height: 48px;
+ width: 100%;
+ background-color: #fff;
+ margin: 0 auto;
+ white-space: nowrap;
+}
+
+.tabs.tabs-transparent {
+ background-color: transparent;
+}
+
+.tabs.tabs-transparent .tab a,
+.tabs.tabs-transparent .tab.disabled a,
+.tabs.tabs-transparent .tab.disabled a:hover {
+ color: rgba(255, 255, 255, 0.7);
+}
+
+.tabs.tabs-transparent .tab a:hover,
+.tabs.tabs-transparent .tab a.active {
+ color: #fff;
+}
+
+.tabs.tabs-transparent .indicator {
+ background-color: #fff;
+}
+
+.tabs.tabs-fixed-width {
+ display: -webkit-box;
+ display: -webkit-flex;
+ display: -ms-flexbox;
+ display: flex;
+}
+
+.tabs.tabs-fixed-width .tab {
+ -webkit-box-flex: 1;
+ -webkit-flex-grow: 1;
+ -ms-flex-positive: 1;
+ flex-grow: 1;
+}
+
+.tabs .tab {
+ display: inline-block;
+ text-align: center;
+ line-height: 48px;
+ height: 48px;
+ padding: 0;
+ margin: 0;
+ text-transform: uppercase;
+}
+
+.tabs .tab a {
+ color: rgba(238, 110, 115, 0.7);
+ display: block;
+ width: 100%;
+ height: 100%;
+ padding: 0 24px;
+ font-size: 14px;
+ text-overflow: ellipsis;
+ overflow: hidden;
+ -webkit-transition: color .28s ease;
+ transition: color .28s ease;
+}
+
+.tabs .tab a:hover, .tabs .tab a.active {
+ background-color: transparent;
+ color: #ee6e73;
+}
+
+.tabs .tab.disabled a,
+.tabs .tab.disabled a:hover {
+ color: rgba(238, 110, 115, 0.7);
+ cursor: default;
+}
+
+.tabs .indicator {
+ position: absolute;
+ bottom: 0;
+ height: 2px;
+ background-color: #f6b2b5;
+ will-change: left, right;
+}
+
+@media only screen and (max-width: 992px) {
+ .tabs {
+ display: -webkit-box;
+ display: -webkit-flex;
+ display: -ms-flexbox;
+ display: flex;
+ }
+ .tabs .tab {
+ -webkit-box-flex: 1;
+ -webkit-flex-grow: 1;
+ -ms-flex-positive: 1;
+ flex-grow: 1;
+ }
+ .tabs .tab a {
+ padding: 0 12px;
+ }
+}
+
+.material-tooltip {
+ padding: 10px 8px;
+ font-size: 1rem;
+ z-index: 2000;
+ background-color: transparent;
+ border-radius: 2px;
+ color: #fff;
+ min-height: 36px;
+ line-height: 120%;
+ opacity: 0;
+ position: absolute;
+ text-align: center;
+ max-width: calc(100% - 4px);
+ overflow: hidden;
+ left: 0;
+ top: 0;
+ pointer-events: none;
+ visibility: hidden;
+}
+
+.backdrop {
+ position: absolute;
+ opacity: 0;
+ height: 7px;
+ width: 14px;
+ border-radius: 0 0 50% 50%;
+ background-color: #323232;
+ z-index: -1;
+ -webkit-transform-origin: 50% 0%;
+ transform-origin: 50% 0%;
+ visibility: hidden;
+}
+
+.btn, .btn-large,
+.btn-flat {
+ border: none;
+ border-radius: 2px;
+ display: inline-block;
+ height: 36px;
+ line-height: 36px;
+ padding: 0 2rem;
+ text-transform: uppercase;
+ vertical-align: middle;
+ -webkit-tap-highlight-color: transparent;
+}
+
+.btn.disabled, .disabled.btn-large,
+.btn-floating.disabled,
+.btn-large.disabled,
+.btn-flat.disabled,
+.btn:disabled,
+.btn-large:disabled,
+.btn-floating:disabled,
+.btn-large:disabled,
+.btn-flat:disabled,
+.btn[disabled],
+[disabled].btn-large,
+.btn-floating[disabled],
+.btn-large[disabled],
+.btn-flat[disabled] {
+ pointer-events: none;
+ background-color: #DFDFDF !important;
+ -webkit-box-shadow: none;
+ box-shadow: none;
+ color: #9F9F9F !important;
+ cursor: default;
+}
+
+.btn.disabled:hover, .disabled.btn-large:hover,
+.btn-floating.disabled:hover,
+.btn-large.disabled:hover,
+.btn-flat.disabled:hover,
+.btn:disabled:hover,
+.btn-large:disabled:hover,
+.btn-floating:disabled:hover,
+.btn-large:disabled:hover,
+.btn-flat:disabled:hover,
+.btn[disabled]:hover,
+[disabled].btn-large:hover,
+.btn-floating[disabled]:hover,
+.btn-large[disabled]:hover,
+.btn-flat[disabled]:hover {
+ background-color: #DFDFDF !important;
+ color: #9F9F9F !important;
+}
+
+.btn, .btn-large,
+.btn-floating,
+.btn-large,
+.btn-flat {
+ font-size: 1rem;
+ outline: 0;
+}
+
+.btn i, .btn-large i,
+.btn-floating i,
+.btn-large i,
+.btn-flat i {
+ font-size: 1.3rem;
+ line-height: inherit;
+}
+
+.btn:focus, .btn-large:focus,
+.btn-floating:focus {
+ background-color: #1d7d74;
+}
+
+.btn, .btn-large {
+ text-decoration: none;
+ color: #fff;
+ background-color: #26a69a;
+ text-align: center;
+ letter-spacing: .5px;
+ -webkit-transition: .2s ease-out;
+ transition: .2s ease-out;
+ cursor: pointer;
+}
+
+.btn:hover, .btn-large:hover {
+ background-color: #2bbbad;
+}
+
+.btn-floating {
+ display: inline-block;
+ color: #fff;
+ position: relative;
+ overflow: hidden;
+ z-index: 1;
+ width: 40px;
+ height: 40px;
+ line-height: 40px;
+ padding: 0;
+ background-color: #26a69a;
+ border-radius: 50%;
+ -webkit-transition: .3s;
+ transition: .3s;
+ cursor: pointer;
+ vertical-align: middle;
+}
+
+.btn-floating:hover {
+ background-color: #26a69a;
+}
+
+.btn-floating:before {
+ border-radius: 0;
+}
+
+.btn-floating.btn-large {
+ width: 56px;
+ height: 56px;
+}
+
+.btn-floating.btn-large.halfway-fab {
+ bottom: -28px;
+}
+
+.btn-floating.btn-large i {
+ line-height: 56px;
+}
+
+.btn-floating.halfway-fab {
+ position: absolute;
+ right: 24px;
+ bottom: -20px;
+}
+
+.btn-floating.halfway-fab.left {
+ right: auto;
+ left: 24px;
+}
+
+.btn-floating i {
+ width: inherit;
+ display: inline-block;
+ text-align: center;
+ color: #fff;
+ font-size: 1.6rem;
+ line-height: 40px;
+}
+
+button.btn-floating {
+ border: none;
+}
+
+.fixed-action-btn {
+ position: fixed;
+ right: 23px;
+ bottom: 23px;
+ padding-top: 15px;
+ margin-bottom: 0;
+ z-index: 997;
+}
+
+.fixed-action-btn.active ul {
+ visibility: visible;
+}
+
+.fixed-action-btn.horizontal {
+ padding: 0 0 0 15px;
+}
+
+.fixed-action-btn.horizontal ul {
+ text-align: right;
+ right: 64px;
+ top: 50%;
+ -webkit-transform: translateY(-50%);
+ transform: translateY(-50%);
+ height: 100%;
+ left: auto;
+ width: 500px;
+ /*width 100% only goes to width of button container */
+}
+
+.fixed-action-btn.horizontal ul li {
+ display: inline-block;
+ margin: 15px 15px 0 0;
+}
+
+.fixed-action-btn.toolbar {
+ padding: 0;
+ height: 56px;
+}
+
+.fixed-action-btn.toolbar.active > a i {
+ opacity: 0;
+}
+
+.fixed-action-btn.toolbar ul {
+ display: -webkit-box;
+ display: -webkit-flex;
+ display: -ms-flexbox;
+ display: flex;
+ top: 0;
+ bottom: 0;
+ z-index: 1;
+}
+
+.fixed-action-btn.toolbar ul li {
+ -webkit-box-flex: 1;
+ -webkit-flex: 1;
+ -ms-flex: 1;
+ flex: 1;
+ display: inline-block;
+ margin: 0;
+ height: 100%;
+ -webkit-transition: none;
+ transition: none;
+}
+
+.fixed-action-btn.toolbar ul li a {
+ display: block;
+ overflow: hidden;
+ position: relative;
+ width: 100%;
+ height: 100%;
+ background-color: transparent;
+ -webkit-box-shadow: none;
+ box-shadow: none;
+ color: #fff;
+ line-height: 56px;
+ z-index: 1;
+}
+
+.fixed-action-btn.toolbar ul li a i {
+ line-height: inherit;
+}
+
+.fixed-action-btn ul {
+ left: 0;
+ right: 0;
+ text-align: center;
+ position: absolute;
+ bottom: 64px;
+ margin: 0;
+ visibility: hidden;
+}
+
+.fixed-action-btn ul li {
+ margin-bottom: 15px;
+}
+
+.fixed-action-btn ul a.btn-floating {
+ opacity: 0;
+}
+
+.fixed-action-btn .fab-backdrop {
+ position: absolute;
+ top: 0;
+ left: 0;
+ z-index: -1;
+ width: 40px;
+ height: 40px;
+ background-color: #26a69a;
+ border-radius: 50%;
+ -webkit-transform: scale(0);
+ transform: scale(0);
+}
+
+.btn-flat {
+ -webkit-box-shadow: none;
+ box-shadow: none;
+ background-color: transparent;
+ color: #343434;
+ cursor: pointer;
+ -webkit-transition: background-color .2s;
+ transition: background-color .2s;
+}
+
+.btn-flat:focus, .btn-flat:hover {
+ -webkit-box-shadow: none;
+ box-shadow: none;
+}
+
+.btn-flat:focus {
+ background-color: rgba(0, 0, 0, 0.1);
+}
+
+.btn-flat.disabled {
+ background-color: transparent !important;
+ color: #b3b2b2 !important;
+ cursor: default;
+}
+
+.btn-large {
+ height: 54px;
+ line-height: 54px;
+}
+
+.btn-large i {
+ font-size: 1.6rem;
+}
+
+.btn-block {
+ display: block;
+}
+
+.dropdown-content {
+ background-color: #fff;
+ margin: 0;
+ display: none;
+ min-width: 100px;
+ max-height: 650px;
+ overflow-y: auto;
+ opacity: 0;
+ position: absolute;
+ z-index: 999;
+ will-change: width, height;
+}
+
+.dropdown-content li {
+ clear: both;
+ color: rgba(0, 0, 0, 0.87);
+ cursor: pointer;
+ min-height: 50px;
+ line-height: 1.5rem;
+ width: 100%;
+ text-align: left;
+ text-transform: none;
+}
+
+.dropdown-content li:hover, .dropdown-content li.active, .dropdown-content li.selected {
+ background-color: #eee;
+}
+
+.dropdown-content li.active.selected {
+ background-color: #e1e1e1;
+}
+
+.dropdown-content li.divider {
+ min-height: 0;
+ height: 1px;
+}
+
+.dropdown-content li > a, .dropdown-content li > span {
+ font-size: 16px;
+ color: #26a69a;
+ display: block;
+ line-height: 22px;
+ padding: 14px 16px;
+}
+
+.dropdown-content li > span > label {
+ top: 1px;
+ left: 0;
+ height: 18px;
+}
+
+.dropdown-content li > a > i {
+ height: inherit;
+ line-height: inherit;
+ float: left;
+ margin: 0 24px 0 0;
+ width: 24px;
+}
+
+.input-field.col .dropdown-content [type="checkbox"] + label {
+ top: 1px;
+ left: 0;
+ height: 18px;
+}
+
+/*!
+ * Waves v0.6.0
+ * http://fian.my.id/Waves
+ *
+ * Copyright 2014 Alfiana E. Sibuea and other contributors
+ * Released under the MIT license
+ * https://github.com/fians/Waves/blob/master/LICENSE
+ */
+.waves-effect {
+ position: relative;
+ cursor: pointer;
+ display: inline-block;
+ overflow: hidden;
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ -ms-user-select: none;
+ user-select: none;
+ -webkit-tap-highlight-color: transparent;
+ vertical-align: middle;
+ z-index: 1;
+ -webkit-transition: .3s ease-out;
+ transition: .3s ease-out;
+}
+
+.waves-effect .waves-ripple {
+ position: absolute;
+ border-radius: 50%;
+ width: 20px;
+ height: 20px;
+ margin-top: -10px;
+ margin-left: -10px;
+ opacity: 0;
+ background: rgba(0, 0, 0, 0.2);
+ -webkit-transition: all 0.7s ease-out;
+ transition: all 0.7s ease-out;
+ -webkit-transition-property: opacity, -webkit-transform;
+ transition-property: opacity, -webkit-transform;
+ transition-property: transform, opacity;
+ transition-property: transform, opacity, -webkit-transform;
+ -webkit-transform: scale(0);
+ transform: scale(0);
+ pointer-events: none;
+}
+
+.waves-effect.waves-light .waves-ripple {
+ background-color: rgba(255, 255, 255, 0.45);
+}
+
+.waves-effect.waves-red .waves-ripple {
+ background-color: rgba(244, 67, 54, 0.7);
+}
+
+.waves-effect.waves-yellow .waves-ripple {
+ background-color: rgba(255, 235, 59, 0.7);
+}
+
+.waves-effect.waves-orange .waves-ripple {
+ background-color: rgba(255, 152, 0, 0.7);
+}
+
+.waves-effect.waves-purple .waves-ripple {
+ background-color: rgba(156, 39, 176, 0.7);
+}
+
+.waves-effect.waves-green .waves-ripple {
+ background-color: rgba(76, 175, 80, 0.7);
+}
+
+.waves-effect.waves-teal .waves-ripple {
+ background-color: rgba(0, 150, 136, 0.7);
+}
+
+.waves-effect input[type="button"], .waves-effect input[type="reset"], .waves-effect input[type="submit"] {
+ border: 0;
+ font-style: normal;
+ font-size: inherit;
+ text-transform: inherit;
+ background: none;
+}
+
+.waves-effect img {
+ position: relative;
+ z-index: -1;
+}
+
+.waves-notransition {
+ -webkit-transition: none !important;
+ transition: none !important;
+}
+
+.waves-circle {
+ -webkit-transform: translateZ(0);
+ transform: translateZ(0);
+ -webkit-mask-image: -webkit-radial-gradient(circle, white 100%, black 100%);
+}
+
+.waves-input-wrapper {
+ border-radius: 0.2em;
+ vertical-align: bottom;
+}
+
+.waves-input-wrapper .waves-button-input {
+ position: relative;
+ top: 0;
+ left: 0;
+ z-index: 1;
+}
+
+.waves-circle {
+ text-align: center;
+ width: 2.5em;
+ height: 2.5em;
+ line-height: 2.5em;
+ border-radius: 50%;
+ -webkit-mask-image: none;
+}
+
+.waves-block {
+ display: block;
+}
+
+/* Firefox Bug: link not triggered */
+.waves-effect .waves-ripple {
+ z-index: -1;
+}
+
+.modal {
+ display: none;
+ position: fixed;
+ left: 0;
+ right: 0;
+ background-color: #fafafa;
+ padding: 0;
+ max-height: 70%;
+ width: 55%;
+ margin: auto;
+ overflow-y: auto;
+ border-radius: 2px;
+ will-change: top, opacity;
+}
+
+@media only screen and (max-width: 992px) {
+ .modal {
+ width: 80%;
+ }
+}
+
+.modal h1, .modal h2, .modal h3, .modal h4 {
+ margin-top: 0;
+}
+
+.modal .modal-content {
+ padding: 24px;
+}
+
+.modal .modal-close {
+ cursor: pointer;
+}
+
+.modal .modal-footer {
+ border-radius: 0 0 2px 2px;
+ background-color: #fafafa;
+ padding: 4px 6px;
+ height: 56px;
+ width: 100%;
+ text-align: right;
+}
+
+.modal .modal-footer .btn, .modal .modal-footer .btn-large, .modal .modal-footer .btn-flat {
+ margin: 6px 0;
+}
+
+.modal-overlay {
+ position: fixed;
+ z-index: 999;
+ top: -25%;
+ left: 0;
+ bottom: 0;
+ right: 0;
+ height: 125%;
+ width: 100%;
+ background: #000;
+ display: none;
+ will-change: opacity;
+}
+
+.modal.modal-fixed-footer {
+ padding: 0;
+ height: 70%;
+}
+
+.modal.modal-fixed-footer .modal-content {
+ position: absolute;
+ height: calc(100% - 56px);
+ max-height: 100%;
+ width: 100%;
+ overflow-y: auto;
+}
+
+.modal.modal-fixed-footer .modal-footer {
+ border-top: 1px solid rgba(0, 0, 0, 0.1);
+ position: absolute;
+ bottom: 0;
+}
+
+.modal.bottom-sheet {
+ top: auto;
+ bottom: -100%;
+ margin: 0;
+ width: 100%;
+ max-height: 45%;
+ border-radius: 0;
+ will-change: bottom, opacity;
+}
+
+.collapsible {
+ border-top: 1px solid #ddd;
+ border-right: 1px solid #ddd;
+ border-left: 1px solid #ddd;
+ margin: 0.5rem 0 1rem 0;
+}
+
+.collapsible-header {
+ display: -webkit-box;
+ display: -webkit-flex;
+ display: -ms-flexbox;
+ display: flex;
+ cursor: pointer;
+ -webkit-tap-highlight-color: transparent;
+ line-height: 1.5;
+ padding: 1rem;
+ background-color: #fff;
+ border-bottom: 1px solid #ddd;
+}
+
+.collapsible-header i {
+ width: 2rem;
+ font-size: 1.6rem;
+ display: inline-block;
+ text-align: center;
+ margin-right: 1rem;
+}
+
+.collapsible-body {
+ display: none;
+ border-bottom: 1px solid #ddd;
+ -webkit-box-sizing: border-box;
+ box-sizing: border-box;
+ padding: 2rem;
+}
+
+.side-nav .collapsible,
+.side-nav.fixed .collapsible {
+ border: none;
+ -webkit-box-shadow: none;
+ box-shadow: none;
+}
+
+.side-nav .collapsible li,
+.side-nav.fixed .collapsible li {
+ padding: 0;
+}
+
+.side-nav .collapsible-header,
+.side-nav.fixed .collapsible-header {
+ background-color: transparent;
+ border: none;
+ line-height: inherit;
+ height: inherit;
+ padding: 0 16px;
+}
+
+.side-nav .collapsible-header:hover,
+.side-nav.fixed .collapsible-header:hover {
+ background-color: rgba(0, 0, 0, 0.05);
+}
+
+.side-nav .collapsible-header i,
+.side-nav.fixed .collapsible-header i {
+ line-height: inherit;
+}
+
+.side-nav .collapsible-body,
+.side-nav.fixed .collapsible-body {
+ border: 0;
+ background-color: #fff;
+}
+
+.side-nav .collapsible-body li a,
+.side-nav.fixed .collapsible-body li a {
+ padding: 0 23.5px 0 31px;
+}
+
+.collapsible.popout {
+ border: none;
+ -webkit-box-shadow: none;
+ box-shadow: none;
+}
+
+.collapsible.popout > li {
+ -webkit-box-shadow: 0 2px 5px 0 rgba(0, 0, 0, 0.16), 0 2px 10px 0 rgba(0, 0, 0, 0.12);
+ box-shadow: 0 2px 5px 0 rgba(0, 0, 0, 0.16), 0 2px 10px 0 rgba(0, 0, 0, 0.12);
+ margin: 0 24px;
+ -webkit-transition: margin 0.35s cubic-bezier(0.25, 0.46, 0.45, 0.94);
+ transition: margin 0.35s cubic-bezier(0.25, 0.46, 0.45, 0.94);
+}
+
+.collapsible.popout > li.active {
+ -webkit-box-shadow: 0 5px 11px 0 rgba(0, 0, 0, 0.18), 0 4px 15px 0 rgba(0, 0, 0, 0.15);
+ box-shadow: 0 5px 11px 0 rgba(0, 0, 0, 0.18), 0 4px 15px 0 rgba(0, 0, 0, 0.15);
+ margin: 16px 0;
+}
+
+.chip {
+ display: inline-block;
+ height: 32px;
+ font-size: 13px;
+ font-weight: 500;
+ color: rgba(0, 0, 0, 0.6);
+ line-height: 32px;
+ padding: 0 12px;
+ border-radius: 16px;
+ background-color: #e4e4e4;
+ margin-bottom: 5px;
+ margin-right: 5px;
+}
+
+.chip > img {
+ float: left;
+ margin: 0 8px 0 -12px;
+ height: 32px;
+ width: 32px;
+ border-radius: 50%;
+}
+
+.chip .close {
+ cursor: pointer;
+ float: right;
+ font-size: 16px;
+ line-height: 32px;
+ padding-left: 8px;
+}
+
+.chips {
+ border: none;
+ border-bottom: 1px solid #9e9e9e;
+ -webkit-box-shadow: none;
+ box-shadow: none;
+ margin: 0 0 20px 0;
+ min-height: 45px;
+ outline: none;
+ -webkit-transition: all .3s;
+ transition: all .3s;
+}
+
+.chips.focus {
+ border-bottom: 1px solid #26a69a;
+ -webkit-box-shadow: 0 1px 0 0 #26a69a;
+ box-shadow: 0 1px 0 0 #26a69a;
+}
+
+.chips:hover {
+ cursor: text;
+}
+
+.chips .chip.selected {
+ background-color: #26a69a;
+ color: #fff;
+}
+
+.chips .input {
+ background: none;
+ border: 0;
+ color: rgba(0, 0, 0, 0.6);
+ display: inline-block;
+ font-size: 1rem;
+ height: 3rem;
+ line-height: 32px;
+ outline: 0;
+ margin: 0;
+ padding: 0 !important;
+ width: 120px !important;
+}
+
+.chips .input:focus {
+ border: 0 !important;
+ -webkit-box-shadow: none !important;
+ box-shadow: none !important;
+}
+
+.chips .autocomplete-content {
+ margin-top: 0;
+ margin-bottom: 0;
+}
+
+.prefix ~ .chips {
+ margin-left: 3rem;
+ width: 92%;
+ width: calc(100% - 3rem);
+}
+
+.chips:empty ~ label {
+ font-size: 0.8rem;
+ -webkit-transform: translateY(-140%);
+ transform: translateY(-140%);
+}
+
+.materialboxed {
+ display: block;
+ cursor: -webkit-zoom-in;
+ cursor: zoom-in;
+ position: relative;
+ -webkit-transition: opacity .4s;
+ transition: opacity .4s;
+ -webkit-backface-visibility: hidden;
+}
+
+.materialboxed:hover:not(.active) {
+ opacity: .8;
+}
+
+.materialboxed.active {
+ cursor: -webkit-zoom-out;
+ cursor: zoom-out;
+}
+
+#materialbox-overlay {
+ position: fixed;
+ top: 0;
+ right: 0;
+ bottom: 0;
+ left: 0;
+ background-color: #292929;
+ z-index: 1000;
+ will-change: opacity;
+}
+
+.materialbox-caption {
+ position: fixed;
+ display: none;
+ color: #fff;
+ line-height: 50px;
+ bottom: 0;
+ left: 0;
+ width: 100%;
+ text-align: center;
+ padding: 0% 15%;
+ height: 50px;
+ z-index: 1000;
+ -webkit-font-smoothing: antialiased;
+}
+
+select:focus {
+ outline: 1px solid #c9f3ef;
+}
+
+button:focus {
+ outline: none;
+ background-color: #2ab7a9;
+}
+
+label {
+ font-size: 0.8rem;
+ color: #9e9e9e;
+}
+
+/* Text Inputs + Textarea
+ ========================================================================== */
+/* Style Placeholders */
+::-webkit-input-placeholder {
+ color: #d1d1d1;
+}
+::-moz-placeholder {
+ color: #d1d1d1;
+}
+:-ms-input-placeholder {
+ color: #d1d1d1;
+}
+::placeholder {
+ color: #d1d1d1;
+}
+
+/* Text inputs */
+input:not([type]),
+input[type=text]:not(.browser-default),
+input[type=password]:not(.browser-default),
+input[type=email]:not(.browser-default),
+input[type=url]:not(.browser-default),
+input[type=time]:not(.browser-default),
+input[type=date]:not(.browser-default),
+input[type=datetime]:not(.browser-default),
+input[type=datetime-local]:not(.browser-default),
+input[type=tel]:not(.browser-default),
+input[type=number]:not(.browser-default),
+input[type=search]:not(.browser-default),
+textarea.materialize-textarea {
+ background-color: transparent;
+ border: none;
+ border-bottom: 1px solid #9e9e9e;
+ border-radius: 0;
+ outline: none;
+ height: 3rem;
+ width: 100%;
+ font-size: 1rem;
+ margin: 0 0 20px 0;
+ padding: 0;
+ -webkit-box-shadow: none;
+ box-shadow: none;
+ -webkit-box-sizing: content-box;
+ box-sizing: content-box;
+ -webkit-transition: all 0.3s;
+ transition: all 0.3s;
+}
+
+input:not([type]):disabled, input:not([type])[readonly="readonly"],
+input[type=text]:not(.browser-default):disabled,
+input[type=text]:not(.browser-default)[readonly="readonly"],
+input[type=password]:not(.browser-default):disabled,
+input[type=password]:not(.browser-default)[readonly="readonly"],
+input[type=email]:not(.browser-default):disabled,
+input[type=email]:not(.browser-default)[readonly="readonly"],
+input[type=url]:not(.browser-default):disabled,
+input[type=url]:not(.browser-default)[readonly="readonly"],
+input[type=time]:not(.browser-default):disabled,
+input[type=time]:not(.browser-default)[readonly="readonly"],
+input[type=date]:not(.browser-default):disabled,
+input[type=date]:not(.browser-default)[readonly="readonly"],
+input[type=datetime]:not(.browser-default):disabled,
+input[type=datetime]:not(.browser-default)[readonly="readonly"],
+input[type=datetime-local]:not(.browser-default):disabled,
+input[type=datetime-local]:not(.browser-default)[readonly="readonly"],
+input[type=tel]:not(.browser-default):disabled,
+input[type=tel]:not(.browser-default)[readonly="readonly"],
+input[type=number]:not(.browser-default):disabled,
+input[type=number]:not(.browser-default)[readonly="readonly"],
+input[type=search]:not(.browser-default):disabled,
+input[type=search]:not(.browser-default)[readonly="readonly"],
+textarea.materialize-textarea:disabled,
+textarea.materialize-textarea[readonly="readonly"] {
+ color: rgba(0, 0, 0, 0.42);
+ border-bottom: 1px dotted rgba(0, 0, 0, 0.42);
+}
+
+input:not([type]):disabled + label,
+input:not([type])[readonly="readonly"] + label,
+input[type=text]:not(.browser-default):disabled + label,
+input[type=text]:not(.browser-default)[readonly="readonly"] + label,
+input[type=password]:not(.browser-default):disabled + label,
+input[type=password]:not(.browser-default)[readonly="readonly"] + label,
+input[type=email]:not(.browser-default):disabled + label,
+input[type=email]:not(.browser-default)[readonly="readonly"] + label,
+input[type=url]:not(.browser-default):disabled + label,
+input[type=url]:not(.browser-default)[readonly="readonly"] + label,
+input[type=time]:not(.browser-default):disabled + label,
+input[type=time]:not(.browser-default)[readonly="readonly"] + label,
+input[type=date]:not(.browser-default):disabled + label,
+input[type=date]:not(.browser-default)[readonly="readonly"] + label,
+input[type=datetime]:not(.browser-default):disabled + label,
+input[type=datetime]:not(.browser-default)[readonly="readonly"] + label,
+input[type=datetime-local]:not(.browser-default):disabled + label,
+input[type=datetime-local]:not(.browser-default)[readonly="readonly"] + label,
+input[type=tel]:not(.browser-default):disabled + label,
+input[type=tel]:not(.browser-default)[readonly="readonly"] + label,
+input[type=number]:not(.browser-default):disabled + label,
+input[type=number]:not(.browser-default)[readonly="readonly"] + label,
+input[type=search]:not(.browser-default):disabled + label,
+input[type=search]:not(.browser-default)[readonly="readonly"] + label,
+textarea.materialize-textarea:disabled + label,
+textarea.materialize-textarea[readonly="readonly"] + label {
+ color: rgba(0, 0, 0, 0.42);
+}
+
+input:not([type]):focus:not([readonly]),
+input[type=text]:not(.browser-default):focus:not([readonly]),
+input[type=password]:not(.browser-default):focus:not([readonly]),
+input[type=email]:not(.browser-default):focus:not([readonly]),
+input[type=url]:not(.browser-default):focus:not([readonly]),
+input[type=time]:not(.browser-default):focus:not([readonly]),
+input[type=date]:not(.browser-default):focus:not([readonly]),
+input[type=datetime]:not(.browser-default):focus:not([readonly]),
+input[type=datetime-local]:not(.browser-default):focus:not([readonly]),
+input[type=tel]:not(.browser-default):focus:not([readonly]),
+input[type=number]:not(.browser-default):focus:not([readonly]),
+input[type=search]:not(.browser-default):focus:not([readonly]),
+textarea.materialize-textarea:focus:not([readonly]) {
+ border-bottom: 1px solid #26a69a;
+ -webkit-box-shadow: 0 1px 0 0 #26a69a;
+ box-shadow: 0 1px 0 0 #26a69a;
+}
+
+input:not([type]):focus:not([readonly]) + label,
+input[type=text]:not(.browser-default):focus:not([readonly]) + label,
+input[type=password]:not(.browser-default):focus:not([readonly]) + label,
+input[type=email]:not(.browser-default):focus:not([readonly]) + label,
+input[type=url]:not(.browser-default):focus:not([readonly]) + label,
+input[type=time]:not(.browser-default):focus:not([readonly]) + label,
+input[type=date]:not(.browser-default):focus:not([readonly]) + label,
+input[type=datetime]:not(.browser-default):focus:not([readonly]) + label,
+input[type=datetime-local]:not(.browser-default):focus:not([readonly]) + label,
+input[type=tel]:not(.browser-default):focus:not([readonly]) + label,
+input[type=number]:not(.browser-default):focus:not([readonly]) + label,
+input[type=search]:not(.browser-default):focus:not([readonly]) + label,
+textarea.materialize-textarea:focus:not([readonly]) + label {
+ color: #26a69a;
+}
+
+input:not([type]).validate + label,
+input[type=text]:not(.browser-default).validate + label,
+input[type=password]:not(.browser-default).validate + label,
+input[type=email]:not(.browser-default).validate + label,
+input[type=url]:not(.browser-default).validate + label,
+input[type=time]:not(.browser-default).validate + label,
+input[type=date]:not(.browser-default).validate + label,
+input[type=datetime]:not(.browser-default).validate + label,
+input[type=datetime-local]:not(.browser-default).validate + label,
+input[type=tel]:not(.browser-default).validate + label,
+input[type=number]:not(.browser-default).validate + label,
+input[type=search]:not(.browser-default).validate + label,
+textarea.materialize-textarea.validate + label {
+ width: 100%;
+}
+
+input:not([type]).invalid + label:after,
+input:not([type]).valid + label:after,
+input[type=text]:not(.browser-default).invalid + label:after,
+input[type=text]:not(.browser-default).valid + label:after,
+input[type=password]:not(.browser-default).invalid + label:after,
+input[type=password]:not(.browser-default).valid + label:after,
+input[type=email]:not(.browser-default).invalid + label:after,
+input[type=email]:not(.browser-default).valid + label:after,
+input[type=url]:not(.browser-default).invalid + label:after,
+input[type=url]:not(.browser-default).valid + label:after,
+input[type=time]:not(.browser-default).invalid + label:after,
+input[type=time]:not(.browser-default).valid + label:after,
+input[type=date]:not(.browser-default).invalid + label:after,
+input[type=date]:not(.browser-default).valid + label:after,
+input[type=datetime]:not(.browser-default).invalid + label:after,
+input[type=datetime]:not(.browser-default).valid + label:after,
+input[type=datetime-local]:not(.browser-default).invalid + label:after,
+input[type=datetime-local]:not(.browser-default).valid + label:after,
+input[type=tel]:not(.browser-default).invalid + label:after,
+input[type=tel]:not(.browser-default).valid + label:after,
+input[type=number]:not(.browser-default).invalid + label:after,
+input[type=number]:not(.browser-default).valid + label:after,
+input[type=search]:not(.browser-default).invalid + label:after,
+input[type=search]:not(.browser-default).valid + label:after,
+textarea.materialize-textarea.invalid + label:after,
+textarea.materialize-textarea.valid + label:after {
+ display: none;
+}
+
+input:not([type]).invalid + label.active:after,
+input:not([type]).valid + label.active:after,
+input[type=text]:not(.browser-default).invalid + label.active:after,
+input[type=text]:not(.browser-default).valid + label.active:after,
+input[type=password]:not(.browser-default).invalid + label.active:after,
+input[type=password]:not(.browser-default).valid + label.active:after,
+input[type=email]:not(.browser-default).invalid + label.active:after,
+input[type=email]:not(.browser-default).valid + label.active:after,
+input[type=url]:not(.browser-default).invalid + label.active:after,
+input[type=url]:not(.browser-default).valid + label.active:after,
+input[type=time]:not(.browser-default).invalid + label.active:after,
+input[type=time]:not(.browser-default).valid + label.active:after,
+input[type=date]:not(.browser-default).invalid + label.active:after,
+input[type=date]:not(.browser-default).valid + label.active:after,
+input[type=datetime]:not(.browser-default).invalid + label.active:after,
+input[type=datetime]:not(.browser-default).valid + label.active:after,
+input[type=datetime-local]:not(.browser-default).invalid + label.active:after,
+input[type=datetime-local]:not(.browser-default).valid + label.active:after,
+input[type=tel]:not(.browser-default).invalid + label.active:after,
+input[type=tel]:not(.browser-default).valid + label.active:after,
+input[type=number]:not(.browser-default).invalid + label.active:after,
+input[type=number]:not(.browser-default).valid + label.active:after,
+input[type=search]:not(.browser-default).invalid + label.active:after,
+input[type=search]:not(.browser-default).valid + label.active:after,
+textarea.materialize-textarea.invalid + label.active:after,
+textarea.materialize-textarea.valid + label.active:after {
+ display: block;
+}
+
+/* Validation Sass Placeholders */
+input.valid:not([type]), input.valid:not([type]):focus,
+input[type=text].valid:not(.browser-default),
+input[type=text].valid:not(.browser-default):focus,
+input[type=password].valid:not(.browser-default),
+input[type=password].valid:not(.browser-default):focus,
+input[type=email].valid:not(.browser-default),
+input[type=email].valid:not(.browser-default):focus,
+input[type=url].valid:not(.browser-default),
+input[type=url].valid:not(.browser-default):focus,
+input[type=time].valid:not(.browser-default),
+input[type=time].valid:not(.browser-default):focus,
+input[type=date].valid:not(.browser-default),
+input[type=date].valid:not(.browser-default):focus,
+input[type=datetime].valid:not(.browser-default),
+input[type=datetime].valid:not(.browser-default):focus,
+input[type=datetime-local].valid:not(.browser-default),
+input[type=datetime-local].valid:not(.browser-default):focus,
+input[type=tel].valid:not(.browser-default),
+input[type=tel].valid:not(.browser-default):focus,
+input[type=number].valid:not(.browser-default),
+input[type=number].valid:not(.browser-default):focus,
+input[type=search].valid:not(.browser-default),
+input[type=search].valid:not(.browser-default):focus,
+textarea.materialize-textarea.valid,
+textarea.materialize-textarea.valid:focus, .select-wrapper.valid > input.select-dropdown {
+ border-bottom: 1px solid #4CAF50;
+ -webkit-box-shadow: 0 1px 0 0 #4CAF50;
+ box-shadow: 0 1px 0 0 #4CAF50;
+}
+
+input.invalid:not([type]), input.invalid:not([type]):focus,
+input[type=text].invalid:not(.browser-default),
+input[type=text].invalid:not(.browser-default):focus,
+input[type=password].invalid:not(.browser-default),
+input[type=password].invalid:not(.browser-default):focus,
+input[type=email].invalid:not(.browser-default),
+input[type=email].invalid:not(.browser-default):focus,
+input[type=url].invalid:not(.browser-default),
+input[type=url].invalid:not(.browser-default):focus,
+input[type=time].invalid:not(.browser-default),
+input[type=time].invalid:not(.browser-default):focus,
+input[type=date].invalid:not(.browser-default),
+input[type=date].invalid:not(.browser-default):focus,
+input[type=datetime].invalid:not(.browser-default),
+input[type=datetime].invalid:not(.browser-default):focus,
+input[type=datetime-local].invalid:not(.browser-default),
+input[type=datetime-local].invalid:not(.browser-default):focus,
+input[type=tel].invalid:not(.browser-default),
+input[type=tel].invalid:not(.browser-default):focus,
+input[type=number].invalid:not(.browser-default),
+input[type=number].invalid:not(.browser-default):focus,
+input[type=search].invalid:not(.browser-default),
+input[type=search].invalid:not(.browser-default):focus,
+textarea.materialize-textarea.invalid,
+textarea.materialize-textarea.invalid:focus, .select-wrapper.invalid > input.select-dropdown {
+ border-bottom: 1px solid #F44336;
+ -webkit-box-shadow: 0 1px 0 0 #F44336;
+ box-shadow: 0 1px 0 0 #F44336;
+}
+
+input:not([type]).valid + label:after,
+input:not([type]):focus.valid + label:after,
+input[type=text]:not(.browser-default).valid + label:after,
+input[type=text]:not(.browser-default):focus.valid + label:after,
+input[type=password]:not(.browser-default).valid + label:after,
+input[type=password]:not(.browser-default):focus.valid + label:after,
+input[type=email]:not(.browser-default).valid + label:after,
+input[type=email]:not(.browser-default):focus.valid + label:after,
+input[type=url]:not(.browser-default).valid + label:after,
+input[type=url]:not(.browser-default):focus.valid + label:after,
+input[type=time]:not(.browser-default).valid + label:after,
+input[type=time]:not(.browser-default):focus.valid + label:after,
+input[type=date]:not(.browser-default).valid + label:after,
+input[type=date]:not(.browser-default):focus.valid + label:after,
+input[type=datetime]:not(.browser-default).valid + label:after,
+input[type=datetime]:not(.browser-default):focus.valid + label:after,
+input[type=datetime-local]:not(.browser-default).valid + label:after,
+input[type=datetime-local]:not(.browser-default):focus.valid + label:after,
+input[type=tel]:not(.browser-default).valid + label:after,
+input[type=tel]:not(.browser-default):focus.valid + label:after,
+input[type=number]:not(.browser-default).valid + label:after,
+input[type=number]:not(.browser-default):focus.valid + label:after,
+input[type=search]:not(.browser-default).valid + label:after,
+input[type=search]:not(.browser-default):focus.valid + label:after,
+textarea.materialize-textarea.valid + label:after,
+textarea.materialize-textarea:focus.valid + label:after, .select-wrapper.valid + label:after {
+ content: attr(data-success);
+ color: #4CAF50;
+ opacity: 1;
+ -webkit-transform: translateY(9px);
+ transform: translateY(9px);
+}
+
+input:not([type]).invalid + label:after,
+input:not([type]):focus.invalid + label:after,
+input[type=text]:not(.browser-default).invalid + label:after,
+input[type=text]:not(.browser-default):focus.invalid + label:after,
+input[type=password]:not(.browser-default).invalid + label:after,
+input[type=password]:not(.browser-default):focus.invalid + label:after,
+input[type=email]:not(.browser-default).invalid + label:after,
+input[type=email]:not(.browser-default):focus.invalid + label:after,
+input[type=url]:not(.browser-default).invalid + label:after,
+input[type=url]:not(.browser-default):focus.invalid + label:after,
+input[type=time]:not(.browser-default).invalid + label:after,
+input[type=time]:not(.browser-default):focus.invalid + label:after,
+input[type=date]:not(.browser-default).invalid + label:after,
+input[type=date]:not(.browser-default):focus.invalid + label:after,
+input[type=datetime]:not(.browser-default).invalid + label:after,
+input[type=datetime]:not(.browser-default):focus.invalid + label:after,
+input[type=datetime-local]:not(.browser-default).invalid + label:after,
+input[type=datetime-local]:not(.browser-default):focus.invalid + label:after,
+input[type=tel]:not(.browser-default).invalid + label:after,
+input[type=tel]:not(.browser-default):focus.invalid + label:after,
+input[type=number]:not(.browser-default).invalid + label:after,
+input[type=number]:not(.browser-default):focus.invalid + label:after,
+input[type=search]:not(.browser-default).invalid + label:after,
+input[type=search]:not(.browser-default):focus.invalid + label:after,
+textarea.materialize-textarea.invalid + label:after,
+textarea.materialize-textarea:focus.invalid + label:after, .select-wrapper.invalid + label:after {
+ content: attr(data-error);
+ color: #F44336;
+ opacity: 1;
+ -webkit-transform: translateY(9px);
+ transform: translateY(9px);
+}
+
+input:not([type]) + label:after,
+input[type=text]:not(.browser-default) + label:after,
+input[type=password]:not(.browser-default) + label:after,
+input[type=email]:not(.browser-default) + label:after,
+input[type=url]:not(.browser-default) + label:after,
+input[type=time]:not(.browser-default) + label:after,
+input[type=date]:not(.browser-default) + label:after,
+input[type=datetime]:not(.browser-default) + label:after,
+input[type=datetime-local]:not(.browser-default) + label:after,
+input[type=tel]:not(.browser-default) + label:after,
+input[type=number]:not(.browser-default) + label:after,
+input[type=search]:not(.browser-default) + label:after,
+textarea.materialize-textarea + label:after, .select-wrapper + label:after {
+ display: block;
+ content: "";
+ position: absolute;
+ top: 100%;
+ left: 0;
+ opacity: 0;
+ -webkit-transition: .2s opacity ease-out, .2s color ease-out;
+ transition: .2s opacity ease-out, .2s color ease-out;
+}
+
+.input-field {
+ position: relative;
+ margin-top: 1rem;
+}
+
+.input-field.inline {
+ display: inline-block;
+ vertical-align: middle;
+ margin-left: 5px;
+}
+
+.input-field.inline input,
+.input-field.inline .select-dropdown {
+ margin-bottom: 1rem;
+}
+
+.input-field.col label {
+ left: 0.75rem;
+}
+
+.input-field.col .prefix ~ label,
+.input-field.col .prefix ~ .validate ~ label {
+ width: calc(100% - 3rem - 1.5rem);
+}
+
+.input-field label {
+ color: #9e9e9e;
+ position: absolute;
+ top: 0;
+ left: 0;
+ height: 100%;
+ font-size: 1rem;
+ cursor: text;
+ -webkit-transition: -webkit-transform .2s ease-out;
+ transition: -webkit-transform .2s ease-out;
+ transition: transform .2s ease-out;
+ transition: transform .2s ease-out, -webkit-transform .2s ease-out;
+ -webkit-transform-origin: 0% 100%;
+ transform-origin: 0% 100%;
+ text-align: initial;
+ -webkit-transform: translateY(12px);
+ transform: translateY(12px);
+ pointer-events: none;
+}
+
+.input-field label:not(.label-icon).active {
+ -webkit-transform: translateY(-14px) scale(0.8);
+ transform: translateY(-14px) scale(0.8);
+ -webkit-transform-origin: 0 0;
+ transform-origin: 0 0;
+}
+
+.input-field .prefix {
+ position: absolute;
+ width: 3rem;
+ font-size: 2rem;
+ -webkit-transition: color .2s;
+ transition: color .2s;
+}
+
+.input-field .prefix.active {
+ color: #26a69a;
+}
+
+.input-field .prefix ~ input,
+.input-field .prefix ~ textarea,
+.input-field .prefix ~ label,
+.input-field .prefix ~ .validate ~ label,
+.input-field .prefix ~ .autocomplete-content {
+ margin-left: 3rem;
+ width: 92%;
+ width: calc(100% - 3rem);
+}
+
+.input-field .prefix ~ label {
+ margin-left: 3rem;
+}
+
+@media only screen and (max-width: 992px) {
+ .input-field .prefix ~ input {
+ width: 86%;
+ width: calc(100% - 3rem);
+ }
+}
+
+@media only screen and (max-width: 600px) {
+ .input-field .prefix ~ input {
+ width: 80%;
+ width: calc(100% - 3rem);
+ }
+}
+
+/* Search Field */
+.input-field input[type=search] {
+ display: block;
+ line-height: inherit;
+}
+
+.nav-wrapper .input-field input[type=search] {
+ height: inherit;
+ padding-left: 4rem;
+ width: calc(100% - 4rem);
+ border: 0;
+ -webkit-box-shadow: none;
+ box-shadow: none;
+}
+
+.input-field input[type=search]:focus {
+ background-color: #fff;
+ border: 0;
+ -webkit-box-shadow: none;
+ box-shadow: none;
+ color: #444;
+}
+
+.input-field input[type=search]:focus + label i,
+.input-field input[type=search]:focus ~ .mdi-navigation-close,
+.input-field input[type=search]:focus ~ .material-icons {
+ color: #444;
+}
+
+.input-field input[type=search] + label {
+ left: 1rem;
+}
+
+.input-field input[type=search] ~ .mdi-navigation-close,
+.input-field input[type=search] ~ .material-icons {
+ position: absolute;
+ top: 0;
+ right: 1rem;
+ color: transparent;
+ cursor: pointer;
+ font-size: 2rem;
+ -webkit-transition: .3s color;
+ transition: .3s color;
+}
+
+/* Textarea */
+textarea {
+ width: 100%;
+ height: 3rem;
+ background-color: transparent;
+}
+
+textarea.materialize-textarea {
+ overflow-y: hidden;
+ /* prevents scroll bar flash */
+ padding: .8rem 0 1.6rem 0;
+ /* prevents text jump on Enter keypress */
+ resize: none;
+ min-height: 3rem;
+}
+
+textarea.materialize-textarea.validate + label {
+ height: 100%;
+}
+
+textarea.materialize-textarea.validate + label::after {
+ top: calc(100% - 12px);
+}
+
+textarea.materialize-textarea.validate + label:not(.label-icon).active {
+ -webkit-transform: translateY(-25px);
+ transform: translateY(-25px);
+}
+
+.hiddendiv {
+ display: none;
+ white-space: pre-wrap;
+ word-wrap: break-word;
+ overflow-wrap: break-word;
+ /* future version of deprecated 'word-wrap' */
+ padding-top: 1.2rem;
+ /* prevents text jump on Enter keypress */
+ position: absolute;
+ top: 0;
+}
+
+/* Autocomplete */
+.autocomplete-content {
+ margin-top: -20px;
+ margin-bottom: 20px;
+ display: block;
+ opacity: 1;
+ position: static;
+}
+
+.autocomplete-content li .highlight {
+ color: #444;
+}
+
+.autocomplete-content li img {
+ height: 40px;
+ width: 40px;
+ margin: 5px 15px;
+}
+
+/* Radio Buttons
+ ========================================================================== */
+[type="radio"]:not(:checked),
+[type="radio"]:checked {
+ position: absolute;
+ opacity: 0;
+ pointer-events: none;
+}
+
+[type="radio"]:not(:checked) + label,
+[type="radio"]:checked + label {
+ position: relative;
+ padding-left: 35px;
+ cursor: pointer;
+ display: inline-block;
+ height: 25px;
+ line-height: 25px;
+ font-size: 1rem;
+ -webkit-transition: .28s ease;
+ transition: .28s ease;
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ -ms-user-select: none;
+ user-select: none;
+}
+
+[type="radio"] + label:before,
+[type="radio"] + label:after {
+ content: '';
+ position: absolute;
+ left: 0;
+ top: 0;
+ margin: 4px;
+ width: 16px;
+ height: 16px;
+ z-index: 0;
+ -webkit-transition: .28s ease;
+ transition: .28s ease;
+}
+
+/* Unchecked styles */
+[type="radio"]:not(:checked) + label:before,
+[type="radio"]:not(:checked) + label:after,
+[type="radio"]:checked + label:before,
+[type="radio"]:checked + label:after,
+[type="radio"].with-gap:checked + label:before,
+[type="radio"].with-gap:checked + label:after {
+ border-radius: 50%;
+}
+
+[type="radio"]:not(:checked) + label:before,
+[type="radio"]:not(:checked) + label:after {
+ border: 2px solid #5a5a5a;
+}
+
+[type="radio"]:not(:checked) + label:after {
+ -webkit-transform: scale(0);
+ transform: scale(0);
+}
+
+/* Checked styles */
+[type="radio"]:checked + label:before {
+ border: 2px solid transparent;
+}
+
+[type="radio"]:checked + label:after,
+[type="radio"].with-gap:checked + label:before,
+[type="radio"].with-gap:checked + label:after {
+ border: 2px solid #26a69a;
+}
+
+[type="radio"]:checked + label:after,
+[type="radio"].with-gap:checked + label:after {
+ background-color: #26a69a;
+}
+
+[type="radio"]:checked + label:after {
+ -webkit-transform: scale(1.02);
+ transform: scale(1.02);
+}
+
+/* Radio With gap */
+[type="radio"].with-gap:checked + label:after {
+ -webkit-transform: scale(0.5);
+ transform: scale(0.5);
+}
+
+/* Focused styles */
+[type="radio"].tabbed:focus + label:before {
+ -webkit-box-shadow: 0 0 0 10px rgba(0, 0, 0, 0.1);
+ box-shadow: 0 0 0 10px rgba(0, 0, 0, 0.1);
+}
+
+/* Disabled Radio With gap */
+[type="radio"].with-gap:disabled:checked + label:before {
+ border: 2px solid rgba(0, 0, 0, 0.42);
+}
+
+[type="radio"].with-gap:disabled:checked + label:after {
+ border: none;
+ background-color: rgba(0, 0, 0, 0.42);
+}
+
+/* Disabled style */
+[type="radio"]:disabled:not(:checked) + label:before,
+[type="radio"]:disabled:checked + label:before {
+ background-color: transparent;
+ border-color: rgba(0, 0, 0, 0.42);
+}
+
+[type="radio"]:disabled + label {
+ color: rgba(0, 0, 0, 0.42);
+}
+
+[type="radio"]:disabled:not(:checked) + label:before {
+ border-color: rgba(0, 0, 0, 0.42);
+}
+
+[type="radio"]:disabled:checked + label:after {
+ background-color: rgba(0, 0, 0, 0.42);
+ border-color: #949494;
+}
+
+/* Checkboxes
+ ========================================================================== */
+/* CUSTOM CSS CHECKBOXES */
+form p {
+ margin-bottom: 10px;
+ text-align: left;
+}
+
+form p:last-child {
+ margin-bottom: 0;
+}
+
+/* Remove default checkbox */
+[type="checkbox"]:not(:checked),
+[type="checkbox"]:checked {
+ position: absolute;
+ opacity: 0;
+ pointer-events: none;
+}
+
+[type="checkbox"] {
+ /* checkbox aspect */
+}
+
+[type="checkbox"] + label {
+ position: relative;
+ padding-left: 35px;
+ cursor: pointer;
+ display: inline-block;
+ height: 25px;
+ line-height: 25px;
+ font-size: 1rem;
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ -ms-user-select: none;
+ user-select: none;
+}
+
+[type="checkbox"] + label:before,
+[type="checkbox"]:not(.filled-in) + label:after {
+ content: '';
+ position: absolute;
+ top: 0;
+ left: 0;
+ width: 18px;
+ height: 18px;
+ z-index: 0;
+ border: 2px solid #5a5a5a;
+ border-radius: 1px;
+ margin-top: 2px;
+ -webkit-transition: .2s;
+ transition: .2s;
+}
+
+[type="checkbox"]:not(.filled-in) + label:after {
+ border: 0;
+ -webkit-transform: scale(0);
+ transform: scale(0);
+}
+
+[type="checkbox"]:not(:checked):disabled + label:before {
+ border: none;
+ background-color: rgba(0, 0, 0, 0.42);
+}
+
+[type="checkbox"].tabbed:focus + label:after {
+ -webkit-transform: scale(1);
+ transform: scale(1);
+ border: 0;
+ border-radius: 50%;
+ -webkit-box-shadow: 0 0 0 10px rgba(0, 0, 0, 0.1);
+ box-shadow: 0 0 0 10px rgba(0, 0, 0, 0.1);
+ background-color: rgba(0, 0, 0, 0.1);
+}
+
+[type="checkbox"]:checked + label:before {
+ top: -4px;
+ left: -5px;
+ width: 12px;
+ height: 22px;
+ border-top: 2px solid transparent;
+ border-left: 2px solid transparent;
+ border-right: 2px solid #26a69a;
+ border-bottom: 2px solid #26a69a;
+ -webkit-transform: rotate(40deg);
+ transform: rotate(40deg);
+ -webkit-backface-visibility: hidden;
+ backface-visibility: hidden;
+ -webkit-transform-origin: 100% 100%;
+ transform-origin: 100% 100%;
+}
+
+[type="checkbox"]:checked:disabled + label:before {
+ border-right: 2px solid rgba(0, 0, 0, 0.42);
+ border-bottom: 2px solid rgba(0, 0, 0, 0.42);
+}
+
+/* Indeterminate checkbox */
+[type="checkbox"]:indeterminate + label:before {
+ top: -11px;
+ left: -12px;
+ width: 10px;
+ height: 22px;
+ border-top: none;
+ border-left: none;
+ border-right: 2px solid #26a69a;
+ border-bottom: none;
+ -webkit-transform: rotate(90deg);
+ transform: rotate(90deg);
+ -webkit-backface-visibility: hidden;
+ backface-visibility: hidden;
+ -webkit-transform-origin: 100% 100%;
+ transform-origin: 100% 100%;
+}
+
+[type="checkbox"]:indeterminate:disabled + label:before {
+ border-right: 2px solid rgba(0, 0, 0, 0.42);
+ background-color: transparent;
+}
+
+[type="checkbox"].filled-in + label:after {
+ border-radius: 2px;
+}
+
+[type="checkbox"].filled-in + label:before,
+[type="checkbox"].filled-in + label:after {
+ content: '';
+ left: 0;
+ position: absolute;
+ /* .1s delay is for check animation */
+ -webkit-transition: border .25s, background-color .25s, width .20s .1s, height .20s .1s, top .20s .1s, left .20s .1s;
+ transition: border .25s, background-color .25s, width .20s .1s, height .20s .1s, top .20s .1s, left .20s .1s;
+ z-index: 1;
+}
+
+[type="checkbox"].filled-in:not(:checked) + label:before {
+ width: 0;
+ height: 0;
+ border: 3px solid transparent;
+ left: 6px;
+ top: 10px;
+ -webkit-transform: rotateZ(37deg);
+ transform: rotateZ(37deg);
+ -webkit-transform-origin: 100% 100%;
+ transform-origin: 100% 100%;
+}
+
+[type="checkbox"].filled-in:not(:checked) + label:after {
+ height: 20px;
+ width: 20px;
+ background-color: transparent;
+ border: 2px solid #5a5a5a;
+ top: 0px;
+ z-index: 0;
+}
+
+[type="checkbox"].filled-in:checked + label:before {
+ top: 0;
+ left: 1px;
+ width: 8px;
+ height: 13px;
+ border-top: 2px solid transparent;
+ border-left: 2px solid transparent;
+ border-right: 2px solid #fff;
+ border-bottom: 2px solid #fff;
+ -webkit-transform: rotateZ(37deg);
+ transform: rotateZ(37deg);
+ -webkit-transform-origin: 100% 100%;
+ transform-origin: 100% 100%;
+}
+
+[type="checkbox"].filled-in:checked + label:after {
+ top: 0;
+ width: 20px;
+ height: 20px;
+ border: 2px solid #26a69a;
+ background-color: #26a69a;
+ z-index: 0;
+}
+
+[type="checkbox"].filled-in.tabbed:focus + label:after {
+ border-radius: 2px;
+ border-color: #5a5a5a;
+ background-color: rgba(0, 0, 0, 0.1);
+}
+
+[type="checkbox"].filled-in.tabbed:checked:focus + label:after {
+ border-radius: 2px;
+ background-color: #26a69a;
+ border-color: #26a69a;
+}
+
+[type="checkbox"].filled-in:disabled:not(:checked) + label:before {
+ background-color: transparent;
+ border: 2px solid transparent;
+}
+
+[type="checkbox"].filled-in:disabled:not(:checked) + label:after {
+ border-color: transparent;
+ background-color: #949494;
+}
+
+[type="checkbox"].filled-in:disabled:checked + label:before {
+ background-color: transparent;
+}
+
+[type="checkbox"].filled-in:disabled:checked + label:after {
+ background-color: #949494;
+ border-color: #949494;
+}
+
+/* Switch
+ ========================================================================== */
+.switch,
+.switch * {
+ -webkit-tap-highlight-color: transparent;
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ -ms-user-select: none;
+ user-select: none;
+}
+
+.switch label {
+ cursor: pointer;
+}
+
+.switch label input[type=checkbox] {
+ opacity: 0;
+ width: 0;
+ height: 0;
+}
+
+.switch label input[type=checkbox]:checked + .lever {
+ background-color: #84c7c1;
+}
+
+.switch label input[type=checkbox]:checked + .lever:before, .switch label input[type=checkbox]:checked + .lever:after {
+ left: 18px;
+}
+
+.switch label input[type=checkbox]:checked + .lever:after {
+ background-color: #26a69a;
+}
+
+.switch label .lever {
+ content: "";
+ display: inline-block;
+ position: relative;
+ width: 36px;
+ height: 14px;
+ background-color: rgba(0, 0, 0, 0.38);
+ border-radius: 15px;
+ margin-right: 10px;
+ -webkit-transition: background 0.3s ease;
+ transition: background 0.3s ease;
+ vertical-align: middle;
+ margin: 0 16px;
+}
+
+.switch label .lever:before, .switch label .lever:after {
+ content: "";
+ position: absolute;
+ display: inline-block;
+ width: 20px;
+ height: 20px;
+ border-radius: 50%;
+ left: 0;
+ top: -3px;
+ -webkit-transition: left 0.3s ease, background .3s ease, -webkit-box-shadow 0.1s ease, -webkit-transform .1s ease;
+ transition: left 0.3s ease, background .3s ease, -webkit-box-shadow 0.1s ease, -webkit-transform .1s ease;
+ transition: left 0.3s ease, background .3s ease, box-shadow 0.1s ease, transform .1s ease;
+ transition: left 0.3s ease, background .3s ease, box-shadow 0.1s ease, transform .1s ease, -webkit-box-shadow 0.1s ease, -webkit-transform .1s ease;
+}
+
+.switch label .lever:before {
+ background-color: rgba(38, 166, 154, 0.15);
+}
+
+.switch label .lever:after {
+ background-color: #F1F1F1;
+ -webkit-box-shadow: 0px 3px 1px -2px rgba(0, 0, 0, 0.2), 0px 2px 2px 0px rgba(0, 0, 0, 0.14), 0px 1px 5px 0px rgba(0, 0, 0, 0.12);
+ box-shadow: 0px 3px 1px -2px rgba(0, 0, 0, 0.2), 0px 2px 2px 0px rgba(0, 0, 0, 0.14), 0px 1px 5px 0px rgba(0, 0, 0, 0.12);
+}
+
+input[type=checkbox]:checked:not(:disabled) ~ .lever:active::before,
+input[type=checkbox]:checked:not(:disabled).tabbed:focus ~ .lever::before {
+ -webkit-transform: scale(2.4);
+ transform: scale(2.4);
+ background-color: rgba(38, 166, 154, 0.15);
+}
+
+input[type=checkbox]:not(:disabled) ~ .lever:active:before,
+input[type=checkbox]:not(:disabled).tabbed:focus ~ .lever::before {
+ -webkit-transform: scale(2.4);
+ transform: scale(2.4);
+ background-color: rgba(0, 0, 0, 0.08);
+}
+
+.switch input[type=checkbox][disabled] + .lever {
+ cursor: default;
+ background-color: rgba(0, 0, 0, 0.12);
+}
+
+.switch label input[type=checkbox][disabled] + .lever:after,
+.switch label input[type=checkbox][disabled]:checked + .lever:after {
+ background-color: #949494;
+}
+
+/* Select Field
+ ========================================================================== */
+select {
+ display: none;
+}
+
+select.browser-default {
+ display: block;
+}
+
+select {
+ background-color: rgba(255, 255, 255, 0.9);
+ width: 100%;
+ padding: 5px;
+ border: 1px solid #f2f2f2;
+ border-radius: 2px;
+ height: 3rem;
+}
+
+.input-field > select {
+ display: block;
+ position: absolute;
+ width: 0;
+ pointer-events: none;
+ height: 0;
+ top: 0;
+ left: 0;
+ opacity: 0;
+}
+
+.select-label {
+ position: absolute;
+}
+
+.select-wrapper {
+ position: relative;
+}
+
+.select-wrapper.valid + label,
+.select-wrapper.invalid + label {
+ width: 100%;
+ pointer-events: none;
+}
+
+.select-wrapper input.select-dropdown {
+ position: relative;
+ cursor: pointer;
+ background-color: transparent;
+ border: none;
+ border-bottom: 1px solid #9e9e9e;
+ outline: none;
+ height: 3rem;
+ line-height: 3rem;
+ width: 100%;
+ font-size: 1rem;
+ margin: 0 0 20px 0;
+ padding: 0;
+ display: block;
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ -ms-user-select: none;
+ user-select: none;
+}
+
+.select-wrapper span.caret {
+ color: initial;
+ position: absolute;
+ right: 0;
+ top: 0;
+ bottom: 0;
+ height: 10px;
+ margin: auto 0;
+ font-size: 10px;
+ line-height: 10px;
+}
+
+.select-wrapper + label {
+ position: absolute;
+ top: -26px;
+ font-size: 0.8rem;
+}
+
+select:disabled {
+ color: rgba(0, 0, 0, 0.42);
+}
+
+.select-wrapper.disabled span.caret,
+.select-wrapper.disabled + label {
+ color: rgba(0, 0, 0, 0.42);
+}
+
+.select-wrapper input.select-dropdown:disabled {
+ color: rgba(0, 0, 0, 0.42);
+ cursor: default;
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ -ms-user-select: none;
+ user-select: none;
+}
+
+.select-wrapper i {
+ color: rgba(0, 0, 0, 0.3);
+}
+
+.select-dropdown li.disabled,
+.select-dropdown li.disabled > span,
+.select-dropdown li.optgroup {
+ color: rgba(0, 0, 0, 0.3);
+ background-color: transparent;
+}
+
+.select-dropdown.dropdown-content li.active {
+ background-color: transparent;
+}
+
+.select-dropdown.dropdown-content li:hover {
+ background-color: rgba(0, 0, 0, 0.06);
+}
+
+.select-dropdown.dropdown-content li.selected {
+ background-color: rgba(0, 0, 0, 0.03);
+}
+
+.prefix ~ .select-wrapper {
+ margin-left: 3rem;
+ width: 92%;
+ width: calc(100% - 3rem);
+}
+
+.prefix ~ label {
+ margin-left: 3rem;
+}
+
+.select-dropdown li img {
+ height: 40px;
+ width: 40px;
+ margin: 5px 15px;
+ float: right;
+}
+
+.select-dropdown li.optgroup {
+ border-top: 1px solid #eee;
+}
+
+.select-dropdown li.optgroup.selected > span {
+ color: rgba(0, 0, 0, 0.7);
+}
+
+.select-dropdown li.optgroup > span {
+ color: rgba(0, 0, 0, 0.4);
+}
+
+.select-dropdown li.optgroup ~ li.optgroup-option {
+ padding-left: 1rem;
+}
+
+/* File Input
+ ========================================================================== */
+.file-field {
+ position: relative;
+}
+
+.file-field .file-path-wrapper {
+ overflow: hidden;
+ padding-left: 10px;
+}
+
+.file-field input.file-path {
+ width: 100%;
+}
+
+.file-field .btn, .file-field .btn-large {
+ float: left;
+ height: 3rem;
+ line-height: 3rem;
+}
+
+.file-field span {
+ cursor: pointer;
+}
+
+.file-field input[type=file] {
+ position: absolute;
+ top: 0;
+ right: 0;
+ left: 0;
+ bottom: 0;
+ width: 100%;
+ margin: 0;
+ padding: 0;
+ font-size: 20px;
+ cursor: pointer;
+ opacity: 0;
+ filter: alpha(opacity=0);
+}
+
+.file-field input[type=file]::-webkit-file-upload-button {
+ display: none;
+}
+
+/* Range
+ ========================================================================== */
+.range-field {
+ position: relative;
+}
+
+input[type=range],
+input[type=range] + .thumb {
+ cursor: pointer;
+}
+
+input[type=range] {
+ position: relative;
+ background-color: transparent;
+ border: none;
+ outline: none;
+ width: 100%;
+ margin: 15px 0;
+ padding: 0;
+}
+
+input[type=range]:focus {
+ outline: none;
+}
+
+input[type=range] + .thumb {
+ position: absolute;
+ top: 10px;
+ left: 0;
+ border: none;
+ height: 0;
+ width: 0;
+ border-radius: 50%;
+ background-color: #26a69a;
+ margin-left: 7px;
+ -webkit-transform-origin: 50% 50%;
+ transform-origin: 50% 50%;
+ -webkit-transform: rotate(-45deg);
+ transform: rotate(-45deg);
+}
+
+input[type=range] + .thumb .value {
+ display: block;
+ width: 30px;
+ text-align: center;
+ color: #26a69a;
+ font-size: 0;
+ -webkit-transform: rotate(45deg);
+ transform: rotate(45deg);
+}
+
+input[type=range] + .thumb.active {
+ border-radius: 50% 50% 50% 0;
+}
+
+input[type=range] + .thumb.active .value {
+ color: #fff;
+ margin-left: -1px;
+ margin-top: 8px;
+ font-size: 10px;
+}
+
+input[type=range] {
+ -webkit-appearance: none;
+}
+
+input[type=range]::-webkit-slider-runnable-track {
+ height: 3px;
+ background: #c2c0c2;
+ border: none;
+}
+
+input[type=range]::-webkit-slider-thumb {
+ -webkit-appearance: none;
+ border: none;
+ height: 14px;
+ width: 14px;
+ border-radius: 50%;
+ background-color: #26a69a;
+ -webkit-transform-origin: 50% 50%;
+ transform-origin: 50% 50%;
+ margin: -5px 0 0 0;
+ -webkit-transition: .3s;
+ transition: .3s;
+}
+
+input[type=range]:focus::-webkit-slider-runnable-track {
+ background: #ccc;
+}
+
+input[type=range] {
+ /* fix for FF unable to apply focus style bug */
+ border: 1px solid white;
+ /*required for proper track sizing in FF*/
+}
+
+input[type=range]::-moz-range-track {
+ height: 3px;
+ background: #ddd;
+ border: none;
+}
+
+input[type=range]::-moz-range-thumb {
+ border: none;
+ height: 14px;
+ width: 14px;
+ border-radius: 50%;
+ background: #26a69a;
+ margin-top: -5px;
+}
+
+input[type=range]:-moz-focusring {
+ outline: 1px solid #fff;
+ outline-offset: -1px;
+}
+
+input[type=range]:focus::-moz-range-track {
+ background: #ccc;
+}
+
+input[type=range]::-ms-track {
+ height: 3px;
+ background: transparent;
+ border-color: transparent;
+ border-width: 6px 0;
+ /*remove default tick marks*/
+ color: transparent;
+}
+
+input[type=range]::-ms-fill-lower {
+ background: #777;
+}
+
+input[type=range]::-ms-fill-upper {
+ background: #ddd;
+}
+
+input[type=range]::-ms-thumb {
+ border: none;
+ height: 14px;
+ width: 14px;
+ border-radius: 50%;
+ background: #26a69a;
+}
+
+input[type=range]:focus::-ms-fill-lower {
+ background: #888;
+}
+
+input[type=range]:focus::-ms-fill-upper {
+ background: #ccc;
+}
+
+/***************
+ Nav List
+***************/
+.table-of-contents.fixed {
+ position: fixed;
+}
+
+.table-of-contents li {
+ padding: 2px 0;
+}
+
+.table-of-contents a {
+ display: inline-block;
+ font-weight: 300;
+ color: #757575;
+ padding-left: 20px;
+ height: 1.5rem;
+ line-height: 1.5rem;
+ letter-spacing: .4;
+ display: inline-block;
+}
+
+.table-of-contents a:hover {
+ color: #a8a8a8;
+ padding-left: 19px;
+ border-left: 1px solid #ee6e73;
+}
+
+.table-of-contents a.active {
+ font-weight: 500;
+ padding-left: 18px;
+ border-left: 2px solid #ee6e73;
+}
+
+.side-nav {
+ position: fixed;
+ width: 300px;
+ left: 0;
+ top: 0;
+ margin: 0;
+ -webkit-transform: translateX(-100%);
+ transform: translateX(-100%);
+ height: 100%;
+ height: calc(100% + 60px);
+ height: -moz-calc(100%);
+ padding-bottom: 60px;
+ background-color: #fff;
+ z-index: 999;
+ overflow-y: auto;
+ will-change: transform;
+ -webkit-backface-visibility: hidden;
+ backface-visibility: hidden;
+ -webkit-transform: translateX(-105%);
+ transform: translateX(-105%);
+}
+
+.side-nav.right-aligned {
+ right: 0;
+ -webkit-transform: translateX(105%);
+ transform: translateX(105%);
+ left: auto;
+ -webkit-transform: translateX(100%);
+ transform: translateX(100%);
+}
+
+.side-nav .collapsible {
+ margin: 0;
+}
+
+.side-nav li {
+ float: none;
+ line-height: 48px;
+}
+
+.side-nav li.active {
+ background-color: rgba(0, 0, 0, 0.05);
+}
+
+.side-nav li > a {
+ color: rgba(0, 0, 0, 0.87);
+ display: block;
+ font-size: 14px;
+ font-weight: 500;
+ height: 48px;
+ line-height: 48px;
+ padding: 0 32px;
+}
+
+.side-nav li > a:hover {
+ background-color: rgba(0, 0, 0, 0.05);
+}
+
+.side-nav li > a.btn, .side-nav li > a.btn-large, .side-nav li > a.btn-large, .side-nav li > a.btn-flat, .side-nav li > a.btn-floating {
+ margin: 10px 15px;
+}
+
+.side-nav li > a.btn, .side-nav li > a.btn-large, .side-nav li > a.btn-large, .side-nav li > a.btn-floating {
+ color: #fff;
+}
+
+.side-nav li > a.btn-flat {
+ color: #343434;
+}
+
+.side-nav li > a.btn:hover, .side-nav li > a.btn-large:hover, .side-nav li > a.btn-large:hover {
+ background-color: #2bbbad;
+}
+
+.side-nav li > a.btn-floating:hover {
+ background-color: #26a69a;
+}
+
+.side-nav li > a > i,
+.side-nav li > a > [class^="mdi-"], .side-nav li > a li > a > [class*="mdi-"],
+.side-nav li > a > i.material-icons {
+ float: left;
+ height: 48px;
+ line-height: 48px;
+ margin: 0 32px 0 0;
+ width: 24px;
+ color: rgba(0, 0, 0, 0.54);
+}
+
+.side-nav .divider {
+ margin: 8px 0 0 0;
+}
+
+.side-nav .subheader {
+ cursor: initial;
+ pointer-events: none;
+ color: rgba(0, 0, 0, 0.54);
+ font-size: 14px;
+ font-weight: 500;
+ line-height: 48px;
+}
+
+.side-nav .subheader:hover {
+ background-color: transparent;
+}
+
+.side-nav .user-view,
+.side-nav .userView {
+ position: relative;
+ padding: 32px 32px 0;
+ margin-bottom: 8px;
+}
+
+.side-nav .user-view > a,
+.side-nav .userView > a {
+ height: auto;
+ padding: 0;
+}
+
+.side-nav .user-view > a:hover,
+.side-nav .userView > a:hover {
+ background-color: transparent;
+}
+
+.side-nav .user-view .background,
+.side-nav .userView .background {
+ overflow: hidden;
+ position: absolute;
+ top: 0;
+ right: 0;
+ bottom: 0;
+ left: 0;
+ z-index: -1;
+}
+
+.side-nav .user-view .circle, .side-nav .user-view .name, .side-nav .user-view .email,
+.side-nav .userView .circle,
+.side-nav .userView .name,
+.side-nav .userView .email {
+ display: block;
+}
+
+.side-nav .user-view .circle,
+.side-nav .userView .circle {
+ height: 64px;
+ width: 64px;
+}
+
+.side-nav .user-view .name,
+.side-nav .user-view .email,
+.side-nav .userView .name,
+.side-nav .userView .email {
+ font-size: 14px;
+ line-height: 24px;
+}
+
+.side-nav .user-view .name,
+.side-nav .userView .name {
+ margin-top: 16px;
+ font-weight: 500;
+}
+
+.side-nav .user-view .email,
+.side-nav .userView .email {
+ padding-bottom: 16px;
+ font-weight: 400;
+}
+
+.drag-target {
+ height: 100%;
+ width: 10px;
+ position: fixed;
+ top: 0;
+ z-index: 998;
+}
+
+.side-nav.fixed {
+ left: 0;
+ -webkit-transform: translateX(0);
+ transform: translateX(0);
+ position: fixed;
+}
+
+.side-nav.fixed.right-aligned {
+ right: 0;
+ left: auto;
+}
+
+@media only screen and (max-width: 992px) {
+ .side-nav.fixed {
+ -webkit-transform: translateX(-105%);
+ transform: translateX(-105%);
+ }
+ .side-nav.fixed.right-aligned {
+ -webkit-transform: translateX(105%);
+ transform: translateX(105%);
+ }
+ .side-nav a {
+ padding: 0 16px;
+ }
+ .side-nav .user-view,
+ .side-nav .userView {
+ padding: 16px 16px 0;
+ }
+}
+
+.side-nav .collapsible-body > ul:not(.collapsible) > li.active,
+.side-nav.fixed .collapsible-body > ul:not(.collapsible) > li.active {
+ background-color: #ee6e73;
+}
+
+.side-nav .collapsible-body > ul:not(.collapsible) > li.active a,
+.side-nav.fixed .collapsible-body > ul:not(.collapsible) > li.active a {
+ color: #fff;
+}
+
+.side-nav .collapsible-body {
+ padding: 0;
+}
+
+#sidenav-overlay {
+ position: fixed;
+ top: 0;
+ left: 0;
+ right: 0;
+ height: 120vh;
+ background-color: rgba(0, 0, 0, 0.5);
+ z-index: 997;
+ will-change: opacity;
+}
+
+/*
+ @license
+ Copyright (c) 2014 The Polymer Project Authors. All rights reserved.
+ This code may only be used under the BSD style license found at http://polymer.github.io/LICENSE.txt
+ The complete set of authors may be found at http://polymer.github.io/AUTHORS.txt
+ The complete set of contributors may be found at http://polymer.github.io/CONTRIBUTORS.txt
+ Code distributed by Google as part of the polymer project is also
+ subject to an additional IP rights grant found at http://polymer.github.io/PATENTS.txt
+ */
+/**************************/
+/* STYLES FOR THE SPINNER */
+/**************************/
+/*
+ * Constants:
+ * STROKEWIDTH = 3px
+ * ARCSIZE = 270 degrees (amount of circle the arc takes up)
+ * ARCTIME = 1333ms (time it takes to expand and contract arc)
+ * ARCSTARTROT = 216 degrees (how much the start location of the arc
+ * should rotate each time, 216 gives us a
+ * 5 pointed star shape (it's 360/5 * 3).
+ * For a 7 pointed star, we might do
+ * 360/7 * 3 = 154.286)
+ * CONTAINERWIDTH = 28px
+ * SHRINK_TIME = 400ms
+ */
+.preloader-wrapper {
+ display: inline-block;
+ position: relative;
+ width: 50px;
+ height: 50px;
+}
+
+.preloader-wrapper.small {
+ width: 36px;
+ height: 36px;
+}
+
+.preloader-wrapper.big {
+ width: 64px;
+ height: 64px;
+}
+
+.preloader-wrapper.active {
+ /* duration: 360 * ARCTIME / (ARCSTARTROT + (360-ARCSIZE)) */
+ -webkit-animation: container-rotate 1568ms linear infinite;
+ animation: container-rotate 1568ms linear infinite;
+}
+
+@-webkit-keyframes container-rotate {
+ to {
+ -webkit-transform: rotate(360deg);
+ }
+}
+
+@keyframes container-rotate {
+ to {
+ -webkit-transform: rotate(360deg);
+ transform: rotate(360deg);
+ }
+}
+
+.spinner-layer {
+ position: absolute;
+ width: 100%;
+ height: 100%;
+ opacity: 0;
+ border-color: #26a69a;
+}
+
+.spinner-blue,
+.spinner-blue-only {
+ border-color: #4285f4;
+}
+
+.spinner-red,
+.spinner-red-only {
+ border-color: #db4437;
+}
+
+.spinner-yellow,
+.spinner-yellow-only {
+ border-color: #f4b400;
+}
+
+.spinner-green,
+.spinner-green-only {
+ border-color: #0f9d58;
+}
+
+/**
+ * IMPORTANT NOTE ABOUT CSS ANIMATION PROPERTIES (keanulee):
+ *
+ * iOS Safari (tested on iOS 8.1) does not handle animation-delay very well - it doesn't
+ * guarantee that the animation will start _exactly_ after that value. So we avoid using
+ * animation-delay and instead set custom keyframes for each color (as redundant as it
+ * seems).
+ *
+ * We write out each animation in full (instead of separating animation-name,
+ * animation-duration, etc.) because under the polyfill, Safari does not recognize those
+ * specific properties properly, treats them as -webkit-animation, and overrides the
+ * other animation rules. See https://github.com/Polymer/platform/issues/53.
+ */
+.active .spinner-layer.spinner-blue {
+ /* durations: 4 * ARCTIME */
+ -webkit-animation: fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both, blue-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+ animation: fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both, blue-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+}
+
+.active .spinner-layer.spinner-red {
+ /* durations: 4 * ARCTIME */
+ -webkit-animation: fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both, red-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+ animation: fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both, red-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+}
+
+.active .spinner-layer.spinner-yellow {
+ /* durations: 4 * ARCTIME */
+ -webkit-animation: fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both, yellow-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+ animation: fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both, yellow-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+}
+
+.active .spinner-layer.spinner-green {
+ /* durations: 4 * ARCTIME */
+ -webkit-animation: fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both, green-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+ animation: fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both, green-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+}
+
+.active .spinner-layer,
+.active .spinner-layer.spinner-blue-only,
+.active .spinner-layer.spinner-red-only,
+.active .spinner-layer.spinner-yellow-only,
+.active .spinner-layer.spinner-green-only {
+ /* durations: 4 * ARCTIME */
+ opacity: 1;
+ -webkit-animation: fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+ animation: fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+}
+
+@-webkit-keyframes fill-unfill-rotate {
+ 12.5% {
+ -webkit-transform: rotate(135deg);
+ }
+ /* 0.5 * ARCSIZE */
+ 25% {
+ -webkit-transform: rotate(270deg);
+ }
+ /* 1 * ARCSIZE */
+ 37.5% {
+ -webkit-transform: rotate(405deg);
+ }
+ /* 1.5 * ARCSIZE */
+ 50% {
+ -webkit-transform: rotate(540deg);
+ }
+ /* 2 * ARCSIZE */
+ 62.5% {
+ -webkit-transform: rotate(675deg);
+ }
+ /* 2.5 * ARCSIZE */
+ 75% {
+ -webkit-transform: rotate(810deg);
+ }
+ /* 3 * ARCSIZE */
+ 87.5% {
+ -webkit-transform: rotate(945deg);
+ }
+ /* 3.5 * ARCSIZE */
+ to {
+ -webkit-transform: rotate(1080deg);
+ }
+ /* 4 * ARCSIZE */
+}
+
+@keyframes fill-unfill-rotate {
+ 12.5% {
+ -webkit-transform: rotate(135deg);
+ transform: rotate(135deg);
+ }
+ /* 0.5 * ARCSIZE */
+ 25% {
+ -webkit-transform: rotate(270deg);
+ transform: rotate(270deg);
+ }
+ /* 1 * ARCSIZE */
+ 37.5% {
+ -webkit-transform: rotate(405deg);
+ transform: rotate(405deg);
+ }
+ /* 1.5 * ARCSIZE */
+ 50% {
+ -webkit-transform: rotate(540deg);
+ transform: rotate(540deg);
+ }
+ /* 2 * ARCSIZE */
+ 62.5% {
+ -webkit-transform: rotate(675deg);
+ transform: rotate(675deg);
+ }
+ /* 2.5 * ARCSIZE */
+ 75% {
+ -webkit-transform: rotate(810deg);
+ transform: rotate(810deg);
+ }
+ /* 3 * ARCSIZE */
+ 87.5% {
+ -webkit-transform: rotate(945deg);
+ transform: rotate(945deg);
+ }
+ /* 3.5 * ARCSIZE */
+ to {
+ -webkit-transform: rotate(1080deg);
+ transform: rotate(1080deg);
+ }
+ /* 4 * ARCSIZE */
+}
+
+@-webkit-keyframes blue-fade-in-out {
+ from {
+ opacity: 1;
+ }
+ 25% {
+ opacity: 1;
+ }
+ 26% {
+ opacity: 0;
+ }
+ 89% {
+ opacity: 0;
+ }
+ 90% {
+ opacity: 1;
+ }
+ 100% {
+ opacity: 1;
+ }
+}
+
+@keyframes blue-fade-in-out {
+ from {
+ opacity: 1;
+ }
+ 25% {
+ opacity: 1;
+ }
+ 26% {
+ opacity: 0;
+ }
+ 89% {
+ opacity: 0;
+ }
+ 90% {
+ opacity: 1;
+ }
+ 100% {
+ opacity: 1;
+ }
+}
+
+@-webkit-keyframes red-fade-in-out {
+ from {
+ opacity: 0;
+ }
+ 15% {
+ opacity: 0;
+ }
+ 25% {
+ opacity: 1;
+ }
+ 50% {
+ opacity: 1;
+ }
+ 51% {
+ opacity: 0;
+ }
+}
+
+@keyframes red-fade-in-out {
+ from {
+ opacity: 0;
+ }
+ 15% {
+ opacity: 0;
+ }
+ 25% {
+ opacity: 1;
+ }
+ 50% {
+ opacity: 1;
+ }
+ 51% {
+ opacity: 0;
+ }
+}
+
+@-webkit-keyframes yellow-fade-in-out {
+ from {
+ opacity: 0;
+ }
+ 40% {
+ opacity: 0;
+ }
+ 50% {
+ opacity: 1;
+ }
+ 75% {
+ opacity: 1;
+ }
+ 76% {
+ opacity: 0;
+ }
+}
+
+@keyframes yellow-fade-in-out {
+ from {
+ opacity: 0;
+ }
+ 40% {
+ opacity: 0;
+ }
+ 50% {
+ opacity: 1;
+ }
+ 75% {
+ opacity: 1;
+ }
+ 76% {
+ opacity: 0;
+ }
+}
+
+@-webkit-keyframes green-fade-in-out {
+ from {
+ opacity: 0;
+ }
+ 65% {
+ opacity: 0;
+ }
+ 75% {
+ opacity: 1;
+ }
+ 90% {
+ opacity: 1;
+ }
+ 100% {
+ opacity: 0;
+ }
+}
+
+@keyframes green-fade-in-out {
+ from {
+ opacity: 0;
+ }
+ 65% {
+ opacity: 0;
+ }
+ 75% {
+ opacity: 1;
+ }
+ 90% {
+ opacity: 1;
+ }
+ 100% {
+ opacity: 0;
+ }
+}
+
+/**
+ * Patch the gap that appear between the two adjacent div.circle-clipper while the
+ * spinner is rotating (appears on Chrome 38, Safari 7.1, and IE 11).
+ */
+.gap-patch {
+ position: absolute;
+ top: 0;
+ left: 45%;
+ width: 10%;
+ height: 100%;
+ overflow: hidden;
+ border-color: inherit;
+}
+
+.gap-patch .circle {
+ width: 1000%;
+ left: -450%;
+}
+
+.circle-clipper {
+ display: inline-block;
+ position: relative;
+ width: 50%;
+ height: 100%;
+ overflow: hidden;
+ border-color: inherit;
+}
+
+.circle-clipper .circle {
+ width: 200%;
+ height: 100%;
+ border-width: 3px;
+ /* STROKEWIDTH */
+ border-style: solid;
+ border-color: inherit;
+ border-bottom-color: transparent !important;
+ border-radius: 50%;
+ -webkit-animation: none;
+ animation: none;
+ position: absolute;
+ top: 0;
+ right: 0;
+ bottom: 0;
+}
+
+.circle-clipper.left .circle {
+ left: 0;
+ border-right-color: transparent !important;
+ -webkit-transform: rotate(129deg);
+ transform: rotate(129deg);
+}
+
+.circle-clipper.right .circle {
+ left: -100%;
+ border-left-color: transparent !important;
+ -webkit-transform: rotate(-129deg);
+ transform: rotate(-129deg);
+}
+
+.active .circle-clipper.left .circle {
+ /* duration: ARCTIME */
+ -webkit-animation: left-spin 1333ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+ animation: left-spin 1333ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+}
+
+.active .circle-clipper.right .circle {
+ /* duration: ARCTIME */
+ -webkit-animation: right-spin 1333ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+ animation: right-spin 1333ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;
+}
+
+@-webkit-keyframes left-spin {
+ from {
+ -webkit-transform: rotate(130deg);
+ }
+ 50% {
+ -webkit-transform: rotate(-5deg);
+ }
+ to {
+ -webkit-transform: rotate(130deg);
+ }
+}
+
+@keyframes left-spin {
+ from {
+ -webkit-transform: rotate(130deg);
+ transform: rotate(130deg);
+ }
+ 50% {
+ -webkit-transform: rotate(-5deg);
+ transform: rotate(-5deg);
+ }
+ to {
+ -webkit-transform: rotate(130deg);
+ transform: rotate(130deg);
+ }
+}
+
+@-webkit-keyframes right-spin {
+ from {
+ -webkit-transform: rotate(-130deg);
+ }
+ 50% {
+ -webkit-transform: rotate(5deg);
+ }
+ to {
+ -webkit-transform: rotate(-130deg);
+ }
+}
+
+@keyframes right-spin {
+ from {
+ -webkit-transform: rotate(-130deg);
+ transform: rotate(-130deg);
+ }
+ 50% {
+ -webkit-transform: rotate(5deg);
+ transform: rotate(5deg);
+ }
+ to {
+ -webkit-transform: rotate(-130deg);
+ transform: rotate(-130deg);
+ }
+}
+
+#spinnerContainer.cooldown {
+ /* duration: SHRINK_TIME */
+ -webkit-animation: container-rotate 1568ms linear infinite, fade-out 400ms cubic-bezier(0.4, 0, 0.2, 1);
+ animation: container-rotate 1568ms linear infinite, fade-out 400ms cubic-bezier(0.4, 0, 0.2, 1);
+}
+
+@-webkit-keyframes fade-out {
+ from {
+ opacity: 1;
+ }
+ to {
+ opacity: 0;
+ }
+}
+
+@keyframes fade-out {
+ from {
+ opacity: 1;
+ }
+ to {
+ opacity: 0;
+ }
+}
+
+.slider {
+ position: relative;
+ height: 400px;
+ width: 100%;
+}
+
+.slider.fullscreen {
+ height: 100%;
+ width: 100%;
+ position: absolute;
+ top: 0;
+ left: 0;
+ right: 0;
+ bottom: 0;
+}
+
+.slider.fullscreen ul.slides {
+ height: 100%;
+}
+
+.slider.fullscreen ul.indicators {
+ z-index: 2;
+ bottom: 30px;
+}
+
+.slider .slides {
+ background-color: #9e9e9e;
+ margin: 0;
+ height: 400px;
+}
+
+.slider .slides li {
+ opacity: 0;
+ position: absolute;
+ top: 0;
+ left: 0;
+ z-index: 1;
+ width: 100%;
+ height: inherit;
+ overflow: hidden;
+}
+
+.slider .slides li img {
+ height: 100%;
+ width: 100%;
+ background-size: cover;
+ background-position: center;
+}
+
+.slider .slides li .caption {
+ color: #fff;
+ position: absolute;
+ top: 15%;
+ left: 15%;
+ width: 70%;
+ opacity: 0;
+}
+
+.slider .slides li .caption p {
+ color: #e0e0e0;
+}
+
+.slider .slides li.active {
+ z-index: 2;
+}
+
+.slider .indicators {
+ position: absolute;
+ text-align: center;
+ left: 0;
+ right: 0;
+ bottom: 0;
+ margin: 0;
+}
+
+.slider .indicators .indicator-item {
+ display: inline-block;
+ position: relative;
+ cursor: pointer;
+ height: 16px;
+ width: 16px;
+ margin: 0 12px;
+ background-color: #e0e0e0;
+ -webkit-transition: background-color .3s;
+ transition: background-color .3s;
+ border-radius: 50%;
+}
+
+.slider .indicators .indicator-item.active {
+ background-color: #4CAF50;
+}
+
+.carousel {
+ overflow: hidden;
+ position: relative;
+ width: 100%;
+ height: 400px;
+ -webkit-perspective: 500px;
+ perspective: 500px;
+ -webkit-transform-style: preserve-3d;
+ transform-style: preserve-3d;
+ -webkit-transform-origin: 0% 50%;
+ transform-origin: 0% 50%;
+}
+
+.carousel.carousel-slider {
+ top: 0;
+ left: 0;
+}
+
+.carousel.carousel-slider .carousel-fixed-item {
+ position: absolute;
+ left: 0;
+ right: 0;
+ bottom: 20px;
+ z-index: 1;
+}
+
+.carousel.carousel-slider .carousel-fixed-item.with-indicators {
+ bottom: 68px;
+}
+
+.carousel.carousel-slider .carousel-item {
+ width: 100%;
+ height: 100%;
+ min-height: 400px;
+ position: absolute;
+ top: 0;
+ left: 0;
+}
+
+.carousel.carousel-slider .carousel-item h2 {
+ font-size: 24px;
+ font-weight: 500;
+ line-height: 32px;
+}
+
+.carousel.carousel-slider .carousel-item p {
+ font-size: 15px;
+}
+
+.carousel .carousel-item {
+ display: none;
+ width: 200px;
+ height: 200px;
+ position: absolute;
+ top: 0;
+ left: 0;
+}
+
+.carousel .carousel-item > img {
+ width: 100%;
+}
+
+.carousel .indicators {
+ position: absolute;
+ text-align: center;
+ left: 0;
+ right: 0;
+ bottom: 0;
+ margin: 0;
+}
+
+.carousel .indicators .indicator-item {
+ display: inline-block;
+ position: relative;
+ cursor: pointer;
+ height: 8px;
+ width: 8px;
+ margin: 24px 4px;
+ background-color: rgba(255, 255, 255, 0.5);
+ -webkit-transition: background-color .3s;
+ transition: background-color .3s;
+ border-radius: 50%;
+}
+
+.carousel .indicators .indicator-item.active {
+ background-color: #fff;
+}
+
+.carousel.scrolling .carousel-item .materialboxed,
+.carousel .carousel-item:not(.active) .materialboxed {
+ pointer-events: none;
+}
+
+.tap-target-wrapper {
+ width: 800px;
+ height: 800px;
+ position: fixed;
+ z-index: 1000;
+ visibility: hidden;
+ -webkit-transition: visibility 0s .3s;
+ transition: visibility 0s .3s;
+}
+
+.tap-target-wrapper.open {
+ visibility: visible;
+ -webkit-transition: visibility 0s;
+ transition: visibility 0s;
+}
+
+.tap-target-wrapper.open .tap-target {
+ -webkit-transform: scale(1);
+ transform: scale(1);
+ opacity: .95;
+ -webkit-transition: opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1), -webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1);
+ transition: opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1), -webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1);
+ transition: transform 0.3s cubic-bezier(0.42, 0, 0.58, 1), opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1);
+ transition: transform 0.3s cubic-bezier(0.42, 0, 0.58, 1), opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1), -webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1);
+}
+
+.tap-target-wrapper.open .tap-target-wave::before {
+ -webkit-transform: scale(1);
+ transform: scale(1);
+}
+
+.tap-target-wrapper.open .tap-target-wave::after {
+ visibility: visible;
+ -webkit-animation: pulse-animation 1s cubic-bezier(0.24, 0, 0.38, 1) infinite;
+ animation: pulse-animation 1s cubic-bezier(0.24, 0, 0.38, 1) infinite;
+ -webkit-transition: opacity .3s, visibility 0s 1s, -webkit-transform .3s;
+ transition: opacity .3s, visibility 0s 1s, -webkit-transform .3s;
+ transition: opacity .3s, transform .3s, visibility 0s 1s;
+ transition: opacity .3s, transform .3s, visibility 0s 1s, -webkit-transform .3s;
+}
+
+.tap-target {
+ position: absolute;
+ font-size: 1rem;
+ border-radius: 50%;
+ background-color: #ee6e73;
+ -webkit-box-shadow: 0 20px 20px 0 rgba(0, 0, 0, 0.14), 0 10px 50px 0 rgba(0, 0, 0, 0.12), 0 30px 10px -20px rgba(0, 0, 0, 0.2);
+ box-shadow: 0 20px 20px 0 rgba(0, 0, 0, 0.14), 0 10px 50px 0 rgba(0, 0, 0, 0.12), 0 30px 10px -20px rgba(0, 0, 0, 0.2);
+ width: 100%;
+ height: 100%;
+ opacity: 0;
+ -webkit-transform: scale(0);
+ transform: scale(0);
+ -webkit-transition: opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1), -webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1);
+ transition: opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1), -webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1);
+ transition: transform 0.3s cubic-bezier(0.42, 0, 0.58, 1), opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1);
+ transition: transform 0.3s cubic-bezier(0.42, 0, 0.58, 1), opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1), -webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1);
+}
+
+.tap-target-content {
+ position: relative;
+ display: table-cell;
+}
+
+.tap-target-wave {
+ position: absolute;
+ border-radius: 50%;
+ z-index: 10001;
+}
+
+.tap-target-wave::before, .tap-target-wave::after {
+ content: '';
+ display: block;
+ position: absolute;
+ width: 100%;
+ height: 100%;
+ border-radius: 50%;
+ background-color: #ffffff;
+}
+
+.tap-target-wave::before {
+ -webkit-transform: scale(0);
+ transform: scale(0);
+ -webkit-transition: -webkit-transform .3s;
+ transition: -webkit-transform .3s;
+ transition: transform .3s;
+ transition: transform .3s, -webkit-transform .3s;
+}
+
+.tap-target-wave::after {
+ visibility: hidden;
+ -webkit-transition: opacity .3s, visibility 0s, -webkit-transform .3s;
+ transition: opacity .3s, visibility 0s, -webkit-transform .3s;
+ transition: opacity .3s, transform .3s, visibility 0s;
+ transition: opacity .3s, transform .3s, visibility 0s, -webkit-transform .3s;
+ z-index: -1;
+}
+
+.tap-target-origin {
+ top: 50%;
+ left: 50%;
+ -webkit-transform: translate(-50%, -50%);
+ transform: translate(-50%, -50%);
+ z-index: 10002;
+ position: absolute !important;
+}
+
+.tap-target-origin:not(.btn):not(.btn-large), .tap-target-origin:not(.btn):not(.btn-large):hover {
+ background: none;
+}
+
+@media only screen and (max-width: 600px) {
+ .tap-target, .tap-target-wrapper {
+ width: 600px;
+ height: 600px;
+ }
+}
+
+.pulse {
+ overflow: initial;
+ position: relative;
+}
+
+.pulse::before {
+ content: '';
+ display: block;
+ position: absolute;
+ width: 100%;
+ height: 100%;
+ top: 0;
+ left: 0;
+ background-color: inherit;
+ border-radius: inherit;
+ -webkit-transition: opacity .3s, -webkit-transform .3s;
+ transition: opacity .3s, -webkit-transform .3s;
+ transition: opacity .3s, transform .3s;
+ transition: opacity .3s, transform .3s, -webkit-transform .3s;
+ -webkit-animation: pulse-animation 1s cubic-bezier(0.24, 0, 0.38, 1) infinite;
+ animation: pulse-animation 1s cubic-bezier(0.24, 0, 0.38, 1) infinite;
+ z-index: -1;
+}
+
+@-webkit-keyframes pulse-animation {
+ 0% {
+ opacity: 1;
+ -webkit-transform: scale(1);
+ transform: scale(1);
+ }
+ 50% {
+ opacity: 0;
+ -webkit-transform: scale(1.5);
+ transform: scale(1.5);
+ }
+ 100% {
+ opacity: 0;
+ -webkit-transform: scale(1.5);
+ transform: scale(1.5);
+ }
+}
+
+@keyframes pulse-animation {
+ 0% {
+ opacity: 1;
+ -webkit-transform: scale(1);
+ transform: scale(1);
+ }
+ 50% {
+ opacity: 0;
+ -webkit-transform: scale(1.5);
+ transform: scale(1.5);
+ }
+ 100% {
+ opacity: 0;
+ -webkit-transform: scale(1.5);
+ transform: scale(1.5);
+ }
+}
+
+/* ==========================================================================
+ $BASE-PICKER
+ ========================================================================== */
+/**
+ * Note: the root picker element should *NOT* be styled more than what's here.
+ */
+.picker {
+ font-size: 16px;
+ text-align: left;
+ line-height: 1.2;
+ color: #000000;
+ position: absolute;
+ z-index: 10000;
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ -ms-user-select: none;
+ user-select: none;
+ outline: none;
+}
+
+/**
+ * The picker input element.
+ */
+.picker__input {
+ cursor: default;
+}
+
+/**
+ * When the picker is opened, the input element is "activated".
+ */
+.picker__input.picker__input--active {
+ border-color: #0089ec;
+}
+
+/**
+ * The holder is the only "scrollable" top-level container element.
+ */
+.picker__holder {
+ width: 100%;
+ overflow-y: auto;
+ -webkit-overflow-scrolling: touch;
+}
+
+/*!
+ * Default mobile-first, responsive styling for pickadate.js
+ * Demo: http://amsul.github.io/pickadate.js
+ */
+/**
+ * Note: the root picker element should *NOT* be styled more than what's here.
+ */
+/**
+ * Make the holder and frame fullscreen.
+ */
+.picker__holder,
+.picker__frame {
+ bottom: 0;
+ left: 0;
+ right: 0;
+ top: 100%;
+}
+
+/**
+ * The holder should overlay the entire screen.
+ */
+.picker__holder {
+ position: fixed;
+ -webkit-transition: background 0.15s ease-out, top 0s 0.15s;
+ transition: background 0.15s ease-out, top 0s 0.15s;
+ -webkit-backface-visibility: hidden;
+}
+
+/**
+ * The frame that bounds the box contents of the picker.
+ */
+.picker__frame {
+ position: absolute;
+ margin: 0 auto;
+ min-width: 256px;
+ width: 300px;
+ max-height: 350px;
+ -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=0)";
+ filter: alpha(opacity=0);
+ -moz-opacity: 0;
+ opacity: 0;
+ -webkit-transition: all 0.15s ease-out;
+ transition: all 0.15s ease-out;
+}
+
+@media (min-height: 28.875em) {
+ .picker__frame {
+ overflow: visible;
+ top: auto;
+ bottom: -100%;
+ max-height: 80%;
+ }
+}
+
+@media (min-height: 40.125em) {
+ .picker__frame {
+ margin-bottom: 7.5%;
+ }
+}
+
+/**
+ * The wrapper sets the stage to vertically align the box contents.
+ */
+.picker__wrap {
+ display: table;
+ width: 100%;
+ height: 100%;
+}
+
+@media (min-height: 28.875em) {
+ .picker__wrap {
+ display: block;
+ }
+}
+
+/**
+ * The box contains all the picker contents.
+ */
+.picker__box {
+ background: #ffffff;
+ display: table-cell;
+ vertical-align: middle;
+}
+
+@media (min-height: 28.875em) {
+ .picker__box {
+ display: block;
+ border: 1px solid #777777;
+ border-top-color: #898989;
+ border-bottom-width: 0;
+ border-radius: 5px 5px 0 0;
+ -webkit-box-shadow: 0 12px 36px 16px rgba(0, 0, 0, 0.24);
+ box-shadow: 0 12px 36px 16px rgba(0, 0, 0, 0.24);
+ }
+}
+
+/**
+ * When the picker opens...
+ */
+.picker--opened .picker__holder {
+ top: 0;
+ background: transparent;
+ -ms-filter: "progid:DXImageTransform.Microsoft.gradient(startColorstr=#1E000000,endColorstr=#1E000000)";
+ zoom: 1;
+ background: rgba(0, 0, 0, 0.32);
+ -webkit-transition: background 0.15s ease-out;
+ transition: background 0.15s ease-out;
+}
+
+.picker--opened .picker__frame {
+ top: 0;
+ -ms-filter: "progid:DXImageTransform.Microsoft.Alpha(Opacity=100)";
+ filter: alpha(opacity=100);
+ -moz-opacity: 1;
+ opacity: 1;
+}
+
+@media (min-height: 35.875em) {
+ .picker--opened .picker__frame {
+ top: 10%;
+ bottom: auto;
+ }
+}
+
+/**
+ * For `large` screens, transform into an inline picker.
+ */
+/* ==========================================================================
+ CUSTOM MATERIALIZE STYLES
+ ========================================================================== */
+.picker__input.picker__input--active {
+ border-color: #E3F2FD;
+}
+
+.picker__frame {
+ margin: 0 auto;
+ max-width: 325px;
+}
+
+@media (min-height: 38.875em) {
+ .picker--opened .picker__frame {
+ top: 10%;
+ bottom: auto;
+ }
+}
+
+@media only screen and (min-width: 601px) {
+ .picker__box {
+ display: -webkit-box;
+ display: -webkit-flex;
+ display: -ms-flexbox;
+ display: flex;
+ }
+ .picker__frame {
+ width: 80%;
+ max-width: 600px;
+ }
+}
+
+/* ==========================================================================
+ $BASE-DATE-PICKER
+ ========================================================================== */
+/**
+ * The picker box.
+ */
+.picker__box {
+ padding: 0;
+ border-radius: 2px;
+ overflow: hidden;
+}
+
+/**
+ * The header containing the month and year stuff.
+ */
+.picker__header {
+ text-align: center;
+ position: relative;
+ margin-top: .75em;
+}
+
+/**
+ * The month and year labels.
+ */
+.picker__month,
+.picker__year {
+ display: inline-block;
+ margin-left: .25em;
+ margin-right: .25em;
+}
+
+/**
+ * The month and year selectors.
+ */
+.picker__select--month,
+.picker__select--year {
+ height: 2em;
+ padding: 0;
+ margin-left: .25em;
+ margin-right: .25em;
+}
+
+.picker__select--month.browser-default {
+ display: inline;
+ background-color: #FFFFFF;
+ width: 40%;
+}
+
+.picker__select--year.browser-default {
+ display: inline;
+ background-color: #FFFFFF;
+ width: 26%;
+}
+
+.picker__select--month:focus,
+.picker__select--year:focus {
+ border-color: rgba(0, 0, 0, 0.05);
+}
+
+/**
+ * The month navigation buttons.
+ */
+.picker__nav--prev,
+.picker__nav--next {
+ position: absolute;
+ padding: .5em 1.25em;
+ width: 1em;
+ height: 1em;
+ -webkit-box-sizing: content-box;
+ box-sizing: content-box;
+ top: -0.25em;
+}
+
+.picker__nav--prev {
+ left: -1em;
+ padding-right: 1.25em;
+}
+
+.picker__nav--next {
+ right: -1em;
+ padding-left: 1.25em;
+}
+
+.picker__nav--disabled,
+.picker__nav--disabled:hover,
+.picker__nav--disabled:before,
+.picker__nav--disabled:before:hover {
+ cursor: default;
+ background: none;
+ border-right-color: #f5f5f5;
+ border-left-color: #f5f5f5;
+}
+
+/**
+ * The calendar table of dates
+ */
+.picker__table {
+ text-align: center;
+ border-collapse: collapse;
+ border-spacing: 0;
+ table-layout: fixed;
+ font-size: 1rem;
+ width: 100%;
+ margin-top: .75em;
+ margin-bottom: .5em;
+}
+
+.picker__table th, .picker__table td {
+ text-align: center;
+}
+
+.picker__table td {
+ margin: 0;
+ padding: 0;
+}
+
+/**
+ * The weekday labels
+ */
+.picker__weekday {
+ width: 14.285714286%;
+ font-size: .75em;
+ padding-bottom: .25em;
+ color: #999999;
+ font-weight: 500;
+ /* Increase the spacing a tad */
+}
+
+@media (min-height: 33.875em) {
+ .picker__weekday {
+ padding-bottom: .5em;
+ }
+}
+
+/**
+ * The days on the calendar
+ */
+.picker__day--today {
+ position: relative;
+ color: #595959;
+ letter-spacing: -.3;
+ padding: .75rem 0;
+ font-weight: 400;
+ border: 1px solid transparent;
+}
+
+.picker__day--disabled:before {
+ border-top-color: #aaaaaa;
+}
+
+.picker__day--infocus:hover {
+ cursor: pointer;
+ color: #000;
+ font-weight: 500;
+}
+
+.picker__day--outfocus {
+ display: none;
+ padding: .75rem 0;
+ color: #fff;
+}
+
+.picker__day--outfocus:hover {
+ cursor: pointer;
+ color: #dddddd;
+ font-weight: 500;
+}
+
+.picker__day--highlighted:hover,
+.picker--focused .picker__day--highlighted {
+ cursor: pointer;
+}
+
+.picker__day--selected,
+.picker__day--selected:hover,
+.picker--focused .picker__day--selected {
+ border-radius: 50%;
+ -webkit-transform: scale(0.75);
+ transform: scale(0.75);
+ background: #0089ec;
+ color: #ffffff;
+}
+
+.picker__day--disabled,
+.picker__day--disabled:hover,
+.picker--focused .picker__day--disabled {
+ background: #f5f5f5;
+ border-color: #f5f5f5;
+ color: #dddddd;
+ cursor: default;
+}
+
+.picker__day--highlighted.picker__day--disabled,
+.picker__day--highlighted.picker__day--disabled:hover {
+ background: #bbbbbb;
+}
+
+/**
+ * The footer containing the "today", "clear", and "close" buttons.
+ */
+.picker__footer {
+ text-align: right;
+}
+
+.picker__button--today,
+.picker__button--clear,
+.picker__button--close {
+ border: 1px solid #ffffff;
+ background: #ffffff;
+ font-size: .8em;
+ padding: .66em 0;
+ font-weight: bold;
+ width: 33%;
+ display: inline-block;
+ vertical-align: bottom;
+}
+
+.picker__button--today:hover,
+.picker__button--clear:hover,
+.picker__button--close:hover {
+ cursor: pointer;
+ color: #000000;
+ background: #b1dcfb;
+ border-bottom-color: #b1dcfb;
+}
+
+.picker__button--today:focus,
+.picker__button--clear:focus,
+.picker__button--close:focus {
+ background: #b1dcfb;
+ border-color: rgba(0, 0, 0, 0.05);
+ outline: none;
+}
+
+.picker__button--today:before,
+.picker__button--clear:before,
+.picker__button--close:before {
+ position: relative;
+ display: inline-block;
+ height: 0;
+}
+
+.picker__button--today:before,
+.picker__button--clear:before {
+ content: " ";
+ margin-right: .45em;
+}
+
+.picker__button--today:before {
+ top: -0.05em;
+ width: 0;
+ border-top: 0.66em solid #0059bc;
+ border-left: .66em solid transparent;
+}
+
+.picker__button--clear:before {
+ top: -0.25em;
+ width: .66em;
+ border-top: 3px solid #ee2200;
+}
+
+.picker__button--close:before {
+ content: "\D7";
+ top: -0.1em;
+ vertical-align: top;
+ font-size: 1.1em;
+ margin-right: .35em;
+ color: #777777;
+}
+
+.picker__button--today[disabled],
+.picker__button--today[disabled]:hover {
+ background: #f5f5f5;
+ border-color: #f5f5f5;
+ color: #dddddd;
+ cursor: default;
+}
+
+.picker__button--today[disabled]:before {
+ border-top-color: #aaaaaa;
+}
+
+/* ==========================================================================
+ CUSTOM MATERIALIZE STYLES
+ ========================================================================== */
+/*.picker__box {
+ border-radius: 2px;
+ overflow: hidden;
+}*/
+.picker__date-display {
+ text-align: left;
+ background-color: #26a69a;
+ color: #fff;
+ padding: 18px;
+ font-weight: 300;
+}
+
+@media only screen and (min-width: 601px) {
+ .picker__date-display {
+ -webkit-box-flex: 1;
+ -webkit-flex: 1;
+ -ms-flex: 1;
+ flex: 1;
+ }
+ .picker__weekday-display {
+ display: block;
+ }
+ .picker__container__wrapper {
+ -webkit-box-flex: 2;
+ -webkit-flex: 2;
+ -ms-flex: 2;
+ flex: 2;
+ }
+}
+
+.picker__nav--prev:hover,
+.picker__nav--next:hover {
+ cursor: pointer;
+ color: #000000;
+ background: #a1ded8;
+}
+
+.picker__weekday-display {
+ font-weight: 500;
+ font-size: 2.8rem;
+ margin-right: 5px;
+ margin-top: 4px;
+}
+
+.picker__month-display {
+ font-size: 2.8rem;
+ font-weight: 500;
+}
+
+.picker__day-display {
+ font-size: 2.8rem;
+ font-weight: 500;
+ margin-right: 5px;
+}
+
+.picker__year-display {
+ font-size: 1.5rem;
+ font-weight: 500;
+ color: rgba(255, 255, 255, 0.7);
+}
+
+/*.picker__box {
+ padding: 0;
+}*/
+.picker__calendar-container {
+ padding: 0 1rem;
+}
+
+.picker__calendar-container thead {
+ border: none;
+}
+
+.picker__table {
+ margin-top: 0;
+ margin-bottom: .5em;
+}
+
+.picker__day--infocus {
+ color: rgba(0, 0, 0, 0.87);
+ letter-spacing: -.3px;
+ padding: 0.75rem 0;
+ font-weight: 400;
+ border: 1px solid transparent;
+}
+
+@media only screen and (min-width: 601px) {
+ .picker__day--infocus {
+ padding: 1.1rem 0;
+ }
+}
+
+.picker__day.picker__day--today {
+ color: #26a69a;
+}
+
+.picker__day.picker__day--today.picker__day--selected {
+ color: #fff;
+}
+
+.picker__weekday {
+ font-size: .9rem;
+}
+
+.picker__day--selected,
+.picker__day--selected:hover,
+.picker--focused .picker__day--selected {
+ border-radius: 50%;
+ -webkit-transform: scale(0.9);
+ transform: scale(0.9);
+ background-color: #26a69a;
+ color: #ffffff;
+}
+
+.picker__day--selected.picker__day--outfocus,
+.picker__day--selected:hover.picker__day--outfocus,
+.picker--focused .picker__day--selected.picker__day--outfocus {
+ background-color: #a1ded8;
+}
+
+.picker__footer {
+ text-align: right;
+ padding: 5px 10px;
+}
+
+.picker__close, .picker__today, .picker__clear {
+ font-size: 1.1rem;
+ padding: 0 1rem;
+ color: #26a69a;
+}
+
+.picker__clear {
+ color: #f44336;
+ float: left;
+}
+
+.picker__nav--prev:before,
+.picker__nav--next:before {
+ content: " ";
+ border-top: .5em solid transparent;
+ border-bottom: .5em solid transparent;
+ border-right: 0.75em solid #676767;
+ width: 0;
+ height: 0;
+ display: block;
+ margin: 0 auto;
+}
+
+.picker__nav--next:before {
+ border-right: 0;
+ border-left: 0.75em solid #676767;
+}
+
+button.picker__today:focus, button.picker__clear:focus, button.picker__close:focus {
+ background-color: #a1ded8;
+}
+
+/* ==========================================================================
+ $BASE-TIME-PICKER
+ ========================================================================== */
+/**
+ * The list of times.
+ */
+.picker__list {
+ list-style: none;
+ padding: 0.75em 0 4.2em;
+ margin: 0;
+}
+
+/**
+ * The times on the clock.
+ */
+.picker__list-item {
+ border-bottom: 1px solid #ddd;
+ border-top: 1px solid #ddd;
+ margin-bottom: -1px;
+ position: relative;
+ background: #fff;
+ padding: .75em 1.25em;
+}
+
+@media (min-height: 46.75em) {
+ .picker__list-item {
+ padding: .5em 1em;
+ }
+}
+
+/* Hovered time */
+.picker__list-item:hover {
+ cursor: pointer;
+ color: #000;
+ background: #b1dcfb;
+ border-color: #0089ec;
+ z-index: 10;
+}
+
+/* Highlighted and hovered/focused time */
+.picker__list-item--highlighted {
+ border-color: #0089ec;
+ z-index: 10;
+}
+
+.picker__list-item--highlighted:hover,
+.picker--focused .picker__list-item--highlighted {
+ cursor: pointer;
+ color: #000;
+ background: #b1dcfb;
+}
+
+/* Selected and hovered/focused time */
+.picker__list-item--selected,
+.picker__list-item--selected:hover,
+.picker--focused .picker__list-item--selected {
+ background: #0089ec;
+ color: #fff;
+ z-index: 10;
+}
+
+/* Disabled time */
+.picker__list-item--disabled,
+.picker__list-item--disabled:hover,
+.picker--focused .picker__list-item--disabled {
+ background: #f5f5f5;
+ border-color: #f5f5f5;
+ color: #ddd;
+ cursor: default;
+ border-color: #ddd;
+ z-index: auto;
+}
+
+/**
+ * The clear button
+ */
+.picker--time .picker__button--clear {
+ display: block;
+ width: 80%;
+ margin: 1em auto 0;
+ padding: 1em 1.25em;
+ background: none;
+ border: 0;
+ font-weight: 500;
+ font-size: .67em;
+ text-align: center;
+ text-transform: uppercase;
+ color: rgba(0, 0, 0, 0.87);
+}
+
+.picker--time .picker__button--clear:hover,
+.picker--time .picker__button--clear:focus {
+ color: #000;
+ background: #b1dcfb;
+ background: #ee2200;
+ border-color: #ee2200;
+ cursor: pointer;
+ color: #fff;
+ outline: none;
+}
+
+.picker--time .picker__button--clear:before {
+ top: -0.25em;
+ color: rgba(0, 0, 0, 0.87);
+ font-size: 1.25em;
+ font-weight: bold;
+}
+
+.picker--time .picker__button--clear:hover:before,
+.picker--time .picker__button--clear:focus:before {
+ color: #fff;
+}
+
+/* ==========================================================================
+ $DEFAULT-TIME-PICKER
+ ========================================================================== */
+/**
+ * The frame the bounds the time picker.
+ */
+.picker--time .picker__frame {
+ min-width: 256px;
+ max-width: 320px;
+}
+
+/**
+ * The picker box.
+ */
+.picker--time .picker__box {
+ font-size: 1em;
+ background: #f2f2f2;
+ padding: 0;
+}
+
+@media (min-height: 40.125em) {
+ .picker--time .picker__box {
+ margin-bottom: 5em;
+ }
+}
+
+/* ==========================================================================
+ $DEFAULT-TIME-PICKER
+ ========================================================================== */
+.clockpicker-display {
+ font-size: 4rem;
+ font-weight: bold;
+ text-align: center;
+ color: rgba(255, 255, 255, 0.6);
+ font-weight: 400;
+ clear: both;
+ position: relative;
+}
+
+.clockpicker-span-am-pm {
+ font-size: 1.3rem;
+ position: absolute;
+ right: 1rem;
+ bottom: 0.3rem;
+ line-height: 2rem;
+ font-weight: 500;
+}
+
+@media only screen and (min-width: 601px) {
+ .clockpicker-display {
+ top: 32%;
+ }
+ .clockpicker-span-am-pm {
+ position: relative;
+ right: auto;
+ bottom: auto;
+ text-align: center;
+ margin-top: 1.2rem;
+ }
+}
+
+.text-primary {
+ color: white;
+}
+
+.clockpicker-span-hours {
+ margin-right: 3px;
+}
+
+.clockpicker-span-minutes {
+ margin-left: 3px;
+}
+
+.clockpicker-span-hours,
+.clockpicker-span-minutes,
+.clockpicker-span-am-pm div {
+ cursor: pointer;
+}
+
+.clockpicker-moving {
+ cursor: move;
+}
+
+.clockpicker-plate {
+ background-color: #eee;
+ border-radius: 50%;
+ width: 270px;
+ height: 270px;
+ overflow: visible;
+ position: relative;
+ margin: auto;
+ margin-top: 25px;
+ margin-bottom: 5px;
+ -webkit-user-select: none;
+ -moz-user-select: none;
+ -ms-user-select: none;
+ user-select: none;
+}
+
+.clockpicker-canvas,
+.clockpicker-dial {
+ width: 270px;
+ height: 270px;
+ position: absolute;
+ left: -1px;
+ top: -1px;
+}
+
+.clockpicker-minutes {
+ visibility: hidden;
+}
+
+.clockpicker-tick {
+ border-radius: 50%;
+ color: rgba(0, 0, 0, 0.87);
+ line-height: 40px;
+ text-align: center;
+ width: 40px;
+ height: 40px;
+ position: absolute;
+ cursor: pointer;
+}
+
+.clockpicker-tick.active,
+.clockpicker-tick:hover {
+ background-color: rgba(38, 166, 154, 0.25);
+}
+
+.clockpicker-dial {
+ -webkit-transition: -webkit-transform 350ms, opacity 350ms;
+ -webkit-transition: opacity 350ms, -webkit-transform 350ms;
+ transition: opacity 350ms, -webkit-transform 350ms;
+ transition: transform 350ms, opacity 350ms;
+ transition: transform 350ms, opacity 350ms, -webkit-transform 350ms;
+}
+
+.clockpicker-dial-out {
+ opacity: 0;
+}
+
+.clockpicker-hours.clockpicker-dial-out {
+ -webkit-transform: scale(1.2, 1.2);
+ transform: scale(1.2, 1.2);
+}
+
+.clockpicker-minutes.clockpicker-dial-out {
+ -webkit-transform: scale(0.8, 0.8);
+ transform: scale(0.8, 0.8);
+}
+
+.clockpicker-canvas {
+ -webkit-transition: opacity 175ms;
+ transition: opacity 175ms;
+}
+
+.clockpicker-canvas-out {
+ opacity: 0.25;
+}
+
+.clockpicker-canvas-bearing {
+ stroke: none;
+ fill: #26a69a;
+}
+
+.clockpicker-canvas-bg {
+ stroke: none;
+ fill: #26a69a;
+}
+
+.clockpicker-canvas-bg-trans {
+ fill: #26a69a;
+}
+
+.clockpicker-canvas line {
+ stroke: #26a69a;
+ stroke-width: 4;
+ stroke-linecap: round;
+ /*shape-rendering: crispEdges;*/
+}
diff --git a/admin/static/materialize/css/materialize.min.css b/admin/static/materialize/css/materialize.min.css
new file mode 100644
index 0000000..de1a4e3
--- /dev/null
+++ b/admin/static/materialize/css/materialize.min.css
@@ -0,0 +1,16 @@
+/*!
+ * Materialize v0.100.2 (http://materializecss.com)
+ * Copyright 2014-2017 Materialize
+ * MIT License (https://raw.githubusercontent.com/Dogfalo/materialize/master/LICENSE)
+ */
+.materialize-red{background-color:#e51c23 !important}.materialize-red-text{color:#e51c23 !important}.materialize-red.lighten-5{background-color:#fdeaeb !important}.materialize-red-text.text-lighten-5{color:#fdeaeb !important}.materialize-red.lighten-4{background-color:#f8c1c3 !important}.materialize-red-text.text-lighten-4{color:#f8c1c3 !important}.materialize-red.lighten-3{background-color:#f3989b !important}.materialize-red-text.text-lighten-3{color:#f3989b !important}.materialize-red.lighten-2{background-color:#ee6e73 !important}.materialize-red-text.text-lighten-2{color:#ee6e73 !important}.materialize-red.lighten-1{background-color:#ea454b !important}.materialize-red-text.text-lighten-1{color:#ea454b !important}.materialize-red.darken-1{background-color:#d0181e !important}.materialize-red-text.text-darken-1{color:#d0181e !important}.materialize-red.darken-2{background-color:#b9151b !important}.materialize-red-text.text-darken-2{color:#b9151b !important}.materialize-red.darken-3{background-color:#a21318 !important}.materialize-red-text.text-darken-3{color:#a21318 !important}.materialize-red.darken-4{background-color:#8b1014 !important}.materialize-red-text.text-darken-4{color:#8b1014 !important}.red{background-color:#F44336 !important}.red-text{color:#F44336 !important}.red.lighten-5{background-color:#FFEBEE !important}.red-text.text-lighten-5{color:#FFEBEE !important}.red.lighten-4{background-color:#FFCDD2 !important}.red-text.text-lighten-4{color:#FFCDD2 !important}.red.lighten-3{background-color:#EF9A9A !important}.red-text.text-lighten-3{color:#EF9A9A !important}.red.lighten-2{background-color:#E57373 !important}.red-text.text-lighten-2{color:#E57373 !important}.red.lighten-1{background-color:#EF5350 !important}.red-text.text-lighten-1{color:#EF5350 !important}.red.darken-1{background-color:#E53935 !important}.red-text.text-darken-1{color:#E53935 !important}.red.darken-2{background-color:#D32F2F !important}.red-text.text-darken-2{color:#D32F2F !important}.red.darken-3{background-color:#C62828 !important}.red-text.text-darken-3{color:#C62828 !important}.red.darken-4{background-color:#B71C1C !important}.red-text.text-darken-4{color:#B71C1C !important}.red.accent-1{background-color:#FF8A80 !important}.red-text.text-accent-1{color:#FF8A80 !important}.red.accent-2{background-color:#FF5252 !important}.red-text.text-accent-2{color:#FF5252 !important}.red.accent-3{background-color:#FF1744 !important}.red-text.text-accent-3{color:#FF1744 !important}.red.accent-4{background-color:#D50000 !important}.red-text.text-accent-4{color:#D50000 !important}.pink{background-color:#e91e63 !important}.pink-text{color:#e91e63 !important}.pink.lighten-5{background-color:#fce4ec !important}.pink-text.text-lighten-5{color:#fce4ec !important}.pink.lighten-4{background-color:#f8bbd0 !important}.pink-text.text-lighten-4{color:#f8bbd0 !important}.pink.lighten-3{background-color:#f48fb1 !important}.pink-text.text-lighten-3{color:#f48fb1 !important}.pink.lighten-2{background-color:#f06292 !important}.pink-text.text-lighten-2{color:#f06292 !important}.pink.lighten-1{background-color:#ec407a !important}.pink-text.text-lighten-1{color:#ec407a !important}.pink.darken-1{background-color:#d81b60 !important}.pink-text.text-darken-1{color:#d81b60 !important}.pink.darken-2{background-color:#c2185b !important}.pink-text.text-darken-2{color:#c2185b !important}.pink.darken-3{background-color:#ad1457 !important}.pink-text.text-darken-3{color:#ad1457 !important}.pink.darken-4{background-color:#880e4f !important}.pink-text.text-darken-4{color:#880e4f !important}.pink.accent-1{background-color:#ff80ab !important}.pink-text.text-accent-1{color:#ff80ab !important}.pink.accent-2{background-color:#ff4081 !important}.pink-text.text-accent-2{color:#ff4081 !important}.pink.accent-3{background-color:#f50057 !important}.pink-text.text-accent-3{color:#f50057 !important}.pink.accent-4{background-color:#c51162 !important}.pink-text.text-accent-4{color:#c51162 !important}.purple{background-color:#9c27b0 !important}.purple-text{color:#9c27b0 !important}.purple.lighten-5{background-color:#f3e5f5 !important}.purple-text.text-lighten-5{color:#f3e5f5 !important}.purple.lighten-4{background-color:#e1bee7 !important}.purple-text.text-lighten-4{color:#e1bee7 !important}.purple.lighten-3{background-color:#ce93d8 !important}.purple-text.text-lighten-3{color:#ce93d8 !important}.purple.lighten-2{background-color:#ba68c8 !important}.purple-text.text-lighten-2{color:#ba68c8 !important}.purple.lighten-1{background-color:#ab47bc !important}.purple-text.text-lighten-1{color:#ab47bc !important}.purple.darken-1{background-color:#8e24aa !important}.purple-text.text-darken-1{color:#8e24aa !important}.purple.darken-2{background-color:#7b1fa2 !important}.purple-text.text-darken-2{color:#7b1fa2 !important}.purple.darken-3{background-color:#6a1b9a !important}.purple-text.text-darken-3{color:#6a1b9a !important}.purple.darken-4{background-color:#4a148c !important}.purple-text.text-darken-4{color:#4a148c !important}.purple.accent-1{background-color:#ea80fc !important}.purple-text.text-accent-1{color:#ea80fc !important}.purple.accent-2{background-color:#e040fb !important}.purple-text.text-accent-2{color:#e040fb !important}.purple.accent-3{background-color:#d500f9 !important}.purple-text.text-accent-3{color:#d500f9 !important}.purple.accent-4{background-color:#a0f !important}.purple-text.text-accent-4{color:#a0f !important}.deep-purple{background-color:#673ab7 !important}.deep-purple-text{color:#673ab7 !important}.deep-purple.lighten-5{background-color:#ede7f6 !important}.deep-purple-text.text-lighten-5{color:#ede7f6 !important}.deep-purple.lighten-4{background-color:#d1c4e9 !important}.deep-purple-text.text-lighten-4{color:#d1c4e9 !important}.deep-purple.lighten-3{background-color:#b39ddb !important}.deep-purple-text.text-lighten-3{color:#b39ddb !important}.deep-purple.lighten-2{background-color:#9575cd !important}.deep-purple-text.text-lighten-2{color:#9575cd !important}.deep-purple.lighten-1{background-color:#7e57c2 !important}.deep-purple-text.text-lighten-1{color:#7e57c2 !important}.deep-purple.darken-1{background-color:#5e35b1 !important}.deep-purple-text.text-darken-1{color:#5e35b1 !important}.deep-purple.darken-2{background-color:#512da8 !important}.deep-purple-text.text-darken-2{color:#512da8 !important}.deep-purple.darken-3{background-color:#4527a0 !important}.deep-purple-text.text-darken-3{color:#4527a0 !important}.deep-purple.darken-4{background-color:#311b92 !important}.deep-purple-text.text-darken-4{color:#311b92 !important}.deep-purple.accent-1{background-color:#b388ff !important}.deep-purple-text.text-accent-1{color:#b388ff !important}.deep-purple.accent-2{background-color:#7c4dff !important}.deep-purple-text.text-accent-2{color:#7c4dff !important}.deep-purple.accent-3{background-color:#651fff !important}.deep-purple-text.text-accent-3{color:#651fff !important}.deep-purple.accent-4{background-color:#6200ea !important}.deep-purple-text.text-accent-4{color:#6200ea !important}.indigo{background-color:#3f51b5 !important}.indigo-text{color:#3f51b5 !important}.indigo.lighten-5{background-color:#e8eaf6 !important}.indigo-text.text-lighten-5{color:#e8eaf6 !important}.indigo.lighten-4{background-color:#c5cae9 !important}.indigo-text.text-lighten-4{color:#c5cae9 !important}.indigo.lighten-3{background-color:#9fa8da !important}.indigo-text.text-lighten-3{color:#9fa8da !important}.indigo.lighten-2{background-color:#7986cb !important}.indigo-text.text-lighten-2{color:#7986cb !important}.indigo.lighten-1{background-color:#5c6bc0 !important}.indigo-text.text-lighten-1{color:#5c6bc0 !important}.indigo.darken-1{background-color:#3949ab !important}.indigo-text.text-darken-1{color:#3949ab !important}.indigo.darken-2{background-color:#303f9f !important}.indigo-text.text-darken-2{color:#303f9f !important}.indigo.darken-3{background-color:#283593 !important}.indigo-text.text-darken-3{color:#283593 !important}.indigo.darken-4{background-color:#1a237e !important}.indigo-text.text-darken-4{color:#1a237e !important}.indigo.accent-1{background-color:#8c9eff !important}.indigo-text.text-accent-1{color:#8c9eff !important}.indigo.accent-2{background-color:#536dfe !important}.indigo-text.text-accent-2{color:#536dfe !important}.indigo.accent-3{background-color:#3d5afe !important}.indigo-text.text-accent-3{color:#3d5afe !important}.indigo.accent-4{background-color:#304ffe !important}.indigo-text.text-accent-4{color:#304ffe !important}.blue{background-color:#2196F3 !important}.blue-text{color:#2196F3 !important}.blue.lighten-5{background-color:#E3F2FD !important}.blue-text.text-lighten-5{color:#E3F2FD !important}.blue.lighten-4{background-color:#BBDEFB !important}.blue-text.text-lighten-4{color:#BBDEFB !important}.blue.lighten-3{background-color:#90CAF9 !important}.blue-text.text-lighten-3{color:#90CAF9 !important}.blue.lighten-2{background-color:#64B5F6 !important}.blue-text.text-lighten-2{color:#64B5F6 !important}.blue.lighten-1{background-color:#42A5F5 !important}.blue-text.text-lighten-1{color:#42A5F5 !important}.blue.darken-1{background-color:#1E88E5 !important}.blue-text.text-darken-1{color:#1E88E5 !important}.blue.darken-2{background-color:#1976D2 !important}.blue-text.text-darken-2{color:#1976D2 !important}.blue.darken-3{background-color:#1565C0 !important}.blue-text.text-darken-3{color:#1565C0 !important}.blue.darken-4{background-color:#0D47A1 !important}.blue-text.text-darken-4{color:#0D47A1 !important}.blue.accent-1{background-color:#82B1FF !important}.blue-text.text-accent-1{color:#82B1FF !important}.blue.accent-2{background-color:#448AFF !important}.blue-text.text-accent-2{color:#448AFF !important}.blue.accent-3{background-color:#2979FF !important}.blue-text.text-accent-3{color:#2979FF !important}.blue.accent-4{background-color:#2962FF !important}.blue-text.text-accent-4{color:#2962FF !important}.light-blue{background-color:#03a9f4 !important}.light-blue-text{color:#03a9f4 !important}.light-blue.lighten-5{background-color:#e1f5fe !important}.light-blue-text.text-lighten-5{color:#e1f5fe !important}.light-blue.lighten-4{background-color:#b3e5fc !important}.light-blue-text.text-lighten-4{color:#b3e5fc !important}.light-blue.lighten-3{background-color:#81d4fa !important}.light-blue-text.text-lighten-3{color:#81d4fa !important}.light-blue.lighten-2{background-color:#4fc3f7 !important}.light-blue-text.text-lighten-2{color:#4fc3f7 !important}.light-blue.lighten-1{background-color:#29b6f6 !important}.light-blue-text.text-lighten-1{color:#29b6f6 !important}.light-blue.darken-1{background-color:#039be5 !important}.light-blue-text.text-darken-1{color:#039be5 !important}.light-blue.darken-2{background-color:#0288d1 !important}.light-blue-text.text-darken-2{color:#0288d1 !important}.light-blue.darken-3{background-color:#0277bd !important}.light-blue-text.text-darken-3{color:#0277bd !important}.light-blue.darken-4{background-color:#01579b !important}.light-blue-text.text-darken-4{color:#01579b !important}.light-blue.accent-1{background-color:#80d8ff !important}.light-blue-text.text-accent-1{color:#80d8ff !important}.light-blue.accent-2{background-color:#40c4ff !important}.light-blue-text.text-accent-2{color:#40c4ff !important}.light-blue.accent-3{background-color:#00b0ff !important}.light-blue-text.text-accent-3{color:#00b0ff !important}.light-blue.accent-4{background-color:#0091ea !important}.light-blue-text.text-accent-4{color:#0091ea !important}.cyan{background-color:#00bcd4 !important}.cyan-text{color:#00bcd4 !important}.cyan.lighten-5{background-color:#e0f7fa !important}.cyan-text.text-lighten-5{color:#e0f7fa !important}.cyan.lighten-4{background-color:#b2ebf2 !important}.cyan-text.text-lighten-4{color:#b2ebf2 !important}.cyan.lighten-3{background-color:#80deea !important}.cyan-text.text-lighten-3{color:#80deea !important}.cyan.lighten-2{background-color:#4dd0e1 !important}.cyan-text.text-lighten-2{color:#4dd0e1 !important}.cyan.lighten-1{background-color:#26c6da !important}.cyan-text.text-lighten-1{color:#26c6da !important}.cyan.darken-1{background-color:#00acc1 !important}.cyan-text.text-darken-1{color:#00acc1 !important}.cyan.darken-2{background-color:#0097a7 !important}.cyan-text.text-darken-2{color:#0097a7 !important}.cyan.darken-3{background-color:#00838f !important}.cyan-text.text-darken-3{color:#00838f !important}.cyan.darken-4{background-color:#006064 !important}.cyan-text.text-darken-4{color:#006064 !important}.cyan.accent-1{background-color:#84ffff !important}.cyan-text.text-accent-1{color:#84ffff !important}.cyan.accent-2{background-color:#18ffff !important}.cyan-text.text-accent-2{color:#18ffff !important}.cyan.accent-3{background-color:#00e5ff !important}.cyan-text.text-accent-3{color:#00e5ff !important}.cyan.accent-4{background-color:#00b8d4 !important}.cyan-text.text-accent-4{color:#00b8d4 !important}.teal{background-color:#009688 !important}.teal-text{color:#009688 !important}.teal.lighten-5{background-color:#e0f2f1 !important}.teal-text.text-lighten-5{color:#e0f2f1 !important}.teal.lighten-4{background-color:#b2dfdb !important}.teal-text.text-lighten-4{color:#b2dfdb !important}.teal.lighten-3{background-color:#80cbc4 !important}.teal-text.text-lighten-3{color:#80cbc4 !important}.teal.lighten-2{background-color:#4db6ac !important}.teal-text.text-lighten-2{color:#4db6ac !important}.teal.lighten-1{background-color:#26a69a !important}.teal-text.text-lighten-1{color:#26a69a !important}.teal.darken-1{background-color:#00897b !important}.teal-text.text-darken-1{color:#00897b !important}.teal.darken-2{background-color:#00796b !important}.teal-text.text-darken-2{color:#00796b !important}.teal.darken-3{background-color:#00695c !important}.teal-text.text-darken-3{color:#00695c !important}.teal.darken-4{background-color:#004d40 !important}.teal-text.text-darken-4{color:#004d40 !important}.teal.accent-1{background-color:#a7ffeb !important}.teal-text.text-accent-1{color:#a7ffeb !important}.teal.accent-2{background-color:#64ffda !important}.teal-text.text-accent-2{color:#64ffda !important}.teal.accent-3{background-color:#1de9b6 !important}.teal-text.text-accent-3{color:#1de9b6 !important}.teal.accent-4{background-color:#00bfa5 !important}.teal-text.text-accent-4{color:#00bfa5 !important}.green{background-color:#4CAF50 !important}.green-text{color:#4CAF50 !important}.green.lighten-5{background-color:#E8F5E9 !important}.green-text.text-lighten-5{color:#E8F5E9 !important}.green.lighten-4{background-color:#C8E6C9 !important}.green-text.text-lighten-4{color:#C8E6C9 !important}.green.lighten-3{background-color:#A5D6A7 !important}.green-text.text-lighten-3{color:#A5D6A7 !important}.green.lighten-2{background-color:#81C784 !important}.green-text.text-lighten-2{color:#81C784 !important}.green.lighten-1{background-color:#66BB6A !important}.green-text.text-lighten-1{color:#66BB6A !important}.green.darken-1{background-color:#43A047 !important}.green-text.text-darken-1{color:#43A047 !important}.green.darken-2{background-color:#388E3C !important}.green-text.text-darken-2{color:#388E3C !important}.green.darken-3{background-color:#2E7D32 !important}.green-text.text-darken-3{color:#2E7D32 !important}.green.darken-4{background-color:#1B5E20 !important}.green-text.text-darken-4{color:#1B5E20 !important}.green.accent-1{background-color:#B9F6CA !important}.green-text.text-accent-1{color:#B9F6CA !important}.green.accent-2{background-color:#69F0AE !important}.green-text.text-accent-2{color:#69F0AE !important}.green.accent-3{background-color:#00E676 !important}.green-text.text-accent-3{color:#00E676 !important}.green.accent-4{background-color:#00C853 !important}.green-text.text-accent-4{color:#00C853 !important}.light-green{background-color:#8bc34a !important}.light-green-text{color:#8bc34a !important}.light-green.lighten-5{background-color:#f1f8e9 !important}.light-green-text.text-lighten-5{color:#f1f8e9 !important}.light-green.lighten-4{background-color:#dcedc8 !important}.light-green-text.text-lighten-4{color:#dcedc8 !important}.light-green.lighten-3{background-color:#c5e1a5 !important}.light-green-text.text-lighten-3{color:#c5e1a5 !important}.light-green.lighten-2{background-color:#aed581 !important}.light-green-text.text-lighten-2{color:#aed581 !important}.light-green.lighten-1{background-color:#9ccc65 !important}.light-green-text.text-lighten-1{color:#9ccc65 !important}.light-green.darken-1{background-color:#7cb342 !important}.light-green-text.text-darken-1{color:#7cb342 !important}.light-green.darken-2{background-color:#689f38 !important}.light-green-text.text-darken-2{color:#689f38 !important}.light-green.darken-3{background-color:#558b2f !important}.light-green-text.text-darken-3{color:#558b2f !important}.light-green.darken-4{background-color:#33691e !important}.light-green-text.text-darken-4{color:#33691e !important}.light-green.accent-1{background-color:#ccff90 !important}.light-green-text.text-accent-1{color:#ccff90 !important}.light-green.accent-2{background-color:#b2ff59 !important}.light-green-text.text-accent-2{color:#b2ff59 !important}.light-green.accent-3{background-color:#76ff03 !important}.light-green-text.text-accent-3{color:#76ff03 !important}.light-green.accent-4{background-color:#64dd17 !important}.light-green-text.text-accent-4{color:#64dd17 !important}.lime{background-color:#cddc39 !important}.lime-text{color:#cddc39 !important}.lime.lighten-5{background-color:#f9fbe7 !important}.lime-text.text-lighten-5{color:#f9fbe7 !important}.lime.lighten-4{background-color:#f0f4c3 !important}.lime-text.text-lighten-4{color:#f0f4c3 !important}.lime.lighten-3{background-color:#e6ee9c !important}.lime-text.text-lighten-3{color:#e6ee9c !important}.lime.lighten-2{background-color:#dce775 !important}.lime-text.text-lighten-2{color:#dce775 !important}.lime.lighten-1{background-color:#d4e157 !important}.lime-text.text-lighten-1{color:#d4e157 !important}.lime.darken-1{background-color:#c0ca33 !important}.lime-text.text-darken-1{color:#c0ca33 !important}.lime.darken-2{background-color:#afb42b !important}.lime-text.text-darken-2{color:#afb42b !important}.lime.darken-3{background-color:#9e9d24 !important}.lime-text.text-darken-3{color:#9e9d24 !important}.lime.darken-4{background-color:#827717 !important}.lime-text.text-darken-4{color:#827717 !important}.lime.accent-1{background-color:#f4ff81 !important}.lime-text.text-accent-1{color:#f4ff81 !important}.lime.accent-2{background-color:#eeff41 !important}.lime-text.text-accent-2{color:#eeff41 !important}.lime.accent-3{background-color:#c6ff00 !important}.lime-text.text-accent-3{color:#c6ff00 !important}.lime.accent-4{background-color:#aeea00 !important}.lime-text.text-accent-4{color:#aeea00 !important}.yellow{background-color:#ffeb3b !important}.yellow-text{color:#ffeb3b !important}.yellow.lighten-5{background-color:#fffde7 !important}.yellow-text.text-lighten-5{color:#fffde7 !important}.yellow.lighten-4{background-color:#fff9c4 !important}.yellow-text.text-lighten-4{color:#fff9c4 !important}.yellow.lighten-3{background-color:#fff59d !important}.yellow-text.text-lighten-3{color:#fff59d !important}.yellow.lighten-2{background-color:#fff176 !important}.yellow-text.text-lighten-2{color:#fff176 !important}.yellow.lighten-1{background-color:#ffee58 !important}.yellow-text.text-lighten-1{color:#ffee58 !important}.yellow.darken-1{background-color:#fdd835 !important}.yellow-text.text-darken-1{color:#fdd835 !important}.yellow.darken-2{background-color:#fbc02d !important}.yellow-text.text-darken-2{color:#fbc02d !important}.yellow.darken-3{background-color:#f9a825 !important}.yellow-text.text-darken-3{color:#f9a825 !important}.yellow.darken-4{background-color:#f57f17 !important}.yellow-text.text-darken-4{color:#f57f17 !important}.yellow.accent-1{background-color:#ffff8d !important}.yellow-text.text-accent-1{color:#ffff8d !important}.yellow.accent-2{background-color:#ff0 !important}.yellow-text.text-accent-2{color:#ff0 !important}.yellow.accent-3{background-color:#ffea00 !important}.yellow-text.text-accent-3{color:#ffea00 !important}.yellow.accent-4{background-color:#ffd600 !important}.yellow-text.text-accent-4{color:#ffd600 !important}.amber{background-color:#ffc107 !important}.amber-text{color:#ffc107 !important}.amber.lighten-5{background-color:#fff8e1 !important}.amber-text.text-lighten-5{color:#fff8e1 !important}.amber.lighten-4{background-color:#ffecb3 !important}.amber-text.text-lighten-4{color:#ffecb3 !important}.amber.lighten-3{background-color:#ffe082 !important}.amber-text.text-lighten-3{color:#ffe082 !important}.amber.lighten-2{background-color:#ffd54f !important}.amber-text.text-lighten-2{color:#ffd54f !important}.amber.lighten-1{background-color:#ffca28 !important}.amber-text.text-lighten-1{color:#ffca28 !important}.amber.darken-1{background-color:#ffb300 !important}.amber-text.text-darken-1{color:#ffb300 !important}.amber.darken-2{background-color:#ffa000 !important}.amber-text.text-darken-2{color:#ffa000 !important}.amber.darken-3{background-color:#ff8f00 !important}.amber-text.text-darken-3{color:#ff8f00 !important}.amber.darken-4{background-color:#ff6f00 !important}.amber-text.text-darken-4{color:#ff6f00 !important}.amber.accent-1{background-color:#ffe57f !important}.amber-text.text-accent-1{color:#ffe57f !important}.amber.accent-2{background-color:#ffd740 !important}.amber-text.text-accent-2{color:#ffd740 !important}.amber.accent-3{background-color:#ffc400 !important}.amber-text.text-accent-3{color:#ffc400 !important}.amber.accent-4{background-color:#ffab00 !important}.amber-text.text-accent-4{color:#ffab00 !important}.orange{background-color:#ff9800 !important}.orange-text{color:#ff9800 !important}.orange.lighten-5{background-color:#fff3e0 !important}.orange-text.text-lighten-5{color:#fff3e0 !important}.orange.lighten-4{background-color:#ffe0b2 !important}.orange-text.text-lighten-4{color:#ffe0b2 !important}.orange.lighten-3{background-color:#ffcc80 !important}.orange-text.text-lighten-3{color:#ffcc80 !important}.orange.lighten-2{background-color:#ffb74d !important}.orange-text.text-lighten-2{color:#ffb74d !important}.orange.lighten-1{background-color:#ffa726 !important}.orange-text.text-lighten-1{color:#ffa726 !important}.orange.darken-1{background-color:#fb8c00 !important}.orange-text.text-darken-1{color:#fb8c00 !important}.orange.darken-2{background-color:#f57c00 !important}.orange-text.text-darken-2{color:#f57c00 !important}.orange.darken-3{background-color:#ef6c00 !important}.orange-text.text-darken-3{color:#ef6c00 !important}.orange.darken-4{background-color:#e65100 !important}.orange-text.text-darken-4{color:#e65100 !important}.orange.accent-1{background-color:#ffd180 !important}.orange-text.text-accent-1{color:#ffd180 !important}.orange.accent-2{background-color:#ffab40 !important}.orange-text.text-accent-2{color:#ffab40 !important}.orange.accent-3{background-color:#ff9100 !important}.orange-text.text-accent-3{color:#ff9100 !important}.orange.accent-4{background-color:#ff6d00 !important}.orange-text.text-accent-4{color:#ff6d00 !important}.deep-orange{background-color:#ff5722 !important}.deep-orange-text{color:#ff5722 !important}.deep-orange.lighten-5{background-color:#fbe9e7 !important}.deep-orange-text.text-lighten-5{color:#fbe9e7 !important}.deep-orange.lighten-4{background-color:#ffccbc !important}.deep-orange-text.text-lighten-4{color:#ffccbc !important}.deep-orange.lighten-3{background-color:#ffab91 !important}.deep-orange-text.text-lighten-3{color:#ffab91 !important}.deep-orange.lighten-2{background-color:#ff8a65 !important}.deep-orange-text.text-lighten-2{color:#ff8a65 !important}.deep-orange.lighten-1{background-color:#ff7043 !important}.deep-orange-text.text-lighten-1{color:#ff7043 !important}.deep-orange.darken-1{background-color:#f4511e !important}.deep-orange-text.text-darken-1{color:#f4511e !important}.deep-orange.darken-2{background-color:#e64a19 !important}.deep-orange-text.text-darken-2{color:#e64a19 !important}.deep-orange.darken-3{background-color:#d84315 !important}.deep-orange-text.text-darken-3{color:#d84315 !important}.deep-orange.darken-4{background-color:#bf360c !important}.deep-orange-text.text-darken-4{color:#bf360c !important}.deep-orange.accent-1{background-color:#ff9e80 !important}.deep-orange-text.text-accent-1{color:#ff9e80 !important}.deep-orange.accent-2{background-color:#ff6e40 !important}.deep-orange-text.text-accent-2{color:#ff6e40 !important}.deep-orange.accent-3{background-color:#ff3d00 !important}.deep-orange-text.text-accent-3{color:#ff3d00 !important}.deep-orange.accent-4{background-color:#dd2c00 !important}.deep-orange-text.text-accent-4{color:#dd2c00 !important}.brown{background-color:#795548 !important}.brown-text{color:#795548 !important}.brown.lighten-5{background-color:#efebe9 !important}.brown-text.text-lighten-5{color:#efebe9 !important}.brown.lighten-4{background-color:#d7ccc8 !important}.brown-text.text-lighten-4{color:#d7ccc8 !important}.brown.lighten-3{background-color:#bcaaa4 !important}.brown-text.text-lighten-3{color:#bcaaa4 !important}.brown.lighten-2{background-color:#a1887f !important}.brown-text.text-lighten-2{color:#a1887f !important}.brown.lighten-1{background-color:#8d6e63 !important}.brown-text.text-lighten-1{color:#8d6e63 !important}.brown.darken-1{background-color:#6d4c41 !important}.brown-text.text-darken-1{color:#6d4c41 !important}.brown.darken-2{background-color:#5d4037 !important}.brown-text.text-darken-2{color:#5d4037 !important}.brown.darken-3{background-color:#4e342e !important}.brown-text.text-darken-3{color:#4e342e !important}.brown.darken-4{background-color:#3e2723 !important}.brown-text.text-darken-4{color:#3e2723 !important}.blue-grey{background-color:#607d8b !important}.blue-grey-text{color:#607d8b !important}.blue-grey.lighten-5{background-color:#eceff1 !important}.blue-grey-text.text-lighten-5{color:#eceff1 !important}.blue-grey.lighten-4{background-color:#cfd8dc !important}.blue-grey-text.text-lighten-4{color:#cfd8dc !important}.blue-grey.lighten-3{background-color:#b0bec5 !important}.blue-grey-text.text-lighten-3{color:#b0bec5 !important}.blue-grey.lighten-2{background-color:#90a4ae !important}.blue-grey-text.text-lighten-2{color:#90a4ae !important}.blue-grey.lighten-1{background-color:#78909c !important}.blue-grey-text.text-lighten-1{color:#78909c !important}.blue-grey.darken-1{background-color:#546e7a !important}.blue-grey-text.text-darken-1{color:#546e7a !important}.blue-grey.darken-2{background-color:#455a64 !important}.blue-grey-text.text-darken-2{color:#455a64 !important}.blue-grey.darken-3{background-color:#37474f !important}.blue-grey-text.text-darken-3{color:#37474f !important}.blue-grey.darken-4{background-color:#263238 !important}.blue-grey-text.text-darken-4{color:#263238 !important}.grey{background-color:#9e9e9e !important}.grey-text{color:#9e9e9e !important}.grey.lighten-5{background-color:#fafafa !important}.grey-text.text-lighten-5{color:#fafafa !important}.grey.lighten-4{background-color:#f5f5f5 !important}.grey-text.text-lighten-4{color:#f5f5f5 !important}.grey.lighten-3{background-color:#eee !important}.grey-text.text-lighten-3{color:#eee !important}.grey.lighten-2{background-color:#e0e0e0 !important}.grey-text.text-lighten-2{color:#e0e0e0 !important}.grey.lighten-1{background-color:#bdbdbd !important}.grey-text.text-lighten-1{color:#bdbdbd !important}.grey.darken-1{background-color:#757575 !important}.grey-text.text-darken-1{color:#757575 !important}.grey.darken-2{background-color:#616161 !important}.grey-text.text-darken-2{color:#616161 !important}.grey.darken-3{background-color:#424242 !important}.grey-text.text-darken-3{color:#424242 !important}.grey.darken-4{background-color:#212121 !important}.grey-text.text-darken-4{color:#212121 !important}.black{background-color:#000 !important}.black-text{color:#000 !important}.white{background-color:#fff !important}.white-text{color:#fff !important}.transparent{background-color:transparent !important}.transparent-text{color:transparent !important}/*! normalize.css v3.0.3 | MIT License | github.com/necolas/normalize.css */html{font-family:sans-serif;-ms-text-size-adjust:100%;-webkit-text-size-adjust:100%}body{margin:0}article,aside,details,figcaption,figure,footer,header,hgroup,main,menu,nav,section,summary{display:block}audio,canvas,progress,video{display:inline-block;vertical-align:baseline}audio:not([controls]){display:none;height:0}[hidden],template{display:none}a{background-color:transparent}a:active,a:hover{outline:0}abbr[title]{border-bottom:1px dotted}b,strong{font-weight:bold}dfn{font-style:italic}h1{font-size:2em;margin:0.67em 0}mark{background:#ff0;color:#000}small{font-size:80%}sub,sup{font-size:75%;line-height:0;position:relative;vertical-align:baseline}sup{top:-0.5em}sub{bottom:-0.25em}img{border:0}svg:not(:root){overflow:hidden}figure{margin:1em 40px}hr{-webkit-box-sizing:content-box;box-sizing:content-box;height:0}pre{overflow:auto}code,kbd,pre,samp{font-family:monospace, monospace;font-size:1em}button,input,optgroup,select,textarea{color:inherit;font:inherit;margin:0}button{overflow:visible}button,select{text-transform:none}button,html input[type="button"],input[type="reset"],input[type="submit"]{-webkit-appearance:button;cursor:pointer}button[disabled],html input[disabled]{cursor:default}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}input{line-height:normal}input[type="checkbox"],input[type="radio"]{-webkit-box-sizing:border-box;box-sizing:border-box;padding:0}input[type="number"]::-webkit-inner-spin-button,input[type="number"]::-webkit-outer-spin-button{height:auto}input[type="search"]{-webkit-appearance:textfield;-webkit-box-sizing:content-box;box-sizing:content-box}input[type="search"]::-webkit-search-cancel-button,input[type="search"]::-webkit-search-decoration{-webkit-appearance:none}fieldset{border:1px solid #c0c0c0;margin:0 2px;padding:0.35em 0.625em 0.75em}legend{border:0;padding:0}textarea{overflow:auto}optgroup{font-weight:bold}table{border-collapse:collapse;border-spacing:0}td,th{padding:0}html{-webkit-box-sizing:border-box;box-sizing:border-box}*,*:before,*:after{-webkit-box-sizing:inherit;box-sizing:inherit}ul:not(.browser-default){padding-left:0;list-style-type:none}ul:not(.browser-default)>li{list-style-type:none}a{color:#039be5;text-decoration:none;-webkit-tap-highlight-color:transparent}.valign-wrapper{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;-webkit-box-align:center;-webkit-align-items:center;-ms-flex-align:center;align-items:center}.clearfix{clear:both}.z-depth-0{-webkit-box-shadow:none !important;box-shadow:none !important}.z-depth-1,nav,.card-panel,.card,.toast,.btn,.btn-large,.btn-floating,.dropdown-content,.collapsible,.side-nav{-webkit-box-shadow:0 2px 2px 0 rgba(0,0,0,0.14),0 1px 5px 0 rgba(0,0,0,0.12),0 3px 1px -2px rgba(0,0,0,0.2);box-shadow:0 2px 2px 0 rgba(0,0,0,0.14),0 1px 5px 0 rgba(0,0,0,0.12),0 3px 1px -2px rgba(0,0,0,0.2)}.z-depth-1-half,.btn:hover,.btn-large:hover,.btn-floating:hover{-webkit-box-shadow:0 3px 3px 0 rgba(0,0,0,0.14),0 1px 7px 0 rgba(0,0,0,0.12),0 3px 1px -1px rgba(0,0,0,0.2);box-shadow:0 3px 3px 0 rgba(0,0,0,0.14),0 1px 7px 0 rgba(0,0,0,0.12),0 3px 1px -1px rgba(0,0,0,0.2)}.z-depth-2{-webkit-box-shadow:0 4px 5px 0 rgba(0,0,0,0.14),0 1px 10px 0 rgba(0,0,0,0.12),0 2px 4px -1px rgba(0,0,0,0.3);box-shadow:0 4px 5px 0 rgba(0,0,0,0.14),0 1px 10px 0 rgba(0,0,0,0.12),0 2px 4px -1px rgba(0,0,0,0.3)}.z-depth-3{-webkit-box-shadow:0 6px 10px 0 rgba(0,0,0,0.14),0 1px 18px 0 rgba(0,0,0,0.12),0 3px 5px -1px rgba(0,0,0,0.3);box-shadow:0 6px 10px 0 rgba(0,0,0,0.14),0 1px 18px 0 rgba(0,0,0,0.12),0 3px 5px -1px rgba(0,0,0,0.3)}.z-depth-4,.modal{-webkit-box-shadow:0 8px 10px 1px rgba(0,0,0,0.14),0 3px 14px 2px rgba(0,0,0,0.12),0 5px 5px -3px rgba(0,0,0,0.3);box-shadow:0 8px 10px 1px rgba(0,0,0,0.14),0 3px 14px 2px rgba(0,0,0,0.12),0 5px 5px -3px rgba(0,0,0,0.3)}.z-depth-5{-webkit-box-shadow:0 16px 24px 2px rgba(0,0,0,0.14),0 6px 30px 5px rgba(0,0,0,0.12),0 8px 10px -5px rgba(0,0,0,0.3);box-shadow:0 16px 24px 2px rgba(0,0,0,0.14),0 6px 30px 5px rgba(0,0,0,0.12),0 8px 10px -5px rgba(0,0,0,0.3)}.hoverable{-webkit-transition:-webkit-box-shadow .25s;transition:-webkit-box-shadow .25s;transition:box-shadow .25s;transition:box-shadow .25s, -webkit-box-shadow .25s}.hoverable:hover{-webkit-box-shadow:0 8px 17px 0 rgba(0,0,0,0.2),0 6px 20px 0 rgba(0,0,0,0.19);box-shadow:0 8px 17px 0 rgba(0,0,0,0.2),0 6px 20px 0 rgba(0,0,0,0.19)}.divider{height:1px;overflow:hidden;background-color:#e0e0e0}blockquote{margin:20px 0;padding-left:1.5rem;border-left:5px solid #ee6e73}i{line-height:inherit}i.left{float:left;margin-right:15px}i.right{float:right;margin-left:15px}i.tiny{font-size:1rem}i.small{font-size:2rem}i.medium{font-size:4rem}i.large{font-size:6rem}img.responsive-img,video.responsive-video{max-width:100%;height:auto}.pagination li{display:inline-block;border-radius:2px;text-align:center;vertical-align:top;height:30px}.pagination li a{color:#444;display:inline-block;font-size:1.2rem;padding:0 10px;line-height:30px}.pagination li.active a{color:#fff}.pagination li.active{background-color:#ee6e73}.pagination li.disabled a{cursor:default;color:#999}.pagination li i{font-size:2rem}.pagination li.pages ul li{display:inline-block;float:none}@media only screen and (max-width: 992px){.pagination{width:100%}.pagination li.prev,.pagination li.next{width:10%}.pagination li.pages{width:80%;overflow:hidden;white-space:nowrap}}.breadcrumb{font-size:18px;color:rgba(255,255,255,0.7)}.breadcrumb i,.breadcrumb [class^="mdi-"],.breadcrumb [class*="mdi-"],.breadcrumb i.material-icons{display:inline-block;float:left;font-size:24px}.breadcrumb:before{content:'\E5CC';color:rgba(255,255,255,0.7);vertical-align:top;display:inline-block;font-family:'Material Icons';font-weight:normal;font-style:normal;font-size:25px;margin:0 10px 0 8px;-webkit-font-smoothing:antialiased}.breadcrumb:first-child:before{display:none}.breadcrumb:last-child{color:#fff}.parallax-container{position:relative;overflow:hidden;height:500px}.parallax-container .parallax{position:absolute;top:0;left:0;right:0;bottom:0;z-index:-1}.parallax-container .parallax img{display:none;position:absolute;left:50%;bottom:0;min-width:100%;min-height:100%;-webkit-transform:translate3d(0, 0, 0);transform:translate3d(0, 0, 0);-webkit-transform:translateX(-50%);transform:translateX(-50%)}.pin-top,.pin-bottom{position:relative}.pinned{position:fixed !important}ul.staggered-list li{opacity:0}.fade-in{opacity:0;-webkit-transform-origin:0 50%;transform-origin:0 50%}@media only screen and (max-width: 600px){.hide-on-small-only,.hide-on-small-and-down{display:none !important}}@media only screen and (max-width: 992px){.hide-on-med-and-down{display:none !important}}@media only screen and (min-width: 601px){.hide-on-med-and-up{display:none !important}}@media only screen and (min-width: 600px) and (max-width: 992px){.hide-on-med-only{display:none !important}}@media only screen and (min-width: 993px){.hide-on-large-only{display:none !important}}@media only screen and (min-width: 993px){.show-on-large{display:block !important}}@media only screen and (min-width: 600px) and (max-width: 992px){.show-on-medium{display:block !important}}@media only screen and (max-width: 600px){.show-on-small{display:block !important}}@media only screen and (min-width: 601px){.show-on-medium-and-up{display:block !important}}@media only screen and (max-width: 992px){.show-on-medium-and-down{display:block !important}}@media only screen and (max-width: 600px){.center-on-small-only{text-align:center}}.page-footer{padding-top:20px;color:#fff;background-color:#ee6e73}.page-footer .footer-copyright{overflow:hidden;min-height:50px;display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;-webkit-box-align:center;-webkit-align-items:center;-ms-flex-align:center;align-items:center;padding:10px 0px;color:rgba(255,255,255,0.8);background-color:rgba(51,51,51,0.08)}table,th,td{border:none}table{width:100%;display:table}table.bordered>thead>tr,table.bordered>tbody>tr{border-bottom:1px solid #d0d0d0}table.striped>tbody>tr:nth-child(odd){background-color:#f2f2f2}table.striped>tbody>tr>td{border-radius:0}table.highlight>tbody>tr{-webkit-transition:background-color .25s ease;transition:background-color .25s ease}table.highlight>tbody>tr:hover{background-color:#f2f2f2}table.centered thead tr th,table.centered tbody tr td{text-align:center}thead{border-bottom:1px solid #d0d0d0}td,th{padding:15px 5px;display:table-cell;text-align:left;vertical-align:middle;border-radius:2px}@media only screen and (max-width: 992px){table.responsive-table{width:100%;border-collapse:collapse;border-spacing:0;display:block;position:relative}table.responsive-table td:empty:before{content:'\00a0'}table.responsive-table th,table.responsive-table td{margin:0;vertical-align:top}table.responsive-table th{text-align:left}table.responsive-table thead{display:block;float:left}table.responsive-table thead tr{display:block;padding:0 10px 0 0}table.responsive-table thead tr th::before{content:"\00a0"}table.responsive-table tbody{display:block;width:auto;position:relative;overflow-x:auto;white-space:nowrap}table.responsive-table tbody tr{display:inline-block;vertical-align:top}table.responsive-table th{display:block;text-align:right}table.responsive-table td{display:block;min-height:1.25em;text-align:left}table.responsive-table tr{padding:0 10px}table.responsive-table thead{border:0;border-right:1px solid #d0d0d0}table.responsive-table.bordered th{border-bottom:0;border-left:0}table.responsive-table.bordered td{border-left:0;border-right:0;border-bottom:0}table.responsive-table.bordered tr{border:0}table.responsive-table.bordered tbody tr{border-right:1px solid #d0d0d0}}.collection{margin:.5rem 0 1rem 0;border:1px solid #e0e0e0;border-radius:2px;overflow:hidden;position:relative}.collection .collection-item{background-color:#fff;line-height:1.5rem;padding:10px 20px;margin:0;border-bottom:1px solid #e0e0e0}.collection .collection-item.avatar{min-height:84px;padding-left:72px;position:relative}.collection .collection-item.avatar:not(.circle-clipper)>.circle,.collection .collection-item.avatar :not(.circle-clipper)>.circle{position:absolute;width:42px;height:42px;overflow:hidden;left:15px;display:inline-block;vertical-align:middle}.collection .collection-item.avatar i.circle{font-size:18px;line-height:42px;color:#fff;background-color:#999;text-align:center}.collection .collection-item.avatar .title{font-size:16px}.collection .collection-item.avatar p{margin:0}.collection .collection-item.avatar .secondary-content{position:absolute;top:16px;right:16px}.collection .collection-item:last-child{border-bottom:none}.collection .collection-item.active{background-color:#26a69a;color:#eafaf9}.collection .collection-item.active .secondary-content{color:#fff}.collection a.collection-item{display:block;-webkit-transition:.25s;transition:.25s;color:#26a69a}.collection a.collection-item:not(.active):hover{background-color:#ddd}.collection.with-header .collection-header{background-color:#fff;border-bottom:1px solid #e0e0e0;padding:10px 20px}.collection.with-header .collection-item{padding-left:30px}.collection.with-header .collection-item.avatar{padding-left:72px}.secondary-content{float:right;color:#26a69a}.collapsible .collection{margin:0;border:none}.video-container{position:relative;padding-bottom:56.25%;height:0;overflow:hidden}.video-container iframe,.video-container object,.video-container embed{position:absolute;top:0;left:0;width:100%;height:100%}.progress{position:relative;height:4px;display:block;width:100%;background-color:#acece6;border-radius:2px;margin:.5rem 0 1rem 0;overflow:hidden}.progress .determinate{position:absolute;top:0;left:0;bottom:0;background-color:#26a69a;-webkit-transition:width .3s linear;transition:width .3s linear}.progress .indeterminate{background-color:#26a69a}.progress .indeterminate:before{content:'';position:absolute;background-color:inherit;top:0;left:0;bottom:0;will-change:left, right;-webkit-animation:indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) infinite;animation:indeterminate 2.1s cubic-bezier(0.65, 0.815, 0.735, 0.395) infinite}.progress .indeterminate:after{content:'';position:absolute;background-color:inherit;top:0;left:0;bottom:0;will-change:left, right;-webkit-animation:indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) infinite;animation:indeterminate-short 2.1s cubic-bezier(0.165, 0.84, 0.44, 1) infinite;-webkit-animation-delay:1.15s;animation-delay:1.15s}@-webkit-keyframes indeterminate{0%{left:-35%;right:100%}60%{left:100%;right:-90%}100%{left:100%;right:-90%}}@keyframes indeterminate{0%{left:-35%;right:100%}60%{left:100%;right:-90%}100%{left:100%;right:-90%}}@-webkit-keyframes indeterminate-short{0%{left:-200%;right:100%}60%{left:107%;right:-8%}100%{left:107%;right:-8%}}@keyframes indeterminate-short{0%{left:-200%;right:100%}60%{left:107%;right:-8%}100%{left:107%;right:-8%}}.hide{display:none !important}.left-align{text-align:left}.right-align{text-align:right}.center,.center-align{text-align:center}.left{float:left !important}.right{float:right !important}.no-select,input[type=range],input[type=range]+.thumb{-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.circle{border-radius:50%}.center-block{display:block;margin-left:auto;margin-right:auto}.truncate{display:block;white-space:nowrap;overflow:hidden;text-overflow:ellipsis}.no-padding{padding:0 !important}span.badge{min-width:3rem;padding:0 6px;margin-left:14px;text-align:center;font-size:1rem;line-height:22px;height:22px;color:#757575;float:right;-webkit-box-sizing:border-box;box-sizing:border-box}span.badge.new{font-weight:300;font-size:0.8rem;color:#fff;background-color:#26a69a;border-radius:2px}span.badge.new:after{content:" new"}span.badge[data-badge-caption]::after{content:" " attr(data-badge-caption)}nav ul a span.badge{display:inline-block;float:none;margin-left:4px;line-height:22px;height:22px;-webkit-font-smoothing:auto}.collection-item span.badge{margin-top:calc(.75rem - 11px)}.collapsible span.badge{margin-left:auto}.side-nav span.badge{margin-top:calc(24px - 11px)}.material-icons{text-rendering:optimizeLegibility;-webkit-font-feature-settings:'liga';-moz-font-feature-settings:'liga';font-feature-settings:'liga'}.container{margin:0 auto;max-width:1280px;width:90%}@media only screen and (min-width: 601px){.container{width:85%}}@media only screen and (min-width: 993px){.container{width:70%}}.container .row{margin-left:-.75rem;margin-right:-.75rem}.section{padding-top:1rem;padding-bottom:1rem}.section.no-pad{padding:0}.section.no-pad-bot{padding-bottom:0}.section.no-pad-top{padding-top:0}.row{margin-left:auto;margin-right:auto;margin-bottom:20px}.row:after{content:"";display:table;clear:both}.row .col{float:left;-webkit-box-sizing:border-box;box-sizing:border-box;padding:0 .75rem;min-height:1px}.row .col[class*="push-"],.row .col[class*="pull-"]{position:relative}.row .col.s1{width:8.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.s2{width:16.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.s3{width:25%;margin-left:auto;left:auto;right:auto}.row .col.s4{width:33.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.s5{width:41.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.s6{width:50%;margin-left:auto;left:auto;right:auto}.row .col.s7{width:58.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.s8{width:66.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.s9{width:75%;margin-left:auto;left:auto;right:auto}.row .col.s10{width:83.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.s11{width:91.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.s12{width:100%;margin-left:auto;left:auto;right:auto}.row .col.offset-s1{margin-left:8.3333333333%}.row .col.pull-s1{right:8.3333333333%}.row .col.push-s1{left:8.3333333333%}.row .col.offset-s2{margin-left:16.6666666667%}.row .col.pull-s2{right:16.6666666667%}.row .col.push-s2{left:16.6666666667%}.row .col.offset-s3{margin-left:25%}.row .col.pull-s3{right:25%}.row .col.push-s3{left:25%}.row .col.offset-s4{margin-left:33.3333333333%}.row .col.pull-s4{right:33.3333333333%}.row .col.push-s4{left:33.3333333333%}.row .col.offset-s5{margin-left:41.6666666667%}.row .col.pull-s5{right:41.6666666667%}.row .col.push-s5{left:41.6666666667%}.row .col.offset-s6{margin-left:50%}.row .col.pull-s6{right:50%}.row .col.push-s6{left:50%}.row .col.offset-s7{margin-left:58.3333333333%}.row .col.pull-s7{right:58.3333333333%}.row .col.push-s7{left:58.3333333333%}.row .col.offset-s8{margin-left:66.6666666667%}.row .col.pull-s8{right:66.6666666667%}.row .col.push-s8{left:66.6666666667%}.row .col.offset-s9{margin-left:75%}.row .col.pull-s9{right:75%}.row .col.push-s9{left:75%}.row .col.offset-s10{margin-left:83.3333333333%}.row .col.pull-s10{right:83.3333333333%}.row .col.push-s10{left:83.3333333333%}.row .col.offset-s11{margin-left:91.6666666667%}.row .col.pull-s11{right:91.6666666667%}.row .col.push-s11{left:91.6666666667%}.row .col.offset-s12{margin-left:100%}.row .col.pull-s12{right:100%}.row .col.push-s12{left:100%}@media only screen and (min-width: 601px){.row .col.m1{width:8.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.m2{width:16.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.m3{width:25%;margin-left:auto;left:auto;right:auto}.row .col.m4{width:33.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.m5{width:41.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.m6{width:50%;margin-left:auto;left:auto;right:auto}.row .col.m7{width:58.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.m8{width:66.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.m9{width:75%;margin-left:auto;left:auto;right:auto}.row .col.m10{width:83.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.m11{width:91.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.m12{width:100%;margin-left:auto;left:auto;right:auto}.row .col.offset-m1{margin-left:8.3333333333%}.row .col.pull-m1{right:8.3333333333%}.row .col.push-m1{left:8.3333333333%}.row .col.offset-m2{margin-left:16.6666666667%}.row .col.pull-m2{right:16.6666666667%}.row .col.push-m2{left:16.6666666667%}.row .col.offset-m3{margin-left:25%}.row .col.pull-m3{right:25%}.row .col.push-m3{left:25%}.row .col.offset-m4{margin-left:33.3333333333%}.row .col.pull-m4{right:33.3333333333%}.row .col.push-m4{left:33.3333333333%}.row .col.offset-m5{margin-left:41.6666666667%}.row .col.pull-m5{right:41.6666666667%}.row .col.push-m5{left:41.6666666667%}.row .col.offset-m6{margin-left:50%}.row .col.pull-m6{right:50%}.row .col.push-m6{left:50%}.row .col.offset-m7{margin-left:58.3333333333%}.row .col.pull-m7{right:58.3333333333%}.row .col.push-m7{left:58.3333333333%}.row .col.offset-m8{margin-left:66.6666666667%}.row .col.pull-m8{right:66.6666666667%}.row .col.push-m8{left:66.6666666667%}.row .col.offset-m9{margin-left:75%}.row .col.pull-m9{right:75%}.row .col.push-m9{left:75%}.row .col.offset-m10{margin-left:83.3333333333%}.row .col.pull-m10{right:83.3333333333%}.row .col.push-m10{left:83.3333333333%}.row .col.offset-m11{margin-left:91.6666666667%}.row .col.pull-m11{right:91.6666666667%}.row .col.push-m11{left:91.6666666667%}.row .col.offset-m12{margin-left:100%}.row .col.pull-m12{right:100%}.row .col.push-m12{left:100%}}@media only screen and (min-width: 993px){.row .col.l1{width:8.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.l2{width:16.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.l3{width:25%;margin-left:auto;left:auto;right:auto}.row .col.l4{width:33.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.l5{width:41.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.l6{width:50%;margin-left:auto;left:auto;right:auto}.row .col.l7{width:58.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.l8{width:66.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.l9{width:75%;margin-left:auto;left:auto;right:auto}.row .col.l10{width:83.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.l11{width:91.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.l12{width:100%;margin-left:auto;left:auto;right:auto}.row .col.offset-l1{margin-left:8.3333333333%}.row .col.pull-l1{right:8.3333333333%}.row .col.push-l1{left:8.3333333333%}.row .col.offset-l2{margin-left:16.6666666667%}.row .col.pull-l2{right:16.6666666667%}.row .col.push-l2{left:16.6666666667%}.row .col.offset-l3{margin-left:25%}.row .col.pull-l3{right:25%}.row .col.push-l3{left:25%}.row .col.offset-l4{margin-left:33.3333333333%}.row .col.pull-l4{right:33.3333333333%}.row .col.push-l4{left:33.3333333333%}.row .col.offset-l5{margin-left:41.6666666667%}.row .col.pull-l5{right:41.6666666667%}.row .col.push-l5{left:41.6666666667%}.row .col.offset-l6{margin-left:50%}.row .col.pull-l6{right:50%}.row .col.push-l6{left:50%}.row .col.offset-l7{margin-left:58.3333333333%}.row .col.pull-l7{right:58.3333333333%}.row .col.push-l7{left:58.3333333333%}.row .col.offset-l8{margin-left:66.6666666667%}.row .col.pull-l8{right:66.6666666667%}.row .col.push-l8{left:66.6666666667%}.row .col.offset-l9{margin-left:75%}.row .col.pull-l9{right:75%}.row .col.push-l9{left:75%}.row .col.offset-l10{margin-left:83.3333333333%}.row .col.pull-l10{right:83.3333333333%}.row .col.push-l10{left:83.3333333333%}.row .col.offset-l11{margin-left:91.6666666667%}.row .col.pull-l11{right:91.6666666667%}.row .col.push-l11{left:91.6666666667%}.row .col.offset-l12{margin-left:100%}.row .col.pull-l12{right:100%}.row .col.push-l12{left:100%}}@media only screen and (min-width: 1201px){.row .col.xl1{width:8.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.xl2{width:16.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.xl3{width:25%;margin-left:auto;left:auto;right:auto}.row .col.xl4{width:33.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.xl5{width:41.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.xl6{width:50%;margin-left:auto;left:auto;right:auto}.row .col.xl7{width:58.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.xl8{width:66.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.xl9{width:75%;margin-left:auto;left:auto;right:auto}.row .col.xl10{width:83.3333333333%;margin-left:auto;left:auto;right:auto}.row .col.xl11{width:91.6666666667%;margin-left:auto;left:auto;right:auto}.row .col.xl12{width:100%;margin-left:auto;left:auto;right:auto}.row .col.offset-xl1{margin-left:8.3333333333%}.row .col.pull-xl1{right:8.3333333333%}.row .col.push-xl1{left:8.3333333333%}.row .col.offset-xl2{margin-left:16.6666666667%}.row .col.pull-xl2{right:16.6666666667%}.row .col.push-xl2{left:16.6666666667%}.row .col.offset-xl3{margin-left:25%}.row .col.pull-xl3{right:25%}.row .col.push-xl3{left:25%}.row .col.offset-xl4{margin-left:33.3333333333%}.row .col.pull-xl4{right:33.3333333333%}.row .col.push-xl4{left:33.3333333333%}.row .col.offset-xl5{margin-left:41.6666666667%}.row .col.pull-xl5{right:41.6666666667%}.row .col.push-xl5{left:41.6666666667%}.row .col.offset-xl6{margin-left:50%}.row .col.pull-xl6{right:50%}.row .col.push-xl6{left:50%}.row .col.offset-xl7{margin-left:58.3333333333%}.row .col.pull-xl7{right:58.3333333333%}.row .col.push-xl7{left:58.3333333333%}.row .col.offset-xl8{margin-left:66.6666666667%}.row .col.pull-xl8{right:66.6666666667%}.row .col.push-xl8{left:66.6666666667%}.row .col.offset-xl9{margin-left:75%}.row .col.pull-xl9{right:75%}.row .col.push-xl9{left:75%}.row .col.offset-xl10{margin-left:83.3333333333%}.row .col.pull-xl10{right:83.3333333333%}.row .col.push-xl10{left:83.3333333333%}.row .col.offset-xl11{margin-left:91.6666666667%}.row .col.pull-xl11{right:91.6666666667%}.row .col.push-xl11{left:91.6666666667%}.row .col.offset-xl12{margin-left:100%}.row .col.pull-xl12{right:100%}.row .col.push-xl12{left:100%}}nav{color:#fff;background-color:#ee6e73;width:100%;height:56px;line-height:56px}nav.nav-extended{height:auto}nav.nav-extended .nav-wrapper{min-height:56px;height:auto}nav.nav-extended .nav-content{position:relative;line-height:normal}nav a{color:#fff}nav i,nav [class^="mdi-"],nav [class*="mdi-"],nav i.material-icons{display:block;font-size:24px;height:56px;line-height:56px}nav .nav-wrapper{position:relative;height:100%}@media only screen and (min-width: 993px){nav a.button-collapse{display:none}}nav .button-collapse{float:left;position:relative;z-index:1;height:56px;margin:0 18px}nav .button-collapse i{height:56px;line-height:56px}nav .brand-logo{position:absolute;color:#fff;display:inline-block;font-size:2.1rem;padding:0}nav .brand-logo.center{left:50%;-webkit-transform:translateX(-50%);transform:translateX(-50%)}@media only screen and (max-width: 992px){nav .brand-logo{left:50%;-webkit-transform:translateX(-50%);transform:translateX(-50%)}nav .brand-logo.left,nav .brand-logo.right{padding:0;-webkit-transform:none;transform:none}nav .brand-logo.left{left:0.5rem}nav .brand-logo.right{right:0.5rem;left:auto}}nav .brand-logo.right{right:0.5rem;padding:0}nav .brand-logo i,nav .brand-logo [class^="mdi-"],nav .brand-logo [class*="mdi-"],nav .brand-logo i.material-icons{float:left;margin-right:15px}nav .nav-title{display:inline-block;font-size:32px;padding:28px 0}nav ul{margin:0}nav ul li{-webkit-transition:background-color .3s;transition:background-color .3s;float:left;padding:0}nav ul li.active{background-color:rgba(0,0,0,0.1)}nav ul a{-webkit-transition:background-color .3s;transition:background-color .3s;font-size:1rem;color:#fff;display:block;padding:0 15px;cursor:pointer}nav ul a.btn,nav ul a.btn-large,nav ul a.btn-large,nav ul a.btn-flat,nav ul a.btn-floating{margin-top:-2px;margin-left:15px;margin-right:15px}nav ul a.btn>.material-icons,nav ul a.btn-large>.material-icons,nav ul a.btn-large>.material-icons,nav ul a.btn-flat>.material-icons,nav ul a.btn-floating>.material-icons{height:inherit;line-height:inherit}nav ul a:hover{background-color:rgba(0,0,0,0.1)}nav ul.left{float:left}nav form{height:100%}nav .input-field{margin:0;height:100%}nav .input-field input{height:100%;font-size:1.2rem;border:none;padding-left:2rem}nav .input-field input:focus,nav .input-field input[type=text]:valid,nav .input-field input[type=password]:valid,nav .input-field input[type=email]:valid,nav .input-field input[type=url]:valid,nav .input-field input[type=date]:valid{border:none;-webkit-box-shadow:none;box-shadow:none}nav .input-field label{top:0;left:0}nav .input-field label i{color:rgba(255,255,255,0.7);-webkit-transition:color .3s;transition:color .3s}nav .input-field label.active i{color:#fff}.navbar-fixed{position:relative;height:56px;z-index:997}.navbar-fixed nav{position:fixed}@media only screen and (min-width: 601px){nav.nav-extended .nav-wrapper{min-height:64px}nav,nav .nav-wrapper i,nav a.button-collapse,nav a.button-collapse i{height:64px;line-height:64px}.navbar-fixed{height:64px}}@font-face{font-family:"Roboto";src:local(Roboto Thin),url("../fonts/roboto/Roboto-Thin.woff2") format("woff2"),url("../fonts/roboto/Roboto-Thin.woff") format("woff");font-weight:100}@font-face{font-family:"Roboto";src:local(Roboto Light),url("../fonts/roboto/Roboto-Light.woff2") format("woff2"),url("../fonts/roboto/Roboto-Light.woff") format("woff");font-weight:300}@font-face{font-family:"Roboto";src:local(Roboto Regular),url("../fonts/roboto/Roboto-Regular.woff2") format("woff2"),url("../fonts/roboto/Roboto-Regular.woff") format("woff");font-weight:400}@font-face{font-family:"Roboto";src:local(Roboto Medium),url("../fonts/roboto/Roboto-Medium.woff2") format("woff2"),url("../fonts/roboto/Roboto-Medium.woff") format("woff");font-weight:500}@font-face{font-family:"Roboto";src:local(Roboto Bold),url("../fonts/roboto/Roboto-Bold.woff2") format("woff2"),url("../fonts/roboto/Roboto-Bold.woff") format("woff");font-weight:700}a{text-decoration:none}html{line-height:1.5;font-family:"Roboto", sans-serif;font-weight:normal;color:rgba(0,0,0,0.87)}@media only screen and (min-width: 0){html{font-size:14px}}@media only screen and (min-width: 992px){html{font-size:14.5px}}@media only screen and (min-width: 1200px){html{font-size:15px}}h1,h2,h3,h4,h5,h6{font-weight:400;line-height:1.1}h1 a,h2 a,h3 a,h4 a,h5 a,h6 a{font-weight:inherit}h1{font-size:4.2rem;line-height:110%;margin:2.1rem 0 1.68rem 0}h2{font-size:3.56rem;line-height:110%;margin:1.78rem 0 1.424rem 0}h3{font-size:2.92rem;line-height:110%;margin:1.46rem 0 1.168rem 0}h4{font-size:2.28rem;line-height:110%;margin:1.14rem 0 .912rem 0}h5{font-size:1.64rem;line-height:110%;margin:.82rem 0 .656rem 0}h6{font-size:1rem;line-height:110%;margin:.5rem 0 .4rem 0}em{font-style:italic}strong{font-weight:500}small{font-size:75%}.light,.page-footer .footer-copyright{font-weight:300}.thin{font-weight:200}.flow-text{font-weight:300}@media only screen and (min-width: 360px){.flow-text{font-size:1.2rem}}@media only screen and (min-width: 390px){.flow-text{font-size:1.224rem}}@media only screen and (min-width: 420px){.flow-text{font-size:1.248rem}}@media only screen and (min-width: 450px){.flow-text{font-size:1.272rem}}@media only screen and (min-width: 480px){.flow-text{font-size:1.296rem}}@media only screen and (min-width: 510px){.flow-text{font-size:1.32rem}}@media only screen and (min-width: 540px){.flow-text{font-size:1.344rem}}@media only screen and (min-width: 570px){.flow-text{font-size:1.368rem}}@media only screen and (min-width: 600px){.flow-text{font-size:1.392rem}}@media only screen and (min-width: 630px){.flow-text{font-size:1.416rem}}@media only screen and (min-width: 660px){.flow-text{font-size:1.44rem}}@media only screen and (min-width: 690px){.flow-text{font-size:1.464rem}}@media only screen and (min-width: 720px){.flow-text{font-size:1.488rem}}@media only screen and (min-width: 750px){.flow-text{font-size:1.512rem}}@media only screen and (min-width: 780px){.flow-text{font-size:1.536rem}}@media only screen and (min-width: 810px){.flow-text{font-size:1.56rem}}@media only screen and (min-width: 840px){.flow-text{font-size:1.584rem}}@media only screen and (min-width: 870px){.flow-text{font-size:1.608rem}}@media only screen and (min-width: 900px){.flow-text{font-size:1.632rem}}@media only screen and (min-width: 930px){.flow-text{font-size:1.656rem}}@media only screen and (min-width: 960px){.flow-text{font-size:1.68rem}}@media only screen and (max-width: 360px){.flow-text{font-size:1.2rem}}.scale-transition{-webkit-transition:-webkit-transform 0.3s cubic-bezier(0.53, 0.01, 0.36, 1.63) !important;transition:-webkit-transform 0.3s cubic-bezier(0.53, 0.01, 0.36, 1.63) !important;transition:transform 0.3s cubic-bezier(0.53, 0.01, 0.36, 1.63) !important;transition:transform 0.3s cubic-bezier(0.53, 0.01, 0.36, 1.63), -webkit-transform 0.3s cubic-bezier(0.53, 0.01, 0.36, 1.63) !important}.scale-transition.scale-out{-webkit-transform:scale(0);transform:scale(0);-webkit-transition:-webkit-transform .2s !important;transition:-webkit-transform .2s !important;transition:transform .2s !important;transition:transform .2s, -webkit-transform .2s !important}.scale-transition.scale-in{-webkit-transform:scale(1);transform:scale(1)}.card-panel{-webkit-transition:-webkit-box-shadow .25s;transition:-webkit-box-shadow .25s;transition:box-shadow .25s;transition:box-shadow .25s, -webkit-box-shadow .25s;padding:24px;margin:.5rem 0 1rem 0;border-radius:2px;background-color:#fff}.card{position:relative;margin:.5rem 0 1rem 0;background-color:#fff;-webkit-transition:-webkit-box-shadow .25s;transition:-webkit-box-shadow .25s;transition:box-shadow .25s;transition:box-shadow .25s, -webkit-box-shadow .25s;border-radius:2px}.card .card-title{font-size:24px;font-weight:300}.card .card-title.activator{cursor:pointer}.card.small,.card.medium,.card.large{position:relative}.card.small .card-image,.card.medium .card-image,.card.large .card-image{max-height:60%;overflow:hidden}.card.small .card-image+.card-content,.card.medium .card-image+.card-content,.card.large .card-image+.card-content{max-height:40%}.card.small .card-content,.card.medium .card-content,.card.large .card-content{max-height:100%;overflow:hidden}.card.small .card-action,.card.medium .card-action,.card.large .card-action{position:absolute;bottom:0;left:0;right:0}.card.small{height:300px}.card.medium{height:400px}.card.large{height:500px}.card.horizontal{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex}.card.horizontal.small .card-image,.card.horizontal.medium .card-image,.card.horizontal.large .card-image{height:100%;max-height:none;overflow:visible}.card.horizontal.small .card-image img,.card.horizontal.medium .card-image img,.card.horizontal.large .card-image img{height:100%}.card.horizontal .card-image{max-width:50%}.card.horizontal .card-image img{border-radius:2px 0 0 2px;max-width:100%;width:auto}.card.horizontal .card-stacked{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;-webkit-box-orient:vertical;-webkit-box-direction:normal;-webkit-flex-direction:column;-ms-flex-direction:column;flex-direction:column;-webkit-box-flex:1;-webkit-flex:1;-ms-flex:1;flex:1;position:relative}.card.horizontal .card-stacked .card-content{-webkit-box-flex:1;-webkit-flex-grow:1;-ms-flex-positive:1;flex-grow:1}.card.sticky-action .card-action{z-index:2}.card.sticky-action .card-reveal{z-index:1;padding-bottom:64px}.card .card-image{position:relative}.card .card-image img{display:block;border-radius:2px 2px 0 0;position:relative;left:0;right:0;top:0;bottom:0;width:100%}.card .card-image .card-title{color:#fff;position:absolute;bottom:0;left:0;max-width:100%;padding:24px}.card .card-content{padding:24px;border-radius:0 0 2px 2px}.card .card-content p{margin:0;color:inherit}.card .card-content .card-title{display:block;line-height:32px;margin-bottom:8px}.card .card-content .card-title i{line-height:32px}.card .card-action{position:relative;background-color:inherit;border-top:1px solid rgba(160,160,160,0.2);padding:16px 24px}.card .card-action:last-child{border-radius:0 0 2px 2px}.card .card-action a:not(.btn):not(.btn-large):not(.btn-large):not(.btn-floating){color:#ffab40;margin-right:24px;-webkit-transition:color .3s ease;transition:color .3s ease;text-transform:uppercase}.card .card-action a:not(.btn):not(.btn-large):not(.btn-large):not(.btn-floating):hover{color:#ffd8a6}.card .card-reveal{padding:24px;position:absolute;background-color:#fff;width:100%;overflow-y:auto;left:0;top:100%;height:100%;z-index:3;display:none}.card .card-reveal .card-title{cursor:pointer;display:block}#toast-container{display:block;position:fixed;z-index:10000}@media only screen and (max-width: 600px){#toast-container{min-width:100%;bottom:0%}}@media only screen and (min-width: 601px) and (max-width: 992px){#toast-container{left:5%;bottom:7%;max-width:90%}}@media only screen and (min-width: 993px){#toast-container{top:10%;right:7%;max-width:86%}}.toast{border-radius:2px;top:35px;width:auto;margin-top:10px;position:relative;max-width:100%;height:auto;min-height:48px;line-height:1.5em;word-break:break-all;background-color:#323232;padding:10px 25px;font-size:1.1rem;font-weight:300;color:#fff;display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;-webkit-box-align:center;-webkit-align-items:center;-ms-flex-align:center;align-items:center;-webkit-box-pack:justify;-webkit-justify-content:space-between;-ms-flex-pack:justify;justify-content:space-between;cursor:default}.toast .toast-action{color:#eeff41;font-weight:500;margin-right:-25px;margin-left:3rem}.toast.rounded{border-radius:24px}@media only screen and (max-width: 600px){.toast{width:100%;border-radius:0}}.tabs{position:relative;overflow-x:auto;overflow-y:hidden;height:48px;width:100%;background-color:#fff;margin:0 auto;white-space:nowrap}.tabs.tabs-transparent{background-color:transparent}.tabs.tabs-transparent .tab a,.tabs.tabs-transparent .tab.disabled a,.tabs.tabs-transparent .tab.disabled a:hover{color:rgba(255,255,255,0.7)}.tabs.tabs-transparent .tab a:hover,.tabs.tabs-transparent .tab a.active{color:#fff}.tabs.tabs-transparent .indicator{background-color:#fff}.tabs.tabs-fixed-width{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex}.tabs.tabs-fixed-width .tab{-webkit-box-flex:1;-webkit-flex-grow:1;-ms-flex-positive:1;flex-grow:1}.tabs .tab{display:inline-block;text-align:center;line-height:48px;height:48px;padding:0;margin:0;text-transform:uppercase}.tabs .tab a{color:rgba(238,110,115,0.7);display:block;width:100%;height:100%;padding:0 24px;font-size:14px;text-overflow:ellipsis;overflow:hidden;-webkit-transition:color .28s ease;transition:color .28s ease}.tabs .tab a:hover,.tabs .tab a.active{background-color:transparent;color:#ee6e73}.tabs .tab.disabled a,.tabs .tab.disabled a:hover{color:rgba(238,110,115,0.7);cursor:default}.tabs .indicator{position:absolute;bottom:0;height:2px;background-color:#f6b2b5;will-change:left, right}@media only screen and (max-width: 992px){.tabs{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex}.tabs .tab{-webkit-box-flex:1;-webkit-flex-grow:1;-ms-flex-positive:1;flex-grow:1}.tabs .tab a{padding:0 12px}}.material-tooltip{padding:10px 8px;font-size:1rem;z-index:2000;background-color:transparent;border-radius:2px;color:#fff;min-height:36px;line-height:120%;opacity:0;position:absolute;text-align:center;max-width:calc(100% - 4px);overflow:hidden;left:0;top:0;pointer-events:none;visibility:hidden}.backdrop{position:absolute;opacity:0;height:7px;width:14px;border-radius:0 0 50% 50%;background-color:#323232;z-index:-1;-webkit-transform-origin:50% 0%;transform-origin:50% 0%;visibility:hidden}.btn,.btn-large,.btn-flat{border:none;border-radius:2px;display:inline-block;height:36px;line-height:36px;padding:0 2rem;text-transform:uppercase;vertical-align:middle;-webkit-tap-highlight-color:transparent}.btn.disabled,.disabled.btn-large,.btn-floating.disabled,.btn-large.disabled,.btn-flat.disabled,.btn:disabled,.btn-large:disabled,.btn-floating:disabled,.btn-large:disabled,.btn-flat:disabled,.btn[disabled],[disabled].btn-large,.btn-floating[disabled],.btn-large[disabled],.btn-flat[disabled]{pointer-events:none;background-color:#DFDFDF !important;-webkit-box-shadow:none;box-shadow:none;color:#9F9F9F !important;cursor:default}.btn.disabled:hover,.disabled.btn-large:hover,.btn-floating.disabled:hover,.btn-large.disabled:hover,.btn-flat.disabled:hover,.btn:disabled:hover,.btn-large:disabled:hover,.btn-floating:disabled:hover,.btn-large:disabled:hover,.btn-flat:disabled:hover,.btn[disabled]:hover,[disabled].btn-large:hover,.btn-floating[disabled]:hover,.btn-large[disabled]:hover,.btn-flat[disabled]:hover{background-color:#DFDFDF !important;color:#9F9F9F !important}.btn,.btn-large,.btn-floating,.btn-large,.btn-flat{font-size:1rem;outline:0}.btn i,.btn-large i,.btn-floating i,.btn-large i,.btn-flat i{font-size:1.3rem;line-height:inherit}.btn:focus,.btn-large:focus,.btn-floating:focus{background-color:#1d7d74}.btn,.btn-large{text-decoration:none;color:#fff;background-color:#26a69a;text-align:center;letter-spacing:.5px;-webkit-transition:.2s ease-out;transition:.2s ease-out;cursor:pointer}.btn:hover,.btn-large:hover{background-color:#2bbbad}.btn-floating{display:inline-block;color:#fff;position:relative;overflow:hidden;z-index:1;width:40px;height:40px;line-height:40px;padding:0;background-color:#26a69a;border-radius:50%;-webkit-transition:.3s;transition:.3s;cursor:pointer;vertical-align:middle}.btn-floating:hover{background-color:#26a69a}.btn-floating:before{border-radius:0}.btn-floating.btn-large{width:56px;height:56px}.btn-floating.btn-large.halfway-fab{bottom:-28px}.btn-floating.btn-large i{line-height:56px}.btn-floating.halfway-fab{position:absolute;right:24px;bottom:-20px}.btn-floating.halfway-fab.left{right:auto;left:24px}.btn-floating i{width:inherit;display:inline-block;text-align:center;color:#fff;font-size:1.6rem;line-height:40px}button.btn-floating{border:none}.fixed-action-btn{position:fixed;right:23px;bottom:23px;padding-top:15px;margin-bottom:0;z-index:997}.fixed-action-btn.active ul{visibility:visible}.fixed-action-btn.horizontal{padding:0 0 0 15px}.fixed-action-btn.horizontal ul{text-align:right;right:64px;top:50%;-webkit-transform:translateY(-50%);transform:translateY(-50%);height:100%;left:auto;width:500px}.fixed-action-btn.horizontal ul li{display:inline-block;margin:15px 15px 0 0}.fixed-action-btn.toolbar{padding:0;height:56px}.fixed-action-btn.toolbar.active>a i{opacity:0}.fixed-action-btn.toolbar ul{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;top:0;bottom:0;z-index:1}.fixed-action-btn.toolbar ul li{-webkit-box-flex:1;-webkit-flex:1;-ms-flex:1;flex:1;display:inline-block;margin:0;height:100%;-webkit-transition:none;transition:none}.fixed-action-btn.toolbar ul li a{display:block;overflow:hidden;position:relative;width:100%;height:100%;background-color:transparent;-webkit-box-shadow:none;box-shadow:none;color:#fff;line-height:56px;z-index:1}.fixed-action-btn.toolbar ul li a i{line-height:inherit}.fixed-action-btn ul{left:0;right:0;text-align:center;position:absolute;bottom:64px;margin:0;visibility:hidden}.fixed-action-btn ul li{margin-bottom:15px}.fixed-action-btn ul a.btn-floating{opacity:0}.fixed-action-btn .fab-backdrop{position:absolute;top:0;left:0;z-index:-1;width:40px;height:40px;background-color:#26a69a;border-radius:50%;-webkit-transform:scale(0);transform:scale(0)}.btn-flat{-webkit-box-shadow:none;box-shadow:none;background-color:transparent;color:#343434;cursor:pointer;-webkit-transition:background-color .2s;transition:background-color .2s}.btn-flat:focus,.btn-flat:hover{-webkit-box-shadow:none;box-shadow:none}.btn-flat:focus{background-color:rgba(0,0,0,0.1)}.btn-flat.disabled{background-color:transparent !important;color:#b3b2b2 !important;cursor:default}.btn-large{height:54px;line-height:54px}.btn-large i{font-size:1.6rem}.btn-block{display:block}.dropdown-content{background-color:#fff;margin:0;display:none;min-width:100px;max-height:650px;overflow-y:auto;opacity:0;position:absolute;z-index:999;will-change:width, height}.dropdown-content li{clear:both;color:rgba(0,0,0,0.87);cursor:pointer;min-height:50px;line-height:1.5rem;width:100%;text-align:left;text-transform:none}.dropdown-content li:hover,.dropdown-content li.active,.dropdown-content li.selected{background-color:#eee}.dropdown-content li.active.selected{background-color:#e1e1e1}.dropdown-content li.divider{min-height:0;height:1px}.dropdown-content li>a,.dropdown-content li>span{font-size:16px;color:#26a69a;display:block;line-height:22px;padding:14px 16px}.dropdown-content li>span>label{top:1px;left:0;height:18px}.dropdown-content li>a>i{height:inherit;line-height:inherit;float:left;margin:0 24px 0 0;width:24px}.input-field.col .dropdown-content [type="checkbox"]+label{top:1px;left:0;height:18px}/*!
+ * Waves v0.6.0
+ * http://fian.my.id/Waves
+ *
+ * Copyright 2014 Alfiana E. Sibuea and other contributors
+ * Released under the MIT license
+ * https://github.com/fians/Waves/blob/master/LICENSE
+ */.waves-effect{position:relative;cursor:pointer;display:inline-block;overflow:hidden;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;-webkit-tap-highlight-color:transparent;vertical-align:middle;z-index:1;-webkit-transition:.3s ease-out;transition:.3s ease-out}.waves-effect .waves-ripple{position:absolute;border-radius:50%;width:20px;height:20px;margin-top:-10px;margin-left:-10px;opacity:0;background:rgba(0,0,0,0.2);-webkit-transition:all 0.7s ease-out;transition:all 0.7s ease-out;-webkit-transition-property:opacity, -webkit-transform;transition-property:opacity, -webkit-transform;transition-property:transform, opacity;transition-property:transform, opacity, -webkit-transform;-webkit-transform:scale(0);transform:scale(0);pointer-events:none}.waves-effect.waves-light .waves-ripple{background-color:rgba(255,255,255,0.45)}.waves-effect.waves-red .waves-ripple{background-color:rgba(244,67,54,0.7)}.waves-effect.waves-yellow .waves-ripple{background-color:rgba(255,235,59,0.7)}.waves-effect.waves-orange .waves-ripple{background-color:rgba(255,152,0,0.7)}.waves-effect.waves-purple .waves-ripple{background-color:rgba(156,39,176,0.7)}.waves-effect.waves-green .waves-ripple{background-color:rgba(76,175,80,0.7)}.waves-effect.waves-teal .waves-ripple{background-color:rgba(0,150,136,0.7)}.waves-effect input[type="button"],.waves-effect input[type="reset"],.waves-effect input[type="submit"]{border:0;font-style:normal;font-size:inherit;text-transform:inherit;background:none}.waves-effect img{position:relative;z-index:-1}.waves-notransition{-webkit-transition:none !important;transition:none !important}.waves-circle{-webkit-transform:translateZ(0);transform:translateZ(0);-webkit-mask-image:-webkit-radial-gradient(circle, white 100%, black 100%)}.waves-input-wrapper{border-radius:0.2em;vertical-align:bottom}.waves-input-wrapper .waves-button-input{position:relative;top:0;left:0;z-index:1}.waves-circle{text-align:center;width:2.5em;height:2.5em;line-height:2.5em;border-radius:50%;-webkit-mask-image:none}.waves-block{display:block}.waves-effect .waves-ripple{z-index:-1}.modal{display:none;position:fixed;left:0;right:0;background-color:#fafafa;padding:0;max-height:70%;width:55%;margin:auto;overflow-y:auto;border-radius:2px;will-change:top, opacity}@media only screen and (max-width: 992px){.modal{width:80%}}.modal h1,.modal h2,.modal h3,.modal h4{margin-top:0}.modal .modal-content{padding:24px}.modal .modal-close{cursor:pointer}.modal .modal-footer{border-radius:0 0 2px 2px;background-color:#fafafa;padding:4px 6px;height:56px;width:100%;text-align:right}.modal .modal-footer .btn,.modal .modal-footer .btn-large,.modal .modal-footer .btn-flat{margin:6px 0}.modal-overlay{position:fixed;z-index:999;top:-25%;left:0;bottom:0;right:0;height:125%;width:100%;background:#000;display:none;will-change:opacity}.modal.modal-fixed-footer{padding:0;height:70%}.modal.modal-fixed-footer .modal-content{position:absolute;height:calc(100% - 56px);max-height:100%;width:100%;overflow-y:auto}.modal.modal-fixed-footer .modal-footer{border-top:1px solid rgba(0,0,0,0.1);position:absolute;bottom:0}.modal.bottom-sheet{top:auto;bottom:-100%;margin:0;width:100%;max-height:45%;border-radius:0;will-change:bottom, opacity}.collapsible{border-top:1px solid #ddd;border-right:1px solid #ddd;border-left:1px solid #ddd;margin:.5rem 0 1rem 0}.collapsible-header{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;cursor:pointer;-webkit-tap-highlight-color:transparent;line-height:1.5;padding:1rem;background-color:#fff;border-bottom:1px solid #ddd}.collapsible-header i{width:2rem;font-size:1.6rem;display:inline-block;text-align:center;margin-right:1rem}.collapsible-body{display:none;border-bottom:1px solid #ddd;-webkit-box-sizing:border-box;box-sizing:border-box;padding:2rem}.side-nav .collapsible,.side-nav.fixed .collapsible{border:none;-webkit-box-shadow:none;box-shadow:none}.side-nav .collapsible li,.side-nav.fixed .collapsible li{padding:0}.side-nav .collapsible-header,.side-nav.fixed .collapsible-header{background-color:transparent;border:none;line-height:inherit;height:inherit;padding:0 16px}.side-nav .collapsible-header:hover,.side-nav.fixed .collapsible-header:hover{background-color:rgba(0,0,0,0.05)}.side-nav .collapsible-header i,.side-nav.fixed .collapsible-header i{line-height:inherit}.side-nav .collapsible-body,.side-nav.fixed .collapsible-body{border:0;background-color:#fff}.side-nav .collapsible-body li a,.side-nav.fixed .collapsible-body li a{padding:0 23.5px 0 31px}.collapsible.popout{border:none;-webkit-box-shadow:none;box-shadow:none}.collapsible.popout>li{-webkit-box-shadow:0 2px 5px 0 rgba(0,0,0,0.16),0 2px 10px 0 rgba(0,0,0,0.12);box-shadow:0 2px 5px 0 rgba(0,0,0,0.16),0 2px 10px 0 rgba(0,0,0,0.12);margin:0 24px;-webkit-transition:margin 0.35s cubic-bezier(0.25, 0.46, 0.45, 0.94);transition:margin 0.35s cubic-bezier(0.25, 0.46, 0.45, 0.94)}.collapsible.popout>li.active{-webkit-box-shadow:0 5px 11px 0 rgba(0,0,0,0.18),0 4px 15px 0 rgba(0,0,0,0.15);box-shadow:0 5px 11px 0 rgba(0,0,0,0.18),0 4px 15px 0 rgba(0,0,0,0.15);margin:16px 0}.chip{display:inline-block;height:32px;font-size:13px;font-weight:500;color:rgba(0,0,0,0.6);line-height:32px;padding:0 12px;border-radius:16px;background-color:#e4e4e4;margin-bottom:5px;margin-right:5px}.chip>img{float:left;margin:0 8px 0 -12px;height:32px;width:32px;border-radius:50%}.chip .close{cursor:pointer;float:right;font-size:16px;line-height:32px;padding-left:8px}.chips{border:none;border-bottom:1px solid #9e9e9e;-webkit-box-shadow:none;box-shadow:none;margin:0 0 20px 0;min-height:45px;outline:none;-webkit-transition:all .3s;transition:all .3s}.chips.focus{border-bottom:1px solid #26a69a;-webkit-box-shadow:0 1px 0 0 #26a69a;box-shadow:0 1px 0 0 #26a69a}.chips:hover{cursor:text}.chips .chip.selected{background-color:#26a69a;color:#fff}.chips .input{background:none;border:0;color:rgba(0,0,0,0.6);display:inline-block;font-size:1rem;height:3rem;line-height:32px;outline:0;margin:0;padding:0 !important;width:120px !important}.chips .input:focus{border:0 !important;-webkit-box-shadow:none !important;box-shadow:none !important}.chips .autocomplete-content{margin-top:0;margin-bottom:0}.prefix ~ .chips{margin-left:3rem;width:92%;width:calc(100% - 3rem)}.chips:empty ~ label{font-size:0.8rem;-webkit-transform:translateY(-140%);transform:translateY(-140%)}.materialboxed{display:block;cursor:-webkit-zoom-in;cursor:zoom-in;position:relative;-webkit-transition:opacity .4s;transition:opacity .4s;-webkit-backface-visibility:hidden}.materialboxed:hover:not(.active){opacity:.8}.materialboxed.active{cursor:-webkit-zoom-out;cursor:zoom-out}#materialbox-overlay{position:fixed;top:0;right:0;bottom:0;left:0;background-color:#292929;z-index:1000;will-change:opacity}.materialbox-caption{position:fixed;display:none;color:#fff;line-height:50px;bottom:0;left:0;width:100%;text-align:center;padding:0% 15%;height:50px;z-index:1000;-webkit-font-smoothing:antialiased}select:focus{outline:1px solid #c9f3ef}button:focus{outline:none;background-color:#2ab7a9}label{font-size:.8rem;color:#9e9e9e}::-webkit-input-placeholder{color:#d1d1d1}::-moz-placeholder{color:#d1d1d1}:-ms-input-placeholder{color:#d1d1d1}::placeholder{color:#d1d1d1}input:not([type]),input[type=text]:not(.browser-default),input[type=password]:not(.browser-default),input[type=email]:not(.browser-default),input[type=url]:not(.browser-default),input[type=time]:not(.browser-default),input[type=date]:not(.browser-default),input[type=datetime]:not(.browser-default),input[type=datetime-local]:not(.browser-default),input[type=tel]:not(.browser-default),input[type=number]:not(.browser-default),input[type=search]:not(.browser-default),textarea.materialize-textarea{background-color:transparent;border:none;border-bottom:1px solid #9e9e9e;border-radius:0;outline:none;height:3rem;width:100%;font-size:1rem;margin:0 0 20px 0;padding:0;-webkit-box-shadow:none;box-shadow:none;-webkit-box-sizing:content-box;box-sizing:content-box;-webkit-transition:all 0.3s;transition:all 0.3s}input:not([type]):disabled,input:not([type])[readonly="readonly"],input[type=text]:not(.browser-default):disabled,input[type=text]:not(.browser-default)[readonly="readonly"],input[type=password]:not(.browser-default):disabled,input[type=password]:not(.browser-default)[readonly="readonly"],input[type=email]:not(.browser-default):disabled,input[type=email]:not(.browser-default)[readonly="readonly"],input[type=url]:not(.browser-default):disabled,input[type=url]:not(.browser-default)[readonly="readonly"],input[type=time]:not(.browser-default):disabled,input[type=time]:not(.browser-default)[readonly="readonly"],input[type=date]:not(.browser-default):disabled,input[type=date]:not(.browser-default)[readonly="readonly"],input[type=datetime]:not(.browser-default):disabled,input[type=datetime]:not(.browser-default)[readonly="readonly"],input[type=datetime-local]:not(.browser-default):disabled,input[type=datetime-local]:not(.browser-default)[readonly="readonly"],input[type=tel]:not(.browser-default):disabled,input[type=tel]:not(.browser-default)[readonly="readonly"],input[type=number]:not(.browser-default):disabled,input[type=number]:not(.browser-default)[readonly="readonly"],input[type=search]:not(.browser-default):disabled,input[type=search]:not(.browser-default)[readonly="readonly"],textarea.materialize-textarea:disabled,textarea.materialize-textarea[readonly="readonly"]{color:rgba(0,0,0,0.42);border-bottom:1px dotted rgba(0,0,0,0.42)}input:not([type]):disabled+label,input:not([type])[readonly="readonly"]+label,input[type=text]:not(.browser-default):disabled+label,input[type=text]:not(.browser-default)[readonly="readonly"]+label,input[type=password]:not(.browser-default):disabled+label,input[type=password]:not(.browser-default)[readonly="readonly"]+label,input[type=email]:not(.browser-default):disabled+label,input[type=email]:not(.browser-default)[readonly="readonly"]+label,input[type=url]:not(.browser-default):disabled+label,input[type=url]:not(.browser-default)[readonly="readonly"]+label,input[type=time]:not(.browser-default):disabled+label,input[type=time]:not(.browser-default)[readonly="readonly"]+label,input[type=date]:not(.browser-default):disabled+label,input[type=date]:not(.browser-default)[readonly="readonly"]+label,input[type=datetime]:not(.browser-default):disabled+label,input[type=datetime]:not(.browser-default)[readonly="readonly"]+label,input[type=datetime-local]:not(.browser-default):disabled+label,input[type=datetime-local]:not(.browser-default)[readonly="readonly"]+label,input[type=tel]:not(.browser-default):disabled+label,input[type=tel]:not(.browser-default)[readonly="readonly"]+label,input[type=number]:not(.browser-default):disabled+label,input[type=number]:not(.browser-default)[readonly="readonly"]+label,input[type=search]:not(.browser-default):disabled+label,input[type=search]:not(.browser-default)[readonly="readonly"]+label,textarea.materialize-textarea:disabled+label,textarea.materialize-textarea[readonly="readonly"]+label{color:rgba(0,0,0,0.42)}input:not([type]):focus:not([readonly]),input[type=text]:not(.browser-default):focus:not([readonly]),input[type=password]:not(.browser-default):focus:not([readonly]),input[type=email]:not(.browser-default):focus:not([readonly]),input[type=url]:not(.browser-default):focus:not([readonly]),input[type=time]:not(.browser-default):focus:not([readonly]),input[type=date]:not(.browser-default):focus:not([readonly]),input[type=datetime]:not(.browser-default):focus:not([readonly]),input[type=datetime-local]:not(.browser-default):focus:not([readonly]),input[type=tel]:not(.browser-default):focus:not([readonly]),input[type=number]:not(.browser-default):focus:not([readonly]),input[type=search]:not(.browser-default):focus:not([readonly]),textarea.materialize-textarea:focus:not([readonly]){border-bottom:1px solid #26a69a;-webkit-box-shadow:0 1px 0 0 #26a69a;box-shadow:0 1px 0 0 #26a69a}input:not([type]):focus:not([readonly])+label,input[type=text]:not(.browser-default):focus:not([readonly])+label,input[type=password]:not(.browser-default):focus:not([readonly])+label,input[type=email]:not(.browser-default):focus:not([readonly])+label,input[type=url]:not(.browser-default):focus:not([readonly])+label,input[type=time]:not(.browser-default):focus:not([readonly])+label,input[type=date]:not(.browser-default):focus:not([readonly])+label,input[type=datetime]:not(.browser-default):focus:not([readonly])+label,input[type=datetime-local]:not(.browser-default):focus:not([readonly])+label,input[type=tel]:not(.browser-default):focus:not([readonly])+label,input[type=number]:not(.browser-default):focus:not([readonly])+label,input[type=search]:not(.browser-default):focus:not([readonly])+label,textarea.materialize-textarea:focus:not([readonly])+label{color:#26a69a}input:not([type]).validate+label,input[type=text]:not(.browser-default).validate+label,input[type=password]:not(.browser-default).validate+label,input[type=email]:not(.browser-default).validate+label,input[type=url]:not(.browser-default).validate+label,input[type=time]:not(.browser-default).validate+label,input[type=date]:not(.browser-default).validate+label,input[type=datetime]:not(.browser-default).validate+label,input[type=datetime-local]:not(.browser-default).validate+label,input[type=tel]:not(.browser-default).validate+label,input[type=number]:not(.browser-default).validate+label,input[type=search]:not(.browser-default).validate+label,textarea.materialize-textarea.validate+label{width:100%}input:not([type]).invalid+label:after,input:not([type]).valid+label:after,input[type=text]:not(.browser-default).invalid+label:after,input[type=text]:not(.browser-default).valid+label:after,input[type=password]:not(.browser-default).invalid+label:after,input[type=password]:not(.browser-default).valid+label:after,input[type=email]:not(.browser-default).invalid+label:after,input[type=email]:not(.browser-default).valid+label:after,input[type=url]:not(.browser-default).invalid+label:after,input[type=url]:not(.browser-default).valid+label:after,input[type=time]:not(.browser-default).invalid+label:after,input[type=time]:not(.browser-default).valid+label:after,input[type=date]:not(.browser-default).invalid+label:after,input[type=date]:not(.browser-default).valid+label:after,input[type=datetime]:not(.browser-default).invalid+label:after,input[type=datetime]:not(.browser-default).valid+label:after,input[type=datetime-local]:not(.browser-default).invalid+label:after,input[type=datetime-local]:not(.browser-default).valid+label:after,input[type=tel]:not(.browser-default).invalid+label:after,input[type=tel]:not(.browser-default).valid+label:after,input[type=number]:not(.browser-default).invalid+label:after,input[type=number]:not(.browser-default).valid+label:after,input[type=search]:not(.browser-default).invalid+label:after,input[type=search]:not(.browser-default).valid+label:after,textarea.materialize-textarea.invalid+label:after,textarea.materialize-textarea.valid+label:after{display:none}input:not([type]).invalid+label.active:after,input:not([type]).valid+label.active:after,input[type=text]:not(.browser-default).invalid+label.active:after,input[type=text]:not(.browser-default).valid+label.active:after,input[type=password]:not(.browser-default).invalid+label.active:after,input[type=password]:not(.browser-default).valid+label.active:after,input[type=email]:not(.browser-default).invalid+label.active:after,input[type=email]:not(.browser-default).valid+label.active:after,input[type=url]:not(.browser-default).invalid+label.active:after,input[type=url]:not(.browser-default).valid+label.active:after,input[type=time]:not(.browser-default).invalid+label.active:after,input[type=time]:not(.browser-default).valid+label.active:after,input[type=date]:not(.browser-default).invalid+label.active:after,input[type=date]:not(.browser-default).valid+label.active:after,input[type=datetime]:not(.browser-default).invalid+label.active:after,input[type=datetime]:not(.browser-default).valid+label.active:after,input[type=datetime-local]:not(.browser-default).invalid+label.active:after,input[type=datetime-local]:not(.browser-default).valid+label.active:after,input[type=tel]:not(.browser-default).invalid+label.active:after,input[type=tel]:not(.browser-default).valid+label.active:after,input[type=number]:not(.browser-default).invalid+label.active:after,input[type=number]:not(.browser-default).valid+label.active:after,input[type=search]:not(.browser-default).invalid+label.active:after,input[type=search]:not(.browser-default).valid+label.active:after,textarea.materialize-textarea.invalid+label.active:after,textarea.materialize-textarea.valid+label.active:after{display:block}input.valid:not([type]),input.valid:not([type]):focus,input[type=text].valid:not(.browser-default),input[type=text].valid:not(.browser-default):focus,input[type=password].valid:not(.browser-default),input[type=password].valid:not(.browser-default):focus,input[type=email].valid:not(.browser-default),input[type=email].valid:not(.browser-default):focus,input[type=url].valid:not(.browser-default),input[type=url].valid:not(.browser-default):focus,input[type=time].valid:not(.browser-default),input[type=time].valid:not(.browser-default):focus,input[type=date].valid:not(.browser-default),input[type=date].valid:not(.browser-default):focus,input[type=datetime].valid:not(.browser-default),input[type=datetime].valid:not(.browser-default):focus,input[type=datetime-local].valid:not(.browser-default),input[type=datetime-local].valid:not(.browser-default):focus,input[type=tel].valid:not(.browser-default),input[type=tel].valid:not(.browser-default):focus,input[type=number].valid:not(.browser-default),input[type=number].valid:not(.browser-default):focus,input[type=search].valid:not(.browser-default),input[type=search].valid:not(.browser-default):focus,textarea.materialize-textarea.valid,textarea.materialize-textarea.valid:focus,.select-wrapper.valid>input.select-dropdown{border-bottom:1px solid #4CAF50;-webkit-box-shadow:0 1px 0 0 #4CAF50;box-shadow:0 1px 0 0 #4CAF50}input.invalid:not([type]),input.invalid:not([type]):focus,input[type=text].invalid:not(.browser-default),input[type=text].invalid:not(.browser-default):focus,input[type=password].invalid:not(.browser-default),input[type=password].invalid:not(.browser-default):focus,input[type=email].invalid:not(.browser-default),input[type=email].invalid:not(.browser-default):focus,input[type=url].invalid:not(.browser-default),input[type=url].invalid:not(.browser-default):focus,input[type=time].invalid:not(.browser-default),input[type=time].invalid:not(.browser-default):focus,input[type=date].invalid:not(.browser-default),input[type=date].invalid:not(.browser-default):focus,input[type=datetime].invalid:not(.browser-default),input[type=datetime].invalid:not(.browser-default):focus,input[type=datetime-local].invalid:not(.browser-default),input[type=datetime-local].invalid:not(.browser-default):focus,input[type=tel].invalid:not(.browser-default),input[type=tel].invalid:not(.browser-default):focus,input[type=number].invalid:not(.browser-default),input[type=number].invalid:not(.browser-default):focus,input[type=search].invalid:not(.browser-default),input[type=search].invalid:not(.browser-default):focus,textarea.materialize-textarea.invalid,textarea.materialize-textarea.invalid:focus,.select-wrapper.invalid>input.select-dropdown{border-bottom:1px solid #F44336;-webkit-box-shadow:0 1px 0 0 #F44336;box-shadow:0 1px 0 0 #F44336}input:not([type]).valid+label:after,input:not([type]):focus.valid+label:after,input[type=text]:not(.browser-default).valid+label:after,input[type=text]:not(.browser-default):focus.valid+label:after,input[type=password]:not(.browser-default).valid+label:after,input[type=password]:not(.browser-default):focus.valid+label:after,input[type=email]:not(.browser-default).valid+label:after,input[type=email]:not(.browser-default):focus.valid+label:after,input[type=url]:not(.browser-default).valid+label:after,input[type=url]:not(.browser-default):focus.valid+label:after,input[type=time]:not(.browser-default).valid+label:after,input[type=time]:not(.browser-default):focus.valid+label:after,input[type=date]:not(.browser-default).valid+label:after,input[type=date]:not(.browser-default):focus.valid+label:after,input[type=datetime]:not(.browser-default).valid+label:after,input[type=datetime]:not(.browser-default):focus.valid+label:after,input[type=datetime-local]:not(.browser-default).valid+label:after,input[type=datetime-local]:not(.browser-default):focus.valid+label:after,input[type=tel]:not(.browser-default).valid+label:after,input[type=tel]:not(.browser-default):focus.valid+label:after,input[type=number]:not(.browser-default).valid+label:after,input[type=number]:not(.browser-default):focus.valid+label:after,input[type=search]:not(.browser-default).valid+label:after,input[type=search]:not(.browser-default):focus.valid+label:after,textarea.materialize-textarea.valid+label:after,textarea.materialize-textarea:focus.valid+label:after,.select-wrapper.valid+label:after{content:attr(data-success);color:#4CAF50;opacity:1;-webkit-transform:translateY(9px);transform:translateY(9px)}input:not([type]).invalid+label:after,input:not([type]):focus.invalid+label:after,input[type=text]:not(.browser-default).invalid+label:after,input[type=text]:not(.browser-default):focus.invalid+label:after,input[type=password]:not(.browser-default).invalid+label:after,input[type=password]:not(.browser-default):focus.invalid+label:after,input[type=email]:not(.browser-default).invalid+label:after,input[type=email]:not(.browser-default):focus.invalid+label:after,input[type=url]:not(.browser-default).invalid+label:after,input[type=url]:not(.browser-default):focus.invalid+label:after,input[type=time]:not(.browser-default).invalid+label:after,input[type=time]:not(.browser-default):focus.invalid+label:after,input[type=date]:not(.browser-default).invalid+label:after,input[type=date]:not(.browser-default):focus.invalid+label:after,input[type=datetime]:not(.browser-default).invalid+label:after,input[type=datetime]:not(.browser-default):focus.invalid+label:after,input[type=datetime-local]:not(.browser-default).invalid+label:after,input[type=datetime-local]:not(.browser-default):focus.invalid+label:after,input[type=tel]:not(.browser-default).invalid+label:after,input[type=tel]:not(.browser-default):focus.invalid+label:after,input[type=number]:not(.browser-default).invalid+label:after,input[type=number]:not(.browser-default):focus.invalid+label:after,input[type=search]:not(.browser-default).invalid+label:after,input[type=search]:not(.browser-default):focus.invalid+label:after,textarea.materialize-textarea.invalid+label:after,textarea.materialize-textarea:focus.invalid+label:after,.select-wrapper.invalid+label:after{content:attr(data-error);color:#F44336;opacity:1;-webkit-transform:translateY(9px);transform:translateY(9px)}input:not([type])+label:after,input[type=text]:not(.browser-default)+label:after,input[type=password]:not(.browser-default)+label:after,input[type=email]:not(.browser-default)+label:after,input[type=url]:not(.browser-default)+label:after,input[type=time]:not(.browser-default)+label:after,input[type=date]:not(.browser-default)+label:after,input[type=datetime]:not(.browser-default)+label:after,input[type=datetime-local]:not(.browser-default)+label:after,input[type=tel]:not(.browser-default)+label:after,input[type=number]:not(.browser-default)+label:after,input[type=search]:not(.browser-default)+label:after,textarea.materialize-textarea+label:after,.select-wrapper+label:after{display:block;content:"";position:absolute;top:100%;left:0;opacity:0;-webkit-transition:.2s opacity ease-out, .2s color ease-out;transition:.2s opacity ease-out, .2s color ease-out}.input-field{position:relative;margin-top:1rem}.input-field.inline{display:inline-block;vertical-align:middle;margin-left:5px}.input-field.inline input,.input-field.inline .select-dropdown{margin-bottom:1rem}.input-field.col label{left:.75rem}.input-field.col .prefix ~ label,.input-field.col .prefix ~ .validate ~ label{width:calc(100% - 3rem - 1.5rem)}.input-field label{color:#9e9e9e;position:absolute;top:0;left:0;height:100%;font-size:1rem;cursor:text;-webkit-transition:-webkit-transform .2s ease-out;transition:-webkit-transform .2s ease-out;transition:transform .2s ease-out;transition:transform .2s ease-out, -webkit-transform .2s ease-out;-webkit-transform-origin:0% 100%;transform-origin:0% 100%;text-align:initial;-webkit-transform:translateY(12px);transform:translateY(12px);pointer-events:none}.input-field label:not(.label-icon).active{-webkit-transform:translateY(-14px) scale(0.8);transform:translateY(-14px) scale(0.8);-webkit-transform-origin:0 0;transform-origin:0 0}.input-field .prefix{position:absolute;width:3rem;font-size:2rem;-webkit-transition:color .2s;transition:color .2s}.input-field .prefix.active{color:#26a69a}.input-field .prefix ~ input,.input-field .prefix ~ textarea,.input-field .prefix ~ label,.input-field .prefix ~ .validate ~ label,.input-field .prefix ~ .autocomplete-content{margin-left:3rem;width:92%;width:calc(100% - 3rem)}.input-field .prefix ~ label{margin-left:3rem}@media only screen and (max-width: 992px){.input-field .prefix ~ input{width:86%;width:calc(100% - 3rem)}}@media only screen and (max-width: 600px){.input-field .prefix ~ input{width:80%;width:calc(100% - 3rem)}}.input-field input[type=search]{display:block;line-height:inherit}.nav-wrapper .input-field input[type=search]{height:inherit;padding-left:4rem;width:calc(100% - 4rem);border:0;-webkit-box-shadow:none;box-shadow:none}.input-field input[type=search]:focus{background-color:#fff;border:0;-webkit-box-shadow:none;box-shadow:none;color:#444}.input-field input[type=search]:focus+label i,.input-field input[type=search]:focus ~ .mdi-navigation-close,.input-field input[type=search]:focus ~ .material-icons{color:#444}.input-field input[type=search]+label{left:1rem}.input-field input[type=search] ~ .mdi-navigation-close,.input-field input[type=search] ~ .material-icons{position:absolute;top:0;right:1rem;color:transparent;cursor:pointer;font-size:2rem;-webkit-transition:.3s color;transition:.3s color}textarea{width:100%;height:3rem;background-color:transparent}textarea.materialize-textarea{overflow-y:hidden;padding:.8rem 0 1.6rem 0;resize:none;min-height:3rem}textarea.materialize-textarea.validate+label{height:100%}textarea.materialize-textarea.validate+label::after{top:calc(100% - 12px)}textarea.materialize-textarea.validate+label:not(.label-icon).active{-webkit-transform:translateY(-25px);transform:translateY(-25px)}.hiddendiv{display:none;white-space:pre-wrap;word-wrap:break-word;overflow-wrap:break-word;padding-top:1.2rem;position:absolute;top:0}.autocomplete-content{margin-top:-20px;margin-bottom:20px;display:block;opacity:1;position:static}.autocomplete-content li .highlight{color:#444}.autocomplete-content li img{height:40px;width:40px;margin:5px 15px}[type="radio"]:not(:checked),[type="radio"]:checked{position:absolute;opacity:0;pointer-events:none}[type="radio"]:not(:checked)+label,[type="radio"]:checked+label{position:relative;padding-left:35px;cursor:pointer;display:inline-block;height:25px;line-height:25px;font-size:1rem;-webkit-transition:.28s ease;transition:.28s ease;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}[type="radio"]+label:before,[type="radio"]+label:after{content:'';position:absolute;left:0;top:0;margin:4px;width:16px;height:16px;z-index:0;-webkit-transition:.28s ease;transition:.28s ease}[type="radio"]:not(:checked)+label:before,[type="radio"]:not(:checked)+label:after,[type="radio"]:checked+label:before,[type="radio"]:checked+label:after,[type="radio"].with-gap:checked+label:before,[type="radio"].with-gap:checked+label:after{border-radius:50%}[type="radio"]:not(:checked)+label:before,[type="radio"]:not(:checked)+label:after{border:2px solid #5a5a5a}[type="radio"]:not(:checked)+label:after{-webkit-transform:scale(0);transform:scale(0)}[type="radio"]:checked+label:before{border:2px solid transparent}[type="radio"]:checked+label:after,[type="radio"].with-gap:checked+label:before,[type="radio"].with-gap:checked+label:after{border:2px solid #26a69a}[type="radio"]:checked+label:after,[type="radio"].with-gap:checked+label:after{background-color:#26a69a}[type="radio"]:checked+label:after{-webkit-transform:scale(1.02);transform:scale(1.02)}[type="radio"].with-gap:checked+label:after{-webkit-transform:scale(0.5);transform:scale(0.5)}[type="radio"].tabbed:focus+label:before{-webkit-box-shadow:0 0 0 10px rgba(0,0,0,0.1);box-shadow:0 0 0 10px rgba(0,0,0,0.1)}[type="radio"].with-gap:disabled:checked+label:before{border:2px solid rgba(0,0,0,0.42)}[type="radio"].with-gap:disabled:checked+label:after{border:none;background-color:rgba(0,0,0,0.42)}[type="radio"]:disabled:not(:checked)+label:before,[type="radio"]:disabled:checked+label:before{background-color:transparent;border-color:rgba(0,0,0,0.42)}[type="radio"]:disabled+label{color:rgba(0,0,0,0.42)}[type="radio"]:disabled:not(:checked)+label:before{border-color:rgba(0,0,0,0.42)}[type="radio"]:disabled:checked+label:after{background-color:rgba(0,0,0,0.42);border-color:#949494}form p{margin-bottom:10px;text-align:left}form p:last-child{margin-bottom:0}[type="checkbox"]:not(:checked),[type="checkbox"]:checked{position:absolute;opacity:0;pointer-events:none}[type="checkbox"]+label{position:relative;padding-left:35px;cursor:pointer;display:inline-block;height:25px;line-height:25px;font-size:1rem;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}[type="checkbox"]+label:before,[type="checkbox"]:not(.filled-in)+label:after{content:'';position:absolute;top:0;left:0;width:18px;height:18px;z-index:0;border:2px solid #5a5a5a;border-radius:1px;margin-top:2px;-webkit-transition:.2s;transition:.2s}[type="checkbox"]:not(.filled-in)+label:after{border:0;-webkit-transform:scale(0);transform:scale(0)}[type="checkbox"]:not(:checked):disabled+label:before{border:none;background-color:rgba(0,0,0,0.42)}[type="checkbox"].tabbed:focus+label:after{-webkit-transform:scale(1);transform:scale(1);border:0;border-radius:50%;-webkit-box-shadow:0 0 0 10px rgba(0,0,0,0.1);box-shadow:0 0 0 10px rgba(0,0,0,0.1);background-color:rgba(0,0,0,0.1)}[type="checkbox"]:checked+label:before{top:-4px;left:-5px;width:12px;height:22px;border-top:2px solid transparent;border-left:2px solid transparent;border-right:2px solid #26a69a;border-bottom:2px solid #26a69a;-webkit-transform:rotate(40deg);transform:rotate(40deg);-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-transform-origin:100% 100%;transform-origin:100% 100%}[type="checkbox"]:checked:disabled+label:before{border-right:2px solid rgba(0,0,0,0.42);border-bottom:2px solid rgba(0,0,0,0.42)}[type="checkbox"]:indeterminate+label:before{top:-11px;left:-12px;width:10px;height:22px;border-top:none;border-left:none;border-right:2px solid #26a69a;border-bottom:none;-webkit-transform:rotate(90deg);transform:rotate(90deg);-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-transform-origin:100% 100%;transform-origin:100% 100%}[type="checkbox"]:indeterminate:disabled+label:before{border-right:2px solid rgba(0,0,0,0.42);background-color:transparent}[type="checkbox"].filled-in+label:after{border-radius:2px}[type="checkbox"].filled-in+label:before,[type="checkbox"].filled-in+label:after{content:'';left:0;position:absolute;-webkit-transition:border .25s, background-color .25s, width .20s .1s, height .20s .1s, top .20s .1s, left .20s .1s;transition:border .25s, background-color .25s, width .20s .1s, height .20s .1s, top .20s .1s, left .20s .1s;z-index:1}[type="checkbox"].filled-in:not(:checked)+label:before{width:0;height:0;border:3px solid transparent;left:6px;top:10px;-webkit-transform:rotateZ(37deg);transform:rotateZ(37deg);-webkit-transform-origin:100% 100%;transform-origin:100% 100%}[type="checkbox"].filled-in:not(:checked)+label:after{height:20px;width:20px;background-color:transparent;border:2px solid #5a5a5a;top:0px;z-index:0}[type="checkbox"].filled-in:checked+label:before{top:0;left:1px;width:8px;height:13px;border-top:2px solid transparent;border-left:2px solid transparent;border-right:2px solid #fff;border-bottom:2px solid #fff;-webkit-transform:rotateZ(37deg);transform:rotateZ(37deg);-webkit-transform-origin:100% 100%;transform-origin:100% 100%}[type="checkbox"].filled-in:checked+label:after{top:0;width:20px;height:20px;border:2px solid #26a69a;background-color:#26a69a;z-index:0}[type="checkbox"].filled-in.tabbed:focus+label:after{border-radius:2px;border-color:#5a5a5a;background-color:rgba(0,0,0,0.1)}[type="checkbox"].filled-in.tabbed:checked:focus+label:after{border-radius:2px;background-color:#26a69a;border-color:#26a69a}[type="checkbox"].filled-in:disabled:not(:checked)+label:before{background-color:transparent;border:2px solid transparent}[type="checkbox"].filled-in:disabled:not(:checked)+label:after{border-color:transparent;background-color:#949494}[type="checkbox"].filled-in:disabled:checked+label:before{background-color:transparent}[type="checkbox"].filled-in:disabled:checked+label:after{background-color:#949494;border-color:#949494}.switch,.switch *{-webkit-tap-highlight-color:transparent;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.switch label{cursor:pointer}.switch label input[type=checkbox]{opacity:0;width:0;height:0}.switch label input[type=checkbox]:checked+.lever{background-color:#84c7c1}.switch label input[type=checkbox]:checked+.lever:before,.switch label input[type=checkbox]:checked+.lever:after{left:18px}.switch label input[type=checkbox]:checked+.lever:after{background-color:#26a69a}.switch label .lever{content:"";display:inline-block;position:relative;width:36px;height:14px;background-color:rgba(0,0,0,0.38);border-radius:15px;margin-right:10px;-webkit-transition:background 0.3s ease;transition:background 0.3s ease;vertical-align:middle;margin:0 16px}.switch label .lever:before,.switch label .lever:after{content:"";position:absolute;display:inline-block;width:20px;height:20px;border-radius:50%;left:0;top:-3px;-webkit-transition:left 0.3s ease, background .3s ease, -webkit-box-shadow 0.1s ease, -webkit-transform .1s ease;transition:left 0.3s ease, background .3s ease, -webkit-box-shadow 0.1s ease, -webkit-transform .1s ease;transition:left 0.3s ease, background .3s ease, box-shadow 0.1s ease, transform .1s ease;transition:left 0.3s ease, background .3s ease, box-shadow 0.1s ease, transform .1s ease, -webkit-box-shadow 0.1s ease, -webkit-transform .1s ease}.switch label .lever:before{background-color:rgba(38,166,154,0.15)}.switch label .lever:after{background-color:#F1F1F1;-webkit-box-shadow:0px 3px 1px -2px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 1px 5px 0px rgba(0,0,0,0.12);box-shadow:0px 3px 1px -2px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 1px 5px 0px rgba(0,0,0,0.12)}input[type=checkbox]:checked:not(:disabled) ~ .lever:active::before,input[type=checkbox]:checked:not(:disabled).tabbed:focus ~ .lever::before{-webkit-transform:scale(2.4);transform:scale(2.4);background-color:rgba(38,166,154,0.15)}input[type=checkbox]:not(:disabled) ~ .lever:active:before,input[type=checkbox]:not(:disabled).tabbed:focus ~ .lever::before{-webkit-transform:scale(2.4);transform:scale(2.4);background-color:rgba(0,0,0,0.08)}.switch input[type=checkbox][disabled]+.lever{cursor:default;background-color:rgba(0,0,0,0.12)}.switch label input[type=checkbox][disabled]+.lever:after,.switch label input[type=checkbox][disabled]:checked+.lever:after{background-color:#949494}select{display:none}select.browser-default{display:block}select{background-color:rgba(255,255,255,0.9);width:100%;padding:5px;border:1px solid #f2f2f2;border-radius:2px;height:3rem}.input-field>select{display:block;position:absolute;width:0;pointer-events:none;height:0;top:0;left:0;opacity:0}.select-label{position:absolute}.select-wrapper{position:relative}.select-wrapper.valid+label,.select-wrapper.invalid+label{width:100%;pointer-events:none}.select-wrapper input.select-dropdown{position:relative;cursor:pointer;background-color:transparent;border:none;border-bottom:1px solid #9e9e9e;outline:none;height:3rem;line-height:3rem;width:100%;font-size:1rem;margin:0 0 20px 0;padding:0;display:block;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.select-wrapper span.caret{color:initial;position:absolute;right:0;top:0;bottom:0;height:10px;margin:auto 0;font-size:10px;line-height:10px}.select-wrapper+label{position:absolute;top:-26px;font-size:.8rem}select:disabled{color:rgba(0,0,0,0.42)}.select-wrapper.disabled span.caret,.select-wrapper.disabled+label{color:rgba(0,0,0,0.42)}.select-wrapper input.select-dropdown:disabled{color:rgba(0,0,0,0.42);cursor:default;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.select-wrapper i{color:rgba(0,0,0,0.3)}.select-dropdown li.disabled,.select-dropdown li.disabled>span,.select-dropdown li.optgroup{color:rgba(0,0,0,0.3);background-color:transparent}.select-dropdown.dropdown-content li.active{background-color:transparent}.select-dropdown.dropdown-content li:hover{background-color:rgba(0,0,0,0.06)}.select-dropdown.dropdown-content li.selected{background-color:rgba(0,0,0,0.03)}.prefix ~ .select-wrapper{margin-left:3rem;width:92%;width:calc(100% - 3rem)}.prefix ~ label{margin-left:3rem}.select-dropdown li img{height:40px;width:40px;margin:5px 15px;float:right}.select-dropdown li.optgroup{border-top:1px solid #eee}.select-dropdown li.optgroup.selected>span{color:rgba(0,0,0,0.7)}.select-dropdown li.optgroup>span{color:rgba(0,0,0,0.4)}.select-dropdown li.optgroup ~ li.optgroup-option{padding-left:1rem}.file-field{position:relative}.file-field .file-path-wrapper{overflow:hidden;padding-left:10px}.file-field input.file-path{width:100%}.file-field .btn,.file-field .btn-large{float:left;height:3rem;line-height:3rem}.file-field span{cursor:pointer}.file-field input[type=file]{position:absolute;top:0;right:0;left:0;bottom:0;width:100%;margin:0;padding:0;font-size:20px;cursor:pointer;opacity:0;filter:alpha(opacity=0)}.file-field input[type=file]::-webkit-file-upload-button{display:none}.range-field{position:relative}input[type=range],input[type=range]+.thumb{cursor:pointer}input[type=range]{position:relative;background-color:transparent;border:none;outline:none;width:100%;margin:15px 0;padding:0}input[type=range]:focus{outline:none}input[type=range]+.thumb{position:absolute;top:10px;left:0;border:none;height:0;width:0;border-radius:50%;background-color:#26a69a;margin-left:7px;-webkit-transform-origin:50% 50%;transform-origin:50% 50%;-webkit-transform:rotate(-45deg);transform:rotate(-45deg)}input[type=range]+.thumb .value{display:block;width:30px;text-align:center;color:#26a69a;font-size:0;-webkit-transform:rotate(45deg);transform:rotate(45deg)}input[type=range]+.thumb.active{border-radius:50% 50% 50% 0}input[type=range]+.thumb.active .value{color:#fff;margin-left:-1px;margin-top:8px;font-size:10px}input[type=range]{-webkit-appearance:none}input[type=range]::-webkit-slider-runnable-track{height:3px;background:#c2c0c2;border:none}input[type=range]::-webkit-slider-thumb{-webkit-appearance:none;border:none;height:14px;width:14px;border-radius:50%;background-color:#26a69a;-webkit-transform-origin:50% 50%;transform-origin:50% 50%;margin:-5px 0 0 0;-webkit-transition:.3s;transition:.3s}input[type=range]:focus::-webkit-slider-runnable-track{background:#ccc}input[type=range]{border:1px solid white}input[type=range]::-moz-range-track{height:3px;background:#ddd;border:none}input[type=range]::-moz-range-thumb{border:none;height:14px;width:14px;border-radius:50%;background:#26a69a;margin-top:-5px}input[type=range]:-moz-focusring{outline:1px solid #fff;outline-offset:-1px}input[type=range]:focus::-moz-range-track{background:#ccc}input[type=range]::-ms-track{height:3px;background:transparent;border-color:transparent;border-width:6px 0;color:transparent}input[type=range]::-ms-fill-lower{background:#777}input[type=range]::-ms-fill-upper{background:#ddd}input[type=range]::-ms-thumb{border:none;height:14px;width:14px;border-radius:50%;background:#26a69a}input[type=range]:focus::-ms-fill-lower{background:#888}input[type=range]:focus::-ms-fill-upper{background:#ccc}.table-of-contents.fixed{position:fixed}.table-of-contents li{padding:2px 0}.table-of-contents a{display:inline-block;font-weight:300;color:#757575;padding-left:20px;height:1.5rem;line-height:1.5rem;letter-spacing:.4;display:inline-block}.table-of-contents a:hover{color:#a8a8a8;padding-left:19px;border-left:1px solid #ee6e73}.table-of-contents a.active{font-weight:500;padding-left:18px;border-left:2px solid #ee6e73}.side-nav{position:fixed;width:300px;left:0;top:0;margin:0;-webkit-transform:translateX(-100%);transform:translateX(-100%);height:100%;height:calc(100% + 60px);height:-moz-calc(100%);padding-bottom:60px;background-color:#fff;z-index:999;overflow-y:auto;will-change:transform;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-transform:translateX(-105%);transform:translateX(-105%)}.side-nav.right-aligned{right:0;-webkit-transform:translateX(105%);transform:translateX(105%);left:auto;-webkit-transform:translateX(100%);transform:translateX(100%)}.side-nav .collapsible{margin:0}.side-nav li{float:none;line-height:48px}.side-nav li.active{background-color:rgba(0,0,0,0.05)}.side-nav li>a{color:rgba(0,0,0,0.87);display:block;font-size:14px;font-weight:500;height:48px;line-height:48px;padding:0 32px}.side-nav li>a:hover{background-color:rgba(0,0,0,0.05)}.side-nav li>a.btn,.side-nav li>a.btn-large,.side-nav li>a.btn-large,.side-nav li>a.btn-flat,.side-nav li>a.btn-floating{margin:10px 15px}.side-nav li>a.btn,.side-nav li>a.btn-large,.side-nav li>a.btn-large,.side-nav li>a.btn-floating{color:#fff}.side-nav li>a.btn-flat{color:#343434}.side-nav li>a.btn:hover,.side-nav li>a.btn-large:hover,.side-nav li>a.btn-large:hover{background-color:#2bbbad}.side-nav li>a.btn-floating:hover{background-color:#26a69a}.side-nav li>a>i,.side-nav li>a>[class^="mdi-"],.side-nav li>a li>a>[class*="mdi-"],.side-nav li>a>i.material-icons{float:left;height:48px;line-height:48px;margin:0 32px 0 0;width:24px;color:rgba(0,0,0,0.54)}.side-nav .divider{margin:8px 0 0 0}.side-nav .subheader{cursor:initial;pointer-events:none;color:rgba(0,0,0,0.54);font-size:14px;font-weight:500;line-height:48px}.side-nav .subheader:hover{background-color:transparent}.side-nav .user-view,.side-nav .userView{position:relative;padding:32px 32px 0;margin-bottom:8px}.side-nav .user-view>a,.side-nav .userView>a{height:auto;padding:0}.side-nav .user-view>a:hover,.side-nav .userView>a:hover{background-color:transparent}.side-nav .user-view .background,.side-nav .userView .background{overflow:hidden;position:absolute;top:0;right:0;bottom:0;left:0;z-index:-1}.side-nav .user-view .circle,.side-nav .user-view .name,.side-nav .user-view .email,.side-nav .userView .circle,.side-nav .userView .name,.side-nav .userView .email{display:block}.side-nav .user-view .circle,.side-nav .userView .circle{height:64px;width:64px}.side-nav .user-view .name,.side-nav .user-view .email,.side-nav .userView .name,.side-nav .userView .email{font-size:14px;line-height:24px}.side-nav .user-view .name,.side-nav .userView .name{margin-top:16px;font-weight:500}.side-nav .user-view .email,.side-nav .userView .email{padding-bottom:16px;font-weight:400}.drag-target{height:100%;width:10px;position:fixed;top:0;z-index:998}.side-nav.fixed{left:0;-webkit-transform:translateX(0);transform:translateX(0);position:fixed}.side-nav.fixed.right-aligned{right:0;left:auto}@media only screen and (max-width: 992px){.side-nav.fixed{-webkit-transform:translateX(-105%);transform:translateX(-105%)}.side-nav.fixed.right-aligned{-webkit-transform:translateX(105%);transform:translateX(105%)}.side-nav a{padding:0 16px}.side-nav .user-view,.side-nav .userView{padding:16px 16px 0}}.side-nav .collapsible-body>ul:not(.collapsible)>li.active,.side-nav.fixed .collapsible-body>ul:not(.collapsible)>li.active{background-color:#ee6e73}.side-nav .collapsible-body>ul:not(.collapsible)>li.active a,.side-nav.fixed .collapsible-body>ul:not(.collapsible)>li.active a{color:#fff}.side-nav .collapsible-body{padding:0}#sidenav-overlay{position:fixed;top:0;left:0;right:0;height:120vh;background-color:rgba(0,0,0,0.5);z-index:997;will-change:opacity}.preloader-wrapper{display:inline-block;position:relative;width:50px;height:50px}.preloader-wrapper.small{width:36px;height:36px}.preloader-wrapper.big{width:64px;height:64px}.preloader-wrapper.active{-webkit-animation:container-rotate 1568ms linear infinite;animation:container-rotate 1568ms linear infinite}@-webkit-keyframes container-rotate{to{-webkit-transform:rotate(360deg)}}@keyframes container-rotate{to{-webkit-transform:rotate(360deg);transform:rotate(360deg)}}.spinner-layer{position:absolute;width:100%;height:100%;opacity:0;border-color:#26a69a}.spinner-blue,.spinner-blue-only{border-color:#4285f4}.spinner-red,.spinner-red-only{border-color:#db4437}.spinner-yellow,.spinner-yellow-only{border-color:#f4b400}.spinner-green,.spinner-green-only{border-color:#0f9d58}.active .spinner-layer.spinner-blue{-webkit-animation:fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both,blue-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;animation:fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both,blue-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both}.active .spinner-layer.spinner-red{-webkit-animation:fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both,red-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;animation:fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both,red-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both}.active .spinner-layer.spinner-yellow{-webkit-animation:fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both,yellow-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;animation:fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both,yellow-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both}.active .spinner-layer.spinner-green{-webkit-animation:fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both,green-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;animation:fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both,green-fade-in-out 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both}.active .spinner-layer,.active .spinner-layer.spinner-blue-only,.active .spinner-layer.spinner-red-only,.active .spinner-layer.spinner-yellow-only,.active .spinner-layer.spinner-green-only{opacity:1;-webkit-animation:fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;animation:fill-unfill-rotate 5332ms cubic-bezier(0.4, 0, 0.2, 1) infinite both}@-webkit-keyframes fill-unfill-rotate{12.5%{-webkit-transform:rotate(135deg)}25%{-webkit-transform:rotate(270deg)}37.5%{-webkit-transform:rotate(405deg)}50%{-webkit-transform:rotate(540deg)}62.5%{-webkit-transform:rotate(675deg)}75%{-webkit-transform:rotate(810deg)}87.5%{-webkit-transform:rotate(945deg)}to{-webkit-transform:rotate(1080deg)}}@keyframes fill-unfill-rotate{12.5%{-webkit-transform:rotate(135deg);transform:rotate(135deg)}25%{-webkit-transform:rotate(270deg);transform:rotate(270deg)}37.5%{-webkit-transform:rotate(405deg);transform:rotate(405deg)}50%{-webkit-transform:rotate(540deg);transform:rotate(540deg)}62.5%{-webkit-transform:rotate(675deg);transform:rotate(675deg)}75%{-webkit-transform:rotate(810deg);transform:rotate(810deg)}87.5%{-webkit-transform:rotate(945deg);transform:rotate(945deg)}to{-webkit-transform:rotate(1080deg);transform:rotate(1080deg)}}@-webkit-keyframes blue-fade-in-out{from{opacity:1}25%{opacity:1}26%{opacity:0}89%{opacity:0}90%{opacity:1}100%{opacity:1}}@keyframes blue-fade-in-out{from{opacity:1}25%{opacity:1}26%{opacity:0}89%{opacity:0}90%{opacity:1}100%{opacity:1}}@-webkit-keyframes red-fade-in-out{from{opacity:0}15%{opacity:0}25%{opacity:1}50%{opacity:1}51%{opacity:0}}@keyframes red-fade-in-out{from{opacity:0}15%{opacity:0}25%{opacity:1}50%{opacity:1}51%{opacity:0}}@-webkit-keyframes yellow-fade-in-out{from{opacity:0}40%{opacity:0}50%{opacity:1}75%{opacity:1}76%{opacity:0}}@keyframes yellow-fade-in-out{from{opacity:0}40%{opacity:0}50%{opacity:1}75%{opacity:1}76%{opacity:0}}@-webkit-keyframes green-fade-in-out{from{opacity:0}65%{opacity:0}75%{opacity:1}90%{opacity:1}100%{opacity:0}}@keyframes green-fade-in-out{from{opacity:0}65%{opacity:0}75%{opacity:1}90%{opacity:1}100%{opacity:0}}.gap-patch{position:absolute;top:0;left:45%;width:10%;height:100%;overflow:hidden;border-color:inherit}.gap-patch .circle{width:1000%;left:-450%}.circle-clipper{display:inline-block;position:relative;width:50%;height:100%;overflow:hidden;border-color:inherit}.circle-clipper .circle{width:200%;height:100%;border-width:3px;border-style:solid;border-color:inherit;border-bottom-color:transparent !important;border-radius:50%;-webkit-animation:none;animation:none;position:absolute;top:0;right:0;bottom:0}.circle-clipper.left .circle{left:0;border-right-color:transparent !important;-webkit-transform:rotate(129deg);transform:rotate(129deg)}.circle-clipper.right .circle{left:-100%;border-left-color:transparent !important;-webkit-transform:rotate(-129deg);transform:rotate(-129deg)}.active .circle-clipper.left .circle{-webkit-animation:left-spin 1333ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;animation:left-spin 1333ms cubic-bezier(0.4, 0, 0.2, 1) infinite both}.active .circle-clipper.right .circle{-webkit-animation:right-spin 1333ms cubic-bezier(0.4, 0, 0.2, 1) infinite both;animation:right-spin 1333ms cubic-bezier(0.4, 0, 0.2, 1) infinite both}@-webkit-keyframes left-spin{from{-webkit-transform:rotate(130deg)}50%{-webkit-transform:rotate(-5deg)}to{-webkit-transform:rotate(130deg)}}@keyframes left-spin{from{-webkit-transform:rotate(130deg);transform:rotate(130deg)}50%{-webkit-transform:rotate(-5deg);transform:rotate(-5deg)}to{-webkit-transform:rotate(130deg);transform:rotate(130deg)}}@-webkit-keyframes right-spin{from{-webkit-transform:rotate(-130deg)}50%{-webkit-transform:rotate(5deg)}to{-webkit-transform:rotate(-130deg)}}@keyframes right-spin{from{-webkit-transform:rotate(-130deg);transform:rotate(-130deg)}50%{-webkit-transform:rotate(5deg);transform:rotate(5deg)}to{-webkit-transform:rotate(-130deg);transform:rotate(-130deg)}}#spinnerContainer.cooldown{-webkit-animation:container-rotate 1568ms linear infinite,fade-out 400ms cubic-bezier(0.4, 0, 0.2, 1);animation:container-rotate 1568ms linear infinite,fade-out 400ms cubic-bezier(0.4, 0, 0.2, 1)}@-webkit-keyframes fade-out{from{opacity:1}to{opacity:0}}@keyframes fade-out{from{opacity:1}to{opacity:0}}.slider{position:relative;height:400px;width:100%}.slider.fullscreen{height:100%;width:100%;position:absolute;top:0;left:0;right:0;bottom:0}.slider.fullscreen ul.slides{height:100%}.slider.fullscreen ul.indicators{z-index:2;bottom:30px}.slider .slides{background-color:#9e9e9e;margin:0;height:400px}.slider .slides li{opacity:0;position:absolute;top:0;left:0;z-index:1;width:100%;height:inherit;overflow:hidden}.slider .slides li img{height:100%;width:100%;background-size:cover;background-position:center}.slider .slides li .caption{color:#fff;position:absolute;top:15%;left:15%;width:70%;opacity:0}.slider .slides li .caption p{color:#e0e0e0}.slider .slides li.active{z-index:2}.slider .indicators{position:absolute;text-align:center;left:0;right:0;bottom:0;margin:0}.slider .indicators .indicator-item{display:inline-block;position:relative;cursor:pointer;height:16px;width:16px;margin:0 12px;background-color:#e0e0e0;-webkit-transition:background-color .3s;transition:background-color .3s;border-radius:50%}.slider .indicators .indicator-item.active{background-color:#4CAF50}.carousel{overflow:hidden;position:relative;width:100%;height:400px;-webkit-perspective:500px;perspective:500px;-webkit-transform-style:preserve-3d;transform-style:preserve-3d;-webkit-transform-origin:0% 50%;transform-origin:0% 50%}.carousel.carousel-slider{top:0;left:0}.carousel.carousel-slider .carousel-fixed-item{position:absolute;left:0;right:0;bottom:20px;z-index:1}.carousel.carousel-slider .carousel-fixed-item.with-indicators{bottom:68px}.carousel.carousel-slider .carousel-item{width:100%;height:100%;min-height:400px;position:absolute;top:0;left:0}.carousel.carousel-slider .carousel-item h2{font-size:24px;font-weight:500;line-height:32px}.carousel.carousel-slider .carousel-item p{font-size:15px}.carousel .carousel-item{display:none;width:200px;height:200px;position:absolute;top:0;left:0}.carousel .carousel-item>img{width:100%}.carousel .indicators{position:absolute;text-align:center;left:0;right:0;bottom:0;margin:0}.carousel .indicators .indicator-item{display:inline-block;position:relative;cursor:pointer;height:8px;width:8px;margin:24px 4px;background-color:rgba(255,255,255,0.5);-webkit-transition:background-color .3s;transition:background-color .3s;border-radius:50%}.carousel .indicators .indicator-item.active{background-color:#fff}.carousel.scrolling .carousel-item .materialboxed,.carousel .carousel-item:not(.active) .materialboxed{pointer-events:none}.tap-target-wrapper{width:800px;height:800px;position:fixed;z-index:1000;visibility:hidden;-webkit-transition:visibility 0s .3s;transition:visibility 0s .3s}.tap-target-wrapper.open{visibility:visible;-webkit-transition:visibility 0s;transition:visibility 0s}.tap-target-wrapper.open .tap-target{-webkit-transform:scale(1);transform:scale(1);opacity:.95;-webkit-transition:opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1),-webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1);transition:opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1),-webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1);transition:transform 0.3s cubic-bezier(0.42, 0, 0.58, 1),opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1);transition:transform 0.3s cubic-bezier(0.42, 0, 0.58, 1),opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1),-webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1)}.tap-target-wrapper.open .tap-target-wave::before{-webkit-transform:scale(1);transform:scale(1)}.tap-target-wrapper.open .tap-target-wave::after{visibility:visible;-webkit-animation:pulse-animation 1s cubic-bezier(0.24, 0, 0.38, 1) infinite;animation:pulse-animation 1s cubic-bezier(0.24, 0, 0.38, 1) infinite;-webkit-transition:opacity .3s, visibility 0s 1s, -webkit-transform .3s;transition:opacity .3s, visibility 0s 1s, -webkit-transform .3s;transition:opacity .3s, transform .3s, visibility 0s 1s;transition:opacity .3s, transform .3s, visibility 0s 1s, -webkit-transform .3s}.tap-target{position:absolute;font-size:1rem;border-radius:50%;background-color:#ee6e73;-webkit-box-shadow:0 20px 20px 0 rgba(0,0,0,0.14),0 10px 50px 0 rgba(0,0,0,0.12),0 30px 10px -20px rgba(0,0,0,0.2);box-shadow:0 20px 20px 0 rgba(0,0,0,0.14),0 10px 50px 0 rgba(0,0,0,0.12),0 30px 10px -20px rgba(0,0,0,0.2);width:100%;height:100%;opacity:0;-webkit-transform:scale(0);transform:scale(0);-webkit-transition:opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1),-webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1);transition:opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1),-webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1);transition:transform 0.3s cubic-bezier(0.42, 0, 0.58, 1),opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1);transition:transform 0.3s cubic-bezier(0.42, 0, 0.58, 1),opacity 0.3s cubic-bezier(0.42, 0, 0.58, 1),-webkit-transform 0.3s cubic-bezier(0.42, 0, 0.58, 1)}.tap-target-content{position:relative;display:table-cell}.tap-target-wave{position:absolute;border-radius:50%;z-index:10001}.tap-target-wave::before,.tap-target-wave::after{content:'';display:block;position:absolute;width:100%;height:100%;border-radius:50%;background-color:#ffffff}.tap-target-wave::before{-webkit-transform:scale(0);transform:scale(0);-webkit-transition:-webkit-transform .3s;transition:-webkit-transform .3s;transition:transform .3s;transition:transform .3s, -webkit-transform .3s}.tap-target-wave::after{visibility:hidden;-webkit-transition:opacity .3s, visibility 0s, -webkit-transform .3s;transition:opacity .3s, visibility 0s, -webkit-transform .3s;transition:opacity .3s, transform .3s, visibility 0s;transition:opacity .3s, transform .3s, visibility 0s, -webkit-transform .3s;z-index:-1}.tap-target-origin{top:50%;left:50%;-webkit-transform:translate(-50%, -50%);transform:translate(-50%, -50%);z-index:10002;position:absolute !important}.tap-target-origin:not(.btn):not(.btn-large),.tap-target-origin:not(.btn):not(.btn-large):hover{background:none}@media only screen and (max-width: 600px){.tap-target,.tap-target-wrapper{width:600px;height:600px}}.pulse{overflow:initial;position:relative}.pulse::before{content:'';display:block;position:absolute;width:100%;height:100%;top:0;left:0;background-color:inherit;border-radius:inherit;-webkit-transition:opacity .3s, -webkit-transform .3s;transition:opacity .3s, -webkit-transform .3s;transition:opacity .3s, transform .3s;transition:opacity .3s, transform .3s, -webkit-transform .3s;-webkit-animation:pulse-animation 1s cubic-bezier(0.24, 0, 0.38, 1) infinite;animation:pulse-animation 1s cubic-bezier(0.24, 0, 0.38, 1) infinite;z-index:-1}@-webkit-keyframes pulse-animation{0%{opacity:1;-webkit-transform:scale(1);transform:scale(1)}50%{opacity:0;-webkit-transform:scale(1.5);transform:scale(1.5)}100%{opacity:0;-webkit-transform:scale(1.5);transform:scale(1.5)}}@keyframes pulse-animation{0%{opacity:1;-webkit-transform:scale(1);transform:scale(1)}50%{opacity:0;-webkit-transform:scale(1.5);transform:scale(1.5)}100%{opacity:0;-webkit-transform:scale(1.5);transform:scale(1.5)}}.picker{font-size:16px;text-align:left;line-height:1.2;color:#000000;position:absolute;z-index:10000;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;outline:none}.picker__input{cursor:default}.picker__input.picker__input--active{border-color:#0089ec}.picker__holder{width:100%;overflow-y:auto;-webkit-overflow-scrolling:touch}/*!
+ * Default mobile-first, responsive styling for pickadate.js
+ * Demo: http://amsul.github.io/pickadate.js
+ */.picker__holder,.picker__frame{bottom:0;left:0;right:0;top:100%}.picker__holder{position:fixed;-webkit-transition:background 0.15s ease-out, top 0s 0.15s;transition:background 0.15s ease-out, top 0s 0.15s;-webkit-backface-visibility:hidden}.picker__frame{position:absolute;margin:0 auto;min-width:256px;width:300px;max-height:350px;-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)";filter:alpha(opacity=0);-moz-opacity:0;opacity:0;-webkit-transition:all 0.15s ease-out;transition:all 0.15s ease-out}@media (min-height: 28.875em){.picker__frame{overflow:visible;top:auto;bottom:-100%;max-height:80%}}@media (min-height: 40.125em){.picker__frame{margin-bottom:7.5%}}.picker__wrap{display:table;width:100%;height:100%}@media (min-height: 28.875em){.picker__wrap{display:block}}.picker__box{background:#ffffff;display:table-cell;vertical-align:middle}@media (min-height: 28.875em){.picker__box{display:block;border:1px solid #777777;border-top-color:#898989;border-bottom-width:0;border-radius:5px 5px 0 0;-webkit-box-shadow:0 12px 36px 16px rgba(0,0,0,0.24);box-shadow:0 12px 36px 16px rgba(0,0,0,0.24)}}.picker--opened .picker__holder{top:0;background:transparent;-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr=#1E000000,endColorstr=#1E000000)";zoom:1;background:rgba(0,0,0,0.32);-webkit-transition:background 0.15s ease-out;transition:background 0.15s ease-out}.picker--opened .picker__frame{top:0;-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=100)";filter:alpha(opacity=100);-moz-opacity:1;opacity:1}@media (min-height: 35.875em){.picker--opened .picker__frame{top:10%;bottom:auto}}.picker__input.picker__input--active{border-color:#E3F2FD}.picker__frame{margin:0 auto;max-width:325px}@media (min-height: 38.875em){.picker--opened .picker__frame{top:10%;bottom:auto}}@media only screen and (min-width: 601px){.picker__box{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex}.picker__frame{width:80%;max-width:600px}}.picker__box{padding:0;border-radius:2px;overflow:hidden}.picker__header{text-align:center;position:relative;margin-top:.75em}.picker__month,.picker__year{display:inline-block;margin-left:.25em;margin-right:.25em}.picker__select--month,.picker__select--year{height:2em;padding:0;margin-left:.25em;margin-right:.25em}.picker__select--month.browser-default{display:inline;background-color:#FFFFFF;width:40%}.picker__select--year.browser-default{display:inline;background-color:#FFFFFF;width:26%}.picker__select--month:focus,.picker__select--year:focus{border-color:rgba(0,0,0,0.05)}.picker__nav--prev,.picker__nav--next{position:absolute;padding:.5em 1.25em;width:1em;height:1em;-webkit-box-sizing:content-box;box-sizing:content-box;top:-0.25em}.picker__nav--prev{left:-1em;padding-right:1.25em}.picker__nav--next{right:-1em;padding-left:1.25em}.picker__nav--disabled,.picker__nav--disabled:hover,.picker__nav--disabled:before,.picker__nav--disabled:before:hover{cursor:default;background:none;border-right-color:#f5f5f5;border-left-color:#f5f5f5}.picker__table{text-align:center;border-collapse:collapse;border-spacing:0;table-layout:fixed;font-size:1rem;width:100%;margin-top:.75em;margin-bottom:.5em}.picker__table th,.picker__table td{text-align:center}.picker__table td{margin:0;padding:0}.picker__weekday{width:14.285714286%;font-size:.75em;padding-bottom:.25em;color:#999999;font-weight:500}@media (min-height: 33.875em){.picker__weekday{padding-bottom:.5em}}.picker__day--today{position:relative;color:#595959;letter-spacing:-.3;padding:.75rem 0;font-weight:400;border:1px solid transparent}.picker__day--disabled:before{border-top-color:#aaaaaa}.picker__day--infocus:hover{cursor:pointer;color:#000;font-weight:500}.picker__day--outfocus{display:none;padding:.75rem 0;color:#fff}.picker__day--outfocus:hover{cursor:pointer;color:#dddddd;font-weight:500}.picker__day--highlighted:hover,.picker--focused .picker__day--highlighted{cursor:pointer}.picker__day--selected,.picker__day--selected:hover,.picker--focused .picker__day--selected{border-radius:50%;-webkit-transform:scale(0.75);transform:scale(0.75);background:#0089ec;color:#ffffff}.picker__day--disabled,.picker__day--disabled:hover,.picker--focused .picker__day--disabled{background:#f5f5f5;border-color:#f5f5f5;color:#dddddd;cursor:default}.picker__day--highlighted.picker__day--disabled,.picker__day--highlighted.picker__day--disabled:hover{background:#bbbbbb}.picker__footer{text-align:right}.picker__button--today,.picker__button--clear,.picker__button--close{border:1px solid #ffffff;background:#ffffff;font-size:.8em;padding:.66em 0;font-weight:bold;width:33%;display:inline-block;vertical-align:bottom}.picker__button--today:hover,.picker__button--clear:hover,.picker__button--close:hover{cursor:pointer;color:#000000;background:#b1dcfb;border-bottom-color:#b1dcfb}.picker__button--today:focus,.picker__button--clear:focus,.picker__button--close:focus{background:#b1dcfb;border-color:rgba(0,0,0,0.05);outline:none}.picker__button--today:before,.picker__button--clear:before,.picker__button--close:before{position:relative;display:inline-block;height:0}.picker__button--today:before,.picker__button--clear:before{content:" ";margin-right:.45em}.picker__button--today:before{top:-0.05em;width:0;border-top:0.66em solid #0059bc;border-left:.66em solid transparent}.picker__button--clear:before{top:-0.25em;width:.66em;border-top:3px solid #ee2200}.picker__button--close:before{content:"\D7";top:-0.1em;vertical-align:top;font-size:1.1em;margin-right:.35em;color:#777777}.picker__button--today[disabled],.picker__button--today[disabled]:hover{background:#f5f5f5;border-color:#f5f5f5;color:#dddddd;cursor:default}.picker__button--today[disabled]:before{border-top-color:#aaaaaa}.picker__date-display{text-align:left;background-color:#26a69a;color:#fff;padding:18px;font-weight:300}@media only screen and (min-width: 601px){.picker__date-display{-webkit-box-flex:1;-webkit-flex:1;-ms-flex:1;flex:1}.picker__weekday-display{display:block}.picker__container__wrapper{-webkit-box-flex:2;-webkit-flex:2;-ms-flex:2;flex:2}}.picker__nav--prev:hover,.picker__nav--next:hover{cursor:pointer;color:#000000;background:#a1ded8}.picker__weekday-display{font-weight:500;font-size:2.8rem;margin-right:5px;margin-top:4px}.picker__month-display{font-size:2.8rem;font-weight:500}.picker__day-display{font-size:2.8rem;font-weight:500;margin-right:5px}.picker__year-display{font-size:1.5rem;font-weight:500;color:rgba(255,255,255,0.7)}.picker__calendar-container{padding:0 1rem}.picker__calendar-container thead{border:none}.picker__table{margin-top:0;margin-bottom:.5em}.picker__day--infocus{color:rgba(0,0,0,0.87);letter-spacing:-.3px;padding:0.75rem 0;font-weight:400;border:1px solid transparent}@media only screen and (min-width: 601px){.picker__day--infocus{padding:1.1rem 0}}.picker__day.picker__day--today{color:#26a69a}.picker__day.picker__day--today.picker__day--selected{color:#fff}.picker__weekday{font-size:.9rem}.picker__day--selected,.picker__day--selected:hover,.picker--focused .picker__day--selected{border-radius:50%;-webkit-transform:scale(0.9);transform:scale(0.9);background-color:#26a69a;color:#ffffff}.picker__day--selected.picker__day--outfocus,.picker__day--selected:hover.picker__day--outfocus,.picker--focused .picker__day--selected.picker__day--outfocus{background-color:#a1ded8}.picker__footer{text-align:right;padding:5px 10px}.picker__close,.picker__today,.picker__clear{font-size:1.1rem;padding:0 1rem;color:#26a69a}.picker__clear{color:#f44336;float:left}.picker__nav--prev:before,.picker__nav--next:before{content:" ";border-top:.5em solid transparent;border-bottom:.5em solid transparent;border-right:0.75em solid #676767;width:0;height:0;display:block;margin:0 auto}.picker__nav--next:before{border-right:0;border-left:0.75em solid #676767}button.picker__today:focus,button.picker__clear:focus,button.picker__close:focus{background-color:#a1ded8}.picker__list{list-style:none;padding:0.75em 0 4.2em;margin:0}.picker__list-item{border-bottom:1px solid #ddd;border-top:1px solid #ddd;margin-bottom:-1px;position:relative;background:#fff;padding:.75em 1.25em}@media (min-height: 46.75em){.picker__list-item{padding:.5em 1em}}.picker__list-item:hover{cursor:pointer;color:#000;background:#b1dcfb;border-color:#0089ec;z-index:10}.picker__list-item--highlighted{border-color:#0089ec;z-index:10}.picker__list-item--highlighted:hover,.picker--focused .picker__list-item--highlighted{cursor:pointer;color:#000;background:#b1dcfb}.picker__list-item--selected,.picker__list-item--selected:hover,.picker--focused .picker__list-item--selected{background:#0089ec;color:#fff;z-index:10}.picker__list-item--disabled,.picker__list-item--disabled:hover,.picker--focused .picker__list-item--disabled{background:#f5f5f5;border-color:#f5f5f5;color:#ddd;cursor:default;border-color:#ddd;z-index:auto}.picker--time .picker__button--clear{display:block;width:80%;margin:1em auto 0;padding:1em 1.25em;background:none;border:0;font-weight:500;font-size:.67em;text-align:center;text-transform:uppercase;color:rgba(0,0,0,0.87)}.picker--time .picker__button--clear:hover,.picker--time .picker__button--clear:focus{color:#000;background:#b1dcfb;background:#ee2200;border-color:#ee2200;cursor:pointer;color:#fff;outline:none}.picker--time .picker__button--clear:before{top:-0.25em;color:rgba(0,0,0,0.87);font-size:1.25em;font-weight:bold}.picker--time .picker__button--clear:hover:before,.picker--time .picker__button--clear:focus:before{color:#fff}.picker--time .picker__frame{min-width:256px;max-width:320px}.picker--time .picker__box{font-size:1em;background:#f2f2f2;padding:0}@media (min-height: 40.125em){.picker--time .picker__box{margin-bottom:5em}}.clockpicker-display{font-size:4rem;font-weight:bold;text-align:center;color:rgba(255,255,255,0.6);font-weight:400;clear:both;position:relative}.clockpicker-span-am-pm{font-size:1.3rem;position:absolute;right:1rem;bottom:0.3rem;line-height:2rem;font-weight:500}@media only screen and (min-width: 601px){.clockpicker-display{top:32%}.clockpicker-span-am-pm{position:relative;right:auto;bottom:auto;text-align:center;margin-top:1.2rem}}.text-primary{color:#fff}.clockpicker-span-hours{margin-right:3px}.clockpicker-span-minutes{margin-left:3px}.clockpicker-span-hours,.clockpicker-span-minutes,.clockpicker-span-am-pm div{cursor:pointer}.clockpicker-moving{cursor:move}.clockpicker-plate{background-color:#eee;border-radius:50%;width:270px;height:270px;overflow:visible;position:relative;margin:auto;margin-top:25px;margin-bottom:5px;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.clockpicker-canvas,.clockpicker-dial{width:270px;height:270px;position:absolute;left:-1px;top:-1px}.clockpicker-minutes{visibility:hidden}.clockpicker-tick{border-radius:50%;color:rgba(0,0,0,0.87);line-height:40px;text-align:center;width:40px;height:40px;position:absolute;cursor:pointer}.clockpicker-tick.active,.clockpicker-tick:hover{background-color:rgba(38,166,154,0.25)}.clockpicker-dial{-webkit-transition:-webkit-transform 350ms, opacity 350ms;-webkit-transition:opacity 350ms, -webkit-transform 350ms;transition:opacity 350ms, -webkit-transform 350ms;transition:transform 350ms, opacity 350ms;transition:transform 350ms, opacity 350ms, -webkit-transform 350ms}.clockpicker-dial-out{opacity:0}.clockpicker-hours.clockpicker-dial-out{-webkit-transform:scale(1.2, 1.2);transform:scale(1.2, 1.2)}.clockpicker-minutes.clockpicker-dial-out{-webkit-transform:scale(0.8, 0.8);transform:scale(0.8, 0.8)}.clockpicker-canvas{-webkit-transition:opacity 175ms;transition:opacity 175ms}.clockpicker-canvas-out{opacity:0.25}.clockpicker-canvas-bearing{stroke:none;fill:#26a69a}.clockpicker-canvas-bg{stroke:none;fill:#26a69a}.clockpicker-canvas-bg-trans{fill:#26a69a}.clockpicker-canvas line{stroke:#26a69a;stroke-width:4;stroke-linecap:round}
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Bold.eot b/admin/static/materialize/fonts/roboto/Roboto-Bold.eot
new file mode 100644
index 0000000..b73776e
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Bold.eot differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Bold.ttf b/admin/static/materialize/fonts/roboto/Roboto-Bold.ttf
new file mode 100644
index 0000000..68822ca
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Bold.ttf differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Bold.woff b/admin/static/materialize/fonts/roboto/Roboto-Bold.woff
new file mode 100644
index 0000000..1f75afd
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Bold.woff differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Bold.woff2 b/admin/static/materialize/fonts/roboto/Roboto-Bold.woff2
new file mode 100644
index 0000000..350d1c3
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Bold.woff2 differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Light.eot b/admin/static/materialize/fonts/roboto/Roboto-Light.eot
new file mode 100644
index 0000000..072cdc4
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Light.eot differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Light.ttf b/admin/static/materialize/fonts/roboto/Roboto-Light.ttf
new file mode 100644
index 0000000..aa45340
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Light.ttf differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Light.woff b/admin/static/materialize/fonts/roboto/Roboto-Light.woff
new file mode 100644
index 0000000..3480c6c
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Light.woff differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Light.woff2 b/admin/static/materialize/fonts/roboto/Roboto-Light.woff2
new file mode 100644
index 0000000..9a4d98c
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Light.woff2 differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Medium.eot b/admin/static/materialize/fonts/roboto/Roboto-Medium.eot
new file mode 100644
index 0000000..f9ad995
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Medium.eot differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Medium.ttf b/admin/static/materialize/fonts/roboto/Roboto-Medium.ttf
new file mode 100644
index 0000000..a3c1a1f
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Medium.ttf differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Medium.woff b/admin/static/materialize/fonts/roboto/Roboto-Medium.woff
new file mode 100644
index 0000000..1186773
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Medium.woff differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Medium.woff2 b/admin/static/materialize/fonts/roboto/Roboto-Medium.woff2
new file mode 100644
index 0000000..d10a592
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Medium.woff2 differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Regular.eot b/admin/static/materialize/fonts/roboto/Roboto-Regular.eot
new file mode 100644
index 0000000..9b5e8e4
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Regular.eot differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Regular.ttf b/admin/static/materialize/fonts/roboto/Roboto-Regular.ttf
new file mode 100644
index 0000000..0e58508
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Regular.ttf differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Regular.woff b/admin/static/materialize/fonts/roboto/Roboto-Regular.woff
new file mode 100644
index 0000000..f823258
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Regular.woff differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Regular.woff2 b/admin/static/materialize/fonts/roboto/Roboto-Regular.woff2
new file mode 100644
index 0000000..b7082ef
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Regular.woff2 differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Thin.eot b/admin/static/materialize/fonts/roboto/Roboto-Thin.eot
new file mode 100644
index 0000000..2284a3b
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Thin.eot differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Thin.ttf b/admin/static/materialize/fonts/roboto/Roboto-Thin.ttf
new file mode 100644
index 0000000..8779333
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Thin.ttf differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Thin.woff b/admin/static/materialize/fonts/roboto/Roboto-Thin.woff
new file mode 100644
index 0000000..2a98c1e
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Thin.woff differ
diff --git a/admin/static/materialize/fonts/roboto/Roboto-Thin.woff2 b/admin/static/materialize/fonts/roboto/Roboto-Thin.woff2
new file mode 100644
index 0000000..a38025a
Binary files /dev/null and b/admin/static/materialize/fonts/roboto/Roboto-Thin.woff2 differ
diff --git a/admin/static/materialize/js/materialize.js b/admin/static/materialize/js/materialize.js
new file mode 100644
index 0000000..3d06957
--- /dev/null
+++ b/admin/static/materialize/js/materialize.js
@@ -0,0 +1,10021 @@
+/*!
+ * Materialize v0.100.2 (http://materializecss.com)
+ * Copyright 2014-2017 Materialize
+ * MIT License (https://raw.githubusercontent.com/Dogfalo/materialize/master/LICENSE)
+ */
+var _createClass = function () { function defineProperties(target, props) { for (var i = 0; i < props.length; i++) { var descriptor = props[i]; descriptor.enumerable = descriptor.enumerable || false; descriptor.configurable = true; if ("value" in descriptor) descriptor.writable = true; Object.defineProperty(target, descriptor.key, descriptor); } } return function (Constructor, protoProps, staticProps) { if (protoProps) defineProperties(Constructor.prototype, protoProps); if (staticProps) defineProperties(Constructor, staticProps); return Constructor; }; }();
+
+function _classCallCheck(instance, Constructor) { if (!(instance instanceof Constructor)) { throw new TypeError("Cannot call a class as a function"); } }
+
+// Check for jQuery.
+if (typeof jQuery === 'undefined') {
+ // Check if require is a defined function.
+ if (typeof require === 'function') {
+ jQuery = $ = require('jquery');
+ // Else use the dollar sign alias.
+ } else {
+ jQuery = $;
+ }
+}
+; /*
+ * jQuery Easing v1.4.0 - http://gsgd.co.uk/sandbox/jquery/easing/
+ * Open source under the BSD License.
+ * Copyright © 2008 George McGinley Smith
+ * All rights reserved.
+ * https://raw.github.com/gdsmith/jquery-easing/master/LICENSE
+ */
+
+(function (factory) {
+ if (typeof define === "function" && define.amd) {
+ define(['jquery'], function ($) {
+ return factory($);
+ });
+ } else if (typeof module === "object" && typeof module.exports === "object") {
+ exports = factory(require('jquery'));
+ } else {
+ factory(jQuery);
+ }
+})(function ($) {
+
+ // Preserve the original jQuery "swing" easing as "jswing"
+ $.easing['jswing'] = $.easing['swing'];
+
+ var pow = Math.pow,
+ sqrt = Math.sqrt,
+ sin = Math.sin,
+ cos = Math.cos,
+ PI = Math.PI,
+ c1 = 1.70158,
+ c2 = c1 * 1.525,
+ c3 = c1 + 1,
+ c4 = 2 * PI / 3,
+ c5 = 2 * PI / 4.5;
+
+ // x is the fraction of animation progress, in the range 0..1
+ function bounceOut(x) {
+ var n1 = 7.5625,
+ d1 = 2.75;
+ if (x < 1 / d1) {
+ return n1 * x * x;
+ } else if (x < 2 / d1) {
+ return n1 * (x -= 1.5 / d1) * x + .75;
+ } else if (x < 2.5 / d1) {
+ return n1 * (x -= 2.25 / d1) * x + .9375;
+ } else {
+ return n1 * (x -= 2.625 / d1) * x + .984375;
+ }
+ }
+
+ $.extend($.easing, {
+ def: 'easeOutQuad',
+ swing: function (x) {
+ return $.easing[$.easing.def](x);
+ },
+ easeInQuad: function (x) {
+ return x * x;
+ },
+ easeOutQuad: function (x) {
+ return 1 - (1 - x) * (1 - x);
+ },
+ easeInOutQuad: function (x) {
+ return x < 0.5 ? 2 * x * x : 1 - pow(-2 * x + 2, 2) / 2;
+ },
+ easeInCubic: function (x) {
+ return x * x * x;
+ },
+ easeOutCubic: function (x) {
+ return 1 - pow(1 - x, 3);
+ },
+ easeInOutCubic: function (x) {
+ return x < 0.5 ? 4 * x * x * x : 1 - pow(-2 * x + 2, 3) / 2;
+ },
+ easeInQuart: function (x) {
+ return x * x * x * x;
+ },
+ easeOutQuart: function (x) {
+ return 1 - pow(1 - x, 4);
+ },
+ easeInOutQuart: function (x) {
+ return x < 0.5 ? 8 * x * x * x * x : 1 - pow(-2 * x + 2, 4) / 2;
+ },
+ easeInQuint: function (x) {
+ return x * x * x * x * x;
+ },
+ easeOutQuint: function (x) {
+ return 1 - pow(1 - x, 5);
+ },
+ easeInOutQuint: function (x) {
+ return x < 0.5 ? 16 * x * x * x * x * x : 1 - pow(-2 * x + 2, 5) / 2;
+ },
+ easeInSine: function (x) {
+ return 1 - cos(x * PI / 2);
+ },
+ easeOutSine: function (x) {
+ return sin(x * PI / 2);
+ },
+ easeInOutSine: function (x) {
+ return -(cos(PI * x) - 1) / 2;
+ },
+ easeInExpo: function (x) {
+ return x === 0 ? 0 : pow(2, 10 * x - 10);
+ },
+ easeOutExpo: function (x) {
+ return x === 1 ? 1 : 1 - pow(2, -10 * x);
+ },
+ easeInOutExpo: function (x) {
+ return x === 0 ? 0 : x === 1 ? 1 : x < 0.5 ? pow(2, 20 * x - 10) / 2 : (2 - pow(2, -20 * x + 10)) / 2;
+ },
+ easeInCirc: function (x) {
+ return 1 - sqrt(1 - pow(x, 2));
+ },
+ easeOutCirc: function (x) {
+ return sqrt(1 - pow(x - 1, 2));
+ },
+ easeInOutCirc: function (x) {
+ return x < 0.5 ? (1 - sqrt(1 - pow(2 * x, 2))) / 2 : (sqrt(1 - pow(-2 * x + 2, 2)) + 1) / 2;
+ },
+ easeInElastic: function (x) {
+ return x === 0 ? 0 : x === 1 ? 1 : -pow(2, 10 * x - 10) * sin((x * 10 - 10.75) * c4);
+ },
+ easeOutElastic: function (x) {
+ return x === 0 ? 0 : x === 1 ? 1 : pow(2, -10 * x) * sin((x * 10 - 0.75) * c4) + 1;
+ },
+ easeInOutElastic: function (x) {
+ return x === 0 ? 0 : x === 1 ? 1 : x < 0.5 ? -(pow(2, 20 * x - 10) * sin((20 * x - 11.125) * c5)) / 2 : pow(2, -20 * x + 10) * sin((20 * x - 11.125) * c5) / 2 + 1;
+ },
+ easeInBack: function (x) {
+ return c3 * x * x * x - c1 * x * x;
+ },
+ easeOutBack: function (x) {
+ return 1 + c3 * pow(x - 1, 3) + c1 * pow(x - 1, 2);
+ },
+ easeInOutBack: function (x) {
+ return x < 0.5 ? pow(2 * x, 2) * ((c2 + 1) * 2 * x - c2) / 2 : (pow(2 * x - 2, 2) * ((c2 + 1) * (x * 2 - 2) + c2) + 2) / 2;
+ },
+ easeInBounce: function (x) {
+ return 1 - bounceOut(1 - x);
+ },
+ easeOutBounce: bounceOut,
+ easeInOutBounce: function (x) {
+ return x < 0.5 ? (1 - bounceOut(1 - 2 * x)) / 2 : (1 + bounceOut(2 * x - 1)) / 2;
+ }
+ });
+});; // Custom Easing
+jQuery.extend(jQuery.easing, {
+ easeInOutMaterial: function (x, t, b, c, d) {
+ if ((t /= d / 2) < 1) return c / 2 * t * t + b;
+ return c / 4 * ((t -= 2) * t * t + 2) + b;
+ }
+});; /*! VelocityJS.org (1.2.3). (C) 2014 Julian Shapiro. MIT @license: en.wikipedia.org/wiki/MIT_License */
+/*! VelocityJS.org jQuery Shim (1.0.1). (C) 2014 The jQuery Foundation. MIT @license: en.wikipedia.org/wiki/MIT_License. */
+/*! Note that this has been modified by Materialize to confirm that Velocity is not already being imported. */
+jQuery.Velocity ? console.log("Velocity is already loaded. You may be needlessly importing Velocity again; note that Materialize includes Velocity.") : (!function (e) {
+ function t(e) {
+ var t = e.length,
+ a = r.type(e);return "function" === a || r.isWindow(e) ? !1 : 1 === e.nodeType && t ? !0 : "array" === a || 0 === t || "number" == typeof t && t > 0 && t - 1 in e;
+ }if (!e.jQuery) {
+ var r = function (e, t) {
+ return new r.fn.init(e, t);
+ };r.isWindow = function (e) {
+ return null != e && e == e.window;
+ }, r.type = function (e) {
+ return null == e ? e + "" : "object" == typeof e || "function" == typeof e ? n[i.call(e)] || "object" : typeof e;
+ }, r.isArray = Array.isArray || function (e) {
+ return "array" === r.type(e);
+ }, r.isPlainObject = function (e) {
+ var t;if (!e || "object" !== r.type(e) || e.nodeType || r.isWindow(e)) return !1;try {
+ if (e.constructor && !o.call(e, "constructor") && !o.call(e.constructor.prototype, "isPrototypeOf")) return !1;
+ } catch (a) {
+ return !1;
+ }for (t in e) {}return void 0 === t || o.call(e, t);
+ }, r.each = function (e, r, a) {
+ var n,
+ o = 0,
+ i = e.length,
+ s = t(e);if (a) {
+ if (s) for (; i > o && (n = r.apply(e[o], a), n !== !1); o++) {} else for (o in e) {
+ if (n = r.apply(e[o], a), n === !1) break;
+ }
+ } else if (s) for (; i > o && (n = r.call(e[o], o, e[o]), n !== !1); o++) {} else for (o in e) {
+ if (n = r.call(e[o], o, e[o]), n === !1) break;
+ }return e;
+ }, r.data = function (e, t, n) {
+ if (void 0 === n) {
+ var o = e[r.expando],
+ i = o && a[o];if (void 0 === t) return i;if (i && t in i) return i[t];
+ } else if (void 0 !== t) {
+ var o = e[r.expando] || (e[r.expando] = ++r.uuid);return a[o] = a[o] || {}, a[o][t] = n, n;
+ }
+ }, r.removeData = function (e, t) {
+ var n = e[r.expando],
+ o = n && a[n];o && r.each(t, function (e, t) {
+ delete o[t];
+ });
+ }, r.extend = function () {
+ var e,
+ t,
+ a,
+ n,
+ o,
+ i,
+ s = arguments[0] || {},
+ l = 1,
+ u = arguments.length,
+ c = !1;for ("boolean" == typeof s && (c = s, s = arguments[l] || {}, l++), "object" != typeof s && "function" !== r.type(s) && (s = {}), l === u && (s = this, l--); u > l; l++) {
+ if (null != (o = arguments[l])) for (n in o) {
+ e = s[n], a = o[n], s !== a && (c && a && (r.isPlainObject(a) || (t = r.isArray(a))) ? (t ? (t = !1, i = e && r.isArray(e) ? e : []) : i = e && r.isPlainObject(e) ? e : {}, s[n] = r.extend(c, i, a)) : void 0 !== a && (s[n] = a));
+ }
+ }return s;
+ }, r.queue = function (e, a, n) {
+ function o(e, r) {
+ var a = r || [];return null != e && (t(Object(e)) ? !function (e, t) {
+ for (var r = +t.length, a = 0, n = e.length; r > a;) {
+ e[n++] = t[a++];
+ }if (r !== r) for (; void 0 !== t[a];) {
+ e[n++] = t[a++];
+ }return e.length = n, e;
+ }(a, "string" == typeof e ? [e] : e) : [].push.call(a, e)), a;
+ }if (e) {
+ a = (a || "fx") + "queue";var i = r.data(e, a);return n ? (!i || r.isArray(n) ? i = r.data(e, a, o(n)) : i.push(n), i) : i || [];
+ }
+ }, r.dequeue = function (e, t) {
+ r.each(e.nodeType ? [e] : e, function (e, a) {
+ t = t || "fx";var n = r.queue(a, t),
+ o = n.shift();"inprogress" === o && (o = n.shift()), o && ("fx" === t && n.unshift("inprogress"), o.call(a, function () {
+ r.dequeue(a, t);
+ }));
+ });
+ }, r.fn = r.prototype = { init: function (e) {
+ if (e.nodeType) return this[0] = e, this;throw new Error("Not a DOM node.");
+ }, offset: function () {
+ var t = this[0].getBoundingClientRect ? this[0].getBoundingClientRect() : { top: 0, left: 0 };return { top: t.top + (e.pageYOffset || document.scrollTop || 0) - (document.clientTop || 0), left: t.left + (e.pageXOffset || document.scrollLeft || 0) - (document.clientLeft || 0) };
+ }, position: function () {
+ function e() {
+ for (var e = this.offsetParent || document; e && "html" === !e.nodeType.toLowerCase && "static" === e.style.position;) {
+ e = e.offsetParent;
+ }return e || document;
+ }var t = this[0],
+ e = e.apply(t),
+ a = this.offset(),
+ n = /^(?:body|html)$/i.test(e.nodeName) ? { top: 0, left: 0 } : r(e).offset();return a.top -= parseFloat(t.style.marginTop) || 0, a.left -= parseFloat(t.style.marginLeft) || 0, e.style && (n.top += parseFloat(e.style.borderTopWidth) || 0, n.left += parseFloat(e.style.borderLeftWidth) || 0), { top: a.top - n.top, left: a.left - n.left };
+ } };var a = {};r.expando = "velocity" + new Date().getTime(), r.uuid = 0;for (var n = {}, o = n.hasOwnProperty, i = n.toString, s = "Boolean Number String Function Array Date RegExp Object Error".split(" "), l = 0; l < s.length; l++) {
+ n["[object " + s[l] + "]"] = s[l].toLowerCase();
+ }r.fn.init.prototype = r.fn, e.Velocity = { Utilities: r };
+ }
+}(window), function (e) {
+ "object" == typeof module && "object" == typeof module.exports ? module.exports = e() : "function" == typeof define && define.amd ? define(e) : e();
+}(function () {
+ return function (e, t, r, a) {
+ function n(e) {
+ for (var t = -1, r = e ? e.length : 0, a = []; ++t < r;) {
+ var n = e[t];n && a.push(n);
+ }return a;
+ }function o(e) {
+ return m.isWrapped(e) ? e = [].slice.call(e) : m.isNode(e) && (e = [e]), e;
+ }function i(e) {
+ var t = f.data(e, "velocity");return null === t ? a : t;
+ }function s(e) {
+ return function (t) {
+ return Math.round(t * e) * (1 / e);
+ };
+ }function l(e, r, a, n) {
+ function o(e, t) {
+ return 1 - 3 * t + 3 * e;
+ }function i(e, t) {
+ return 3 * t - 6 * e;
+ }function s(e) {
+ return 3 * e;
+ }function l(e, t, r) {
+ return ((o(t, r) * e + i(t, r)) * e + s(t)) * e;
+ }function u(e, t, r) {
+ return 3 * o(t, r) * e * e + 2 * i(t, r) * e + s(t);
+ }function c(t, r) {
+ for (var n = 0; m > n; ++n) {
+ var o = u(r, e, a);if (0 === o) return r;var i = l(r, e, a) - t;r -= i / o;
+ }return r;
+ }function p() {
+ for (var t = 0; b > t; ++t) {
+ w[t] = l(t * x, e, a);
+ }
+ }function f(t, r, n) {
+ var o,
+ i,
+ s = 0;do {
+ i = r + (n - r) / 2, o = l(i, e, a) - t, o > 0 ? n = i : r = i;
+ } while (Math.abs(o) > h && ++s < v);return i;
+ }function d(t) {
+ for (var r = 0, n = 1, o = b - 1; n != o && w[n] <= t; ++n) {
+ r += x;
+ }--n;var i = (t - w[n]) / (w[n + 1] - w[n]),
+ s = r + i * x,
+ l = u(s, e, a);return l >= y ? c(t, s) : 0 == l ? s : f(t, r, r + x);
+ }function g() {
+ V = !0, (e != r || a != n) && p();
+ }var m = 4,
+ y = .001,
+ h = 1e-7,
+ v = 10,
+ b = 11,
+ x = 1 / (b - 1),
+ S = "Float32Array" in t;if (4 !== arguments.length) return !1;for (var P = 0; 4 > P; ++P) {
+ if ("number" != typeof arguments[P] || isNaN(arguments[P]) || !isFinite(arguments[P])) return !1;
+ }e = Math.min(e, 1), a = Math.min(a, 1), e = Math.max(e, 0), a = Math.max(a, 0);var w = S ? new Float32Array(b) : new Array(b),
+ V = !1,
+ C = function (t) {
+ return V || g(), e === r && a === n ? t : 0 === t ? 0 : 1 === t ? 1 : l(d(t), r, n);
+ };C.getControlPoints = function () {
+ return [{ x: e, y: r }, { x: a, y: n }];
+ };var T = "generateBezier(" + [e, r, a, n] + ")";return C.toString = function () {
+ return T;
+ }, C;
+ }function u(e, t) {
+ var r = e;return m.isString(e) ? b.Easings[e] || (r = !1) : r = m.isArray(e) && 1 === e.length ? s.apply(null, e) : m.isArray(e) && 2 === e.length ? x.apply(null, e.concat([t])) : m.isArray(e) && 4 === e.length ? l.apply(null, e) : !1, r === !1 && (r = b.Easings[b.defaults.easing] ? b.defaults.easing : v), r;
+ }function c(e) {
+ if (e) {
+ var t = new Date().getTime(),
+ r = b.State.calls.length;r > 1e4 && (b.State.calls = n(b.State.calls));for (var o = 0; r > o; o++) {
+ if (b.State.calls[o]) {
+ var s = b.State.calls[o],
+ l = s[0],
+ u = s[2],
+ d = s[3],
+ g = !!d,
+ y = null;d || (d = b.State.calls[o][3] = t - 16);for (var h = Math.min((t - d) / u.duration, 1), v = 0, x = l.length; x > v; v++) {
+ var P = l[v],
+ V = P.element;if (i(V)) {
+ var C = !1;if (u.display !== a && null !== u.display && "none" !== u.display) {
+ if ("flex" === u.display) {
+ var T = ["-webkit-box", "-moz-box", "-ms-flexbox", "-webkit-flex"];f.each(T, function (e, t) {
+ S.setPropertyValue(V, "display", t);
+ });
+ }S.setPropertyValue(V, "display", u.display);
+ }u.visibility !== a && "hidden" !== u.visibility && S.setPropertyValue(V, "visibility", u.visibility);for (var k in P) {
+ if ("element" !== k) {
+ var A,
+ F = P[k],
+ j = m.isString(F.easing) ? b.Easings[F.easing] : F.easing;if (1 === h) A = F.endValue;else {
+ var E = F.endValue - F.startValue;if (A = F.startValue + E * j(h, u, E), !g && A === F.currentValue) continue;
+ }if (F.currentValue = A, "tween" === k) y = A;else {
+ if (S.Hooks.registered[k]) {
+ var H = S.Hooks.getRoot(k),
+ N = i(V).rootPropertyValueCache[H];N && (F.rootPropertyValue = N);
+ }var L = S.setPropertyValue(V, k, F.currentValue + (0 === parseFloat(A) ? "" : F.unitType), F.rootPropertyValue, F.scrollData);S.Hooks.registered[k] && (i(V).rootPropertyValueCache[H] = S.Normalizations.registered[H] ? S.Normalizations.registered[H]("extract", null, L[1]) : L[1]), "transform" === L[0] && (C = !0);
+ }
+ }
+ }u.mobileHA && i(V).transformCache.translate3d === a && (i(V).transformCache.translate3d = "(0px, 0px, 0px)", C = !0), C && S.flushTransformCache(V);
+ }
+ }u.display !== a && "none" !== u.display && (b.State.calls[o][2].display = !1), u.visibility !== a && "hidden" !== u.visibility && (b.State.calls[o][2].visibility = !1), u.progress && u.progress.call(s[1], s[1], h, Math.max(0, d + u.duration - t), d, y), 1 === h && p(o);
+ }
+ }
+ }b.State.isTicking && w(c);
+ }function p(e, t) {
+ if (!b.State.calls[e]) return !1;for (var r = b.State.calls[e][0], n = b.State.calls[e][1], o = b.State.calls[e][2], s = b.State.calls[e][4], l = !1, u = 0, c = r.length; c > u; u++) {
+ var p = r[u].element;if (t || o.loop || ("none" === o.display && S.setPropertyValue(p, "display", o.display), "hidden" === o.visibility && S.setPropertyValue(p, "visibility", o.visibility)), o.loop !== !0 && (f.queue(p)[1] === a || !/\.velocityQueueEntryFlag/i.test(f.queue(p)[1])) && i(p)) {
+ i(p).isAnimating = !1, i(p).rootPropertyValueCache = {};var d = !1;f.each(S.Lists.transforms3D, function (e, t) {
+ var r = /^scale/.test(t) ? 1 : 0,
+ n = i(p).transformCache[t];i(p).transformCache[t] !== a && new RegExp("^\\(" + r + "[^.]").test(n) && (d = !0, delete i(p).transformCache[t]);
+ }), o.mobileHA && (d = !0, delete i(p).transformCache.translate3d), d && S.flushTransformCache(p), S.Values.removeClass(p, "velocity-animating");
+ }if (!t && o.complete && !o.loop && u === c - 1) try {
+ o.complete.call(n, n);
+ } catch (g) {
+ setTimeout(function () {
+ throw g;
+ }, 1);
+ }s && o.loop !== !0 && s(n), i(p) && o.loop === !0 && !t && (f.each(i(p).tweensContainer, function (e, t) {
+ /^rotate/.test(e) && 360 === parseFloat(t.endValue) && (t.endValue = 0, t.startValue = 360), /^backgroundPosition/.test(e) && 100 === parseFloat(t.endValue) && "%" === t.unitType && (t.endValue = 0, t.startValue = 100);
+ }), b(p, "reverse", { loop: !0, delay: o.delay })), o.queue !== !1 && f.dequeue(p, o.queue);
+ }b.State.calls[e] = !1;for (var m = 0, y = b.State.calls.length; y > m; m++) {
+ if (b.State.calls[m] !== !1) {
+ l = !0;break;
+ }
+ }l === !1 && (b.State.isTicking = !1, delete b.State.calls, b.State.calls = []);
+ }var f,
+ d = function () {
+ if (r.documentMode) return r.documentMode;for (var e = 7; e > 4; e--) {
+ var t = r.createElement("div");if (t.innerHTML = "<!--[if IE " + e + "]><span></span><![endif]-->", t.getElementsByTagName("span").length) return t = null, e;
+ }return a;
+ }(),
+ g = function () {
+ var e = 0;return t.webkitRequestAnimationFrame || t.mozRequestAnimationFrame || function (t) {
+ var r,
+ a = new Date().getTime();return r = Math.max(0, 16 - (a - e)), e = a + r, setTimeout(function () {
+ t(a + r);
+ }, r);
+ };
+ }(),
+ m = { isString: function (e) {
+ return "string" == typeof e;
+ }, isArray: Array.isArray || function (e) {
+ return "[object Array]" === Object.prototype.toString.call(e);
+ }, isFunction: function (e) {
+ return "[object Function]" === Object.prototype.toString.call(e);
+ }, isNode: function (e) {
+ return e && e.nodeType;
+ }, isNodeList: function (e) {
+ return "object" == typeof e && /^\[object (HTMLCollection|NodeList|Object)\]$/.test(Object.prototype.toString.call(e)) && e.length !== a && (0 === e.length || "object" == typeof e[0] && e[0].nodeType > 0);
+ }, isWrapped: function (e) {
+ return e && (e.jquery || t.Zepto && t.Zepto.zepto.isZ(e));
+ }, isSVG: function (e) {
+ return t.SVGElement && e instanceof t.SVGElement;
+ }, isEmptyObject: function (e) {
+ for (var t in e) {
+ return !1;
+ }return !0;
+ } },
+ y = !1;if (e.fn && e.fn.jquery ? (f = e, y = !0) : f = t.Velocity.Utilities, 8 >= d && !y) throw new Error("Velocity: IE8 and below require jQuery to be loaded before Velocity.");if (7 >= d) return void (jQuery.fn.velocity = jQuery.fn.animate);var h = 400,
+ v = "swing",
+ b = { State: { isMobile: /Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent), isAndroid: /Android/i.test(navigator.userAgent), isGingerbread: /Android 2\.3\.[3-7]/i.test(navigator.userAgent), isChrome: t.chrome, isFirefox: /Firefox/i.test(navigator.userAgent), prefixElement: r.createElement("div"), prefixMatches: {}, scrollAnchor: null, scrollPropertyLeft: null, scrollPropertyTop: null, isTicking: !1, calls: [] }, CSS: {}, Utilities: f, Redirects: {}, Easings: {}, Promise: t.Promise, defaults: { queue: "", duration: h, easing: v, begin: a, complete: a, progress: a, display: a, visibility: a, loop: !1, delay: !1, mobileHA: !0, _cacheValues: !0 }, init: function (e) {
+ f.data(e, "velocity", { isSVG: m.isSVG(e), isAnimating: !1, computedStyle: null, tweensContainer: null, rootPropertyValueCache: {}, transformCache: {} });
+ }, hook: null, mock: !1, version: { major: 1, minor: 2, patch: 2 }, debug: !1 };t.pageYOffset !== a ? (b.State.scrollAnchor = t, b.State.scrollPropertyLeft = "pageXOffset", b.State.scrollPropertyTop = "pageYOffset") : (b.State.scrollAnchor = r.documentElement || r.body.parentNode || r.body, b.State.scrollPropertyLeft = "scrollLeft", b.State.scrollPropertyTop = "scrollTop");var x = function () {
+ function e(e) {
+ return -e.tension * e.x - e.friction * e.v;
+ }function t(t, r, a) {
+ var n = { x: t.x + a.dx * r, v: t.v + a.dv * r, tension: t.tension, friction: t.friction };return { dx: n.v, dv: e(n) };
+ }function r(r, a) {
+ var n = { dx: r.v, dv: e(r) },
+ o = t(r, .5 * a, n),
+ i = t(r, .5 * a, o),
+ s = t(r, a, i),
+ l = 1 / 6 * (n.dx + 2 * (o.dx + i.dx) + s.dx),
+ u = 1 / 6 * (n.dv + 2 * (o.dv + i.dv) + s.dv);return r.x = r.x + l * a, r.v = r.v + u * a, r;
+ }return function a(e, t, n) {
+ var o,
+ i,
+ s,
+ l = { x: -1, v: 0, tension: null, friction: null },
+ u = [0],
+ c = 0,
+ p = 1e-4,
+ f = .016;for (e = parseFloat(e) || 500, t = parseFloat(t) || 20, n = n || null, l.tension = e, l.friction = t, o = null !== n, o ? (c = a(e, t), i = c / n * f) : i = f; s = r(s || l, i), u.push(1 + s.x), c += 16, Math.abs(s.x) > p && Math.abs(s.v) > p;) {}return o ? function (e) {
+ return u[e * (u.length - 1) | 0];
+ } : c;
+ };
+ }();b.Easings = { linear: function (e) {
+ return e;
+ }, swing: function (e) {
+ return .5 - Math.cos(e * Math.PI) / 2;
+ }, spring: function (e) {
+ return 1 - Math.cos(4.5 * e * Math.PI) * Math.exp(6 * -e);
+ } }, f.each([["ease", [.25, .1, .25, 1]], ["ease-in", [.42, 0, 1, 1]], ["ease-out", [0, 0, .58, 1]], ["ease-in-out", [.42, 0, .58, 1]], ["easeInSine", [.47, 0, .745, .715]], ["easeOutSine", [.39, .575, .565, 1]], ["easeInOutSine", [.445, .05, .55, .95]], ["easeInQuad", [.55, .085, .68, .53]], ["easeOutQuad", [.25, .46, .45, .94]], ["easeInOutQuad", [.455, .03, .515, .955]], ["easeInCubic", [.55, .055, .675, .19]], ["easeOutCubic", [.215, .61, .355, 1]], ["easeInOutCubic", [.645, .045, .355, 1]], ["easeInQuart", [.895, .03, .685, .22]], ["easeOutQuart", [.165, .84, .44, 1]], ["easeInOutQuart", [.77, 0, .175, 1]], ["easeInQuint", [.755, .05, .855, .06]], ["easeOutQuint", [.23, 1, .32, 1]], ["easeInOutQuint", [.86, 0, .07, 1]], ["easeInExpo", [.95, .05, .795, .035]], ["easeOutExpo", [.19, 1, .22, 1]], ["easeInOutExpo", [1, 0, 0, 1]], ["easeInCirc", [.6, .04, .98, .335]], ["easeOutCirc", [.075, .82, .165, 1]], ["easeInOutCirc", [.785, .135, .15, .86]]], function (e, t) {
+ b.Easings[t[0]] = l.apply(null, t[1]);
+ });var S = b.CSS = { RegEx: { isHex: /^#([A-f\d]{3}){1,2}$/i, valueUnwrap: /^[A-z]+\((.*)\)$/i, wrappedValueAlreadyExtracted: /[0-9.]+ [0-9.]+ [0-9.]+( [0-9.]+)?/, valueSplit: /([A-z]+\(.+\))|(([A-z0-9#-.]+?)(?=\s|$))/gi }, Lists: { colors: ["fill", "stroke", "stopColor", "color", "backgroundColor", "borderColor", "borderTopColor", "borderRightColor", "borderBottomColor", "borderLeftColor", "outlineColor"], transformsBase: ["translateX", "translateY", "scale", "scaleX", "scaleY", "skewX", "skewY", "rotateZ"], transforms3D: ["transformPerspective", "translateZ", "scaleZ", "rotateX", "rotateY"] }, Hooks: { templates: { textShadow: ["Color X Y Blur", "black 0px 0px 0px"], boxShadow: ["Color X Y Blur Spread", "black 0px 0px 0px 0px"], clip: ["Top Right Bottom Left", "0px 0px 0px 0px"], backgroundPosition: ["X Y", "0% 0%"], transformOrigin: ["X Y Z", "50% 50% 0px"], perspectiveOrigin: ["X Y", "50% 50%"] }, registered: {}, register: function () {
+ for (var e = 0; e < S.Lists.colors.length; e++) {
+ var t = "color" === S.Lists.colors[e] ? "0 0 0 1" : "255 255 255 1";S.Hooks.templates[S.Lists.colors[e]] = ["Red Green Blue Alpha", t];
+ }var r, a, n;if (d) for (r in S.Hooks.templates) {
+ a = S.Hooks.templates[r], n = a[0].split(" ");var o = a[1].match(S.RegEx.valueSplit);"Color" === n[0] && (n.push(n.shift()), o.push(o.shift()), S.Hooks.templates[r] = [n.join(" "), o.join(" ")]);
+ }for (r in S.Hooks.templates) {
+ a = S.Hooks.templates[r], n = a[0].split(" ");for (var e in n) {
+ var i = r + n[e],
+ s = e;S.Hooks.registered[i] = [r, s];
+ }
+ }
+ }, getRoot: function (e) {
+ var t = S.Hooks.registered[e];return t ? t[0] : e;
+ }, cleanRootPropertyValue: function (e, t) {
+ return S.RegEx.valueUnwrap.test(t) && (t = t.match(S.RegEx.valueUnwrap)[1]), S.Values.isCSSNullValue(t) && (t = S.Hooks.templates[e][1]), t;
+ }, extractValue: function (e, t) {
+ var r = S.Hooks.registered[e];if (r) {
+ var a = r[0],
+ n = r[1];return t = S.Hooks.cleanRootPropertyValue(a, t), t.toString().match(S.RegEx.valueSplit)[n];
+ }return t;
+ }, injectValue: function (e, t, r) {
+ var a = S.Hooks.registered[e];if (a) {
+ var n,
+ o,
+ i = a[0],
+ s = a[1];return r = S.Hooks.cleanRootPropertyValue(i, r), n = r.toString().match(S.RegEx.valueSplit), n[s] = t, o = n.join(" ");
+ }return r;
+ } }, Normalizations: { registered: { clip: function (e, t, r) {
+ switch (e) {case "name":
+ return "clip";case "extract":
+ var a;return S.RegEx.wrappedValueAlreadyExtracted.test(r) ? a = r : (a = r.toString().match(S.RegEx.valueUnwrap), a = a ? a[1].replace(/,(\s+)?/g, " ") : r), a;case "inject":
+ return "rect(" + r + ")";}
+ }, blur: function (e, t, r) {
+ switch (e) {case "name":
+ return b.State.isFirefox ? "filter" : "-webkit-filter";case "extract":
+ var a = parseFloat(r);if (!a && 0 !== a) {
+ var n = r.toString().match(/blur\(([0-9]+[A-z]+)\)/i);a = n ? n[1] : 0;
+ }return a;case "inject":
+ return parseFloat(r) ? "blur(" + r + ")" : "none";}
+ }, opacity: function (e, t, r) {
+ if (8 >= d) switch (e) {case "name":
+ return "filter";case "extract":
+ var a = r.toString().match(/alpha\(opacity=(.*)\)/i);return r = a ? a[1] / 100 : 1;case "inject":
+ return t.style.zoom = 1, parseFloat(r) >= 1 ? "" : "alpha(opacity=" + parseInt(100 * parseFloat(r), 10) + ")";} else switch (e) {case "name":
+ return "opacity";case "extract":
+ return r;case "inject":
+ return r;}
+ } }, register: function () {
+ 9 >= d || b.State.isGingerbread || (S.Lists.transformsBase = S.Lists.transformsBase.concat(S.Lists.transforms3D));for (var e = 0; e < S.Lists.transformsBase.length; e++) {
+ !function () {
+ var t = S.Lists.transformsBase[e];S.Normalizations.registered[t] = function (e, r, n) {
+ switch (e) {case "name":
+ return "transform";case "extract":
+ return i(r) === a || i(r).transformCache[t] === a ? /^scale/i.test(t) ? 1 : 0 : i(r).transformCache[t].replace(/[()]/g, "");case "inject":
+ var o = !1;switch (t.substr(0, t.length - 1)) {case "translate":
+ o = !/(%|px|em|rem|vw|vh|\d)$/i.test(n);break;case "scal":case "scale":
+ b.State.isAndroid && i(r).transformCache[t] === a && 1 > n && (n = 1), o = !/(\d)$/i.test(n);break;case "skew":
+ o = !/(deg|\d)$/i.test(n);break;case "rotate":
+ o = !/(deg|\d)$/i.test(n);}return o || (i(r).transformCache[t] = "(" + n + ")"), i(r).transformCache[t];}
+ };
+ }();
+ }for (var e = 0; e < S.Lists.colors.length; e++) {
+ !function () {
+ var t = S.Lists.colors[e];S.Normalizations.registered[t] = function (e, r, n) {
+ switch (e) {case "name":
+ return t;case "extract":
+ var o;if (S.RegEx.wrappedValueAlreadyExtracted.test(n)) o = n;else {
+ var i,
+ s = { black: "rgb(0, 0, 0)", blue: "rgb(0, 0, 255)", gray: "rgb(128, 128, 128)", green: "rgb(0, 128, 0)", red: "rgb(255, 0, 0)", white: "rgb(255, 255, 255)" };/^[A-z]+$/i.test(n) ? i = s[n] !== a ? s[n] : s.black : S.RegEx.isHex.test(n) ? i = "rgb(" + S.Values.hexToRgb(n).join(" ") + ")" : /^rgba?\(/i.test(n) || (i = s.black), o = (i || n).toString().match(S.RegEx.valueUnwrap)[1].replace(/,(\s+)?/g, " ");
+ }return 8 >= d || 3 !== o.split(" ").length || (o += " 1"), o;case "inject":
+ return 8 >= d ? 4 === n.split(" ").length && (n = n.split(/\s+/).slice(0, 3).join(" ")) : 3 === n.split(" ").length && (n += " 1"), (8 >= d ? "rgb" : "rgba") + "(" + n.replace(/\s+/g, ",").replace(/\.(\d)+(?=,)/g, "") + ")";}
+ };
+ }();
+ }
+ } }, Names: { camelCase: function (e) {
+ return e.replace(/-(\w)/g, function (e, t) {
+ return t.toUpperCase();
+ });
+ }, SVGAttribute: function (e) {
+ var t = "width|height|x|y|cx|cy|r|rx|ry|x1|x2|y1|y2";return (d || b.State.isAndroid && !b.State.isChrome) && (t += "|transform"), new RegExp("^(" + t + ")$", "i").test(e);
+ }, prefixCheck: function (e) {
+ if (b.State.prefixMatches[e]) return [b.State.prefixMatches[e], !0];for (var t = ["", "Webkit", "Moz", "ms", "O"], r = 0, a = t.length; a > r; r++) {
+ var n;if (n = 0 === r ? e : t[r] + e.replace(/^\w/, function (e) {
+ return e.toUpperCase();
+ }), m.isString(b.State.prefixElement.style[n])) return b.State.prefixMatches[e] = n, [n, !0];
+ }return [e, !1];
+ } }, Values: { hexToRgb: function (e) {
+ var t,
+ r = /^#?([a-f\d])([a-f\d])([a-f\d])$/i,
+ a = /^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i;return e = e.replace(r, function (e, t, r, a) {
+ return t + t + r + r + a + a;
+ }), t = a.exec(e), t ? [parseInt(t[1], 16), parseInt(t[2], 16), parseInt(t[3], 16)] : [0, 0, 0];
+ }, isCSSNullValue: function (e) {
+ return 0 == e || /^(none|auto|transparent|(rgba\(0, ?0, ?0, ?0\)))$/i.test(e);
+ }, getUnitType: function (e) {
+ return (/^(rotate|skew)/i.test(e) ? "deg" : /(^(scale|scaleX|scaleY|scaleZ|alpha|flexGrow|flexHeight|zIndex|fontWeight)$)|((opacity|red|green|blue|alpha)$)/i.test(e) ? "" : "px"
+ );
+ }, getDisplayType: function (e) {
+ var t = e && e.tagName.toString().toLowerCase();return (/^(b|big|i|small|tt|abbr|acronym|cite|code|dfn|em|kbd|strong|samp|var|a|bdo|br|img|map|object|q|script|span|sub|sup|button|input|label|select|textarea)$/i.test(t) ? "inline" : /^(li)$/i.test(t) ? "list-item" : /^(tr)$/i.test(t) ? "table-row" : /^(table)$/i.test(t) ? "table" : /^(tbody)$/i.test(t) ? "table-row-group" : "block"
+ );
+ }, addClass: function (e, t) {
+ e.classList ? e.classList.add(t) : e.className += (e.className.length ? " " : "") + t;
+ }, removeClass: function (e, t) {
+ e.classList ? e.classList.remove(t) : e.className = e.className.toString().replace(new RegExp("(^|\\s)" + t.split(" ").join("|") + "(\\s|$)", "gi"), " ");
+ } }, getPropertyValue: function (e, r, n, o) {
+ function s(e, r) {
+ function n() {
+ u && S.setPropertyValue(e, "display", "none");
+ }var l = 0;if (8 >= d) l = f.css(e, r);else {
+ var u = !1;if (/^(width|height)$/.test(r) && 0 === S.getPropertyValue(e, "display") && (u = !0, S.setPropertyValue(e, "display", S.Values.getDisplayType(e))), !o) {
+ if ("height" === r && "border-box" !== S.getPropertyValue(e, "boxSizing").toString().toLowerCase()) {
+ var c = e.offsetHeight - (parseFloat(S.getPropertyValue(e, "borderTopWidth")) || 0) - (parseFloat(S.getPropertyValue(e, "borderBottomWidth")) || 0) - (parseFloat(S.getPropertyValue(e, "paddingTop")) || 0) - (parseFloat(S.getPropertyValue(e, "paddingBottom")) || 0);return n(), c;
+ }if ("width" === r && "border-box" !== S.getPropertyValue(e, "boxSizing").toString().toLowerCase()) {
+ var p = e.offsetWidth - (parseFloat(S.getPropertyValue(e, "borderLeftWidth")) || 0) - (parseFloat(S.getPropertyValue(e, "borderRightWidth")) || 0) - (parseFloat(S.getPropertyValue(e, "paddingLeft")) || 0) - (parseFloat(S.getPropertyValue(e, "paddingRight")) || 0);return n(), p;
+ }
+ }var g;g = i(e) === a ? t.getComputedStyle(e, null) : i(e).computedStyle ? i(e).computedStyle : i(e).computedStyle = t.getComputedStyle(e, null), "borderColor" === r && (r = "borderTopColor"), l = 9 === d && "filter" === r ? g.getPropertyValue(r) : g[r], ("" === l || null === l) && (l = e.style[r]), n();
+ }if ("auto" === l && /^(top|right|bottom|left)$/i.test(r)) {
+ var m = s(e, "position");("fixed" === m || "absolute" === m && /top|left/i.test(r)) && (l = f(e).position()[r] + "px");
+ }return l;
+ }var l;if (S.Hooks.registered[r]) {
+ var u = r,
+ c = S.Hooks.getRoot(u);n === a && (n = S.getPropertyValue(e, S.Names.prefixCheck(c)[0])), S.Normalizations.registered[c] && (n = S.Normalizations.registered[c]("extract", e, n)), l = S.Hooks.extractValue(u, n);
+ } else if (S.Normalizations.registered[r]) {
+ var p, g;p = S.Normalizations.registered[r]("name", e), "transform" !== p && (g = s(e, S.Names.prefixCheck(p)[0]), S.Values.isCSSNullValue(g) && S.Hooks.templates[r] && (g = S.Hooks.templates[r][1])), l = S.Normalizations.registered[r]("extract", e, g);
+ }if (!/^[\d-]/.test(l)) if (i(e) && i(e).isSVG && S.Names.SVGAttribute(r)) {
+ if (/^(height|width)$/i.test(r)) try {
+ l = e.getBBox()[r];
+ } catch (m) {
+ l = 0;
+ } else l = e.getAttribute(r);
+ } else l = s(e, S.Names.prefixCheck(r)[0]);return S.Values.isCSSNullValue(l) && (l = 0), b.debug >= 2 && console.log("Get " + r + ": " + l), l;
+ }, setPropertyValue: function (e, r, a, n, o) {
+ var s = r;if ("scroll" === r) o.container ? o.container["scroll" + o.direction] = a : "Left" === o.direction ? t.scrollTo(a, o.alternateValue) : t.scrollTo(o.alternateValue, a);else if (S.Normalizations.registered[r] && "transform" === S.Normalizations.registered[r]("name", e)) S.Normalizations.registered[r]("inject", e, a), s = "transform", a = i(e).transformCache[r];else {
+ if (S.Hooks.registered[r]) {
+ var l = r,
+ u = S.Hooks.getRoot(r);n = n || S.getPropertyValue(e, u), a = S.Hooks.injectValue(l, a, n), r = u;
+ }if (S.Normalizations.registered[r] && (a = S.Normalizations.registered[r]("inject", e, a), r = S.Normalizations.registered[r]("name", e)), s = S.Names.prefixCheck(r)[0], 8 >= d) try {
+ e.style[s] = a;
+ } catch (c) {
+ b.debug && console.log("Browser does not support [" + a + "] for [" + s + "]");
+ } else i(e) && i(e).isSVG && S.Names.SVGAttribute(r) ? e.setAttribute(r, a) : e.style[s] = a;b.debug >= 2 && console.log("Set " + r + " (" + s + "): " + a);
+ }return [s, a];
+ }, flushTransformCache: function (e) {
+ function t(t) {
+ return parseFloat(S.getPropertyValue(e, t));
+ }var r = "";if ((d || b.State.isAndroid && !b.State.isChrome) && i(e).isSVG) {
+ var a = { translate: [t("translateX"), t("translateY")], skewX: [t("skewX")], skewY: [t("skewY")], scale: 1 !== t("scale") ? [t("scale"), t("scale")] : [t("scaleX"), t("scaleY")], rotate: [t("rotateZ"), 0, 0] };f.each(i(e).transformCache, function (e) {
+ /^translate/i.test(e) ? e = "translate" : /^scale/i.test(e) ? e = "scale" : /^rotate/i.test(e) && (e = "rotate"), a[e] && (r += e + "(" + a[e].join(" ") + ") ", delete a[e]);
+ });
+ } else {
+ var n, o;f.each(i(e).transformCache, function (t) {
+ return n = i(e).transformCache[t], "transformPerspective" === t ? (o = n, !0) : (9 === d && "rotateZ" === t && (t = "rotate"), void (r += t + n + " "));
+ }), o && (r = "perspective" + o + " " + r);
+ }S.setPropertyValue(e, "transform", r);
+ } };S.Hooks.register(), S.Normalizations.register(), b.hook = function (e, t, r) {
+ var n = a;return e = o(e), f.each(e, function (e, o) {
+ if (i(o) === a && b.init(o), r === a) n === a && (n = b.CSS.getPropertyValue(o, t));else {
+ var s = b.CSS.setPropertyValue(o, t, r);"transform" === s[0] && b.CSS.flushTransformCache(o), n = s;
+ }
+ }), n;
+ };var P = function () {
+ function e() {
+ return s ? k.promise || null : l;
+ }function n() {
+ function e(e) {
+ function p(e, t) {
+ var r = a,
+ n = a,
+ i = a;return m.isArray(e) ? (r = e[0], !m.isArray(e[1]) && /^[\d-]/.test(e[1]) || m.isFunction(e[1]) || S.RegEx.isHex.test(e[1]) ? i = e[1] : (m.isString(e[1]) && !S.RegEx.isHex.test(e[1]) || m.isArray(e[1])) && (n = t ? e[1] : u(e[1], s.duration), e[2] !== a && (i = e[2]))) : r = e, t || (n = n || s.easing), m.isFunction(r) && (r = r.call(o, V, w)), m.isFunction(i) && (i = i.call(o, V, w)), [r || 0, n, i];
+ }function d(e, t) {
+ var r, a;return a = (t || "0").toString().toLowerCase().replace(/[%A-z]+$/, function (e) {
+ return r = e, "";
+ }), r || (r = S.Values.getUnitType(e)), [a, r];
+ }function h() {
+ var e = { myParent: o.parentNode || r.body, position: S.getPropertyValue(o, "position"), fontSize: S.getPropertyValue(o, "fontSize") },
+ a = e.position === L.lastPosition && e.myParent === L.lastParent,
+ n = e.fontSize === L.lastFontSize;L.lastParent = e.myParent, L.lastPosition = e.position, L.lastFontSize = e.fontSize;var s = 100,
+ l = {};if (n && a) l.emToPx = L.lastEmToPx, l.percentToPxWidth = L.lastPercentToPxWidth, l.percentToPxHeight = L.lastPercentToPxHeight;else {
+ var u = i(o).isSVG ? r.createElementNS("http://www.w3.org/2000/svg", "rect") : r.createElement("div");b.init(u), e.myParent.appendChild(u), f.each(["overflow", "overflowX", "overflowY"], function (e, t) {
+ b.CSS.setPropertyValue(u, t, "hidden");
+ }), b.CSS.setPropertyValue(u, "position", e.position), b.CSS.setPropertyValue(u, "fontSize", e.fontSize), b.CSS.setPropertyValue(u, "boxSizing", "content-box"), f.each(["minWidth", "maxWidth", "width", "minHeight", "maxHeight", "height"], function (e, t) {
+ b.CSS.setPropertyValue(u, t, s + "%");
+ }), b.CSS.setPropertyValue(u, "paddingLeft", s + "em"), l.percentToPxWidth = L.lastPercentToPxWidth = (parseFloat(S.getPropertyValue(u, "width", null, !0)) || 1) / s, l.percentToPxHeight = L.lastPercentToPxHeight = (parseFloat(S.getPropertyValue(u, "height", null, !0)) || 1) / s, l.emToPx = L.lastEmToPx = (parseFloat(S.getPropertyValue(u, "paddingLeft")) || 1) / s, e.myParent.removeChild(u);
+ }return null === L.remToPx && (L.remToPx = parseFloat(S.getPropertyValue(r.body, "fontSize")) || 16), null === L.vwToPx && (L.vwToPx = parseFloat(t.innerWidth) / 100, L.vhToPx = parseFloat(t.innerHeight) / 100), l.remToPx = L.remToPx, l.vwToPx = L.vwToPx, l.vhToPx = L.vhToPx, b.debug >= 1 && console.log("Unit ratios: " + JSON.stringify(l), o), l;
+ }if (s.begin && 0 === V) try {
+ s.begin.call(g, g);
+ } catch (x) {
+ setTimeout(function () {
+ throw x;
+ }, 1);
+ }if ("scroll" === A) {
+ var P,
+ C,
+ T,
+ F = /^x$/i.test(s.axis) ? "Left" : "Top",
+ j = parseFloat(s.offset) || 0;s.container ? m.isWrapped(s.container) || m.isNode(s.container) ? (s.container = s.container[0] || s.container, P = s.container["scroll" + F], T = P + f(o).position()[F.toLowerCase()] + j) : s.container = null : (P = b.State.scrollAnchor[b.State["scrollProperty" + F]], C = b.State.scrollAnchor[b.State["scrollProperty" + ("Left" === F ? "Top" : "Left")]], T = f(o).offset()[F.toLowerCase()] + j), l = { scroll: { rootPropertyValue: !1, startValue: P, currentValue: P, endValue: T, unitType: "", easing: s.easing, scrollData: { container: s.container, direction: F, alternateValue: C } }, element: o }, b.debug && console.log("tweensContainer (scroll): ", l.scroll, o);
+ } else if ("reverse" === A) {
+ if (!i(o).tweensContainer) return void f.dequeue(o, s.queue);"none" === i(o).opts.display && (i(o).opts.display = "auto"), "hidden" === i(o).opts.visibility && (i(o).opts.visibility = "visible"), i(o).opts.loop = !1, i(o).opts.begin = null, i(o).opts.complete = null, v.easing || delete s.easing, v.duration || delete s.duration, s = f.extend({}, i(o).opts, s);var E = f.extend(!0, {}, i(o).tweensContainer);for (var H in E) {
+ if ("element" !== H) {
+ var N = E[H].startValue;E[H].startValue = E[H].currentValue = E[H].endValue, E[H].endValue = N, m.isEmptyObject(v) || (E[H].easing = s.easing), b.debug && console.log("reverse tweensContainer (" + H + "): " + JSON.stringify(E[H]), o);
+ }
+ }l = E;
+ } else if ("start" === A) {
+ var E;i(o).tweensContainer && i(o).isAnimating === !0 && (E = i(o).tweensContainer), f.each(y, function (e, t) {
+ if (RegExp("^" + S.Lists.colors.join("$|^") + "$").test(e)) {
+ var r = p(t, !0),
+ n = r[0],
+ o = r[1],
+ i = r[2];if (S.RegEx.isHex.test(n)) {
+ for (var s = ["Red", "Green", "Blue"], l = S.Values.hexToRgb(n), u = i ? S.Values.hexToRgb(i) : a, c = 0; c < s.length; c++) {
+ var f = [l[c]];o && f.push(o), u !== a && f.push(u[c]), y[e + s[c]] = f;
+ }delete y[e];
+ }
+ }
+ });for (var z in y) {
+ var O = p(y[z]),
+ q = O[0],
+ $ = O[1],
+ M = O[2];z = S.Names.camelCase(z);var I = S.Hooks.getRoot(z),
+ B = !1;if (i(o).isSVG || "tween" === I || S.Names.prefixCheck(I)[1] !== !1 || S.Normalizations.registered[I] !== a) {
+ (s.display !== a && null !== s.display && "none" !== s.display || s.visibility !== a && "hidden" !== s.visibility) && /opacity|filter/.test(z) && !M && 0 !== q && (M = 0), s._cacheValues && E && E[z] ? (M === a && (M = E[z].endValue + E[z].unitType), B = i(o).rootPropertyValueCache[I]) : S.Hooks.registered[z] ? M === a ? (B = S.getPropertyValue(o, I), M = S.getPropertyValue(o, z, B)) : B = S.Hooks.templates[I][1] : M === a && (M = S.getPropertyValue(o, z));var W,
+ G,
+ Y,
+ D = !1;if (W = d(z, M), M = W[0], Y = W[1], W = d(z, q), q = W[0].replace(/^([+-\/*])=/, function (e, t) {
+ return D = t, "";
+ }), G = W[1], M = parseFloat(M) || 0, q = parseFloat(q) || 0, "%" === G && (/^(fontSize|lineHeight)$/.test(z) ? (q /= 100, G = "em") : /^scale/.test(z) ? (q /= 100, G = "") : /(Red|Green|Blue)$/i.test(z) && (q = q / 100 * 255, G = "")), /[\/*]/.test(D)) G = Y;else if (Y !== G && 0 !== M) if (0 === q) G = Y;else {
+ n = n || h();var Q = /margin|padding|left|right|width|text|word|letter/i.test(z) || /X$/.test(z) || "x" === z ? "x" : "y";switch (Y) {case "%":
+ M *= "x" === Q ? n.percentToPxWidth : n.percentToPxHeight;break;case "px":
+ break;default:
+ M *= n[Y + "ToPx"];}switch (G) {case "%":
+ M *= 1 / ("x" === Q ? n.percentToPxWidth : n.percentToPxHeight);break;case "px":
+ break;default:
+ M *= 1 / n[G + "ToPx"];}
+ }switch (D) {case "+":
+ q = M + q;break;case "-":
+ q = M - q;break;case "*":
+ q = M * q;break;case "/":
+ q = M / q;}l[z] = { rootPropertyValue: B, startValue: M, currentValue: M, endValue: q, unitType: G, easing: $ }, b.debug && console.log("tweensContainer (" + z + "): " + JSON.stringify(l[z]), o);
+ } else b.debug && console.log("Skipping [" + I + "] due to a lack of browser support.");
+ }l.element = o;
+ }l.element && (S.Values.addClass(o, "velocity-animating"), R.push(l), "" === s.queue && (i(o).tweensContainer = l, i(o).opts = s), i(o).isAnimating = !0, V === w - 1 ? (b.State.calls.push([R, g, s, null, k.resolver]), b.State.isTicking === !1 && (b.State.isTicking = !0, c())) : V++);
+ }var n,
+ o = this,
+ s = f.extend({}, b.defaults, v),
+ l = {};switch (i(o) === a && b.init(o), parseFloat(s.delay) && s.queue !== !1 && f.queue(o, s.queue, function (e) {
+ b.velocityQueueEntryFlag = !0, i(o).delayTimer = { setTimeout: setTimeout(e, parseFloat(s.delay)), next: e };
+ }), s.duration.toString().toLowerCase()) {case "fast":
+ s.duration = 200;break;case "normal":
+ s.duration = h;break;case "slow":
+ s.duration = 600;break;default:
+ s.duration = parseFloat(s.duration) || 1;}b.mock !== !1 && (b.mock === !0 ? s.duration = s.delay = 1 : (s.duration *= parseFloat(b.mock) || 1, s.delay *= parseFloat(b.mock) || 1)), s.easing = u(s.easing, s.duration), s.begin && !m.isFunction(s.begin) && (s.begin = null), s.progress && !m.isFunction(s.progress) && (s.progress = null), s.complete && !m.isFunction(s.complete) && (s.complete = null), s.display !== a && null !== s.display && (s.display = s.display.toString().toLowerCase(), "auto" === s.display && (s.display = b.CSS.Values.getDisplayType(o))), s.visibility !== a && null !== s.visibility && (s.visibility = s.visibility.toString().toLowerCase()), s.mobileHA = s.mobileHA && b.State.isMobile && !b.State.isGingerbread, s.queue === !1 ? s.delay ? setTimeout(e, s.delay) : e() : f.queue(o, s.queue, function (t, r) {
+ return r === !0 ? (k.promise && k.resolver(g), !0) : (b.velocityQueueEntryFlag = !0, void e(t));
+ }), "" !== s.queue && "fx" !== s.queue || "inprogress" === f.queue(o)[0] || f.dequeue(o);
+ }var s,
+ l,
+ d,
+ g,
+ y,
+ v,
+ x = arguments[0] && (arguments[0].p || f.isPlainObject(arguments[0].properties) && !arguments[0].properties.names || m.isString(arguments[0].properties));if (m.isWrapped(this) ? (s = !1, d = 0, g = this, l = this) : (s = !0, d = 1, g = x ? arguments[0].elements || arguments[0].e : arguments[0]), g = o(g)) {
+ x ? (y = arguments[0].properties || arguments[0].p, v = arguments[0].options || arguments[0].o) : (y = arguments[d], v = arguments[d + 1]);var w = g.length,
+ V = 0;if (!/^(stop|finish)$/i.test(y) && !f.isPlainObject(v)) {
+ var C = d + 1;v = {};for (var T = C; T < arguments.length; T++) {
+ m.isArray(arguments[T]) || !/^(fast|normal|slow)$/i.test(arguments[T]) && !/^\d/.test(arguments[T]) ? m.isString(arguments[T]) || m.isArray(arguments[T]) ? v.easing = arguments[T] : m.isFunction(arguments[T]) && (v.complete = arguments[T]) : v.duration = arguments[T];
+ }
+ }var k = { promise: null, resolver: null, rejecter: null };s && b.Promise && (k.promise = new b.Promise(function (e, t) {
+ k.resolver = e, k.rejecter = t;
+ }));var A;switch (y) {case "scroll":
+ A = "scroll";break;case "reverse":
+ A = "reverse";break;case "finish":case "stop":
+ f.each(g, function (e, t) {
+ i(t) && i(t).delayTimer && (clearTimeout(i(t).delayTimer.setTimeout), i(t).delayTimer.next && i(t).delayTimer.next(), delete i(t).delayTimer);
+ });var F = [];return f.each(b.State.calls, function (e, t) {
+ t && f.each(t[1], function (r, n) {
+ var o = v === a ? "" : v;return o === !0 || t[2].queue === o || v === a && t[2].queue === !1 ? void f.each(g, function (r, a) {
+ a === n && ((v === !0 || m.isString(v)) && (f.each(f.queue(a, m.isString(v) ? v : ""), function (e, t) {
+ m.isFunction(t) && t(null, !0);
+ }), f.queue(a, m.isString(v) ? v : "", [])), "stop" === y ? (i(a) && i(a).tweensContainer && o !== !1 && f.each(i(a).tweensContainer, function (e, t) {
+ t.endValue = t.currentValue;
+ }), F.push(e)) : "finish" === y && (t[2].duration = 1));
+ }) : !0;
+ });
+ }), "stop" === y && (f.each(F, function (e, t) {
+ p(t, !0);
+ }), k.promise && k.resolver(g)), e();default:
+ if (!f.isPlainObject(y) || m.isEmptyObject(y)) {
+ if (m.isString(y) && b.Redirects[y]) {
+ var j = f.extend({}, v),
+ E = j.duration,
+ H = j.delay || 0;return j.backwards === !0 && (g = f.extend(!0, [], g).reverse()), f.each(g, function (e, t) {
+ parseFloat(j.stagger) ? j.delay = H + parseFloat(j.stagger) * e : m.isFunction(j.stagger) && (j.delay = H + j.stagger.call(t, e, w)), j.drag && (j.duration = parseFloat(E) || (/^(callout|transition)/.test(y) ? 1e3 : h), j.duration = Math.max(j.duration * (j.backwards ? 1 - e / w : (e + 1) / w), .75 * j.duration, 200)), b.Redirects[y].call(t, t, j || {}, e, w, g, k.promise ? k : a);
+ }), e();
+ }var N = "Velocity: First argument (" + y + ") was not a property map, a known action, or a registered redirect. Aborting.";return k.promise ? k.rejecter(new Error(N)) : console.log(N), e();
+ }A = "start";}var L = { lastParent: null, lastPosition: null, lastFontSize: null, lastPercentToPxWidth: null, lastPercentToPxHeight: null, lastEmToPx: null, remToPx: null, vwToPx: null, vhToPx: null },
+ R = [];f.each(g, function (e, t) {
+ m.isNode(t) && n.call(t);
+ });var z,
+ j = f.extend({}, b.defaults, v);if (j.loop = parseInt(j.loop), z = 2 * j.loop - 1, j.loop) for (var O = 0; z > O; O++) {
+ var q = { delay: j.delay, progress: j.progress };O === z - 1 && (q.display = j.display, q.visibility = j.visibility, q.complete = j.complete), P(g, "reverse", q);
+ }return e();
+ }
+ };b = f.extend(P, b), b.animate = P;var w = t.requestAnimationFrame || g;return b.State.isMobile || r.hidden === a || r.addEventListener("visibilitychange", function () {
+ r.hidden ? (w = function (e) {
+ return setTimeout(function () {
+ e(!0);
+ }, 16);
+ }, c()) : w = t.requestAnimationFrame || g;
+ }), e.Velocity = b, e !== t && (e.fn.velocity = P, e.fn.velocity.defaults = b.defaults), f.each(["Down", "Up"], function (e, t) {
+ b.Redirects["slide" + t] = function (e, r, n, o, i, s) {
+ var l = f.extend({}, r),
+ u = l.begin,
+ c = l.complete,
+ p = { height: "", marginTop: "", marginBottom: "", paddingTop: "", paddingBottom: "" },
+ d = {};l.display === a && (l.display = "Down" === t ? "inline" === b.CSS.Values.getDisplayType(e) ? "inline-block" : "block" : "none"), l.begin = function () {
+ u && u.call(i, i);for (var r in p) {
+ d[r] = e.style[r];var a = b.CSS.getPropertyValue(e, r);p[r] = "Down" === t ? [a, 0] : [0, a];
+ }d.overflow = e.style.overflow, e.style.overflow = "hidden";
+ }, l.complete = function () {
+ for (var t in d) {
+ e.style[t] = d[t];
+ }c && c.call(i, i), s && s.resolver(i);
+ }, b(e, p, l);
+ };
+ }), f.each(["In", "Out"], function (e, t) {
+ b.Redirects["fade" + t] = function (e, r, n, o, i, s) {
+ var l = f.extend({}, r),
+ u = { opacity: "In" === t ? 1 : 0 },
+ c = l.complete;l.complete = n !== o - 1 ? l.begin = null : function () {
+ c && c.call(i, i), s && s.resolver(i);
+ }, l.display === a && (l.display = "In" === t ? "auto" : "none"), b(this, u, l);
+ };
+ }), b;
+ }(window.jQuery || window.Zepto || window, window, document);
+}));
+;!function (a, b, c, d) {
+ "use strict";
+ function k(a, b, c) {
+ return setTimeout(q(a, c), b);
+ }function l(a, b, c) {
+ return Array.isArray(a) ? (m(a, c[b], c), !0) : !1;
+ }function m(a, b, c) {
+ var e;if (a) if (a.forEach) a.forEach(b, c);else if (a.length !== d) for (e = 0; e < a.length;) {
+ b.call(c, a[e], e, a), e++;
+ } else for (e in a) {
+ a.hasOwnProperty(e) && b.call(c, a[e], e, a);
+ }
+ }function n(a, b, c) {
+ for (var e = Object.keys(b), f = 0; f < e.length;) {
+ (!c || c && a[e[f]] === d) && (a[e[f]] = b[e[f]]), f++;
+ }return a;
+ }function o(a, b) {
+ return n(a, b, !0);
+ }function p(a, b, c) {
+ var e,
+ d = b.prototype;e = a.prototype = Object.create(d), e.constructor = a, e._super = d, c && n(e, c);
+ }function q(a, b) {
+ return function () {
+ return a.apply(b, arguments);
+ };
+ }function r(a, b) {
+ return typeof a == g ? a.apply(b ? b[0] || d : d, b) : a;
+ }function s(a, b) {
+ return a === d ? b : a;
+ }function t(a, b, c) {
+ m(x(b), function (b) {
+ a.addEventListener(b, c, !1);
+ });
+ }function u(a, b, c) {
+ m(x(b), function (b) {
+ a.removeEventListener(b, c, !1);
+ });
+ }function v(a, b) {
+ for (; a;) {
+ if (a == b) return !0;a = a.parentNode;
+ }return !1;
+ }function w(a, b) {
+ return a.indexOf(b) > -1;
+ }function x(a) {
+ return a.trim().split(/\s+/g);
+ }function y(a, b, c) {
+ if (a.indexOf && !c) return a.indexOf(b);for (var d = 0; d < a.length;) {
+ if (c && a[d][c] == b || !c && a[d] === b) return d;d++;
+ }return -1;
+ }function z(a) {
+ return Array.prototype.slice.call(a, 0);
+ }function A(a, b, c) {
+ for (var d = [], e = [], f = 0; f < a.length;) {
+ var g = b ? a[f][b] : a[f];y(e, g) < 0 && d.push(a[f]), e[f] = g, f++;
+ }return c && (d = b ? d.sort(function (a, c) {
+ return a[b] > c[b];
+ }) : d.sort()), d;
+ }function B(a, b) {
+ for (var c, f, g = b[0].toUpperCase() + b.slice(1), h = 0; h < e.length;) {
+ if (c = e[h], f = c ? c + g : b, f in a) return f;h++;
+ }return d;
+ }function D() {
+ return C++;
+ }function E(a) {
+ var b = a.ownerDocument;return b.defaultView || b.parentWindow;
+ }function ab(a, b) {
+ var c = this;this.manager = a, this.callback = b, this.element = a.element, this.target = a.options.inputTarget, this.domHandler = function (b) {
+ r(a.options.enable, [a]) && c.handler(b);
+ }, this.init();
+ }function bb(a) {
+ var b,
+ c = a.options.inputClass;return b = c ? c : H ? wb : I ? Eb : G ? Gb : rb, new b(a, cb);
+ }function cb(a, b, c) {
+ var d = c.pointers.length,
+ e = c.changedPointers.length,
+ f = b & O && 0 === d - e,
+ g = b & (Q | R) && 0 === d - e;c.isFirst = !!f, c.isFinal = !!g, f && (a.session = {}), c.eventType = b, db(a, c), a.emit("hammer.input", c), a.recognize(c), a.session.prevInput = c;
+ }function db(a, b) {
+ var c = a.session,
+ d = b.pointers,
+ e = d.length;c.firstInput || (c.firstInput = gb(b)), e > 1 && !c.firstMultiple ? c.firstMultiple = gb(b) : 1 === e && (c.firstMultiple = !1);var f = c.firstInput,
+ g = c.firstMultiple,
+ h = g ? g.center : f.center,
+ i = b.center = hb(d);b.timeStamp = j(), b.deltaTime = b.timeStamp - f.timeStamp, b.angle = lb(h, i), b.distance = kb(h, i), eb(c, b), b.offsetDirection = jb(b.deltaX, b.deltaY), b.scale = g ? nb(g.pointers, d) : 1, b.rotation = g ? mb(g.pointers, d) : 0, fb(c, b);var k = a.element;v(b.srcEvent.target, k) && (k = b.srcEvent.target), b.target = k;
+ }function eb(a, b) {
+ var c = b.center,
+ d = a.offsetDelta || {},
+ e = a.prevDelta || {},
+ f = a.prevInput || {};(b.eventType === O || f.eventType === Q) && (e = a.prevDelta = { x: f.deltaX || 0, y: f.deltaY || 0 }, d = a.offsetDelta = { x: c.x, y: c.y }), b.deltaX = e.x + (c.x - d.x), b.deltaY = e.y + (c.y - d.y);
+ }function fb(a, b) {
+ var f,
+ g,
+ h,
+ j,
+ c = a.lastInterval || b,
+ e = b.timeStamp - c.timeStamp;if (b.eventType != R && (e > N || c.velocity === d)) {
+ var k = c.deltaX - b.deltaX,
+ l = c.deltaY - b.deltaY,
+ m = ib(e, k, l);g = m.x, h = m.y, f = i(m.x) > i(m.y) ? m.x : m.y, j = jb(k, l), a.lastInterval = b;
+ } else f = c.velocity, g = c.velocityX, h = c.velocityY, j = c.direction;b.velocity = f, b.velocityX = g, b.velocityY = h, b.direction = j;
+ }function gb(a) {
+ for (var b = [], c = 0; c < a.pointers.length;) {
+ b[c] = { clientX: h(a.pointers[c].clientX), clientY: h(a.pointers[c].clientY) }, c++;
+ }return { timeStamp: j(), pointers: b, center: hb(b), deltaX: a.deltaX, deltaY: a.deltaY };
+ }function hb(a) {
+ var b = a.length;if (1 === b) return { x: h(a[0].clientX), y: h(a[0].clientY) };for (var c = 0, d = 0, e = 0; b > e;) {
+ c += a[e].clientX, d += a[e].clientY, e++;
+ }return { x: h(c / b), y: h(d / b) };
+ }function ib(a, b, c) {
+ return { x: b / a || 0, y: c / a || 0 };
+ }function jb(a, b) {
+ return a === b ? S : i(a) >= i(b) ? a > 0 ? T : U : b > 0 ? V : W;
+ }function kb(a, b, c) {
+ c || (c = $);var d = b[c[0]] - a[c[0]],
+ e = b[c[1]] - a[c[1]];return Math.sqrt(d * d + e * e);
+ }function lb(a, b, c) {
+ c || (c = $);var d = b[c[0]] - a[c[0]],
+ e = b[c[1]] - a[c[1]];return 180 * Math.atan2(e, d) / Math.PI;
+ }function mb(a, b) {
+ return lb(b[1], b[0], _) - lb(a[1], a[0], _);
+ }function nb(a, b) {
+ return kb(b[0], b[1], _) / kb(a[0], a[1], _);
+ }function rb() {
+ this.evEl = pb, this.evWin = qb, this.allow = !0, this.pressed = !1, ab.apply(this, arguments);
+ }function wb() {
+ this.evEl = ub, this.evWin = vb, ab.apply(this, arguments), this.store = this.manager.session.pointerEvents = [];
+ }function Ab() {
+ this.evTarget = yb, this.evWin = zb, this.started = !1, ab.apply(this, arguments);
+ }function Bb(a, b) {
+ var c = z(a.touches),
+ d = z(a.changedTouches);return b & (Q | R) && (c = A(c.concat(d), "identifier", !0)), [c, d];
+ }function Eb() {
+ this.evTarget = Db, this.targetIds = {}, ab.apply(this, arguments);
+ }function Fb(a, b) {
+ var c = z(a.touches),
+ d = this.targetIds;if (b & (O | P) && 1 === c.length) return d[c[0].identifier] = !0, [c, c];var e,
+ f,
+ g = z(a.changedTouches),
+ h = [],
+ i = this.target;if (f = c.filter(function (a) {
+ return v(a.target, i);
+ }), b === O) for (e = 0; e < f.length;) {
+ d[f[e].identifier] = !0, e++;
+ }for (e = 0; e < g.length;) {
+ d[g[e].identifier] && h.push(g[e]), b & (Q | R) && delete d[g[e].identifier], e++;
+ }return h.length ? [A(f.concat(h), "identifier", !0), h] : void 0;
+ }function Gb() {
+ ab.apply(this, arguments);var a = q(this.handler, this);this.touch = new Eb(this.manager, a), this.mouse = new rb(this.manager, a);
+ }function Pb(a, b) {
+ this.manager = a, this.set(b);
+ }function Qb(a) {
+ if (w(a, Mb)) return Mb;var b = w(a, Nb),
+ c = w(a, Ob);return b && c ? Nb + " " + Ob : b || c ? b ? Nb : Ob : w(a, Lb) ? Lb : Kb;
+ }function Yb(a) {
+ this.id = D(), this.manager = null, this.options = o(a || {}, this.defaults), this.options.enable = s(this.options.enable, !0), this.state = Rb, this.simultaneous = {}, this.requireFail = [];
+ }function Zb(a) {
+ return a & Wb ? "cancel" : a & Ub ? "end" : a & Tb ? "move" : a & Sb ? "start" : "";
+ }function $b(a) {
+ return a == W ? "down" : a == V ? "up" : a == T ? "left" : a == U ? "right" : "";
+ }function _b(a, b) {
+ var c = b.manager;return c ? c.get(a) : a;
+ }function ac() {
+ Yb.apply(this, arguments);
+ }function bc() {
+ ac.apply(this, arguments), this.pX = null, this.pY = null;
+ }function cc() {
+ ac.apply(this, arguments);
+ }function dc() {
+ Yb.apply(this, arguments), this._timer = null, this._input = null;
+ }function ec() {
+ ac.apply(this, arguments);
+ }function fc() {
+ ac.apply(this, arguments);
+ }function gc() {
+ Yb.apply(this, arguments), this.pTime = !1, this.pCenter = !1, this._timer = null, this._input = null, this.count = 0;
+ }function hc(a, b) {
+ return b = b || {}, b.recognizers = s(b.recognizers, hc.defaults.preset), new kc(a, b);
+ }function kc(a, b) {
+ b = b || {}, this.options = o(b, hc.defaults), this.options.inputTarget = this.options.inputTarget || a, this.handlers = {}, this.session = {}, this.recognizers = [], this.element = a, this.input = bb(this), this.touchAction = new Pb(this, this.options.touchAction), lc(this, !0), m(b.recognizers, function (a) {
+ var b = this.add(new a[0](a[1]));a[2] && b.recognizeWith(a[2]), a[3] && b.requireFailure(a[3]);
+ }, this);
+ }function lc(a, b) {
+ var c = a.element;m(a.options.cssProps, function (a, d) {
+ c.style[B(c.style, d)] = b ? a : "";
+ });
+ }function mc(a, c) {
+ var d = b.createEvent("Event");d.initEvent(a, !0, !0), d.gesture = c, c.target.dispatchEvent(d);
+ }var e = ["", "webkit", "moz", "MS", "ms", "o"],
+ f = b.createElement("div"),
+ g = "function",
+ h = Math.round,
+ i = Math.abs,
+ j = Date.now,
+ C = 1,
+ F = /mobile|tablet|ip(ad|hone|od)|android/i,
+ G = "ontouchstart" in a,
+ H = B(a, "PointerEvent") !== d,
+ I = G && F.test(navigator.userAgent),
+ J = "touch",
+ K = "pen",
+ L = "mouse",
+ M = "kinect",
+ N = 25,
+ O = 1,
+ P = 2,
+ Q = 4,
+ R = 8,
+ S = 1,
+ T = 2,
+ U = 4,
+ V = 8,
+ W = 16,
+ X = T | U,
+ Y = V | W,
+ Z = X | Y,
+ $ = ["x", "y"],
+ _ = ["clientX", "clientY"];ab.prototype = { handler: function () {}, init: function () {
+ this.evEl && t(this.element, this.evEl, this.domHandler), this.evTarget && t(this.target, this.evTarget, this.domHandler), this.evWin && t(E(this.element), this.evWin, this.domHandler);
+ }, destroy: function () {
+ this.evEl && u(this.element, this.evEl, this.domHandler), this.evTarget && u(this.target, this.evTarget, this.domHandler), this.evWin && u(E(this.element), this.evWin, this.domHandler);
+ } };var ob = { mousedown: O, mousemove: P, mouseup: Q },
+ pb = "mousedown",
+ qb = "mousemove mouseup";p(rb, ab, { handler: function (a) {
+ var b = ob[a.type];b & O && 0 === a.button && (this.pressed = !0), b & P && 1 !== a.which && (b = Q), this.pressed && this.allow && (b & Q && (this.pressed = !1), this.callback(this.manager, b, { pointers: [a], changedPointers: [a], pointerType: L, srcEvent: a }));
+ } });var sb = { pointerdown: O, pointermove: P, pointerup: Q, pointercancel: R, pointerout: R },
+ tb = { 2: J, 3: K, 4: L, 5: M },
+ ub = "pointerdown",
+ vb = "pointermove pointerup pointercancel";a.MSPointerEvent && (ub = "MSPointerDown", vb = "MSPointerMove MSPointerUp MSPointerCancel"), p(wb, ab, { handler: function (a) {
+ var b = this.store,
+ c = !1,
+ d = a.type.toLowerCase().replace("ms", ""),
+ e = sb[d],
+ f = tb[a.pointerType] || a.pointerType,
+ g = f == J,
+ h = y(b, a.pointerId, "pointerId");e & O && (0 === a.button || g) ? 0 > h && (b.push(a), h = b.length - 1) : e & (Q | R) && (c = !0), 0 > h || (b[h] = a, this.callback(this.manager, e, { pointers: b, changedPointers: [a], pointerType: f, srcEvent: a }), c && b.splice(h, 1));
+ } });var xb = { touchstart: O, touchmove: P, touchend: Q, touchcancel: R },
+ yb = "touchstart",
+ zb = "touchstart touchmove touchend touchcancel";p(Ab, ab, { handler: function (a) {
+ var b = xb[a.type];if (b === O && (this.started = !0), this.started) {
+ var c = Bb.call(this, a, b);b & (Q | R) && 0 === c[0].length - c[1].length && (this.started = !1), this.callback(this.manager, b, { pointers: c[0], changedPointers: c[1], pointerType: J, srcEvent: a });
+ }
+ } });var Cb = { touchstart: O, touchmove: P, touchend: Q, touchcancel: R },
+ Db = "touchstart touchmove touchend touchcancel";p(Eb, ab, { handler: function (a) {
+ var b = Cb[a.type],
+ c = Fb.call(this, a, b);c && this.callback(this.manager, b, { pointers: c[0], changedPointers: c[1], pointerType: J, srcEvent: a });
+ } }), p(Gb, ab, { handler: function (a, b, c) {
+ var d = c.pointerType == J,
+ e = c.pointerType == L;if (d) this.mouse.allow = !1;else if (e && !this.mouse.allow) return;b & (Q | R) && (this.mouse.allow = !0), this.callback(a, b, c);
+ }, destroy: function () {
+ this.touch.destroy(), this.mouse.destroy();
+ } });var Hb = B(f.style, "touchAction"),
+ Ib = Hb !== d,
+ Jb = "compute",
+ Kb = "auto",
+ Lb = "manipulation",
+ Mb = "none",
+ Nb = "pan-x",
+ Ob = "pan-y";Pb.prototype = { set: function (a) {
+ a == Jb && (a = this.compute()), Ib && (this.manager.element.style[Hb] = a), this.actions = a.toLowerCase().trim();
+ }, update: function () {
+ this.set(this.manager.options.touchAction);
+ }, compute: function () {
+ var a = [];return m(this.manager.recognizers, function (b) {
+ r(b.options.enable, [b]) && (a = a.concat(b.getTouchAction()));
+ }), Qb(a.join(" "));
+ }, preventDefaults: function (a) {
+ if (!Ib) {
+ var b = a.srcEvent,
+ c = a.offsetDirection;if (this.manager.session.prevented) return b.preventDefault(), void 0;var d = this.actions,
+ e = w(d, Mb),
+ f = w(d, Ob),
+ g = w(d, Nb);return e || f && c & X || g && c & Y ? this.preventSrc(b) : void 0;
+ }
+ }, preventSrc: function (a) {
+ this.manager.session.prevented = !0, a.preventDefault();
+ } };var Rb = 1,
+ Sb = 2,
+ Tb = 4,
+ Ub = 8,
+ Vb = Ub,
+ Wb = 16,
+ Xb = 32;Yb.prototype = { defaults: {}, set: function (a) {
+ return n(this.options, a), this.manager && this.manager.touchAction.update(), this;
+ }, recognizeWith: function (a) {
+ if (l(a, "recognizeWith", this)) return this;var b = this.simultaneous;return a = _b(a, this), b[a.id] || (b[a.id] = a, a.recognizeWith(this)), this;
+ }, dropRecognizeWith: function (a) {
+ return l(a, "dropRecognizeWith", this) ? this : (a = _b(a, this), delete this.simultaneous[a.id], this);
+ }, requireFailure: function (a) {
+ if (l(a, "requireFailure", this)) return this;var b = this.requireFail;return a = _b(a, this), -1 === y(b, a) && (b.push(a), a.requireFailure(this)), this;
+ }, dropRequireFailure: function (a) {
+ if (l(a, "dropRequireFailure", this)) return this;a = _b(a, this);var b = y(this.requireFail, a);return b > -1 && this.requireFail.splice(b, 1), this;
+ }, hasRequireFailures: function () {
+ return this.requireFail.length > 0;
+ }, canRecognizeWith: function (a) {
+ return !!this.simultaneous[a.id];
+ }, emit: function (a) {
+ function d(d) {
+ b.manager.emit(b.options.event + (d ? Zb(c) : ""), a);
+ }var b = this,
+ c = this.state;Ub > c && d(!0), d(), c >= Ub && d(!0);
+ }, tryEmit: function (a) {
+ return this.canEmit() ? this.emit(a) : (this.state = Xb, void 0);
+ }, canEmit: function () {
+ for (var a = 0; a < this.requireFail.length;) {
+ if (!(this.requireFail[a].state & (Xb | Rb))) return !1;a++;
+ }return !0;
+ }, recognize: function (a) {
+ var b = n({}, a);return r(this.options.enable, [this, b]) ? (this.state & (Vb | Wb | Xb) && (this.state = Rb), this.state = this.process(b), this.state & (Sb | Tb | Ub | Wb) && this.tryEmit(b), void 0) : (this.reset(), this.state = Xb, void 0);
+ }, process: function () {}, getTouchAction: function () {}, reset: function () {} }, p(ac, Yb, { defaults: { pointers: 1 }, attrTest: function (a) {
+ var b = this.options.pointers;return 0 === b || a.pointers.length === b;
+ }, process: function (a) {
+ var b = this.state,
+ c = a.eventType,
+ d = b & (Sb | Tb),
+ e = this.attrTest(a);return d && (c & R || !e) ? b | Wb : d || e ? c & Q ? b | Ub : b & Sb ? b | Tb : Sb : Xb;
+ } }), p(bc, ac, { defaults: { event: "pan", threshold: 10, pointers: 1, direction: Z }, getTouchAction: function () {
+ var a = this.options.direction,
+ b = [];return a & X && b.push(Ob), a & Y && b.push(Nb), b;
+ }, directionTest: function (a) {
+ var b = this.options,
+ c = !0,
+ d = a.distance,
+ e = a.direction,
+ f = a.deltaX,
+ g = a.deltaY;return e & b.direction || (b.direction & X ? (e = 0 === f ? S : 0 > f ? T : U, c = f != this.pX, d = Math.abs(a.deltaX)) : (e = 0 === g ? S : 0 > g ? V : W, c = g != this.pY, d = Math.abs(a.deltaY))), a.direction = e, c && d > b.threshold && e & b.direction;
+ }, attrTest: function (a) {
+ return ac.prototype.attrTest.call(this, a) && (this.state & Sb || !(this.state & Sb) && this.directionTest(a));
+ }, emit: function (a) {
+ this.pX = a.deltaX, this.pY = a.deltaY;var b = $b(a.direction);b && this.manager.emit(this.options.event + b, a), this._super.emit.call(this, a);
+ } }), p(cc, ac, { defaults: { event: "pinch", threshold: 0, pointers: 2 }, getTouchAction: function () {
+ return [Mb];
+ }, attrTest: function (a) {
+ return this._super.attrTest.call(this, a) && (Math.abs(a.scale - 1) > this.options.threshold || this.state & Sb);
+ }, emit: function (a) {
+ if (this._super.emit.call(this, a), 1 !== a.scale) {
+ var b = a.scale < 1 ? "in" : "out";this.manager.emit(this.options.event + b, a);
+ }
+ } }), p(dc, Yb, { defaults: { event: "press", pointers: 1, time: 500, threshold: 5 }, getTouchAction: function () {
+ return [Kb];
+ }, process: function (a) {
+ var b = this.options,
+ c = a.pointers.length === b.pointers,
+ d = a.distance < b.threshold,
+ e = a.deltaTime > b.time;if (this._input = a, !d || !c || a.eventType & (Q | R) && !e) this.reset();else if (a.eventType & O) this.reset(), this._timer = k(function () {
+ this.state = Vb, this.tryEmit();
+ }, b.time, this);else if (a.eventType & Q) return Vb;return Xb;
+ }, reset: function () {
+ clearTimeout(this._timer);
+ }, emit: function (a) {
+ this.state === Vb && (a && a.eventType & Q ? this.manager.emit(this.options.event + "up", a) : (this._input.timeStamp = j(), this.manager.emit(this.options.event, this._input)));
+ } }), p(ec, ac, { defaults: { event: "rotate", threshold: 0, pointers: 2 }, getTouchAction: function () {
+ return [Mb];
+ }, attrTest: function (a) {
+ return this._super.attrTest.call(this, a) && (Math.abs(a.rotation) > this.options.threshold || this.state & Sb);
+ } }), p(fc, ac, { defaults: { event: "swipe", threshold: 10, velocity: .65, direction: X | Y, pointers: 1 }, getTouchAction: function () {
+ return bc.prototype.getTouchAction.call(this);
+ }, attrTest: function (a) {
+ var c,
+ b = this.options.direction;return b & (X | Y) ? c = a.velocity : b & X ? c = a.velocityX : b & Y && (c = a.velocityY), this._super.attrTest.call(this, a) && b & a.direction && a.distance > this.options.threshold && i(c) > this.options.velocity && a.eventType & Q;
+ }, emit: function (a) {
+ var b = $b(a.direction);b && this.manager.emit(this.options.event + b, a), this.manager.emit(this.options.event, a);
+ } }), p(gc, Yb, { defaults: { event: "tap", pointers: 1, taps: 1, interval: 300, time: 250, threshold: 2, posThreshold: 10 }, getTouchAction: function () {
+ return [Lb];
+ }, process: function (a) {
+ var b = this.options,
+ c = a.pointers.length === b.pointers,
+ d = a.distance < b.threshold,
+ e = a.deltaTime < b.time;if (this.reset(), a.eventType & O && 0 === this.count) return this.failTimeout();if (d && e && c) {
+ if (a.eventType != Q) return this.failTimeout();var f = this.pTime ? a.timeStamp - this.pTime < b.interval : !0,
+ g = !this.pCenter || kb(this.pCenter, a.center) < b.posThreshold;this.pTime = a.timeStamp, this.pCenter = a.center, g && f ? this.count += 1 : this.count = 1, this._input = a;var h = this.count % b.taps;if (0 === h) return this.hasRequireFailures() ? (this._timer = k(function () {
+ this.state = Vb, this.tryEmit();
+ }, b.interval, this), Sb) : Vb;
+ }return Xb;
+ }, failTimeout: function () {
+ return this._timer = k(function () {
+ this.state = Xb;
+ }, this.options.interval, this), Xb;
+ }, reset: function () {
+ clearTimeout(this._timer);
+ }, emit: function () {
+ this.state == Vb && (this._input.tapCount = this.count, this.manager.emit(this.options.event, this._input));
+ } }), hc.VERSION = "2.0.4", hc.defaults = { domEvents: !1, touchAction: Jb, enable: !0, inputTarget: null, inputClass: null, preset: [[ec, { enable: !1 }], [cc, { enable: !1 }, ["rotate"]], [fc, { direction: X }], [bc, { direction: X }, ["swipe"]], [gc], [gc, { event: "doubletap", taps: 2 }, ["tap"]], [dc]], cssProps: { userSelect: "default", touchSelect: "none", touchCallout: "none", contentZooming: "none", userDrag: "none", tapHighlightColor: "rgba(0,0,0,0)" } };var ic = 1,
+ jc = 2;kc.prototype = { set: function (a) {
+ return n(this.options, a), a.touchAction && this.touchAction.update(), a.inputTarget && (this.input.destroy(), this.input.target = a.inputTarget, this.input.init()), this;
+ }, stop: function (a) {
+ this.session.stopped = a ? jc : ic;
+ }, recognize: function (a) {
+ var b = this.session;if (!b.stopped) {
+ this.touchAction.preventDefaults(a);var c,
+ d = this.recognizers,
+ e = b.curRecognizer;(!e || e && e.state & Vb) && (e = b.curRecognizer = null);for (var f = 0; f < d.length;) {
+ c = d[f], b.stopped === jc || e && c != e && !c.canRecognizeWith(e) ? c.reset() : c.recognize(a), !e && c.state & (Sb | Tb | Ub) && (e = b.curRecognizer = c), f++;
+ }
+ }
+ }, get: function (a) {
+ if (a instanceof Yb) return a;for (var b = this.recognizers, c = 0; c < b.length; c++) {
+ if (b[c].options.event == a) return b[c];
+ }return null;
+ }, add: function (a) {
+ if (l(a, "add", this)) return this;var b = this.get(a.options.event);return b && this.remove(b), this.recognizers.push(a), a.manager = this, this.touchAction.update(), a;
+ }, remove: function (a) {
+ if (l(a, "remove", this)) return this;var b = this.recognizers;return a = this.get(a), b.splice(y(b, a), 1), this.touchAction.update(), this;
+ }, on: function (a, b) {
+ var c = this.handlers;return m(x(a), function (a) {
+ c[a] = c[a] || [], c[a].push(b);
+ }), this;
+ }, off: function (a, b) {
+ var c = this.handlers;return m(x(a), function (a) {
+ b ? c[a].splice(y(c[a], b), 1) : delete c[a];
+ }), this;
+ }, emit: function (a, b) {
+ this.options.domEvents && mc(a, b);var c = this.handlers[a] && this.handlers[a].slice();if (c && c.length) {
+ b.type = a, b.preventDefault = function () {
+ b.srcEvent.preventDefault();
+ };for (var d = 0; d < c.length;) {
+ c[d](b), d++;
+ }
+ }
+ }, destroy: function () {
+ this.element && lc(this, !1), this.handlers = {}, this.session = {}, this.input.destroy(), this.element = null;
+ } }, n(hc, { INPUT_START: O, INPUT_MOVE: P, INPUT_END: Q, INPUT_CANCEL: R, STATE_POSSIBLE: Rb, STATE_BEGAN: Sb, STATE_CHANGED: Tb, STATE_ENDED: Ub, STATE_RECOGNIZED: Vb, STATE_CANCELLED: Wb, STATE_FAILED: Xb, DIRECTION_NONE: S, DIRECTION_LEFT: T, DIRECTION_RIGHT: U, DIRECTION_UP: V, DIRECTION_DOWN: W, DIRECTION_HORIZONTAL: X, DIRECTION_VERTICAL: Y, DIRECTION_ALL: Z, Manager: kc, Input: ab, TouchAction: Pb, TouchInput: Eb, MouseInput: rb, PointerEventInput: wb, TouchMouseInput: Gb, SingleTouchInput: Ab, Recognizer: Yb, AttrRecognizer: ac, Tap: gc, Pan: bc, Swipe: fc, Pinch: cc, Rotate: ec, Press: dc, on: t, off: u, each: m, merge: o, extend: n, inherit: p, bindFn: q, prefixed: B }), typeof define == g && define.amd ? define(function () {
+ return hc;
+ }) : "undefined" != typeof module && module.exports ? module.exports = hc : a[c] = hc;
+}(window, document, "Hammer");;(function (factory) {
+ if (typeof define === 'function' && define.amd) {
+ define(['jquery', 'hammerjs'], factory);
+ } else if (typeof exports === 'object') {
+ factory(require('jquery'), require('hammerjs'));
+ } else {
+ factory(jQuery, Hammer);
+ }
+})(function ($, Hammer) {
+ function hammerify(el, options) {
+ var $el = $(el);
+ if (!$el.data("hammer")) {
+ $el.data("hammer", new Hammer($el[0], options));
+ }
+ }
+
+ $.fn.hammer = function (options) {
+ return this.each(function () {
+ hammerify(this, options);
+ });
+ };
+
+ // extend the emit method to also trigger jQuery events
+ Hammer.Manager.prototype.emit = function (originalEmit) {
+ return function (type, data) {
+ originalEmit.call(this, type, data);
+ $(this.element).trigger({
+ type: type,
+ gesture: data
+ });
+ };
+ }(Hammer.Manager.prototype.emit);
+});
+; // Required for Meteor package, the use of window prevents export by Meteor
+(function (window) {
+ if (window.Package) {
+ Materialize = {};
+ } else {
+ window.Materialize = {};
+ }
+})(window);
+
+if (typeof exports !== 'undefined' && !exports.nodeType) {
+ if (typeof module !== 'undefined' && !module.nodeType && module.exports) {
+ exports = module.exports = Materialize;
+ }
+ exports.default = Materialize;
+}
+
+/*
+ * raf.js
+ * https://github.com/ngryman/raf.js
+ *
+ * original requestAnimationFrame polyfill by Erik Möller
+ * inspired from paul_irish gist and post
+ *
+ * Copyright (c) 2013 ngryman
+ * Licensed under the MIT license.
+ */
+(function (window) {
+ var lastTime = 0,
+ vendors = ['webkit', 'moz'],
+ requestAnimationFrame = window.requestAnimationFrame,
+ cancelAnimationFrame = window.cancelAnimationFrame,
+ i = vendors.length;
+
+ // try to un-prefix existing raf
+ while (--i >= 0 && !requestAnimationFrame) {
+ requestAnimationFrame = window[vendors[i] + 'RequestAnimationFrame'];
+ cancelAnimationFrame = window[vendors[i] + 'CancelRequestAnimationFrame'];
+ }
+
+ // polyfill with setTimeout fallback
+ // heavily inspired from @darius gist mod: https://gist.github.com/paulirish/1579671#comment-837945
+ if (!requestAnimationFrame || !cancelAnimationFrame) {
+ requestAnimationFrame = function (callback) {
+ var now = +Date.now(),
+ nextTime = Math.max(lastTime + 16, now);
+ return setTimeout(function () {
+ callback(lastTime = nextTime);
+ }, nextTime - now);
+ };
+
+ cancelAnimationFrame = clearTimeout;
+ }
+
+ // export to window
+ window.requestAnimationFrame = requestAnimationFrame;
+ window.cancelAnimationFrame = cancelAnimationFrame;
+})(window);
+
+/**
+ * Generate approximated selector string for a jQuery object
+ * @param {jQuery} obj jQuery object to be parsed
+ * @returns {string}
+ */
+Materialize.objectSelectorString = function (obj) {
+ var tagStr = obj.prop('tagName') || '';
+ var idStr = obj.attr('id') || '';
+ var classStr = obj.attr('class') || '';
+ return (tagStr + idStr + classStr).replace(/\s/g, '');
+};
+
+// Unique Random ID
+Materialize.guid = function () {
+ function s4() {
+ return Math.floor((1 + Math.random()) * 0x10000).toString(16).substring(1);
+ }
+ return function () {
+ return s4() + s4() + '-' + s4() + '-' + s4() + '-' + s4() + '-' + s4() + s4() + s4();
+ };
+}();
+
+/**
+ * Escapes hash from special characters
+ * @param {string} hash String returned from this.hash
+ * @returns {string}
+ */
+Materialize.escapeHash = function (hash) {
+ return hash.replace(/(:|\.|\[|\]|,|=)/g, "\\$1");
+};
+
+Materialize.elementOrParentIsFixed = function (element) {
+ var $element = $(element);
+ var $checkElements = $element.add($element.parents());
+ var isFixed = false;
+ $checkElements.each(function () {
+ if ($(this).css("position") === "fixed") {
+ isFixed = true;
+ return false;
+ }
+ });
+ return isFixed;
+};
+
+/**
+ * Get time in ms
+ * @license https://raw.github.com/jashkenas/underscore/master/LICENSE
+ * @type {function}
+ * @return {number}
+ */
+var getTime = Date.now || function () {
+ return new Date().getTime();
+};
+
+/**
+ * Returns a function, that, when invoked, will only be triggered at most once
+ * during a given window of time. Normally, the throttled function will run
+ * as much as it can, without ever going more than once per `wait` duration;
+ * but if you'd like to disable the execution on the leading edge, pass
+ * `{leading: false}`. To disable execution on the trailing edge, ditto.
+ * @license https://raw.github.com/jashkenas/underscore/master/LICENSE
+ * @param {function} func
+ * @param {number} wait
+ * @param {Object=} options
+ * @returns {Function}
+ */
+Materialize.throttle = function (func, wait, options) {
+ var context, args, result;
+ var timeout = null;
+ var previous = 0;
+ options || (options = {});
+ var later = function () {
+ previous = options.leading === false ? 0 : getTime();
+ timeout = null;
+ result = func.apply(context, args);
+ context = args = null;
+ };
+ return function () {
+ var now = getTime();
+ if (!previous && options.leading === false) previous = now;
+ var remaining = wait - (now - previous);
+ context = this;
+ args = arguments;
+ if (remaining <= 0) {
+ clearTimeout(timeout);
+ timeout = null;
+ previous = now;
+ result = func.apply(context, args);
+ context = args = null;
+ } else if (!timeout && options.trailing !== false) {
+ timeout = setTimeout(later, remaining);
+ }
+ return result;
+ };
+};
+
+// Velocity has conflicts when loaded with jQuery, this will check for it
+// First, check if in noConflict mode
+var Vel;
+if (jQuery) {
+ Vel = jQuery.Velocity;
+} else if ($) {
+ Vel = $.Velocity;
+} else {
+ Vel = Velocity;
+}
+
+if (Vel) {
+ Materialize.Vel = Vel;
+} else {
+ Materialize.Vel = Velocity;
+}
+;(function ($) {
+ $.fn.collapsible = function (options, methodParam) {
+ var defaults = {
+ accordion: undefined,
+ onOpen: undefined,
+ onClose: undefined
+ };
+
+ var methodName = options;
+ options = $.extend(defaults, options);
+
+ return this.each(function () {
+
+ var $this = $(this);
+
+ var $panel_headers = $(this).find('> li > .collapsible-header');
+
+ var collapsible_type = $this.data("collapsible");
+
+ /****************
+ Helper Functions
+ ****************/
+
+ // Accordion Open
+ function accordionOpen(object) {
+ $panel_headers = $this.find('> li > .collapsible-header');
+ if (object.hasClass('active')) {
+ object.parent().addClass('active');
+ } else {
+ object.parent().removeClass('active');
+ }
+ if (object.parent().hasClass('active')) {
+ object.siblings('.collapsible-body').stop(true, false).slideDown({ duration: 350, easing: "easeOutQuart", queue: false, complete: function () {
+ $(this).css('height', '');
+ } });
+ } else {
+ object.siblings('.collapsible-body').stop(true, false).slideUp({ duration: 350, easing: "easeOutQuart", queue: false, complete: function () {
+ $(this).css('height', '');
+ } });
+ }
+
+ $panel_headers.not(object).removeClass('active').parent().removeClass('active');
+
+ // Close previously open accordion elements.
+ $panel_headers.not(object).parent().children('.collapsible-body').stop(true, false).each(function () {
+ if ($(this).is(':visible')) {
+ $(this).slideUp({
+ duration: 350,
+ easing: "easeOutQuart",
+ queue: false,
+ complete: function () {
+ $(this).css('height', '');
+ execCallbacks($(this).siblings('.collapsible-header'));
+ }
+ });
+ }
+ });
+ }
+
+ // Expandable Open
+ function expandableOpen(object) {
+ if (object.hasClass('active')) {
+ object.parent().addClass('active');
+ } else {
+ object.parent().removeClass('active');
+ }
+ if (object.parent().hasClass('active')) {
+ object.siblings('.collapsible-body').stop(true, false).slideDown({ duration: 350, easing: "easeOutQuart", queue: false, complete: function () {
+ $(this).css('height', '');
+ } });
+ } else {
+ object.siblings('.collapsible-body').stop(true, false).slideUp({ duration: 350, easing: "easeOutQuart", queue: false, complete: function () {
+ $(this).css('height', '');
+ } });
+ }
+ }
+
+ // Open collapsible. object: .collapsible-header
+ function collapsibleOpen(object, noToggle) {
+ if (!noToggle) {
+ object.toggleClass('active');
+ }
+
+ if (options.accordion || collapsible_type === "accordion" || collapsible_type === undefined) {
+ // Handle Accordion
+ accordionOpen(object);
+ } else {
+ // Handle Expandables
+ expandableOpen(object);
+ }
+
+ execCallbacks(object);
+ }
+
+ // Handle callbacks
+ function execCallbacks(object) {
+ if (object.hasClass('active')) {
+ if (typeof options.onOpen === "function") {
+ options.onOpen.call(this, object.parent());
+ }
+ } else {
+ if (typeof options.onClose === "function") {
+ options.onClose.call(this, object.parent());
+ }
+ }
+ }
+
+ /**
+ * Check if object is children of panel header
+ * @param {Object} object Jquery object
+ * @return {Boolean} true if it is children
+ */
+ function isChildrenOfPanelHeader(object) {
+
+ var panelHeader = getPanelHeader(object);
+
+ return panelHeader.length > 0;
+ }
+
+ /**
+ * Get panel header from a children element
+ * @param {Object} object Jquery object
+ * @return {Object} panel header object
+ */
+ function getPanelHeader(object) {
+
+ return object.closest('li > .collapsible-header');
+ }
+
+ // Turn off any existing event handlers
+ function removeEventHandlers() {
+ $this.off('click.collapse', '> li > .collapsible-header');
+ }
+
+ /***** End Helper Functions *****/
+
+ // Methods
+ if (methodName === 'destroy') {
+ removeEventHandlers();
+ return;
+ } else if (methodParam >= 0 && methodParam < $panel_headers.length) {
+ var $curr_header = $panel_headers.eq(methodParam);
+ if ($curr_header.length && (methodName === 'open' || methodName === 'close' && $curr_header.hasClass('active'))) {
+ collapsibleOpen($curr_header);
+ }
+ return;
+ }
+
+ removeEventHandlers();
+
+ // Add click handler to only direct collapsible header children
+ $this.on('click.collapse', '> li > .collapsible-header', function (e) {
+ var element = $(e.target);
+
+ if (isChildrenOfPanelHeader(element)) {
+ element = getPanelHeader(element);
+ }
+
+ collapsibleOpen(element);
+ });
+
+ // Open first active
+ if (options.accordion || collapsible_type === "accordion" || collapsible_type === undefined) {
+ // Handle Accordion
+ collapsibleOpen($panel_headers.filter('.active').first(), true);
+ } else {
+ // Handle Expandables
+ $panel_headers.filter('.active').each(function () {
+ collapsibleOpen($(this), true);
+ });
+ }
+ });
+ };
+
+ $(document).ready(function () {
+ $('.collapsible').collapsible();
+ });
+})(jQuery);;(function ($) {
+
+ // Add posibility to scroll to selected option
+ // usefull for select for example
+ $.fn.scrollTo = function (elem) {
+ $(this).scrollTop($(this).scrollTop() - $(this).offset().top + $(elem).offset().top);
+ return this;
+ };
+
+ $.fn.dropdown = function (options) {
+ var defaults = {
+ inDuration: 300,
+ outDuration: 225,
+ constrainWidth: true, // Constrains width of dropdown to the activator
+ hover: false,
+ gutter: 0, // Spacing from edge
+ belowOrigin: false,
+ alignment: 'left',
+ stopPropagation: false
+ };
+
+ // Open dropdown.
+ if (options === "open") {
+ this.each(function () {
+ $(this).trigger('open');
+ });
+ return false;
+ }
+
+ // Close dropdown.
+ if (options === "close") {
+ this.each(function () {
+ $(this).trigger('close');
+ });
+ return false;
+ }
+
+ this.each(function () {
+ var origin = $(this);
+ var curr_options = $.extend({}, defaults, options);
+ var isFocused = false;
+
+ // Dropdown menu
+ var activates = $("#" + origin.attr('data-activates'));
+
+ function updateOptions() {
+ if (origin.data('induration') !== undefined) curr_options.inDuration = origin.data('induration');
+ if (origin.data('outduration') !== undefined) curr_options.outDuration = origin.data('outduration');
+ if (origin.data('constrainwidth') !== undefined) curr_options.constrainWidth = origin.data('constrainwidth');
+ if (origin.data('hover') !== undefined) curr_options.hover = origin.data('hover');
+ if (origin.data('gutter') !== undefined) curr_options.gutter = origin.data('gutter');
+ if (origin.data('beloworigin') !== undefined) curr_options.belowOrigin = origin.data('beloworigin');
+ if (origin.data('alignment') !== undefined) curr_options.alignment = origin.data('alignment');
+ if (origin.data('stoppropagation') !== undefined) curr_options.stopPropagation = origin.data('stoppropagation');
+ }
+
+ updateOptions();
+
+ // Attach dropdown to its activator
+ origin.after(activates);
+
+ /*
+ Helper function to position and resize dropdown.
+ Used in hover and click handler.
+ */
+ function placeDropdown(eventType) {
+ // Check for simultaneous focus and click events.
+ if (eventType === 'focus') {
+ isFocused = true;
+ }
+
+ // Check html data attributes
+ updateOptions();
+
+ // Set Dropdown state
+ activates.addClass('active');
+ origin.addClass('active');
+
+ var originWidth = origin[0].getBoundingClientRect().width;
+
+ // Constrain width
+ if (curr_options.constrainWidth === true) {
+ activates.css('width', originWidth);
+ } else {
+ activates.css('white-space', 'nowrap');
+ }
+
+ // Offscreen detection
+ var windowHeight = window.innerHeight;
+ var originHeight = origin.innerHeight();
+ var offsetLeft = origin.offset().left;
+ var offsetTop = origin.offset().top - $(window).scrollTop();
+ var currAlignment = curr_options.alignment;
+ var gutterSpacing = 0;
+ var leftPosition = 0;
+
+ // Below Origin
+ var verticalOffset = 0;
+ if (curr_options.belowOrigin === true) {
+ verticalOffset = originHeight;
+ }
+
+ // Check for scrolling positioned container.
+ var scrollYOffset = 0;
+ var scrollXOffset = 0;
+ var wrapper = origin.parent();
+ if (!wrapper.is('body')) {
+ if (wrapper[0].scrollHeight > wrapper[0].clientHeight) {
+ scrollYOffset = wrapper[0].scrollTop;
+ }
+ if (wrapper[0].scrollWidth > wrapper[0].clientWidth) {
+ scrollXOffset = wrapper[0].scrollLeft;
+ }
+ }
+
+ if (offsetLeft + activates.innerWidth() > $(window).width()) {
+ // Dropdown goes past screen on right, force right alignment
+ currAlignment = 'right';
+ } else if (offsetLeft - activates.innerWidth() + origin.innerWidth() < 0) {
+ // Dropdown goes past screen on left, force left alignment
+ currAlignment = 'left';
+ }
+ // Vertical bottom offscreen detection
+ if (offsetTop + activates.innerHeight() > windowHeight) {
+ // If going upwards still goes offscreen, just crop height of dropdown.
+ if (offsetTop + originHeight - activates.innerHeight() < 0) {
+ var adjustedHeight = windowHeight - offsetTop - verticalOffset;
+ activates.css('max-height', adjustedHeight);
+ } else {
+ // Flow upwards.
+ if (!verticalOffset) {
+ verticalOffset += originHeight;
+ }
+ verticalOffset -= activates.innerHeight();
+ }
+ }
+
+ // Handle edge alignment
+ if (currAlignment === 'left') {
+ gutterSpacing = curr_options.gutter;
+ leftPosition = origin.position().left + gutterSpacing;
+ } else if (currAlignment === 'right') {
+ // Material icons fix
+ activates.stop(true, true).css({
+ opacity: 0,
+ left: 0
+ });
+
+ var offsetRight = origin.position().left + originWidth - activates.width();
+ gutterSpacing = -curr_options.gutter;
+ leftPosition = offsetRight + gutterSpacing;
+ }
+
+ // Position dropdown
+ activates.css({
+ position: 'absolute',
+ top: origin.position().top + verticalOffset + scrollYOffset,
+ left: leftPosition + scrollXOffset
+ });
+
+ // Show dropdown
+ activates.slideDown({
+ queue: false,
+ duration: curr_options.inDuration,
+ easing: 'easeOutCubic',
+ complete: function () {
+ $(this).css('height', '');
+ }
+ }).animate({ opacity: 1 }, { queue: false, duration: curr_options.inDuration, easing: 'easeOutSine' });
+
+ // Add click close handler to document
+ setTimeout(function () {
+ $(document).on('click.' + activates.attr('id'), function (e) {
+ hideDropdown();
+ $(document).off('click.' + activates.attr('id'));
+ });
+ }, 0);
+ }
+
+ function hideDropdown() {
+ // Check for simultaneous focus and click events.
+ isFocused = false;
+ activates.fadeOut(curr_options.outDuration);
+ activates.removeClass('active');
+ origin.removeClass('active');
+ $(document).off('click.' + activates.attr('id'));
+ setTimeout(function () {
+ activates.css('max-height', '');
+ }, curr_options.outDuration);
+ }
+
+ // Hover
+ if (curr_options.hover) {
+ var open = false;
+ origin.off('click.' + origin.attr('id'));
+ // Hover handler to show dropdown
+ origin.on('mouseenter', function (e) {
+ // Mouse over
+ if (open === false) {
+ placeDropdown();
+ open = true;
+ }
+ });
+ origin.on('mouseleave', function (e) {
+ // If hover on origin then to something other than dropdown content, then close
+ var toEl = e.toElement || e.relatedTarget; // added browser compatibility for target element
+ if (!$(toEl).closest('.dropdown-content').is(activates)) {
+ activates.stop(true, true);
+ hideDropdown();
+ open = false;
+ }
+ });
+
+ activates.on('mouseleave', function (e) {
+ // Mouse out
+ var toEl = e.toElement || e.relatedTarget;
+ if (!$(toEl).closest('.dropdown-button').is(origin)) {
+ activates.stop(true, true);
+ hideDropdown();
+ open = false;
+ }
+ });
+
+ // Click
+ } else {
+ // Click handler to show dropdown
+ origin.off('click.' + origin.attr('id'));
+ origin.on('click.' + origin.attr('id'), function (e) {
+ if (!isFocused) {
+ if (origin[0] == e.currentTarget && !origin.hasClass('active') && $(e.target).closest('.dropdown-content').length === 0) {
+ e.preventDefault(); // Prevents button click from moving window
+ if (curr_options.stopPropagation) {
+ e.stopPropagation();
+ }
+ placeDropdown('click');
+ }
+ // If origin is clicked and menu is open, close menu
+ else if (origin.hasClass('active')) {
+ hideDropdown();
+ $(document).off('click.' + activates.attr('id'));
+ }
+ }
+ });
+ } // End else
+
+ // Listen to open and close event - useful for select component
+ origin.on('open', function (e, eventType) {
+ placeDropdown(eventType);
+ });
+ origin.on('close', hideDropdown);
+ });
+ }; // End dropdown plugin
+
+ $(document).ready(function () {
+ $('.dropdown-button').dropdown();
+ });
+})(jQuery);
+;(function ($, Vel) {
+ 'use strict';
+
+ var _defaults = {
+ opacity: 0.5,
+ inDuration: 250,
+ outDuration: 250,
+ ready: undefined,
+ complete: undefined,
+ dismissible: true,
+ startingTop: '4%',
+ endingTop: '10%'
+ };
+
+ /**
+ * @class
+ *
+ */
+
+ var Modal = function () {
+ /**
+ * Construct Modal instance and set up overlay
+ * @constructor
+ * @param {jQuery} $el
+ * @param {Object} options
+ */
+ function Modal($el, options) {
+ _classCallCheck(this, Modal);
+
+ // If exists, destroy and reinitialize
+ if (!!$el[0].M_Modal) {
+ $el[0].M_Modal.destroy();
+ }
+
+ /**
+ * The jQuery element
+ * @type {jQuery}
+ */
+ this.$el = $el;
+
+ /**
+ * Options for the modal
+ * @member Modal#options
+ * @prop {Number} [opacity=0.5] - Opacity of the modal overlay
+ * @prop {Number} [inDuration=250] - Length in ms of enter transition
+ * @prop {Number} [outDuration=250] - Length in ms of exit transition
+ * @prop {Function} ready - Callback function called when modal is finished entering
+ * @prop {Function} complete - Callback function called when modal is finished exiting
+ * @prop {Boolean} [dismissible=true] - Allow modal to be dismissed by keyboard or overlay click
+ * @prop {String} [startingTop='4%'] - startingTop
+ * @prop {String} [endingTop='10%'] - endingTop
+ */
+ this.options = $.extend({}, Modal.defaults, options);
+
+ /**
+ * Describes open/close state of modal
+ * @type {Boolean}
+ */
+ this.isOpen = false;
+
+ this.$el[0].M_Modal = this;
+ this.id = $el.attr('id');
+ this.openingTrigger = undefined;
+ this.$overlay = $('<div class="modal-overlay"></div>');
+
+ Modal._increment++;
+ Modal._count++;
+ this.$overlay[0].style.zIndex = 1000 + Modal._increment * 2;
+ this.$el[0].style.zIndex = 1000 + Modal._increment * 2 + 1;
+ this.setupEventHandlers();
+ }
+
+ _createClass(Modal, [{
+ key: 'getInstance',
+
+
+ /**
+ * Get Instance
+ */
+ value: function getInstance() {
+ return this;
+ }
+
+ /**
+ * Teardown component
+ */
+
+ }, {
+ key: 'destroy',
+ value: function destroy() {
+ this.removeEventHandlers();
+ this.$el[0].removeAttribute('style');
+ if (!!this.$overlay[0].parentNode) {
+ this.$overlay[0].parentNode.removeChild(this.$overlay[0]);
+ }
+ this.$el[0].M_Modal = undefined;
+ Modal._count--;
+ }
+
+ /**
+ * Setup Event Handlers
+ */
+
+ }, {
+ key: 'setupEventHandlers',
+ value: function setupEventHandlers() {
+ this.handleOverlayClickBound = this.handleOverlayClick.bind(this);
+ this.handleModalCloseClickBound = this.handleModalCloseClick.bind(this);
+
+ if (Modal._count === 1) {
+ document.body.addEventListener('click', this.handleTriggerClick);
+ }
+ this.$overlay[0].addEventListener('click', this.handleOverlayClickBound);
+ this.$el[0].addEventListener('click', this.handleModalCloseClickBound);
+ }
+
+ /**
+ * Remove Event Handlers
+ */
+
+ }, {
+ key: 'removeEventHandlers',
+ value: function removeEventHandlers() {
+ if (Modal._count === 0) {
+ document.body.removeEventListener('click', this.handleTriggerClick);
+ }
+ this.$overlay[0].removeEventListener('click', this.handleOverlayClickBound);
+ this.$el[0].removeEventListener('click', this.handleModalCloseClickBound);
+ }
+
+ /**
+ * Handle Trigger Click
+ * @param {Event} e
+ */
+
+ }, {
+ key: 'handleTriggerClick',
+ value: function handleTriggerClick(e) {
+ var $trigger = $(e.target).closest('.modal-trigger');
+ if (e.target && $trigger.length) {
+ var modalId = $trigger[0].getAttribute('href');
+ if (modalId) {
+ modalId = modalId.slice(1);
+ } else {
+ modalId = $trigger[0].getAttribute('data-target');
+ }
+ var modalInstance = document.getElementById(modalId).M_Modal;
+ if (modalInstance) {
+ modalInstance.open($trigger);
+ }
+ e.preventDefault();
+ }
+ }
+
+ /**
+ * Handle Overlay Click
+ */
+
+ }, {
+ key: 'handleOverlayClick',
+ value: function handleOverlayClick() {
+ if (this.options.dismissible) {
+ this.close();
+ }
+ }
+
+ /**
+ * Handle Modal Close Click
+ * @param {Event} e
+ */
+
+ }, {
+ key: 'handleModalCloseClick',
+ value: function handleModalCloseClick(e) {
+ var $closeTrigger = $(e.target).closest('.modal-close');
+ if (e.target && $closeTrigger.length) {
+ this.close();
+ }
+ }
+
+ /**
+ * Handle Keydown
+ * @param {Event} e
+ */
+
+ }, {
+ key: 'handleKeydown',
+ value: function handleKeydown(e) {
+ // ESC key
+ if (e.keyCode === 27 && this.options.dismissible) {
+ this.close();
+ }
+ }
+
+ /**
+ * Animate in modal
+ */
+
+ }, {
+ key: 'animateIn',
+ value: function animateIn() {
+ var _this = this;
+
+ // Set initial styles
+ $.extend(this.$el[0].style, {
+ display: 'block',
+ opacity: 0
+ });
+ $.extend(this.$overlay[0].style, {
+ display: 'block',
+ opacity: 0
+ });
+
+ // Animate overlay
+ Vel(this.$overlay[0], { opacity: this.options.opacity }, { duration: this.options.inDuration, queue: false, ease: 'easeOutCubic' });
+
+ // Define modal animation options
+ var enterVelocityOptions = {
+ duration: this.options.inDuration,
+ queue: false,
+ ease: 'easeOutCubic',
+ // Handle modal ready callback
+ complete: function () {
+ if (typeof _this.options.ready === 'function') {
+ _this.options.ready.call(_this, _this.$el, _this.openingTrigger);
+ }
+ }
+ };
+
+ // Bottom sheet animation
+ if (this.$el[0].classList.contains('bottom-sheet')) {
+ Vel(this.$el[0], { bottom: 0, opacity: 1 }, enterVelocityOptions);
+
+ // Normal modal animation
+ } else {
+ Vel.hook(this.$el[0], 'scaleX', 0.7);
+ this.$el[0].style.top = this.options.startingTop;
+ Vel(this.$el[0], { top: this.options.endingTop, opacity: 1, scaleX: 1 }, enterVelocityOptions);
+ }
+ }
+
+ /**
+ * Animate out modal
+ */
+
+ }, {
+ key: 'animateOut',
+ value: function animateOut() {
+ var _this2 = this;
+
+ // Animate overlay
+ Vel(this.$overlay[0], { opacity: 0 }, { duration: this.options.outDuration, queue: false, ease: 'easeOutQuart' });
+
+ // Define modal animation options
+ var exitVelocityOptions = {
+ duration: this.options.outDuration,
+ queue: false,
+ ease: 'easeOutCubic',
+ // Handle modal ready callback
+ complete: function () {
+ _this2.$el[0].style.display = 'none';
+ // Call complete callback
+ if (typeof _this2.options.complete === 'function') {
+ _this2.options.complete.call(_this2, _this2.$el);
+ }
+ _this2.$overlay[0].parentNode.removeChild(_this2.$overlay[0]);
+ }
+ };
+
+ // Bottom sheet animation
+ if (this.$el[0].classList.contains('bottom-sheet')) {
+ Vel(this.$el[0], { bottom: '-100%', opacity: 0 }, exitVelocityOptions);
+
+ // Normal modal animation
+ } else {
+ Vel(this.$el[0], { top: this.options.startingTop, opacity: 0, scaleX: 0.7 }, exitVelocityOptions);
+ }
+ }
+
+ /**
+ * Open Modal
+ * @param {jQuery} [$trigger]
+ */
+
+ }, {
+ key: 'open',
+ value: function open($trigger) {
+ if (this.isOpen) {
+ return;
+ }
+
+ this.isOpen = true;
+ var body = document.body;
+ body.style.overflow = 'hidden';
+ this.$el[0].classList.add('open');
+ body.appendChild(this.$overlay[0]);
+
+ // Set opening trigger, undefined indicates modal was opened by javascript
+ this.openingTrigger = !!$trigger ? $trigger : undefined;
+
+ if (this.options.dismissible) {
+ this.handleKeydownBound = this.handleKeydown.bind(this);
+ document.addEventListener('keydown', this.handleKeydownBound);
+ }
+
+ this.animateIn();
+
+ return this;
+ }
+
+ /**
+ * Close Modal
+ */
+
+ }, {
+ key: 'close',
+ value: function close() {
+ if (!this.isOpen) {
+ return;
+ }
+
+ this.isOpen = false;
+ this.$el[0].classList.remove('open');
+ document.body.style.overflow = '';
+
+ if (this.options.dismissible) {
+ document.removeEventListener('keydown', this.handleKeydownBound);
+ }
+
+ this.animateOut();
+
+ return this;
+ }
+ }], [{
+ key: 'init',
+ value: function init($els, options) {
+ var arr = [];
+ $els.each(function () {
+ arr.push(new Modal($(this), options));
+ });
+ return arr;
+ }
+ }, {
+ key: 'defaults',
+ get: function () {
+ return _defaults;
+ }
+ }]);
+
+ return Modal;
+ }();
+
+ /**
+ * @static
+ * @memberof Modal
+ */
+
+
+ Modal._increment = 0;
+
+ /**
+ * @static
+ * @memberof Modal
+ */
+ Modal._count = 0;
+
+ Materialize.Modal = Modal;
+
+ $.fn.modal = function (methodOrOptions) {
+ // Call plugin method if valid method name is passed in
+ if (Modal.prototype[methodOrOptions]) {
+ // Getter methods
+ if (methodOrOptions.slice(0, 3) === 'get') {
+ return this.first()[0].M_Modal[methodOrOptions]();
+
+ // Void methods
+ } else {
+ return this.each(function () {
+ this.M_Modal[methodOrOptions]();
+ });
+ }
+
+ // Initialize plugin if options or no argument is passed in
+ } else if (typeof methodOrOptions === 'object' || !methodOrOptions) {
+ Modal.init(this, arguments[0]);
+ return this;
+
+ // Return error if an unrecognized method name is passed in
+ } else {
+ $.error('Method ' + methodOrOptions + ' does not exist on jQuery.modal');
+ }
+ };
+})(jQuery, Materialize.Vel);
+;(function ($) {
+
+ $.fn.materialbox = function () {
+
+ return this.each(function () {
+
+ if ($(this).hasClass('initialized')) {
+ return;
+ }
+
+ $(this).addClass('initialized');
+
+ var overlayActive = false;
+ var doneAnimating = true;
+ var inDuration = 275;
+ var outDuration = 200;
+ var origin = $(this);
+ var placeholder = $('<div></div>').addClass('material-placeholder');
+ var originalWidth = 0;
+ var originalHeight = 0;
+ var ancestorsChanged;
+ var ancestor;
+ var originInlineStyles = origin.attr('style');
+ origin.wrap(placeholder);
+
+ // Start click handler
+ origin.on('click', function () {
+ var placeholder = origin.parent('.material-placeholder');
+ var windowWidth = window.innerWidth;
+ var windowHeight = window.innerHeight;
+ var originalWidth = origin.width();
+ var originalHeight = origin.height();
+
+ // If already modal, return to original
+ if (doneAnimating === false) {
+ returnToOriginal();
+ return false;
+ } else if (overlayActive && doneAnimating === true) {
+ returnToOriginal();
+ return false;
+ }
+
+ // Set states
+ doneAnimating = false;
+ origin.addClass('active');
+ overlayActive = true;
+
+ // Set positioning for placeholder
+ placeholder.css({
+ width: placeholder[0].getBoundingClientRect().width,
+ height: placeholder[0].getBoundingClientRect().height,
+ position: 'relative',
+ top: 0,
+ left: 0
+ });
+
+ // Find ancestor with overflow: hidden; and remove it
+ ancestorsChanged = undefined;
+ ancestor = placeholder[0].parentNode;
+ var count = 0;
+ while (ancestor !== null && !$(ancestor).is(document)) {
+ var curr = $(ancestor);
+ if (curr.css('overflow') !== 'visible') {
+ curr.css('overflow', 'visible');
+ if (ancestorsChanged === undefined) {
+ ancestorsChanged = curr;
+ } else {
+ ancestorsChanged = ancestorsChanged.add(curr);
+ }
+ }
+ ancestor = ancestor.parentNode;
+ }
+
+ // Set css on origin
+ origin.css({
+ position: 'absolute',
+ 'z-index': 1000,
+ 'will-change': 'left, top, width, height'
+ }).data('width', originalWidth).data('height', originalHeight);
+
+ // Add overlay
+ var overlay = $('<div id="materialbox-overlay"></div>').css({
+ opacity: 0
+ }).click(function () {
+ if (doneAnimating === true) returnToOriginal();
+ });
+
+ // Put before in origin image to preserve z-index layering.
+ origin.before(overlay);
+
+ // Set dimensions if needed
+ var overlayOffset = overlay[0].getBoundingClientRect();
+ overlay.css({
+ width: windowWidth,
+ height: windowHeight,
+ left: -1 * overlayOffset.left,
+ top: -1 * overlayOffset.top
+ });
+
+ // Animate Overlay
+ overlay.velocity({ opacity: 1 }, { duration: inDuration, queue: false, easing: 'easeOutQuad' });
+
+ // Add and animate caption if it exists
+ if (origin.data('caption') !== "") {
+ var $photo_caption = $('<div class="materialbox-caption"></div>');
+ $photo_caption.text(origin.data('caption'));
+ $('body').append($photo_caption);
+ $photo_caption.css({ "display": "inline" });
+ $photo_caption.velocity({ opacity: 1 }, { duration: inDuration, queue: false, easing: 'easeOutQuad' });
+ }
+
+ // Resize Image
+ var ratio = 0;
+ var widthPercent = originalWidth / windowWidth;
+ var heightPercent = originalHeight / windowHeight;
+ var newWidth = 0;
+ var newHeight = 0;
+
+ if (widthPercent > heightPercent) {
+ ratio = originalHeight / originalWidth;
+ newWidth = windowWidth * 0.9;
+ newHeight = windowWidth * 0.9 * ratio;
+ } else {
+ ratio = originalWidth / originalHeight;
+ newWidth = windowHeight * 0.9 * ratio;
+ newHeight = windowHeight * 0.9;
+ }
+
+ // Animate image + set z-index
+ if (origin.hasClass('responsive-img')) {
+ origin.velocity({ 'max-width': newWidth, 'width': originalWidth }, { duration: 0, queue: false,
+ complete: function () {
+ origin.css({ left: 0, top: 0 }).velocity({
+ height: newHeight,
+ width: newWidth,
+ left: $(document).scrollLeft() + windowWidth / 2 - origin.parent('.material-placeholder').offset().left - newWidth / 2,
+ top: $(document).scrollTop() + windowHeight / 2 - origin.parent('.material-placeholder').offset().top - newHeight / 2
+ }, {
+ duration: inDuration,
+ queue: false,
+ easing: 'easeOutQuad',
+ complete: function () {
+ doneAnimating = true;
+ }
+ });
+ } // End Complete
+ }); // End Velocity
+ } else {
+ origin.css('left', 0).css('top', 0).velocity({
+ height: newHeight,
+ width: newWidth,
+ left: $(document).scrollLeft() + windowWidth / 2 - origin.parent('.material-placeholder').offset().left - newWidth / 2,
+ top: $(document).scrollTop() + windowHeight / 2 - origin.parent('.material-placeholder').offset().top - newHeight / 2
+ }, {
+ duration: inDuration,
+ queue: false,
+ easing: 'easeOutQuad',
+ complete: function () {
+ doneAnimating = true;
+ }
+ }); // End Velocity
+ }
+
+ // Handle Exit triggers
+ $(window).on('scroll.materialbox', function () {
+ if (overlayActive) {
+ returnToOriginal();
+ }
+ });
+
+ $(window).on('resize.materialbox', function () {
+ if (overlayActive) {
+ returnToOriginal();
+ }
+ });
+
+ $(document).on('keyup.materialbox', function (e) {
+ // ESC key
+ if (e.keyCode === 27 && doneAnimating === true && overlayActive) {
+ returnToOriginal();
+ }
+ });
+ }); // End click handler
+
+
+ // This function returns the modaled image to the original spot
+ function returnToOriginal() {
+
+ doneAnimating = false;
+
+ var placeholder = origin.parent('.material-placeholder');
+ var windowWidth = window.innerWidth;
+ var windowHeight = window.innerHeight;
+ var originalWidth = origin.data('width');
+ var originalHeight = origin.data('height');
+
+ origin.velocity("stop", true);
+ $('#materialbox-overlay').velocity("stop", true);
+ $('.materialbox-caption').velocity("stop", true);
+
+ // disable exit handlers
+ $(window).off('scroll.materialbox');
+ $(document).off('keyup.materialbox');
+ $(window).off('resize.materialbox');
+
+ $('#materialbox-overlay').velocity({ opacity: 0 }, {
+ duration: outDuration, // Delay prevents animation overlapping
+ queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ // Remove Overlay
+ overlayActive = false;
+ $(this).remove();
+ }
+ });
+
+ // Resize Image
+ origin.velocity({
+ width: originalWidth,
+ height: originalHeight,
+ left: 0,
+ top: 0
+ }, {
+ duration: outDuration,
+ queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ placeholder.css({
+ height: '',
+ width: '',
+ position: '',
+ top: '',
+ left: ''
+ });
+
+ origin.removeAttr('style');
+ origin.attr('style', originInlineStyles);
+
+ // Remove class
+ origin.removeClass('active');
+ doneAnimating = true;
+
+ // Remove overflow overrides on ancestors
+ if (ancestorsChanged) {
+ ancestorsChanged.css('overflow', '');
+ }
+ }
+ });
+
+ // Remove Caption + reset css settings on image
+ $('.materialbox-caption').velocity({ opacity: 0 }, {
+ duration: outDuration, // Delay prevents animation overlapping
+ queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ $(this).remove();
+ }
+ });
+ }
+ });
+ };
+
+ $(document).ready(function () {
+ $('.materialboxed').materialbox();
+ });
+})(jQuery);
+;(function ($) {
+
+ $.fn.parallax = function () {
+ var window_width = $(window).width();
+ // Parallax Scripts
+ return this.each(function (i) {
+ var $this = $(this);
+ $this.addClass('parallax');
+
+ function updateParallax(initial) {
+ var container_height;
+ if (window_width < 601) {
+ container_height = $this.height() > 0 ? $this.height() : $this.children("img").height();
+ } else {
+ container_height = $this.height() > 0 ? $this.height() : 500;
+ }
+ var $img = $this.children("img").first();
+ var img_height = $img.height();
+ var parallax_dist = img_height - container_height;
+ var bottom = $this.offset().top + container_height;
+ var top = $this.offset().top;
+ var scrollTop = $(window).scrollTop();
+ var windowHeight = window.innerHeight;
+ var windowBottom = scrollTop + windowHeight;
+ var percentScrolled = (windowBottom - top) / (container_height + windowHeight);
+ var parallax = Math.round(parallax_dist * percentScrolled);
+
+ if (initial) {
+ $img.css('display', 'block');
+ }
+ if (bottom > scrollTop && top < scrollTop + windowHeight) {
+ $img.css('transform', "translate3D(-50%," + parallax + "px, 0)");
+ }
+ }
+
+ // Wait for image load
+ $this.children("img").one("load", function () {
+ updateParallax(true);
+ }).each(function () {
+ if (this.complete) $(this).trigger("load");
+ });
+
+ $(window).scroll(function () {
+ window_width = $(window).width();
+ updateParallax(false);
+ });
+
+ $(window).resize(function () {
+ window_width = $(window).width();
+ updateParallax(false);
+ });
+ });
+ };
+})(jQuery);
+;(function ($) {
+
+ var methods = {
+ init: function (options) {
+ var defaults = {
+ onShow: null,
+ swipeable: false,
+ responsiveThreshold: Infinity // breakpoint for swipeable
+ };
+ options = $.extend(defaults, options);
+ var namespace = Materialize.objectSelectorString($(this));
+
+ return this.each(function (i) {
+
+ var uniqueNamespace = namespace + i;
+
+ // For each set of tabs, we want to keep track of
+ // which tab is active and its associated content
+ var $this = $(this),
+ window_width = $(window).width();
+
+ var $active,
+ $content,
+ $links = $this.find('li.tab a'),
+ $tabs_width = $this.width(),
+ $tabs_content = $(),
+ $tabs_wrapper,
+ $tab_width = Math.max($tabs_width, $this[0].scrollWidth) / $links.length,
+ $indicator,
+ index = 0,
+ prev_index = 0,
+ clicked = false,
+ clickedTimeout,
+ transition = 300;
+
+ // Finds right attribute for indicator based on active tab.
+ // el: jQuery Object
+ var calcRightPos = function (el) {
+ return Math.ceil($tabs_width - el.position().left - el[0].getBoundingClientRect().width - $this.scrollLeft());
+ };
+
+ // Finds left attribute for indicator based on active tab.
+ // el: jQuery Object
+ var calcLeftPos = function (el) {
+ return Math.floor(el.position().left + $this.scrollLeft());
+ };
+
+ // Animates Indicator to active tab.
+ // prev_index: Number
+ var animateIndicator = function (prev_index) {
+ if (index - prev_index >= 0) {
+ $indicator.velocity({ "right": calcRightPos($active) }, { duration: transition, queue: false, easing: 'easeOutQuad' });
+ $indicator.velocity({ "left": calcLeftPos($active) }, { duration: transition, queue: false, easing: 'easeOutQuad', delay: 90 });
+ } else {
+ $indicator.velocity({ "left": calcLeftPos($active) }, { duration: transition, queue: false, easing: 'easeOutQuad' });
+ $indicator.velocity({ "right": calcRightPos($active) }, { duration: transition, queue: false, easing: 'easeOutQuad', delay: 90 });
+ }
+ };
+
+ // Change swipeable according to responsive threshold
+ if (options.swipeable) {
+ if (window_width > options.responsiveThreshold) {
+ options.swipeable = false;
+ }
+ }
+
+ // If the location.hash matches one of the links, use that as the active tab.
+ $active = $($links.filter('[href="' + location.hash + '"]'));
+
+ // If no match is found, use the first link or any with class 'active' as the initial active tab.
+ if ($active.length === 0) {
+ $active = $(this).find('li.tab a.active').first();
+ }
+ if ($active.length === 0) {
+ $active = $(this).find('li.tab a').first();
+ }
+
+ $active.addClass('active');
+ index = $links.index($active);
+ if (index < 0) {
+ index = 0;
+ }
+
+ if ($active[0] !== undefined) {
+ $content = $($active[0].hash);
+ $content.addClass('active');
+ }
+
+ // append indicator then set indicator width to tab width
+ if (!$this.find('.indicator').length) {
+ $this.append('<li class="indicator"></li>');
+ }
+ $indicator = $this.find('.indicator');
+
+ // we make sure that the indicator is at the end of the tabs
+ $this.append($indicator);
+
+ if ($this.is(":visible")) {
+ // $indicator.css({"right": $tabs_width - ((index + 1) * $tab_width)});
+ // $indicator.css({"left": index * $tab_width});
+ setTimeout(function () {
+ $indicator.css({ "right": calcRightPos($active) });
+ $indicator.css({ "left": calcLeftPos($active) });
+ }, 0);
+ }
+ $(window).off('resize.tabs-' + uniqueNamespace).on('resize.tabs-' + uniqueNamespace, function () {
+ $tabs_width = $this.width();
+ $tab_width = Math.max($tabs_width, $this[0].scrollWidth) / $links.length;
+ if (index < 0) {
+ index = 0;
+ }
+ if ($tab_width !== 0 && $tabs_width !== 0) {
+ $indicator.css({ "right": calcRightPos($active) });
+ $indicator.css({ "left": calcLeftPos($active) });
+ }
+ });
+
+ // Initialize Tabs Content.
+ if (options.swipeable) {
+ // TODO: Duplicate calls with swipeable? handle multiple div wrapping.
+ $links.each(function () {
+ var $curr_content = $(Materialize.escapeHash(this.hash));
+ $curr_content.addClass('carousel-item');
+ $tabs_content = $tabs_content.add($curr_content);
+ });
+ $tabs_wrapper = $tabs_content.wrapAll('<div class="tabs-content carousel"></div>');
+ $tabs_content.css('display', '');
+ $('.tabs-content.carousel').carousel({
+ fullWidth: true,
+ noWrap: true,
+ onCycleTo: function (item) {
+ if (!clicked) {
+ var prev_index = index;
+ index = $tabs_wrapper.index(item);
+ $active.removeClass('active');
+ $active = $links.eq(index);
+ $active.addClass('active');
+ animateIndicator(prev_index);
+ if (typeof options.onShow === "function") {
+ options.onShow.call($this[0], $content);
+ }
+ }
+ }
+ });
+ } else {
+ // Hide the remaining content
+ $links.not($active).each(function () {
+ $(Materialize.escapeHash(this.hash)).hide();
+ });
+ }
+
+ // Bind the click event handler
+ $this.off('click.tabs').on('click.tabs', 'a', function (e) {
+ if ($(this).parent().hasClass('disabled')) {
+ e.preventDefault();
+ return;
+ }
+
+ // Act as regular link if target attribute is specified.
+ if (!!$(this).attr("target")) {
+ return;
+ }
+
+ clicked = true;
+ $tabs_width = $this.width();
+ $tab_width = Math.max($tabs_width, $this[0].scrollWidth) / $links.length;
+
+ // Make the old tab inactive.
+ $active.removeClass('active');
+ var $oldContent = $content;
+
+ // Update the variables with the new link and content
+ $active = $(this);
+ $content = $(Materialize.escapeHash(this.hash));
+ $links = $this.find('li.tab a');
+ var activeRect = $active.position();
+
+ // Make the tab active.
+ $active.addClass('active');
+ prev_index = index;
+ index = $links.index($(this));
+ if (index < 0) {
+ index = 0;
+ }
+ // Change url to current tab
+ // window.location.hash = $active.attr('href');
+
+ // Swap content
+ if (options.swipeable) {
+ if ($tabs_content.length) {
+ $tabs_content.carousel('set', index, function () {
+ if (typeof options.onShow === "function") {
+ options.onShow.call($this[0], $content);
+ }
+ });
+ }
+ } else {
+ if ($content !== undefined) {
+ $content.show();
+ $content.addClass('active');
+ if (typeof options.onShow === "function") {
+ options.onShow.call(this, $content);
+ }
+ }
+
+ if ($oldContent !== undefined && !$oldContent.is($content)) {
+ $oldContent.hide();
+ $oldContent.removeClass('active');
+ }
+ }
+
+ // Reset clicked state
+ clickedTimeout = setTimeout(function () {
+ clicked = false;
+ }, transition);
+
+ // Update indicator
+ animateIndicator(prev_index);
+
+ // Prevent the anchor's default click action
+ e.preventDefault();
+ });
+ });
+ },
+ select_tab: function (id) {
+ this.find('a[href="#' + id + '"]').trigger('click');
+ }
+ };
+
+ $.fn.tabs = function (methodOrOptions) {
+ if (methods[methodOrOptions]) {
+ return methods[methodOrOptions].apply(this, Array.prototype.slice.call(arguments, 1));
+ } else if (typeof methodOrOptions === 'object' || !methodOrOptions) {
+ // Default to "init"
+ return methods.init.apply(this, arguments);
+ } else {
+ $.error('Method ' + methodOrOptions + ' does not exist on jQuery.tabs');
+ }
+ };
+
+ $(document).ready(function () {
+ $('ul.tabs').tabs();
+ });
+})(jQuery);
+;(function ($) {
+ $.fn.tooltip = function (options) {
+ var timeout = null,
+ margin = 5;
+
+ // Defaults
+ var defaults = {
+ delay: 350,
+ tooltip: '',
+ position: 'bottom',
+ html: false
+ };
+
+ // Remove tooltip from the activator
+ if (options === "remove") {
+ this.each(function () {
+ $('#' + $(this).attr('data-tooltip-id')).remove();
+ $(this).removeAttr('data-tooltip-id');
+ $(this).off('mouseenter.tooltip mouseleave.tooltip');
+ });
+ return false;
+ }
+
+ options = $.extend(defaults, options);
+
+ return this.each(function () {
+ var tooltipId = Materialize.guid();
+ var origin = $(this);
+
+ // Destroy old tooltip
+ if (origin.attr('data-tooltip-id')) {
+ $('#' + origin.attr('data-tooltip-id')).remove();
+ }
+
+ origin.attr('data-tooltip-id', tooltipId);
+
+ // Get attributes.
+ var allowHtml, tooltipDelay, tooltipPosition, tooltipText, tooltipEl, backdrop;
+ var setAttributes = function () {
+ allowHtml = origin.attr('data-html') ? origin.attr('data-html') === 'true' : options.html;
+ tooltipDelay = origin.attr('data-delay');
+ tooltipDelay = tooltipDelay === undefined || tooltipDelay === '' ? options.delay : tooltipDelay;
+ tooltipPosition = origin.attr('data-position');
+ tooltipPosition = tooltipPosition === undefined || tooltipPosition === '' ? options.position : tooltipPosition;
+ tooltipText = origin.attr('data-tooltip');
+ tooltipText = tooltipText === undefined || tooltipText === '' ? options.tooltip : tooltipText;
+ };
+ setAttributes();
+
+ var renderTooltipEl = function () {
+ var tooltip = $('<div class="material-tooltip"></div>');
+
+ // Create Text span
+ if (allowHtml) {
+ tooltipText = $('<span></span>').html(tooltipText);
+ } else {
+ tooltipText = $('<span></span>').text(tooltipText);
+ }
+
+ // Create tooltip
+ tooltip.append(tooltipText).appendTo($('body')).attr('id', tooltipId);
+
+ // Create backdrop
+ backdrop = $('<div class="backdrop"></div>');
+ backdrop.appendTo(tooltip);
+ return tooltip;
+ };
+ tooltipEl = renderTooltipEl();
+
+ // Destroy previously binded events
+ origin.off('mouseenter.tooltip mouseleave.tooltip');
+ // Mouse In
+ var started = false,
+ timeoutRef;
+ origin.on({ 'mouseenter.tooltip': function (e) {
+ var showTooltip = function () {
+ setAttributes();
+ started = true;
+ tooltipEl.velocity('stop');
+ backdrop.velocity('stop');
+ tooltipEl.css({ visibility: 'visible', left: '0px', top: '0px' });
+
+ // Tooltip positioning
+ var originWidth = origin.outerWidth();
+ var originHeight = origin.outerHeight();
+ var tooltipHeight = tooltipEl.outerHeight();
+ var tooltipWidth = tooltipEl.outerWidth();
+ var tooltipVerticalMovement = '0px';
+ var tooltipHorizontalMovement = '0px';
+ var backdropOffsetWidth = backdrop[0].offsetWidth;
+ var backdropOffsetHeight = backdrop[0].offsetHeight;
+ var scaleXFactor = 8;
+ var scaleYFactor = 8;
+ var scaleFactor = 0;
+ var targetTop, targetLeft, newCoordinates;
+
+ if (tooltipPosition === "top") {
+ // Top Position
+ targetTop = origin.offset().top - tooltipHeight - margin;
+ targetLeft = origin.offset().left + originWidth / 2 - tooltipWidth / 2;
+ newCoordinates = repositionWithinScreen(targetLeft, targetTop, tooltipWidth, tooltipHeight);
+ tooltipVerticalMovement = '-10px';
+ backdrop.css({
+ bottom: 0,
+ left: 0,
+ borderRadius: '14px 14px 0 0',
+ transformOrigin: '50% 100%',
+ marginTop: tooltipHeight,
+ marginLeft: tooltipWidth / 2 - backdropOffsetWidth / 2
+ });
+ }
+ // Left Position
+ else if (tooltipPosition === "left") {
+ targetTop = origin.offset().top + originHeight / 2 - tooltipHeight / 2;
+ targetLeft = origin.offset().left - tooltipWidth - margin;
+ newCoordinates = repositionWithinScreen(targetLeft, targetTop, tooltipWidth, tooltipHeight);
+
+ tooltipHorizontalMovement = '-10px';
+ backdrop.css({
+ top: '-7px',
+ right: 0,
+ width: '14px',
+ height: '14px',
+ borderRadius: '14px 0 0 14px',
+ transformOrigin: '95% 50%',
+ marginTop: tooltipHeight / 2,
+ marginLeft: tooltipWidth
+ });
+ }
+ // Right Position
+ else if (tooltipPosition === "right") {
+ targetTop = origin.offset().top + originHeight / 2 - tooltipHeight / 2;
+ targetLeft = origin.offset().left + originWidth + margin;
+ newCoordinates = repositionWithinScreen(targetLeft, targetTop, tooltipWidth, tooltipHeight);
+
+ tooltipHorizontalMovement = '+10px';
+ backdrop.css({
+ top: '-7px',
+ left: 0,
+ width: '14px',
+ height: '14px',
+ borderRadius: '0 14px 14px 0',
+ transformOrigin: '5% 50%',
+ marginTop: tooltipHeight / 2,
+ marginLeft: '0px'
+ });
+ } else {
+ // Bottom Position
+ targetTop = origin.offset().top + origin.outerHeight() + margin;
+ targetLeft = origin.offset().left + originWidth / 2 - tooltipWidth / 2;
+ newCoordinates = repositionWithinScreen(targetLeft, targetTop, tooltipWidth, tooltipHeight);
+ tooltipVerticalMovement = '+10px';
+ backdrop.css({
+ top: 0,
+ left: 0,
+ marginLeft: tooltipWidth / 2 - backdropOffsetWidth / 2
+ });
+ }
+
+ // Set tooptip css placement
+ tooltipEl.css({
+ top: newCoordinates.y,
+ left: newCoordinates.x
+ });
+
+ // Calculate Scale to fill
+ scaleXFactor = Math.SQRT2 * tooltipWidth / parseInt(backdropOffsetWidth);
+ scaleYFactor = Math.SQRT2 * tooltipHeight / parseInt(backdropOffsetHeight);
+ scaleFactor = Math.max(scaleXFactor, scaleYFactor);
+
+ tooltipEl.velocity({ translateY: tooltipVerticalMovement, translateX: tooltipHorizontalMovement }, { duration: 350, queue: false }).velocity({ opacity: 1 }, { duration: 300, delay: 50, queue: false });
+ backdrop.css({ visibility: 'visible' }).velocity({ opacity: 1 }, { duration: 55, delay: 0, queue: false }).velocity({ scaleX: scaleFactor, scaleY: scaleFactor }, { duration: 300, delay: 0, queue: false, easing: 'easeInOutQuad' });
+ };
+
+ timeoutRef = setTimeout(showTooltip, tooltipDelay); // End Interval
+
+ // Mouse Out
+ },
+ 'mouseleave.tooltip': function () {
+ // Reset State
+ started = false;
+ clearTimeout(timeoutRef);
+
+ // Animate back
+ setTimeout(function () {
+ if (started !== true) {
+ tooltipEl.velocity({
+ opacity: 0, translateY: 0, translateX: 0 }, { duration: 225, queue: false });
+ backdrop.velocity({ opacity: 0, scaleX: 1, scaleY: 1 }, {
+ duration: 225,
+ queue: false,
+ complete: function () {
+ backdrop.css({ visibility: 'hidden' });
+ tooltipEl.css({ visibility: 'hidden' });
+ started = false;
+ }
+ });
+ }
+ }, 225);
+ }
+ });
+ });
+ };
+
+ var repositionWithinScreen = function (x, y, width, height) {
+ var newX = x;
+ var newY = y;
+
+ if (newX < 0) {
+ newX = 4;
+ } else if (newX + width > window.innerWidth) {
+ newX -= newX + width - window.innerWidth;
+ }
+
+ if (newY < 0) {
+ newY = 4;
+ } else if (newY + height > window.innerHeight + $(window).scrollTop) {
+ newY -= newY + height - window.innerHeight;
+ }
+
+ return { x: newX, y: newY };
+ };
+
+ $(document).ready(function () {
+ $('.tooltipped').tooltip();
+ });
+})(jQuery);
+; /*!
+ * Waves v0.6.4
+ * http://fian.my.id/Waves
+ *
+ * Copyright 2014 Alfiana E. Sibuea and other contributors
+ * Released under the MIT license
+ * https://github.com/fians/Waves/blob/master/LICENSE
+ */
+
+;(function (window) {
+ 'use strict';
+
+ var Waves = Waves || {};
+ var $$ = document.querySelectorAll.bind(document);
+
+ // Find exact position of element
+ function isWindow(obj) {
+ return obj !== null && obj === obj.window;
+ }
+
+ function getWindow(elem) {
+ return isWindow(elem) ? elem : elem.nodeType === 9 && elem.defaultView;
+ }
+
+ function offset(elem) {
+ var docElem,
+ win,
+ box = { top: 0, left: 0 },
+ doc = elem && elem.ownerDocument;
+
+ docElem = doc.documentElement;
+
+ if (typeof elem.getBoundingClientRect !== typeof undefined) {
+ box = elem.getBoundingClientRect();
+ }
+ win = getWindow(doc);
+ return {
+ top: box.top + win.pageYOffset - docElem.clientTop,
+ left: box.left + win.pageXOffset - docElem.clientLeft
+ };
+ }
+
+ function convertStyle(obj) {
+ var style = '';
+
+ for (var a in obj) {
+ if (obj.hasOwnProperty(a)) {
+ style += a + ':' + obj[a] + ';';
+ }
+ }
+
+ return style;
+ }
+
+ var Effect = {
+
+ // Effect delay
+ duration: 750,
+
+ show: function (e, element) {
+
+ // Disable right click
+ if (e.button === 2) {
+ return false;
+ }
+
+ var el = element || this;
+
+ // Create ripple
+ var ripple = document.createElement('div');
+ ripple.className = 'waves-ripple';
+ el.appendChild(ripple);
+
+ // Get click coordinate and element witdh
+ var pos = offset(el);
+ var relativeY = e.pageY - pos.top;
+ var relativeX = e.pageX - pos.left;
+ var scale = 'scale(' + el.clientWidth / 100 * 10 + ')';
+
+ // Support for touch devices
+ if ('touches' in e) {
+ relativeY = e.touches[0].pageY - pos.top;
+ relativeX = e.touches[0].pageX - pos.left;
+ }
+
+ // Attach data to element
+ ripple.setAttribute('data-hold', Date.now());
+ ripple.setAttribute('data-scale', scale);
+ ripple.setAttribute('data-x', relativeX);
+ ripple.setAttribute('data-y', relativeY);
+
+ // Set ripple position
+ var rippleStyle = {
+ 'top': relativeY + 'px',
+ 'left': relativeX + 'px'
+ };
+
+ ripple.className = ripple.className + ' waves-notransition';
+ ripple.setAttribute('style', convertStyle(rippleStyle));
+ ripple.className = ripple.className.replace('waves-notransition', '');
+
+ // Scale the ripple
+ rippleStyle['-webkit-transform'] = scale;
+ rippleStyle['-moz-transform'] = scale;
+ rippleStyle['-ms-transform'] = scale;
+ rippleStyle['-o-transform'] = scale;
+ rippleStyle.transform = scale;
+ rippleStyle.opacity = '1';
+
+ rippleStyle['-webkit-transition-duration'] = Effect.duration + 'ms';
+ rippleStyle['-moz-transition-duration'] = Effect.duration + 'ms';
+ rippleStyle['-o-transition-duration'] = Effect.duration + 'ms';
+ rippleStyle['transition-duration'] = Effect.duration + 'ms';
+
+ rippleStyle['-webkit-transition-timing-function'] = 'cubic-bezier(0.250, 0.460, 0.450, 0.940)';
+ rippleStyle['-moz-transition-timing-function'] = 'cubic-bezier(0.250, 0.460, 0.450, 0.940)';
+ rippleStyle['-o-transition-timing-function'] = 'cubic-bezier(0.250, 0.460, 0.450, 0.940)';
+ rippleStyle['transition-timing-function'] = 'cubic-bezier(0.250, 0.460, 0.450, 0.940)';
+
+ ripple.setAttribute('style', convertStyle(rippleStyle));
+ },
+
+ hide: function (e) {
+ TouchHandler.touchup(e);
+
+ var el = this;
+ var width = el.clientWidth * 1.4;
+
+ // Get first ripple
+ var ripple = null;
+ var ripples = el.getElementsByClassName('waves-ripple');
+ if (ripples.length > 0) {
+ ripple = ripples[ripples.length - 1];
+ } else {
+ return false;
+ }
+
+ var relativeX = ripple.getAttribute('data-x');
+ var relativeY = ripple.getAttribute('data-y');
+ var scale = ripple.getAttribute('data-scale');
+
+ // Get delay beetween mousedown and mouse leave
+ var diff = Date.now() - Number(ripple.getAttribute('data-hold'));
+ var delay = 350 - diff;
+
+ if (delay < 0) {
+ delay = 0;
+ }
+
+ // Fade out ripple after delay
+ setTimeout(function () {
+ var style = {
+ 'top': relativeY + 'px',
+ 'left': relativeX + 'px',
+ 'opacity': '0',
+
+ // Duration
+ '-webkit-transition-duration': Effect.duration + 'ms',
+ '-moz-transition-duration': Effect.duration + 'ms',
+ '-o-transition-duration': Effect.duration + 'ms',
+ 'transition-duration': Effect.duration + 'ms',
+ '-webkit-transform': scale,
+ '-moz-transform': scale,
+ '-ms-transform': scale,
+ '-o-transform': scale,
+ 'transform': scale
+ };
+
+ ripple.setAttribute('style', convertStyle(style));
+
+ setTimeout(function () {
+ try {
+ el.removeChild(ripple);
+ } catch (e) {
+ return false;
+ }
+ }, Effect.duration);
+ }, delay);
+ },
+
+ // Little hack to make <input> can perform waves effect
+ wrapInput: function (elements) {
+ for (var a = 0; a < elements.length; a++) {
+ var el = elements[a];
+
+ if (el.tagName.toLowerCase() === 'input') {
+ var parent = el.parentNode;
+
+ // If input already have parent just pass through
+ if (parent.tagName.toLowerCase() === 'i' && parent.className.indexOf('waves-effect') !== -1) {
+ continue;
+ }
+
+ // Put element class and style to the specified parent
+ var wrapper = document.createElement('i');
+ wrapper.className = el.className + ' waves-input-wrapper';
+
+ var elementStyle = el.getAttribute('style');
+
+ if (!elementStyle) {
+ elementStyle = '';
+ }
+
+ wrapper.setAttribute('style', elementStyle);
+
+ el.className = 'waves-button-input';
+ el.removeAttribute('style');
+
+ // Put element as child
+ parent.replaceChild(wrapper, el);
+ wrapper.appendChild(el);
+ }
+ }
+ }
+ };
+
+ /**
+ * Disable mousedown event for 500ms during and after touch
+ */
+ var TouchHandler = {
+ /* uses an integer rather than bool so there's no issues with
+ * needing to clear timeouts if another touch event occurred
+ * within the 500ms. Cannot mouseup between touchstart and
+ * touchend, nor in the 500ms after touchend. */
+ touches: 0,
+ allowEvent: function (e) {
+ var allow = true;
+
+ if (e.type === 'touchstart') {
+ TouchHandler.touches += 1; //push
+ } else if (e.type === 'touchend' || e.type === 'touchcancel') {
+ setTimeout(function () {
+ if (TouchHandler.touches > 0) {
+ TouchHandler.touches -= 1; //pop after 500ms
+ }
+ }, 500);
+ } else if (e.type === 'mousedown' && TouchHandler.touches > 0) {
+ allow = false;
+ }
+
+ return allow;
+ },
+ touchup: function (e) {
+ TouchHandler.allowEvent(e);
+ }
+ };
+
+ /**
+ * Delegated click handler for .waves-effect element.
+ * returns null when .waves-effect element not in "click tree"
+ */
+ function getWavesEffectElement(e) {
+ if (TouchHandler.allowEvent(e) === false) {
+ return null;
+ }
+
+ var element = null;
+ var target = e.target || e.srcElement;
+
+ while (target.parentNode !== null) {
+ if (!(target instanceof SVGElement) && target.className.indexOf('waves-effect') !== -1) {
+ element = target;
+ break;
+ }
+ target = target.parentNode;
+ }
+ return element;
+ }
+
+ /**
+ * Bubble the click and show effect if .waves-effect elem was found
+ */
+ function showEffect(e) {
+ var element = getWavesEffectElement(e);
+
+ if (element !== null) {
+ Effect.show(e, element);
+
+ if ('ontouchstart' in window) {
+ element.addEventListener('touchend', Effect.hide, false);
+ element.addEventListener('touchcancel', Effect.hide, false);
+ }
+
+ element.addEventListener('mouseup', Effect.hide, false);
+ element.addEventListener('mouseleave', Effect.hide, false);
+ element.addEventListener('dragend', Effect.hide, false);
+ }
+ }
+
+ Waves.displayEffect = function (options) {
+ options = options || {};
+
+ if ('duration' in options) {
+ Effect.duration = options.duration;
+ }
+
+ //Wrap input inside <i> tag
+ Effect.wrapInput($$('.waves-effect'));
+
+ if ('ontouchstart' in window) {
+ document.body.addEventListener('touchstart', showEffect, false);
+ }
+
+ document.body.addEventListener('mousedown', showEffect, false);
+ };
+
+ /**
+ * Attach Waves to an input element (or any element which doesn't
+ * bubble mouseup/mousedown events).
+ * Intended to be used with dynamically loaded forms/inputs, or
+ * where the user doesn't want a delegated click handler.
+ */
+ Waves.attach = function (element) {
+ //FUTURE: automatically add waves classes and allow users
+ // to specify them with an options param? Eg. light/classic/button
+ if (element.tagName.toLowerCase() === 'input') {
+ Effect.wrapInput([element]);
+ element = element.parentNode;
+ }
+
+ if ('ontouchstart' in window) {
+ element.addEventListener('touchstart', showEffect, false);
+ }
+
+ element.addEventListener('mousedown', showEffect, false);
+ };
+
+ window.Waves = Waves;
+
+ document.addEventListener('DOMContentLoaded', function () {
+ Waves.displayEffect();
+ }, false);
+})(window);
+;(function ($, Vel) {
+ 'use strict';
+
+ var _defaults = {
+ displayLength: Infinity,
+ inDuration: 300,
+ outDuration: 375,
+ className: undefined,
+ completeCallback: undefined,
+ activationPercent: 0.8
+ };
+
+ var Toast = function () {
+ function Toast(message, displayLength, className, completeCallback) {
+ _classCallCheck(this, Toast);
+
+ if (!message) {
+ return;
+ }
+
+ /**
+ * Options for the toast
+ * @member Toast#options
+ */
+ this.options = {
+ displayLength: displayLength,
+ className: className,
+ completeCallback: completeCallback
+ };
+
+ this.options = $.extend({}, Toast.defaults, this.options);
+ this.message = message;
+
+ /**
+ * Describes current pan state toast
+ * @type {Boolean}
+ */
+ this.panning = false;
+
+ /**
+ * Time remaining until toast is removed
+ */
+ this.timeRemaining = this.options.displayLength;
+
+ if (Toast._toasts.length === 0) {
+ Toast._createContainer();
+ }
+
+ // Create new toast
+ Toast._toasts.push(this);
+ var toastElement = this.createToast();
+ toastElement.M_Toast = this;
+ this.el = toastElement;
+ this._animateIn();
+ this.setTimer();
+ }
+
+ _createClass(Toast, [{
+ key: 'createToast',
+
+
+ /**
+ * Create toast and append it to toast container
+ */
+ value: function createToast() {
+ var toast = document.createElement('div');
+ toast.classList.add('toast');
+
+ // Add custom classes onto toast
+ if (this.options.className) {
+ var classes = this.options.className.split(' ');
+ var i = void 0,
+ count = void 0;
+ for (i = 0, count = classes.length; i < count; i++) {
+ toast.classList.add(classes[i]);
+ }
+ }
+
+ // Set content
+ if (typeof HTMLElement === 'object' ? this.message instanceof HTMLElement : this.message && typeof this.message === 'object' && this.message !== null && this.message.nodeType === 1 && typeof this.message.nodeName === 'string') {
+ toast.appendChild(this.message);
+
+ // Check if it is jQuery object
+ } else if (this.message instanceof jQuery) {
+ $(toast).append(this.message);
+
+ // Insert as text;
+ } else {
+ toast.innerHTML = this.message;
+ }
+
+ // Append toasft
+ Toast._container.appendChild(toast);
+ return toast;
+ }
+
+ /**
+ * Animate in toast
+ */
+
+ }, {
+ key: '_animateIn',
+ value: function _animateIn() {
+ // Animate toast in
+ Vel(this.el, { top: 0, opacity: 1 }, {
+ duration: 300,
+ easing: 'easeOutCubic',
+ queue: false
+ });
+ }
+
+ /**
+ * Create setInterval which automatically removes toast when timeRemaining >= 0
+ * has been reached
+ */
+
+ }, {
+ key: 'setTimer',
+ value: function setTimer() {
+ var _this3 = this;
+
+ if (this.timeRemaining !== Infinity) {
+ this.counterInterval = setInterval(function () {
+ // If toast is not being dragged, decrease its time remaining
+ if (!_this3.panning) {
+ _this3.timeRemaining -= 20;
+ }
+
+ // Animate toast out
+ if (_this3.timeRemaining <= 0) {
+ _this3.remove();
+ }
+ }, 20);
+ }
+ }
+
+ /**
+ * Dismiss toast with animation
+ */
+
+ }, {
+ key: 'remove',
+ value: function remove() {
+ var _this4 = this;
+
+ window.clearInterval(this.counterInterval);
+ var activationDistance = this.el.offsetWidth * this.options.activationPercent;
+
+ if (this.wasSwiped) {
+ this.el.style.transition = 'transform .05s, opacity .05s';
+ this.el.style.transform = 'translateX(' + activationDistance + 'px)';
+ this.el.style.opacity = 0;
+ }
+
+ Vel(this.el, { opacity: 0, marginTop: '-40px' }, {
+ duration: this.options.outDuration,
+ easing: 'easeOutExpo',
+ queue: false,
+ complete: function () {
+ // Call the optional callback
+ if (typeof _this4.options.completeCallback === 'function') {
+ _this4.options.completeCallback();
+ }
+ // Remove toast from DOM
+ _this4.el.parentNode.removeChild(_this4.el);
+ Toast._toasts.splice(Toast._toasts.indexOf(_this4), 1);
+ if (Toast._toasts.length === 0) {
+ Toast._removeContainer();
+ }
+ }
+ });
+ }
+ }], [{
+ key: '_createContainer',
+
+
+ /**
+ * Append toast container and add event handlers
+ */
+ value: function _createContainer() {
+ var container = document.createElement('div');
+ container.setAttribute('id', 'toast-container');
+
+ // Add event handler
+ container.addEventListener('touchstart', Toast._onDragStart);
+ container.addEventListener('touchmove', Toast._onDragMove);
+ container.addEventListener('touchend', Toast._onDragEnd);
+
+ container.addEventListener('mousedown', Toast._onDragStart);
+ document.addEventListener('mousemove', Toast._onDragMove);
+ document.addEventListener('mouseup', Toast._onDragEnd);
+
+ document.body.appendChild(container);
+ Toast._container = container;
+ }
+
+ /**
+ * Remove toast container and event handlers
+ */
+
+ }, {
+ key: '_removeContainer',
+ value: function _removeContainer() {
+ // Add event handler
+ document.removeEventListener('mousemove', Toast._onDragMove);
+ document.removeEventListener('mouseup', Toast._onDragEnd);
+
+ Toast._container.parentNode.removeChild(Toast._container);
+ Toast._container = null;
+ }
+
+ /**
+ * Begin drag handler
+ * @param {Event} e
+ */
+
+ }, {
+ key: '_onDragStart',
+ value: function _onDragStart(e) {
+ if (e.target && $(e.target).closest('.toast').length) {
+ var $toast = $(e.target).closest('.toast');
+ var toast = $toast[0].M_Toast;
+ toast.panning = true;
+ Toast._draggedToast = toast;
+ toast.el.classList.add('panning');
+ toast.el.style.transition = '';
+ toast.startingXPos = Toast._xPos(e);
+ toast.time = Date.now();
+ toast.xPos = Toast._xPos(e);
+ }
+ }
+
+ /**
+ * Drag move handler
+ * @param {Event} e
+ */
+
+ }, {
+ key: '_onDragMove',
+ value: function _onDragMove(e) {
+ if (!!Toast._draggedToast) {
+ e.preventDefault();
+ var toast = Toast._draggedToast;
+ toast.deltaX = Math.abs(toast.xPos - Toast._xPos(e));
+ toast.xPos = Toast._xPos(e);
+ toast.velocityX = toast.deltaX / (Date.now() - toast.time);
+ toast.time = Date.now();
+
+ var totalDeltaX = toast.xPos - toast.startingXPos;
+ var activationDistance = toast.el.offsetWidth * toast.options.activationPercent;
+ toast.el.style.transform = 'translateX(' + totalDeltaX + 'px)';
+ toast.el.style.opacity = 1 - Math.abs(totalDeltaX / activationDistance);
+ }
+ }
+
+ /**
+ * End drag handler
+ * @param {Event} e
+ */
+
+ }, {
+ key: '_onDragEnd',
+ value: function _onDragEnd(e) {
+ if (!!Toast._draggedToast) {
+ var toast = Toast._draggedToast;
+ toast.panning = false;
+ toast.el.classList.remove('panning');
+
+ var totalDeltaX = toast.xPos - toast.startingXPos;
+ var activationDistance = toast.el.offsetWidth * toast.options.activationPercent;
+ var shouldBeDismissed = Math.abs(totalDeltaX) > activationDistance || toast.velocityX > 1;
+
+ // Remove toast
+ if (shouldBeDismissed) {
+ toast.wasSwiped = true;
+ toast.remove();
+
+ // Animate toast back to original position
+ } else {
+ toast.el.style.transition = 'transform .2s, opacity .2s';
+ toast.el.style.transform = '';
+ toast.el.style.opacity = '';
+ }
+ Toast._draggedToast = null;
+ }
+ }
+
+ /**
+ * Get x position of mouse or touch event
+ * @param {Event} e
+ */
+
+ }, {
+ key: '_xPos',
+ value: function _xPos(e) {
+ if (e.targetTouches && e.targetTouches.length >= 1) {
+ return e.targetTouches[0].clientX;
+ }
+ // mouse event
+ return e.clientX;
+ }
+
+ /**
+ * Remove all toasts
+ */
+
+ }, {
+ key: 'removeAll',
+ value: function removeAll() {
+ for (var toastIndex in Toast._toasts) {
+ Toast._toasts[toastIndex].remove();
+ }
+ }
+ }, {
+ key: 'defaults',
+ get: function () {
+ return _defaults;
+ }
+ }]);
+
+ return Toast;
+ }();
+
+ /**
+ * @static
+ * @memberof Toast
+ * @type {Array.<Toast>}
+ */
+
+
+ Toast._toasts = [];
+
+ /**
+ * @static
+ * @memberof Toast
+ */
+ Toast._container = null;
+
+ /**
+ * @static
+ * @memberof Toast
+ * @type {Toast}
+ */
+ Toast._draggedToast = null;
+
+ Materialize.Toast = Toast;
+ Materialize.toast = function (message, displayLength, className, completeCallback) {
+ return new Toast(message, displayLength, className, completeCallback);
+ };
+})(jQuery, Materialize.Vel);
+;(function ($) {
+
+ var methods = {
+ init: function (options) {
+ var defaults = {
+ menuWidth: 300,
+ edge: 'left',
+ closeOnClick: false,
+ draggable: true,
+ onOpen: null,
+ onClose: null
+ };
+ options = $.extend(defaults, options);
+
+ $(this).each(function () {
+ var $this = $(this);
+ var menuId = $this.attr('data-activates');
+ var menu = $("#" + menuId);
+
+ // Set to width
+ if (options.menuWidth != 300) {
+ menu.css('width', options.menuWidth);
+ }
+
+ // Add Touch Area
+ var $dragTarget = $('.drag-target[data-sidenav="' + menuId + '"]');
+ if (options.draggable) {
+ // Regenerate dragTarget
+ if ($dragTarget.length) {
+ $dragTarget.remove();
+ }
+
+ $dragTarget = $('<div class="drag-target"></div>').attr('data-sidenav', menuId);
+ $('body').append($dragTarget);
+ } else {
+ $dragTarget = $();
+ }
+
+ if (options.edge == 'left') {
+ menu.css('transform', 'translateX(-100%)');
+ $dragTarget.css({ 'left': 0 }); // Add Touch Area
+ } else {
+ menu.addClass('right-aligned') // Change text-alignment to right
+ .css('transform', 'translateX(100%)');
+ $dragTarget.css({ 'right': 0 }); // Add Touch Area
+ }
+
+ // If fixed sidenav, bring menu out
+ if (menu.hasClass('fixed')) {
+ if (window.innerWidth > 992) {
+ menu.css('transform', 'translateX(0)');
+ }
+ }
+
+ // Window resize to reset on large screens fixed
+ if (menu.hasClass('fixed')) {
+ $(window).resize(function () {
+ if (window.innerWidth > 992) {
+ // Close menu if window is resized bigger than 992 and user has fixed sidenav
+ if ($('#sidenav-overlay').length !== 0 && menuOut) {
+ removeMenu(true);
+ } else {
+ // menu.removeAttr('style');
+ menu.css('transform', 'translateX(0%)');
+ // menu.css('width', options.menuWidth);
+ }
+ } else if (menuOut === false) {
+ if (options.edge === 'left') {
+ menu.css('transform', 'translateX(-100%)');
+ } else {
+ menu.css('transform', 'translateX(100%)');
+ }
+ }
+ });
+ }
+
+ // if closeOnClick, then add close event for all a tags in side sideNav
+ if (options.closeOnClick === true) {
+ menu.on("click.itemclick", "a:not(.collapsible-header)", function () {
+ if (!(window.innerWidth > 992 && menu.hasClass('fixed'))) {
+ removeMenu();
+ }
+ });
+ }
+
+ var removeMenu = function (restoreNav) {
+ panning = false;
+ menuOut = false;
+ // Reenable scrolling
+ $('body').css({
+ overflow: '',
+ width: ''
+ });
+
+ $('#sidenav-overlay').velocity({ opacity: 0 }, { duration: 200,
+ queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ $(this).remove();
+ } });
+ if (options.edge === 'left') {
+ // Reset phantom div
+ $dragTarget.css({ width: '', right: '', left: '0' });
+ menu.velocity({ 'translateX': '-100%' }, { duration: 200,
+ queue: false,
+ easing: 'easeOutCubic',
+ complete: function () {
+ if (restoreNav === true) {
+ // Restore Fixed sidenav
+ menu.removeAttr('style');
+ menu.css('width', options.menuWidth);
+ }
+ }
+
+ });
+ } else {
+ // Reset phantom div
+ $dragTarget.css({ width: '', right: '0', left: '' });
+ menu.velocity({ 'translateX': '100%' }, { duration: 200,
+ queue: false,
+ easing: 'easeOutCubic',
+ complete: function () {
+ if (restoreNav === true) {
+ // Restore Fixed sidenav
+ menu.removeAttr('style');
+ menu.css('width', options.menuWidth);
+ }
+ }
+ });
+ }
+
+ // Callback
+ if (typeof options.onClose === 'function') {
+ options.onClose.call(this, menu);
+ }
+ };
+
+ // Touch Event
+ var panning = false;
+ var menuOut = false;
+
+ if (options.draggable) {
+ $dragTarget.on('click', function () {
+ if (menuOut) {
+ removeMenu();
+ }
+ });
+
+ $dragTarget.hammer({
+ prevent_default: false
+ }).on('pan', function (e) {
+
+ if (e.gesture.pointerType == "touch") {
+
+ var direction = e.gesture.direction;
+ var x = e.gesture.center.x;
+ var y = e.gesture.center.y;
+ var velocityX = e.gesture.velocityX;
+
+ // Vertical scroll bugfix
+ if (x === 0 && y === 0) {
+ return;
+ }
+
+ // Disable Scrolling
+ var $body = $('body');
+ var $overlay = $('#sidenav-overlay');
+ var oldWidth = $body.innerWidth();
+ $body.css('overflow', 'hidden');
+ $body.width(oldWidth);
+
+ // If overlay does not exist, create one and if it is clicked, close menu
+ if ($overlay.length === 0) {
+ $overlay = $('<div id="sidenav-overlay"></div>');
+ $overlay.css('opacity', 0).click(function () {
+ removeMenu();
+ });
+
+ // Run 'onOpen' when sidenav is opened via touch/swipe if applicable
+ if (typeof options.onOpen === 'function') {
+ options.onOpen.call(this, menu);
+ }
+
+ $('body').append($overlay);
+ }
+
+ // Keep within boundaries
+ if (options.edge === 'left') {
+ if (x > options.menuWidth) {
+ x = options.menuWidth;
+ } else if (x < 0) {
+ x = 0;
+ }
+ }
+
+ if (options.edge === 'left') {
+ // Left Direction
+ if (x < options.menuWidth / 2) {
+ menuOut = false;
+ }
+ // Right Direction
+ else if (x >= options.menuWidth / 2) {
+ menuOut = true;
+ }
+ menu.css('transform', 'translateX(' + (x - options.menuWidth) + 'px)');
+ } else {
+ // Left Direction
+ if (x < window.innerWidth - options.menuWidth / 2) {
+ menuOut = true;
+ }
+ // Right Direction
+ else if (x >= window.innerWidth - options.menuWidth / 2) {
+ menuOut = false;
+ }
+ var rightPos = x - options.menuWidth / 2;
+ if (rightPos < 0) {
+ rightPos = 0;
+ }
+
+ menu.css('transform', 'translateX(' + rightPos + 'px)');
+ }
+
+ // Percentage overlay
+ var overlayPerc;
+ if (options.edge === 'left') {
+ overlayPerc = x / options.menuWidth;
+ $overlay.velocity({ opacity: overlayPerc }, { duration: 10, queue: false, easing: 'easeOutQuad' });
+ } else {
+ overlayPerc = Math.abs((x - window.innerWidth) / options.menuWidth);
+ $overlay.velocity({ opacity: overlayPerc }, { duration: 10, queue: false, easing: 'easeOutQuad' });
+ }
+ }
+ }).on('panend', function (e) {
+
+ if (e.gesture.pointerType == "touch") {
+ var $overlay = $('#sidenav-overlay');
+ var velocityX = e.gesture.velocityX;
+ var x = e.gesture.center.x;
+ var leftPos = x - options.menuWidth;
+ var rightPos = x - options.menuWidth / 2;
+ if (leftPos > 0) {
+ leftPos = 0;
+ }
+ if (rightPos < 0) {
+ rightPos = 0;
+ }
+ panning = false;
+
+ if (options.edge === 'left') {
+ // If velocityX <= 0.3 then the user is flinging the menu closed so ignore menuOut
+ if (menuOut && velocityX <= 0.3 || velocityX < -0.5) {
+ // Return menu to open
+ if (leftPos !== 0) {
+ menu.velocity({ 'translateX': [0, leftPos] }, { duration: 300, queue: false, easing: 'easeOutQuad' });
+ }
+
+ $overlay.velocity({ opacity: 1 }, { duration: 50, queue: false, easing: 'easeOutQuad' });
+ $dragTarget.css({ width: '50%', right: 0, left: '' });
+ menuOut = true;
+ } else if (!menuOut || velocityX > 0.3) {
+ // Enable Scrolling
+ $('body').css({
+ overflow: '',
+ width: ''
+ });
+ // Slide menu closed
+ menu.velocity({ 'translateX': [-1 * options.menuWidth - 10, leftPos] }, { duration: 200, queue: false, easing: 'easeOutQuad' });
+ $overlay.velocity({ opacity: 0 }, { duration: 200, queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ // Run 'onClose' when sidenav is closed via touch/swipe if applicable
+ if (typeof options.onClose === 'function') {
+ options.onClose.call(this, menu);
+ }
+
+ $(this).remove();
+ } });
+ $dragTarget.css({ width: '10px', right: '', left: 0 });
+ }
+ } else {
+ if (menuOut && velocityX >= -0.3 || velocityX > 0.5) {
+ // Return menu to open
+ if (rightPos !== 0) {
+ menu.velocity({ 'translateX': [0, rightPos] }, { duration: 300, queue: false, easing: 'easeOutQuad' });
+ }
+
+ $overlay.velocity({ opacity: 1 }, { duration: 50, queue: false, easing: 'easeOutQuad' });
+ $dragTarget.css({ width: '50%', right: '', left: 0 });
+ menuOut = true;
+ } else if (!menuOut || velocityX < -0.3) {
+ // Enable Scrolling
+ $('body').css({
+ overflow: '',
+ width: ''
+ });
+
+ // Slide menu closed
+ menu.velocity({ 'translateX': [options.menuWidth + 10, rightPos] }, { duration: 200, queue: false, easing: 'easeOutQuad' });
+ $overlay.velocity({ opacity: 0 }, { duration: 200, queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ // Run 'onClose' when sidenav is closed via touch/swipe if applicable
+ if (typeof options.onClose === 'function') {
+ options.onClose.call(this, menu);
+ }
+
+ $(this).remove();
+ } });
+ $dragTarget.css({ width: '10px', right: 0, left: '' });
+ }
+ }
+ }
+ });
+ }
+
+ $this.off('click.sidenav').on('click.sidenav', function () {
+ if (menuOut === true) {
+ menuOut = false;
+ panning = false;
+ removeMenu();
+ } else {
+
+ // Disable Scrolling
+ var $body = $('body');
+ var $overlay = $('<div id="sidenav-overlay"></div>');
+ var oldWidth = $body.innerWidth();
+ $body.css('overflow', 'hidden');
+ $body.width(oldWidth);
+
+ // Push current drag target on top of DOM tree
+ $('body').append($dragTarget);
+
+ if (options.edge === 'left') {
+ $dragTarget.css({ width: '50%', right: 0, left: '' });
+ menu.velocity({ 'translateX': [0, -1 * options.menuWidth] }, { duration: 300, queue: false, easing: 'easeOutQuad' });
+ } else {
+ $dragTarget.css({ width: '50%', right: '', left: 0 });
+ menu.velocity({ 'translateX': [0, options.menuWidth] }, { duration: 300, queue: false, easing: 'easeOutQuad' });
+ }
+
+ // Overlay close on click
+ $overlay.css('opacity', 0).click(function () {
+ menuOut = false;
+ panning = false;
+ removeMenu();
+ $overlay.velocity({ opacity: 0 }, { duration: 300, queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ $(this).remove();
+ }
+ });
+ });
+
+ // Append body
+ $('body').append($overlay);
+ $overlay.velocity({ opacity: 1 }, { duration: 300, queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ menuOut = true;
+ panning = false;
+ }
+ });
+
+ // Callback
+ if (typeof options.onOpen === 'function') {
+ options.onOpen.call(this, menu);
+ }
+ }
+
+ return false;
+ });
+ });
+ },
+ destroy: function () {
+ var $overlay = $('#sidenav-overlay');
+ var $dragTarget = $('.drag-target[data-sidenav="' + $(this).attr('data-activates') + '"]');
+ $overlay.trigger('click');
+ $dragTarget.remove();
+ $(this).off('click');
+ $overlay.remove();
+ },
+ show: function () {
+ this.trigger('click');
+ },
+ hide: function () {
+ $('#sidenav-overlay').trigger('click');
+ }
+ };
+
+ $.fn.sideNav = function (methodOrOptions) {
+ if (methods[methodOrOptions]) {
+ return methods[methodOrOptions].apply(this, Array.prototype.slice.call(arguments, 1));
+ } else if (typeof methodOrOptions === 'object' || !methodOrOptions) {
+ // Default to "init"
+ return methods.init.apply(this, arguments);
+ } else {
+ $.error('Method ' + methodOrOptions + ' does not exist on jQuery.sideNav');
+ }
+ }; // Plugin end
+})(jQuery);
+; /**
+ * Extend jquery with a scrollspy plugin.
+ * This watches the window scroll and fires events when elements are scrolled into viewport.
+ *
+ * throttle() and getTime() taken from Underscore.js
+ * https://github.com/jashkenas/underscore
+ *
+ * @author Copyright 2013 John Smart
+ * @license https://raw.github.com/thesmart/jquery-scrollspy/master/LICENSE
+ * @see https://github.com/thesmart
+ * @version 0.1.2
+ */
+(function ($) {
+
+ var jWindow = $(window);
+ var elements = [];
+ var elementsInView = [];
+ var isSpying = false;
+ var ticks = 0;
+ var unique_id = 1;
+ var offset = {
+ top: 0,
+ right: 0,
+ bottom: 0,
+ left: 0
+
+ /**
+ * Find elements that are within the boundary
+ * @param {number} top
+ * @param {number} right
+ * @param {number} bottom
+ * @param {number} left
+ * @return {jQuery} A collection of elements
+ */
+ };function findElements(top, right, bottom, left) {
+ var hits = $();
+ $.each(elements, function (i, element) {
+ if (element.height() > 0) {
+ var elTop = element.offset().top,
+ elLeft = element.offset().left,
+ elRight = elLeft + element.width(),
+ elBottom = elTop + element.height();
+
+ var isIntersect = !(elLeft > right || elRight < left || elTop > bottom || elBottom < top);
+
+ if (isIntersect) {
+ hits.push(element);
+ }
+ }
+ });
+
+ return hits;
+ }
+
+ /**
+ * Called when the user scrolls the window
+ */
+ function onScroll(scrollOffset) {
+ // unique tick id
+ ++ticks;
+
+ // viewport rectangle
+ var top = jWindow.scrollTop(),
+ left = jWindow.scrollLeft(),
+ right = left + jWindow.width(),
+ bottom = top + jWindow.height();
+
+ // determine which elements are in view
+ var intersections = findElements(top + offset.top + scrollOffset || 200, right + offset.right, bottom + offset.bottom, left + offset.left);
+ $.each(intersections, function (i, element) {
+
+ var lastTick = element.data('scrollSpy:ticks');
+ if (typeof lastTick != 'number') {
+ // entered into view
+ element.triggerHandler('scrollSpy:enter');
+ }
+
+ // update tick id
+ element.data('scrollSpy:ticks', ticks);
+ });
+
+ // determine which elements are no longer in view
+ $.each(elementsInView, function (i, element) {
+ var lastTick = element.data('scrollSpy:ticks');
+ if (typeof lastTick == 'number' && lastTick !== ticks) {
+ // exited from view
+ element.triggerHandler('scrollSpy:exit');
+ element.data('scrollSpy:ticks', null);
+ }
+ });
+
+ // remember elements in view for next tick
+ elementsInView = intersections;
+ }
+
+ /**
+ * Called when window is resized
+ */
+ function onWinSize() {
+ jWindow.trigger('scrollSpy:winSize');
+ }
+
+ /**
+ * Enables ScrollSpy using a selector
+ * @param {jQuery|string} selector The elements collection, or a selector
+ * @param {Object=} options Optional.
+ throttle : number -> scrollspy throttling. Default: 100 ms
+ offsetTop : number -> offset from top. Default: 0
+ offsetRight : number -> offset from right. Default: 0
+ offsetBottom : number -> offset from bottom. Default: 0
+ offsetLeft : number -> offset from left. Default: 0
+ activeClass : string -> Class name to be added to the active link. Default: active
+ * @returns {jQuery}
+ */
+ $.scrollSpy = function (selector, options) {
+ var defaults = {
+ throttle: 100,
+ scrollOffset: 200, // offset - 200 allows elements near bottom of page to scroll
+ activeClass: 'active',
+ getActiveElement: function (id) {
+ return 'a[href="#' + id + '"]';
+ }
+ };
+ options = $.extend(defaults, options);
+
+ var visible = [];
+ selector = $(selector);
+ selector.each(function (i, element) {
+ elements.push($(element));
+ $(element).data("scrollSpy:id", i);
+ // Smooth scroll to section
+ $('a[href="#' + $(element).attr('id') + '"]').click(function (e) {
+ e.preventDefault();
+ var offset = $(Materialize.escapeHash(this.hash)).offset().top + 1;
+ $('html, body').animate({ scrollTop: offset - options.scrollOffset }, { duration: 400, queue: false, easing: 'easeOutCubic' });
+ });
+ });
+
+ offset.top = options.offsetTop || 0;
+ offset.right = options.offsetRight || 0;
+ offset.bottom = options.offsetBottom || 0;
+ offset.left = options.offsetLeft || 0;
+
+ var throttledScroll = Materialize.throttle(function () {
+ onScroll(options.scrollOffset);
+ }, options.throttle || 100);
+ var readyScroll = function () {
+ $(document).ready(throttledScroll);
+ };
+
+ if (!isSpying) {
+ jWindow.on('scroll', readyScroll);
+ jWindow.on('resize', readyScroll);
+ isSpying = true;
+ }
+
+ // perform a scan once, after current execution context, and after dom is ready
+ setTimeout(readyScroll, 0);
+
+ selector.on('scrollSpy:enter', function () {
+ visible = $.grep(visible, function (value) {
+ return value.height() != 0;
+ });
+
+ var $this = $(this);
+
+ if (visible[0]) {
+ $(options.getActiveElement(visible[0].attr('id'))).removeClass(options.activeClass);
+ if ($this.data('scrollSpy:id') < visible[0].data('scrollSpy:id')) {
+ visible.unshift($(this));
+ } else {
+ visible.push($(this));
+ }
+ } else {
+ visible.push($(this));
+ }
+
+ $(options.getActiveElement(visible[0].attr('id'))).addClass(options.activeClass);
+ });
+ selector.on('scrollSpy:exit', function () {
+ visible = $.grep(visible, function (value) {
+ return value.height() != 0;
+ });
+
+ if (visible[0]) {
+ $(options.getActiveElement(visible[0].attr('id'))).removeClass(options.activeClass);
+ var $this = $(this);
+ visible = $.grep(visible, function (value) {
+ return value.attr('id') != $this.attr('id');
+ });
+ if (visible[0]) {
+ // Check if empty
+ $(options.getActiveElement(visible[0].attr('id'))).addClass(options.activeClass);
+ }
+ }
+ });
+
+ return selector;
+ };
+
+ /**
+ * Listen for window resize events
+ * @param {Object=} options Optional. Set { throttle: number } to change throttling. Default: 100 ms
+ * @returns {jQuery} $(window)
+ */
+ $.winSizeSpy = function (options) {
+ $.winSizeSpy = function () {
+ return jWindow;
+ }; // lock from multiple calls
+ options = options || {
+ throttle: 100
+ };
+ return jWindow.on('resize', Materialize.throttle(onWinSize, options.throttle || 100));
+ };
+
+ /**
+ * Enables ScrollSpy on a collection of elements
+ * e.g. $('.scrollSpy').scrollSpy()
+ * @param {Object=} options Optional.
+ throttle : number -> scrollspy throttling. Default: 100 ms
+ offsetTop : number -> offset from top. Default: 0
+ offsetRight : number -> offset from right. Default: 0
+ offsetBottom : number -> offset from bottom. Default: 0
+ offsetLeft : number -> offset from left. Default: 0
+ * @returns {jQuery}
+ */
+ $.fn.scrollSpy = function (options) {
+ return $.scrollSpy($(this), options);
+ };
+})(jQuery);
+;(function ($) {
+ $(document).ready(function () {
+
+ // Function to update labels of text fields
+ Materialize.updateTextFields = function () {
+ var input_selector = 'input[type=text], input[type=password], input[type=email], input[type=url], input[type=tel], input[type=number], input[type=search], textarea';
+ $(input_selector).each(function (index, element) {
+ var $this = $(this);
+ if ($(element).val().length > 0 || $(element).is(':focus') || element.autofocus || $this.attr('placeholder') !== undefined) {
+ $this.siblings('label').addClass('active');
+ } else if ($(element)[0].validity) {
+ $this.siblings('label').toggleClass('active', $(element)[0].validity.badInput === true);
+ } else {
+ $this.siblings('label').removeClass('active');
+ }
+ });
+ };
+
+ // Text based inputs
+ var input_selector = 'input[type=text], input[type=password], input[type=email], input[type=url], input[type=tel], input[type=number], input[type=search], textarea';
+
+ // Add active if form auto complete
+ $(document).on('change', input_selector, function () {
+ if ($(this).val().length !== 0 || $(this).attr('placeholder') !== undefined) {
+ $(this).siblings('label').addClass('active');
+ }
+ validate_field($(this));
+ });
+
+ // Add active if input element has been pre-populated on document ready
+ $(document).ready(function () {
+ Materialize.updateTextFields();
+ });
+
+ // HTML DOM FORM RESET handling
+ $(document).on('reset', function (e) {
+ var formReset = $(e.target);
+ if (formReset.is('form')) {
+ formReset.find(input_selector).removeClass('valid').removeClass('invalid');
+ formReset.find(input_selector).each(function () {
+ if ($(this).attr('value') === '') {
+ $(this).siblings('label').removeClass('active');
+ }
+ });
+
+ // Reset select
+ formReset.find('select.initialized').each(function () {
+ var reset_text = formReset.find('option[selected]').text();
+ formReset.siblings('input.select-dropdown').val(reset_text);
+ });
+ }
+ });
+
+ // Add active when element has focus
+ $(document).on('focus', input_selector, function () {
+ $(this).siblings('label, .prefix').addClass('active');
+ });
+
+ $(document).on('blur', input_selector, function () {
+ var $inputElement = $(this);
+ var selector = ".prefix";
+
+ if ($inputElement.val().length === 0 && $inputElement[0].validity.badInput !== true && $inputElement.attr('placeholder') === undefined) {
+ selector += ", label";
+ }
+
+ $inputElement.siblings(selector).removeClass('active');
+
+ validate_field($inputElement);
+ });
+
+ window.validate_field = function (object) {
+ var hasLength = object.attr('data-length') !== undefined;
+ var lenAttr = parseInt(object.attr('data-length'));
+ var len = object.val().length;
+
+ if (object.val().length === 0 && object[0].validity.badInput === false && !object.is(':required')) {
+ if (object.hasClass('validate')) {
+ object.removeClass('valid');
+ object.removeClass('invalid');
+ }
+ } else {
+ if (object.hasClass('validate')) {
+ // Check for character counter attributes
+ if (object.is(':valid') && hasLength && len <= lenAttr || object.is(':valid') && !hasLength) {
+ object.removeClass('invalid');
+ object.addClass('valid');
+ } else {
+ object.removeClass('valid');
+ object.addClass('invalid');
+ }
+ }
+ }
+ };
+
+ // Radio and Checkbox focus class
+ var radio_checkbox = 'input[type=radio], input[type=checkbox]';
+ $(document).on('keyup.radio', radio_checkbox, function (e) {
+ // TAB, check if tabbing to radio or checkbox.
+ if (e.which === 9) {
+ $(this).addClass('tabbed');
+ var $this = $(this);
+ $this.one('blur', function (e) {
+
+ $(this).removeClass('tabbed');
+ });
+ return;
+ }
+ });
+
+ // Textarea Auto Resize
+ var hiddenDiv = $('.hiddendiv').first();
+ if (!hiddenDiv.length) {
+ hiddenDiv = $('<div class="hiddendiv common"></div>');
+ $('body').append(hiddenDiv);
+ }
+ var text_area_selector = '.materialize-textarea';
+
+ function textareaAutoResize($textarea) {
+ // Set font properties of hiddenDiv
+
+ var fontFamily = $textarea.css('font-family');
+ var fontSize = $textarea.css('font-size');
+ var lineHeight = $textarea.css('line-height');
+ var padding = $textarea.css('padding');
+
+ if (fontSize) {
+ hiddenDiv.css('font-size', fontSize);
+ }
+ if (fontFamily) {
+ hiddenDiv.css('font-family', fontFamily);
+ }
+ if (lineHeight) {
+ hiddenDiv.css('line-height', lineHeight);
+ }
+ if (padding) {
+ hiddenDiv.css('padding', padding);
+ }
+
+ // Set original-height, if none
+ if (!$textarea.data('original-height')) {
+ $textarea.data('original-height', $textarea.height());
+ }
+
+ if ($textarea.attr('wrap') === 'off') {
+ hiddenDiv.css('overflow-wrap', 'normal').css('white-space', 'pre');
+ }
+
+ hiddenDiv.text($textarea.val() + '\n');
+ var content = hiddenDiv.html().replace(/\n/g, '<br>');
+ hiddenDiv.html(content);
+
+ // When textarea is hidden, width goes crazy.
+ // Approximate with half of window size
+
+ if ($textarea.is(':visible')) {
+ hiddenDiv.css('width', $textarea.width());
+ } else {
+ hiddenDiv.css('width', $(window).width() / 2);
+ }
+
+ /**
+ * Resize if the new height is greater than the
+ * original height of the textarea
+ */
+ if ($textarea.data('original-height') <= hiddenDiv.height()) {
+ $textarea.css('height', hiddenDiv.height());
+ } else if ($textarea.val().length < $textarea.data('previous-length')) {
+ /**
+ * In case the new height is less than original height, it
+ * means the textarea has less text than before
+ * So we set the height to the original one
+ */
+ $textarea.css('height', $textarea.data('original-height'));
+ }
+ $textarea.data('previous-length', $textarea.val().length);
+ }
+
+ $(text_area_selector).each(function () {
+ var $textarea = $(this);
+ /**
+ * Instead of resizing textarea on document load,
+ * store the original height and the original length
+ */
+ $textarea.data('original-height', $textarea.height());
+ $textarea.data('previous-length', $textarea.val().length);
+ });
+
+ $('body').on('keyup keydown autoresize', text_area_selector, function () {
+ textareaAutoResize($(this));
+ });
+
+ // File Input Path
+ $(document).on('change', '.file-field input[type="file"]', function () {
+ var file_field = $(this).closest('.file-field');
+ var path_input = file_field.find('input.file-path');
+ var files = $(this)[0].files;
+ var file_names = [];
+ for (var i = 0; i < files.length; i++) {
+ file_names.push(files[i].name);
+ }
+ path_input.val(file_names.join(", "));
+ path_input.trigger('change');
+ });
+
+ /****************
+ * Range Input *
+ ****************/
+
+ var range_type = 'input[type=range]';
+ var range_mousedown = false;
+ var left;
+
+ $(range_type).each(function () {
+ var thumb = $('<span class="thumb"><span class="value"></span></span>');
+ $(this).after(thumb);
+ });
+
+ var showRangeBubble = function (thumb) {
+ var paddingLeft = parseInt(thumb.parent().css('padding-left'));
+ var marginLeft = -7 + paddingLeft + 'px';
+ thumb.velocity({ height: "30px", width: "30px", top: "-30px", marginLeft: marginLeft }, { duration: 300, easing: 'easeOutExpo' });
+ };
+
+ var calcRangeOffset = function (range) {
+ var width = range.width() - 15;
+ var max = parseFloat(range.attr('max'));
+ var min = parseFloat(range.attr('min'));
+ var percent = (parseFloat(range.val()) - min) / (max - min);
+ return percent * width;
+ };
+
+ var range_wrapper = '.range-field';
+ $(document).on('change', range_type, function (e) {
+ var thumb = $(this).siblings('.thumb');
+ thumb.find('.value').html($(this).val());
+
+ if (!thumb.hasClass('active')) {
+ showRangeBubble(thumb);
+ }
+
+ var offsetLeft = calcRangeOffset($(this));
+ thumb.addClass('active').css('left', offsetLeft);
+ });
+
+ $(document).on('mousedown touchstart', range_type, function (e) {
+ var thumb = $(this).siblings('.thumb');
+
+ // If thumb indicator does not exist yet, create it
+ if (thumb.length <= 0) {
+ thumb = $('<span class="thumb"><span class="value"></span></span>');
+ $(this).after(thumb);
+ }
+
+ // Set indicator value
+ thumb.find('.value').html($(this).val());
+
+ range_mousedown = true;
+ $(this).addClass('active');
+
+ if (!thumb.hasClass('active')) {
+ showRangeBubble(thumb);
+ }
+
+ if (e.type !== 'input') {
+ var offsetLeft = calcRangeOffset($(this));
+ thumb.addClass('active').css('left', offsetLeft);
+ }
+ });
+
+ $(document).on('mouseup touchend', range_wrapper, function () {
+ range_mousedown = false;
+ $(this).removeClass('active');
+ });
+
+ $(document).on('input mousemove touchmove', range_wrapper, function (e) {
+ var thumb = $(this).children('.thumb');
+ var left;
+ var input = $(this).find(range_type);
+
+ if (range_mousedown) {
+ if (!thumb.hasClass('active')) {
+ showRangeBubble(thumb);
+ }
+
+ var offsetLeft = calcRangeOffset(input);
+ thumb.addClass('active').css('left', offsetLeft);
+ thumb.find('.value').html(thumb.siblings(range_type).val());
+ }
+ });
+
+ $(document).on('mouseout touchleave', range_wrapper, function () {
+ if (!range_mousedown) {
+
+ var thumb = $(this).children('.thumb');
+ var paddingLeft = parseInt($(this).css('padding-left'));
+ var marginLeft = 7 + paddingLeft + 'px';
+
+ if (thumb.hasClass('active')) {
+ thumb.velocity({ height: '0', width: '0', top: '10px', marginLeft: marginLeft }, { duration: 100 });
+ }
+ thumb.removeClass('active');
+ }
+ });
+
+ /**************************
+ * Auto complete plugin *
+ *************************/
+ $.fn.autocomplete = function (options) {
+ // Defaults
+ var defaults = {
+ data: {},
+ limit: Infinity,
+ onAutocomplete: null,
+ minLength: 1
+ };
+
+ options = $.extend(defaults, options);
+
+ return this.each(function () {
+ var $input = $(this);
+ var data = options.data,
+ count = 0,
+ activeIndex = -1,
+ oldVal,
+ $inputDiv = $input.closest('.input-field'); // Div to append on
+
+ // Check if data isn't empty
+ if (!$.isEmptyObject(data)) {
+ var $autocomplete = $('<ul class="autocomplete-content dropdown-content"></ul>');
+ var $oldAutocomplete;
+
+ // Append autocomplete element.
+ // Prevent double structure init.
+ if ($inputDiv.length) {
+ $oldAutocomplete = $inputDiv.children('.autocomplete-content.dropdown-content').first();
+ if (!$oldAutocomplete.length) {
+ $inputDiv.append($autocomplete); // Set ul in body
+ }
+ } else {
+ $oldAutocomplete = $input.next('.autocomplete-content.dropdown-content');
+ if (!$oldAutocomplete.length) {
+ $input.after($autocomplete);
+ }
+ }
+ if ($oldAutocomplete.length) {
+ $autocomplete = $oldAutocomplete;
+ }
+
+ // Highlight partial match.
+ var highlight = function (string, $el) {
+ var img = $el.find('img');
+ var matchStart = $el.text().toLowerCase().indexOf("" + string.toLowerCase() + ""),
+ matchEnd = matchStart + string.length - 1,
+ beforeMatch = $el.text().slice(0, matchStart),
+ matchText = $el.text().slice(matchStart, matchEnd + 1),
+ afterMatch = $el.text().slice(matchEnd + 1);
+ $el.html("<span>" + beforeMatch + "<span class='highlight'>" + matchText + "</span>" + afterMatch + "</span>");
+ if (img.length) {
+ $el.prepend(img);
+ }
+ };
+
+ // Reset current element position
+ var resetCurrentElement = function () {
+ activeIndex = -1;
+ $autocomplete.find('.active').removeClass('active');
+ };
+
+ // Remove autocomplete elements
+ var removeAutocomplete = function () {
+ $autocomplete.empty();
+ resetCurrentElement();
+ oldVal = undefined;
+ };
+
+ $input.off('blur.autocomplete').on('blur.autocomplete', function () {
+ removeAutocomplete();
+ });
+
+ // Perform search
+ $input.off('keyup.autocomplete focus.autocomplete').on('keyup.autocomplete focus.autocomplete', function (e) {
+ // Reset count.
+ count = 0;
+ var val = $input.val().toLowerCase();
+
+ // Don't capture enter or arrow key usage.
+ if (e.which === 13 || e.which === 38 || e.which === 40) {
+ return;
+ }
+
+ // Check if the input isn't empty
+ if (oldVal !== val) {
+ removeAutocomplete();
+
+ if (val.length >= options.minLength) {
+ for (var key in data) {
+ if (data.hasOwnProperty(key) && key.toLowerCase().indexOf(val) !== -1) {
+ // Break if past limit
+ if (count >= options.limit) {
+ break;
+ }
+
+ var autocompleteOption = $('<li></li>');
+ if (!!data[key]) {
+ autocompleteOption.append('<img src="' + data[key] + '" class="right circle"><span>' + key + '</span>');
+ } else {
+ autocompleteOption.append('<span>' + key + '</span>');
+ }
+
+ $autocomplete.append(autocompleteOption);
+ highlight(val, autocompleteOption);
+ count++;
+ }
+ }
+ }
+ }
+
+ // Update oldVal
+ oldVal = val;
+ });
+
+ $input.off('keydown.autocomplete').on('keydown.autocomplete', function (e) {
+ // Arrow keys and enter key usage
+ var keyCode = e.which,
+ liElement,
+ numItems = $autocomplete.children('li').length,
+ $active = $autocomplete.children('.active').first();
+
+ // select element on Enter
+ if (keyCode === 13 && activeIndex >= 0) {
+ liElement = $autocomplete.children('li').eq(activeIndex);
+ if (liElement.length) {
+ liElement.trigger('mousedown.autocomplete');
+ e.preventDefault();
+ }
+ return;
+ }
+
+ // Capture up and down key
+ if (keyCode === 38 || keyCode === 40) {
+ e.preventDefault();
+
+ if (keyCode === 38 && activeIndex > 0) {
+ activeIndex--;
+ }
+
+ if (keyCode === 40 && activeIndex < numItems - 1) {
+ activeIndex++;
+ }
+
+ $active.removeClass('active');
+ if (activeIndex >= 0) {
+ $autocomplete.children('li').eq(activeIndex).addClass('active');
+ }
+ }
+ });
+
+ // Set input value
+ $autocomplete.off('mousedown.autocomplete touchstart.autocomplete').on('mousedown.autocomplete touchstart.autocomplete', 'li', function () {
+ var text = $(this).text().trim();
+ $input.val(text);
+ $input.trigger('change');
+ removeAutocomplete();
+
+ // Handle onAutocomplete callback.
+ if (typeof options.onAutocomplete === "function") {
+ options.onAutocomplete.call(this, text);
+ }
+ });
+
+ // Empty data
+ } else {
+ $input.off('keyup.autocomplete focus.autocomplete');
+ }
+ });
+ };
+ }); // End of $(document).ready
+
+ /*******************
+ * Select Plugin *
+ ******************/
+ $.fn.material_select = function (callback) {
+ $(this).each(function () {
+ var $select = $(this);
+
+ if ($select.hasClass('browser-default')) {
+ return; // Continue to next (return false breaks out of entire loop)
+ }
+
+ var multiple = $select.attr('multiple') ? true : false,
+ lastID = $select.attr('data-select-id'); // Tear down structure if Select needs to be rebuilt
+
+ if (lastID) {
+ $select.parent().find('span.caret').remove();
+ $select.parent().find('input').remove();
+
+ $select.unwrap();
+ $('ul#select-options-' + lastID).remove();
+ }
+
+ // If destroying the select, remove the selelct-id and reset it to it's uninitialized state.
+ if (callback === 'destroy') {
+ $select.removeAttr('data-select-id').removeClass('initialized');
+ $(window).off('click.select');
+ return;
+ }
+
+ var uniqueID = Materialize.guid();
+ $select.attr('data-select-id', uniqueID);
+ var wrapper = $('<div class="select-wrapper"></div>');
+ wrapper.addClass($select.attr('class'));
+ if ($select.is(':disabled')) wrapper.addClass('disabled');
+ var options = $('<ul id="select-options-' + uniqueID + '" class="dropdown-content select-dropdown ' + (multiple ? 'multiple-select-dropdown' : '') + '"></ul>'),
+ selectChildren = $select.children('option, optgroup'),
+ valuesSelected = [],
+ optionsHover = false;
+
+ var label = $select.find('option:selected').html() || $select.find('option:first').html() || "";
+
+ // Function that renders and appends the option taking into
+ // account type and possible image icon.
+ var appendOptionWithIcon = function (select, option, type) {
+ // Add disabled attr if disabled
+ var disabledClass = option.is(':disabled') ? 'disabled ' : '';
+ var optgroupClass = type === 'optgroup-option' ? 'optgroup-option ' : '';
+ var multipleCheckbox = multiple ? '<input type="checkbox"' + disabledClass + '/><label></label>' : '';
+
+ // add icons
+ var icon_url = option.data('icon');
+ var classes = option.attr('class');
+ if (!!icon_url) {
+ var classString = '';
+ if (!!classes) classString = ' class="' + classes + '"';
+
+ // Check for multiple type.
+ options.append($('<li class="' + disabledClass + optgroupClass + '"><img alt="" src="' + icon_url + '"' + classString + '><span>' + multipleCheckbox + option.html() + '</span></li>'));
+ return true;
+ }
+
+ // Check for multiple type.
+ options.append($('<li class="' + disabledClass + optgroupClass + '"><span>' + multipleCheckbox + option.html() + '</span></li>'));
+ };
+
+ /* Create dropdown structure. */
+ if (selectChildren.length) {
+ selectChildren.each(function () {
+ if ($(this).is('option')) {
+ // Direct descendant option.
+ if (multiple) {
+ appendOptionWithIcon($select, $(this), 'multiple');
+ } else {
+ appendOptionWithIcon($select, $(this));
+ }
+ } else if ($(this).is('optgroup')) {
+ // Optgroup.
+ var selectOptions = $(this).children('option');
+ options.append($('<li class="optgroup"><span>' + $(this).attr('label') + '</span></li>'));
+
+ selectOptions.each(function () {
+ appendOptionWithIcon($select, $(this), 'optgroup-option');
+ });
+ }
+ });
+ }
+
+ options.find('li:not(.optgroup)').each(function (i) {
+ $(this).click(function (e) {
+ // Check if option element is disabled
+ if (!$(this).hasClass('disabled') && !$(this).hasClass('optgroup')) {
+ var selected = true;
+
+ if (multiple) {
+ $('input[type="checkbox"]', this).prop('checked', function (i, v) {
+ return !v;
+ });
+ selected = toggleEntryFromArray(valuesSelected, i, $select);
+ $newSelect.trigger('focus');
+ } else {
+ options.find('li').removeClass('active');
+ $(this).toggleClass('active');
+ $newSelect.val($(this).text());
+ }
+
+ activateOption(options, $(this));
+ $select.find('option').eq(i).prop('selected', selected);
+ // Trigger onchange() event
+ $select.trigger('change');
+ if (typeof callback !== 'undefined') callback();
+ }
+
+ e.stopPropagation();
+ });
+ });
+
+ // Wrap Elements
+ $select.wrap(wrapper);
+ // Add Select Display Element
+ var dropdownIcon = $('<span class="caret">&#9660;</span>');
+
+ // escape double quotes
+ var sanitizedLabelHtml = label.replace(/"/g, '&quot;');
+
+ var $newSelect = $('<input type="text" class="select-dropdown" readonly="true" ' + ($select.is(':disabled') ? 'disabled' : '') + ' data-activates="select-options-' + uniqueID + '" value="' + sanitizedLabelHtml + '"/>');
+ $select.before($newSelect);
+ $newSelect.before(dropdownIcon);
+
+ $newSelect.after(options);
+ // Check if section element is disabled
+ if (!$select.is(':disabled')) {
+ $newSelect.dropdown({ 'hover': false });
+ }
+
+ // Copy tabindex
+ if ($select.attr('tabindex')) {
+ $($newSelect[0]).attr('tabindex', $select.attr('tabindex'));
+ }
+
+ $select.addClass('initialized');
+
+ $newSelect.on({
+ 'focus': function () {
+ if ($('ul.select-dropdown').not(options[0]).is(':visible')) {
+ $('input.select-dropdown').trigger('close');
+ $(window).off('click.select');
+ }
+ if (!options.is(':visible')) {
+ $(this).trigger('open', ['focus']);
+ var label = $(this).val();
+ if (multiple && label.indexOf(',') >= 0) {
+ label = label.split(',')[0];
+ }
+
+ var selectedOption = options.find('li').filter(function () {
+ return $(this).text().toLowerCase() === label.toLowerCase();
+ })[0];
+ activateOption(options, selectedOption, true);
+
+ $(window).off('click.select').on('click.select', function () {
+ multiple && (optionsHover || $newSelect.trigger('close'));
+ $(window).off('click.select');
+ });
+ }
+ },
+ 'click': function (e) {
+ e.stopPropagation();
+ }
+ });
+
+ $newSelect.on('blur', function () {
+ if (!multiple) {
+ $(this).trigger('close');
+ $(window).off('click.select');
+ }
+ options.find('li.selected').removeClass('selected');
+ });
+
+ options.hover(function () {
+ optionsHover = true;
+ }, function () {
+ optionsHover = false;
+ });
+
+ // Add initial multiple selections.
+ if (multiple) {
+ $select.find("option:selected:not(:disabled)").each(function () {
+ var index = this.index;
+
+ toggleEntryFromArray(valuesSelected, index, $select);
+ options.find("li:not(.optgroup)").eq(index).find(":checkbox").prop("checked", true);
+ });
+ }
+
+ /**
+ * Make option as selected and scroll to selected position
+ * @param {jQuery} collection Select options jQuery element
+ * @param {Element} newOption element of the new option
+ * @param {Boolean} firstActivation If on first activation of select
+ */
+ var activateOption = function (collection, newOption, firstActivation) {
+ if (newOption) {
+ collection.find('li.selected').removeClass('selected');
+ var option = $(newOption);
+ option.addClass('selected');
+ if (!multiple || !!firstActivation) {
+ options.scrollTo(option);
+ }
+ }
+ };
+
+ // Allow user to search by typing
+ // this array is cleared after 1 second
+ var filterQuery = [],
+ onKeyDown = function (e) {
+ // TAB - switch to another input
+ if (e.which == 9) {
+ $newSelect.trigger('close');
+ return;
+ }
+
+ // ARROW DOWN WHEN SELECT IS CLOSED - open select options
+ if (e.which == 40 && !options.is(':visible')) {
+ $newSelect.trigger('open');
+ return;
+ }
+
+ // ENTER WHEN SELECT IS CLOSED - submit form
+ if (e.which == 13 && !options.is(':visible')) {
+ return;
+ }
+
+ e.preventDefault();
+
+ // CASE WHEN USER TYPE LETTERS
+ var letter = String.fromCharCode(e.which).toLowerCase(),
+ nonLetters = [9, 13, 27, 38, 40];
+ if (letter && nonLetters.indexOf(e.which) === -1) {
+ filterQuery.push(letter);
+
+ var string = filterQuery.join(''),
+ newOption = options.find('li').filter(function () {
+ return $(this).text().toLowerCase().indexOf(string) === 0;
+ })[0];
+
+ if (newOption) {
+ activateOption(options, newOption);
+ }
+ }
+
+ // ENTER - select option and close when select options are opened
+ if (e.which == 13) {
+ var activeOption = options.find('li.selected:not(.disabled)')[0];
+ if (activeOption) {
+ $(activeOption).trigger('click');
+ if (!multiple) {
+ $newSelect.trigger('close');
+ }
+ }
+ }
+
+ // ARROW DOWN - move to next not disabled option
+ if (e.which == 40) {
+ if (options.find('li.selected').length) {
+ newOption = options.find('li.selected').next('li:not(.disabled)')[0];
+ } else {
+ newOption = options.find('li:not(.disabled)')[0];
+ }
+ activateOption(options, newOption);
+ }
+
+ // ESC - close options
+ if (e.which == 27) {
+ $newSelect.trigger('close');
+ }
+
+ // ARROW UP - move to previous not disabled option
+ if (e.which == 38) {
+ newOption = options.find('li.selected').prev('li:not(.disabled)')[0];
+ if (newOption) activateOption(options, newOption);
+ }
+
+ // Automaticaly clean filter query so user can search again by starting letters
+ setTimeout(function () {
+ filterQuery = [];
+ }, 1000);
+ };
+
+ $newSelect.on('keydown', onKeyDown);
+ });
+
+ function toggleEntryFromArray(entriesArray, entryIndex, select) {
+ var index = entriesArray.indexOf(entryIndex),
+ notAdded = index === -1;
+
+ if (notAdded) {
+ entriesArray.push(entryIndex);
+ } else {
+ entriesArray.splice(index, 1);
+ }
+
+ select.siblings('ul.dropdown-content').find('li:not(.optgroup)').eq(entryIndex).toggleClass('active');
+
+ // use notAdded instead of true (to detect if the option is selected or not)
+ select.find('option').eq(entryIndex).prop('selected', notAdded);
+ setValueToInput(entriesArray, select);
+
+ return notAdded;
+ }
+
+ function setValueToInput(entriesArray, select) {
+ var value = '';
+
+ for (var i = 0, count = entriesArray.length; i < count; i++) {
+ var text = select.find('option').eq(entriesArray[i]).text();
+
+ i === 0 ? value += text : value += ', ' + text;
+ }
+
+ if (value === '') {
+ value = select.find('option:disabled').eq(0).text();
+ }
+
+ select.siblings('input.select-dropdown').val(value);
+ }
+ };
+})(jQuery);
+;(function ($) {
+
+ var methods = {
+
+ init: function (options) {
+ var defaults = {
+ indicators: true,
+ height: 400,
+ transition: 500,
+ interval: 6000
+ };
+ options = $.extend(defaults, options);
+
+ return this.each(function () {
+
+ // For each slider, we want to keep track of
+ // which slide is active and its associated content
+ var $this = $(this);
+ var $slider = $this.find('ul.slides').first();
+ var $slides = $slider.find('> li');
+ var $active_index = $slider.find('.active').index();
+ var $active, $indicators, $interval;
+ if ($active_index != -1) {
+ $active = $slides.eq($active_index);
+ }
+
+ // Transitions the caption depending on alignment
+ function captionTransition(caption, duration) {
+ if (caption.hasClass("center-align")) {
+ caption.velocity({ opacity: 0, translateY: -100 }, { duration: duration, queue: false });
+ } else if (caption.hasClass("right-align")) {
+ caption.velocity({ opacity: 0, translateX: 100 }, { duration: duration, queue: false });
+ } else if (caption.hasClass("left-align")) {
+ caption.velocity({ opacity: 0, translateX: -100 }, { duration: duration, queue: false });
+ }
+ }
+
+ // This function will transition the slide to any index of the next slide
+ function moveToSlide(index) {
+ // Wrap around indices.
+ if (index >= $slides.length) index = 0;else if (index < 0) index = $slides.length - 1;
+
+ $active_index = $slider.find('.active').index();
+
+ // Only do if index changes
+ if ($active_index != index) {
+ $active = $slides.eq($active_index);
+ $caption = $active.find('.caption');
+
+ $active.removeClass('active');
+ $active.velocity({ opacity: 0 }, { duration: options.transition, queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ $slides.not('.active').velocity({ opacity: 0, translateX: 0, translateY: 0 }, { duration: 0, queue: false });
+ } });
+ captionTransition($caption, options.transition);
+
+ // Update indicators
+ if (options.indicators) {
+ $indicators.eq($active_index).removeClass('active');
+ }
+
+ $slides.eq(index).velocity({ opacity: 1 }, { duration: options.transition, queue: false, easing: 'easeOutQuad' });
+ $slides.eq(index).find('.caption').velocity({ opacity: 1, translateX: 0, translateY: 0 }, { duration: options.transition, delay: options.transition, queue: false, easing: 'easeOutQuad' });
+ $slides.eq(index).addClass('active');
+
+ // Update indicators
+ if (options.indicators) {
+ $indicators.eq(index).addClass('active');
+ }
+ }
+ }
+
+ // Set height of slider
+ // If fullscreen, do nothing
+ if (!$this.hasClass('fullscreen')) {
+ if (options.indicators) {
+ // Add height if indicators are present
+ $this.height(options.height + 40);
+ } else {
+ $this.height(options.height);
+ }
+ $slider.height(options.height);
+ }
+
+ // Set initial positions of captions
+ $slides.find('.caption').each(function () {
+ captionTransition($(this), 0);
+ });
+
+ // Move img src into background-image
+ $slides.find('img').each(function () {
+ var placeholderBase64 = 'data:image/gif;base64,R0lGODlhAQABAIABAP///wAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==';
+ if ($(this).attr('src') !== placeholderBase64) {
+ $(this).css('background-image', 'url("' + $(this).attr('src') + '")');
+ $(this).attr('src', placeholderBase64);
+ }
+ });
+
+ // dynamically add indicators
+ if (options.indicators) {
+ $indicators = $('<ul class="indicators"></ul>');
+ $slides.each(function (index) {
+ var $indicator = $('<li class="indicator-item"></li>');
+
+ // Handle clicks on indicators
+ $indicator.click(function () {
+ var $parent = $slider.parent();
+ var curr_index = $parent.find($(this)).index();
+ moveToSlide(curr_index);
+
+ // reset interval
+ clearInterval($interval);
+ $interval = setInterval(function () {
+ $active_index = $slider.find('.active').index();
+ if ($slides.length == $active_index + 1) $active_index = 0; // loop to start
+ else $active_index += 1;
+
+ moveToSlide($active_index);
+ }, options.transition + options.interval);
+ });
+ $indicators.append($indicator);
+ });
+ $this.append($indicators);
+ $indicators = $this.find('ul.indicators').find('li.indicator-item');
+ }
+
+ if ($active) {
+ $active.show();
+ } else {
+ $slides.first().addClass('active').velocity({ opacity: 1 }, { duration: options.transition, queue: false, easing: 'easeOutQuad' });
+
+ $active_index = 0;
+ $active = $slides.eq($active_index);
+
+ // Update indicators
+ if (options.indicators) {
+ $indicators.eq($active_index).addClass('active');
+ }
+ }
+
+ // Adjust height to current slide
+ $active.find('img').each(function () {
+ $active.find('.caption').velocity({ opacity: 1, translateX: 0, translateY: 0 }, { duration: options.transition, queue: false, easing: 'easeOutQuad' });
+ });
+
+ // auto scroll
+ $interval = setInterval(function () {
+ $active_index = $slider.find('.active').index();
+ moveToSlide($active_index + 1);
+ }, options.transition + options.interval);
+
+ // HammerJS, Swipe navigation
+
+ // Touch Event
+ var panning = false;
+ var swipeLeft = false;
+ var swipeRight = false;
+
+ $this.hammer({
+ prevent_default: false
+ }).on('pan', function (e) {
+ if (e.gesture.pointerType === "touch") {
+
+ // reset interval
+ clearInterval($interval);
+
+ var direction = e.gesture.direction;
+ var x = e.gesture.deltaX;
+ var velocityX = e.gesture.velocityX;
+ var velocityY = e.gesture.velocityY;
+
+ $curr_slide = $slider.find('.active');
+ if (Math.abs(velocityX) > Math.abs(velocityY)) {
+ $curr_slide.velocity({ translateX: x
+ }, { duration: 50, queue: false, easing: 'easeOutQuad' });
+ }
+
+ // Swipe Left
+ if (direction === 4 && (x > $this.innerWidth() / 2 || velocityX < -0.65)) {
+ swipeRight = true;
+ }
+ // Swipe Right
+ else if (direction === 2 && (x < -1 * $this.innerWidth() / 2 || velocityX > 0.65)) {
+ swipeLeft = true;
+ }
+
+ // Make Slide Behind active slide visible
+ var next_slide;
+ if (swipeLeft) {
+ next_slide = $curr_slide.next();
+ if (next_slide.length === 0) {
+ next_slide = $slides.first();
+ }
+ next_slide.velocity({ opacity: 1
+ }, { duration: 300, queue: false, easing: 'easeOutQuad' });
+ }
+ if (swipeRight) {
+ next_slide = $curr_slide.prev();
+ if (next_slide.length === 0) {
+ next_slide = $slides.last();
+ }
+ next_slide.velocity({ opacity: 1
+ }, { duration: 300, queue: false, easing: 'easeOutQuad' });
+ }
+ }
+ }).on('panend', function (e) {
+ if (e.gesture.pointerType === "touch") {
+
+ $curr_slide = $slider.find('.active');
+ panning = false;
+ curr_index = $slider.find('.active').index();
+
+ if (!swipeRight && !swipeLeft || $slides.length <= 1) {
+ // Return to original spot
+ $curr_slide.velocity({ translateX: 0
+ }, { duration: 300, queue: false, easing: 'easeOutQuad' });
+ } else if (swipeLeft) {
+ moveToSlide(curr_index + 1);
+ $curr_slide.velocity({ translateX: -1 * $this.innerWidth() }, { duration: 300, queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ $curr_slide.velocity({ opacity: 0, translateX: 0 }, { duration: 0, queue: false });
+ } });
+ } else if (swipeRight) {
+ moveToSlide(curr_index - 1);
+ $curr_slide.velocity({ translateX: $this.innerWidth() }, { duration: 300, queue: false, easing: 'easeOutQuad',
+ complete: function () {
+ $curr_slide.velocity({ opacity: 0, translateX: 0 }, { duration: 0, queue: false });
+ } });
+ }
+ swipeLeft = false;
+ swipeRight = false;
+
+ // Restart interval
+ clearInterval($interval);
+ $interval = setInterval(function () {
+ $active_index = $slider.find('.active').index();
+ if ($slides.length == $active_index + 1) $active_index = 0; // loop to start
+ else $active_index += 1;
+
+ moveToSlide($active_index);
+ }, options.transition + options.interval);
+ }
+ });
+
+ $this.on('sliderPause', function () {
+ clearInterval($interval);
+ });
+
+ $this.on('sliderStart', function () {
+ clearInterval($interval);
+ $interval = setInterval(function () {
+ $active_index = $slider.find('.active').index();
+ if ($slides.length == $active_index + 1) $active_index = 0; // loop to start
+ else $active_index += 1;
+
+ moveToSlide($active_index);
+ }, options.transition + options.interval);
+ });
+
+ $this.on('sliderNext', function () {
+ $active_index = $slider.find('.active').index();
+ moveToSlide($active_index + 1);
+ });
+
+ $this.on('sliderPrev', function () {
+ $active_index = $slider.find('.active').index();
+ moveToSlide($active_index - 1);
+ });
+ });
+ },
+ pause: function () {
+ $(this).trigger('sliderPause');
+ },
+ start: function () {
+ $(this).trigger('sliderStart');
+ },
+ next: function () {
+ $(this).trigger('sliderNext');
+ },
+ prev: function () {
+ $(this).trigger('sliderPrev');
+ }
+ };
+
+ $.fn.slider = function (methodOrOptions) {
+ if (methods[methodOrOptions]) {
+ return methods[methodOrOptions].apply(this, Array.prototype.slice.call(arguments, 1));
+ } else if (typeof methodOrOptions === 'object' || !methodOrOptions) {
+ // Default to "init"
+ return methods.init.apply(this, arguments);
+ } else {
+ $.error('Method ' + methodOrOptions + ' does not exist on jQuery.tooltip');
+ }
+ }; // Plugin end
+})(jQuery);
+;(function ($) {
+ $(document).ready(function () {
+
+ $(document).on('click.card', '.card', function (e) {
+ if ($(this).find('> .card-reveal').length) {
+ var $card = $(e.target).closest('.card');
+ if ($card.data('initialOverflow') === undefined) {
+ $card.data('initialOverflow', $card.css('overflow') === undefined ? '' : $card.css('overflow'));
+ }
+ if ($(e.target).is($('.card-reveal .card-title')) || $(e.target).is($('.card-reveal .card-title i'))) {
+ // Make Reveal animate down and display none
+ $(this).find('.card-reveal').velocity({ translateY: 0 }, {
+ duration: 225,
+ queue: false,
+ easing: 'easeInOutQuad',
+ complete: function () {
+ $(this).css({ display: 'none' });
+ $card.css('overflow', $card.data('initialOverflow'));
+ }
+ });
+ } else if ($(e.target).is($('.card .activator')) || $(e.target).is($('.card .activator i'))) {
+ $card.css('overflow', 'hidden');
+ $(this).find('.card-reveal').css({ display: 'block' }).velocity("stop", false).velocity({ translateY: '-100%' }, { duration: 300, queue: false, easing: 'easeInOutQuad' });
+ }
+ }
+ });
+ });
+})(jQuery);
+;(function ($) {
+ var materialChipsDefaults = {
+ data: [],
+ placeholder: '',
+ secondaryPlaceholder: '',
+ autocompleteOptions: {}
+ };
+
+ $(document).ready(function () {
+ // Handle removal of static chips.
+ $(document).on('click', '.chip .close', function (e) {
+ var $chips = $(this).closest('.chips');
+ if ($chips.attr('data-initialized')) {
+ return;
+ }
+ $(this).closest('.chip').remove();
+ });
+ });
+
+ $.fn.material_chip = function (options) {
+ var self = this;
+ this.$el = $(this);
+ this.$document = $(document);
+ this.SELS = {
+ CHIPS: '.chips',
+ CHIP: '.chip',
+ INPUT: 'input',
+ DELETE: '.material-icons',
+ SELECTED_CHIP: '.selected'
+ };
+
+ if ('data' === options) {
+ return this.$el.data('chips');
+ }
+
+ var curr_options = $.extend({}, materialChipsDefaults, options);
+ self.hasAutocomplete = !$.isEmptyObject(curr_options.autocompleteOptions.data);
+
+ // Initialize
+ this.init = function () {
+ var i = 0;
+ var chips;
+ self.$el.each(function () {
+ var $chips = $(this);
+ var chipId = Materialize.guid();
+ self.chipId = chipId;
+
+ if (!curr_options.data || !(curr_options.data instanceof Array)) {
+ curr_options.data = [];
+ }
+ $chips.data('chips', curr_options.data);
+ $chips.attr('data-index', i);
+ $chips.attr('data-initialized', true);
+
+ if (!$chips.hasClass(self.SELS.CHIPS)) {
+ $chips.addClass('chips');
+ }
+
+ self.chips($chips, chipId);
+ i++;
+ });
+ };
+
+ this.handleEvents = function () {
+ var SELS = self.SELS;
+
+ self.$document.off('click.chips-focus', SELS.CHIPS).on('click.chips-focus', SELS.CHIPS, function (e) {
+ $(e.target).find(SELS.INPUT).focus();
+ });
+
+ self.$document.off('click.chips-select', SELS.CHIP).on('click.chips-select', SELS.CHIP, function (e) {
+ var $chip = $(e.target);
+ if ($chip.length) {
+ var wasSelected = $chip.hasClass('selected');
+ var $chips = $chip.closest(SELS.CHIPS);
+ $(SELS.CHIP).removeClass('selected');
+
+ if (!wasSelected) {
+ self.selectChip($chip.index(), $chips);
+ }
+ }
+ });
+
+ self.$document.off('keydown.chips').on('keydown.chips', function (e) {
+ if ($(e.target).is('input, textarea')) {
+ return;
+ }
+
+ // delete
+ var $chip = self.$document.find(SELS.CHIP + SELS.SELECTED_CHIP);
+ var $chips = $chip.closest(SELS.CHIPS);
+ var length = $chip.siblings(SELS.CHIP).length;
+ var index;
+
+ if (!$chip.length) {
+ return;
+ }
+
+ if (e.which === 8 || e.which === 46) {
+ e.preventDefault();
+
+ index = $chip.index();
+ self.deleteChip(index, $chips);
+
+ var selectIndex = null;
+ if (index + 1 < length) {
+ selectIndex = index;
+ } else if (index === length || index + 1 === length) {
+ selectIndex = length - 1;
+ }
+
+ if (selectIndex < 0) selectIndex = null;
+
+ if (null !== selectIndex) {
+ self.selectChip(selectIndex, $chips);
+ }
+ if (!length) $chips.find('input').focus();
+
+ // left
+ } else if (e.which === 37) {
+ index = $chip.index() - 1;
+ if (index < 0) {
+ return;
+ }
+ $(SELS.CHIP).removeClass('selected');
+ self.selectChip(index, $chips);
+
+ // right
+ } else if (e.which === 39) {
+ index = $chip.index() + 1;
+ $(SELS.CHIP).removeClass('selected');
+ if (index > length) {
+ $chips.find('input').focus();
+ return;
+ }
+ self.selectChip(index, $chips);
+ }
+ });
+
+ self.$document.off('focusin.chips', SELS.CHIPS + ' ' + SELS.INPUT).on('focusin.chips', SELS.CHIPS + ' ' + SELS.INPUT, function (e) {
+ var $currChips = $(e.target).closest(SELS.CHIPS);
+ $currChips.addClass('focus');
+ $currChips.siblings('label, .prefix').addClass('active');
+ $(SELS.CHIP).removeClass('selected');
+ });
+
+ self.$document.off('focusout.chips', SELS.CHIPS + ' ' + SELS.INPUT).on('focusout.chips', SELS.CHIPS + ' ' + SELS.INPUT, function (e) {
+ var $currChips = $(e.target).closest(SELS.CHIPS);
+ $currChips.removeClass('focus');
+
+ // Remove active if empty
+ if ($currChips.data('chips') === undefined || !$currChips.data('chips').length) {
+ $currChips.siblings('label').removeClass('active');
+ }
+ $currChips.siblings('.prefix').removeClass('active');
+ });
+
+ self.$document.off('keydown.chips-add', SELS.CHIPS + ' ' + SELS.INPUT).on('keydown.chips-add', SELS.CHIPS + ' ' + SELS.INPUT, function (e) {
+ var $target = $(e.target);
+ var $chips = $target.closest(SELS.CHIPS);
+ var chipsLength = $chips.children(SELS.CHIP).length;
+
+ // enter
+ if (13 === e.which) {
+ // Override enter if autocompleting.
+ if (self.hasAutocomplete && $chips.find('.autocomplete-content.dropdown-content').length && $chips.find('.autocomplete-content.dropdown-content').children().length) {
+ return;
+ }
+
+ e.preventDefault();
+ self.addChip({ tag: $target.val() }, $chips);
+ $target.val('');
+ return;
+ }
+
+ // delete or left
+ if ((8 === e.keyCode || 37 === e.keyCode) && '' === $target.val() && chipsLength) {
+ e.preventDefault();
+ self.selectChip(chipsLength - 1, $chips);
+ $target.blur();
+ return;
+ }
+ });
+
+ // Click on delete icon in chip.
+ self.$document.off('click.chips-delete', SELS.CHIPS + ' ' + SELS.DELETE).on('click.chips-delete', SELS.CHIPS + ' ' + SELS.DELETE, function (e) {
+ var $target = $(e.target);
+ var $chips = $target.closest(SELS.CHIPS);
+ var $chip = $target.closest(SELS.CHIP);
+ e.stopPropagation();
+ self.deleteChip($chip.index(), $chips);
+ $chips.find('input').focus();
+ });
+ };
+
+ this.chips = function ($chips, chipId) {
+ $chips.empty();
+ $chips.data('chips').forEach(function (elem) {
+ $chips.append(self.renderChip(elem));
+ });
+ $chips.append($('<input id="' + chipId + '" class="input" placeholder="">'));
+ self.setPlaceholder($chips);
+
+ // Set for attribute for label
+ var label = $chips.next('label');
+ if (label.length) {
+ label.attr('for', chipId);
+
+ if ($chips.data('chips') !== undefined && $chips.data('chips').length) {
+ label.addClass('active');
+ }
+ }
+
+ // Setup autocomplete if needed.
+ var input = $('#' + chipId);
+ if (self.hasAutocomplete) {
+ curr_options.autocompleteOptions.onAutocomplete = function (val) {
+ self.addChip({ tag: val }, $chips);
+ input.val('');
+ input.focus();
+ };
+ input.autocomplete(curr_options.autocompleteOptions);
+ }
+ };
+
+ /**
+ * Render chip jQuery element.
+ * @param {Object} elem
+ * @return {jQuery}
+ */
+ this.renderChip = function (elem) {
+ if (!elem.tag) return;
+
+ var $renderedChip = $('<div class="chip"></div>');
+ $renderedChip.text(elem.tag);
+ if (elem.image) {
+ $renderedChip.prepend($('<img />').attr('src', elem.image));
+ }
+ $renderedChip.append($('<i class="material-icons close">close</i>'));
+ return $renderedChip;
+ };
+
+ this.setPlaceholder = function ($chips) {
+ if ($chips.data('chips') !== undefined && !$chips.data('chips').length && curr_options.placeholder) {
+ $chips.find('input').prop('placeholder', curr_options.placeholder);
+ } else if (($chips.data('chips') === undefined || !!$chips.data('chips').length) && curr_options.secondaryPlaceholder) {
+ $chips.find('input').prop('placeholder', curr_options.secondaryPlaceholder);
+ }
+ };
+
+ this.isValid = function ($chips, elem) {
+ var chips = $chips.data('chips');
+ var exists = false;
+ for (var i = 0; i < chips.length; i++) {
+ if (chips[i].tag === elem.tag) {
+ exists = true;
+ return;
+ }
+ }
+ return '' !== elem.tag && !exists;
+ };
+
+ this.addChip = function (elem, $chips) {
+ if (!self.isValid($chips, elem)) {
+ return;
+ }
+ var $renderedChip = self.renderChip(elem);
+ var newData = [];
+ var oldData = $chips.data('chips');
+ for (var i = 0; i < oldData.length; i++) {
+ newData.push(oldData[i]);
+ }
+ newData.push(elem);
+
+ $chips.data('chips', newData);
+ $renderedChip.insertBefore($chips.find('input'));
+ $chips.trigger('chip.add', elem);
+ self.setPlaceholder($chips);
+ };
+
+ this.deleteChip = function (chipIndex, $chips) {
+ var chip = $chips.data('chips')[chipIndex];
+ $chips.find('.chip').eq(chipIndex).remove();
+
+ var newData = [];
+ var oldData = $chips.data('chips');
+ for (var i = 0; i < oldData.length; i++) {
+ if (i !== chipIndex) {
+ newData.push(oldData[i]);
+ }
+ }
+
+ $chips.data('chips', newData);
+ $chips.trigger('chip.delete', chip);
+ self.setPlaceholder($chips);
+ };
+
+ this.selectChip = function (chipIndex, $chips) {
+ var $chip = $chips.find('.chip').eq(chipIndex);
+ if ($chip && false === $chip.hasClass('selected')) {
+ $chip.addClass('selected');
+ $chips.trigger('chip.select', $chips.data('chips')[chipIndex]);
+ }
+ };
+
+ this.getChipsElement = function (index, $chips) {
+ return $chips.eq(index);
+ };
+
+ // init
+ this.init();
+
+ this.handleEvents();
+ };
+})(jQuery);
+;(function ($) {
+ $.fn.pushpin = function (options) {
+ // Defaults
+ var defaults = {
+ top: 0,
+ bottom: Infinity,
+ offset: 0
+ };
+
+ // Remove pushpin event and classes
+ if (options === "remove") {
+ this.each(function () {
+ if (id = $(this).data('pushpin-id')) {
+ $(window).off('scroll.' + id);
+ $(this).removeData('pushpin-id').removeClass('pin-top pinned pin-bottom').removeAttr('style');
+ }
+ });
+ return false;
+ }
+
+ options = $.extend(defaults, options);
+
+ $index = 0;
+ return this.each(function () {
+ var $uniqueId = Materialize.guid(),
+ $this = $(this),
+ $original_offset = $(this).offset().top;
+
+ function removePinClasses(object) {
+ object.removeClass('pin-top');
+ object.removeClass('pinned');
+ object.removeClass('pin-bottom');
+ }
+
+ function updateElements(objects, scrolled) {
+ objects.each(function () {
+ // Add position fixed (because its between top and bottom)
+ if (options.top <= scrolled && options.bottom >= scrolled && !$(this).hasClass('pinned')) {
+ removePinClasses($(this));
+ $(this).css('top', options.offset);
+ $(this).addClass('pinned');
+ }
+
+ // Add pin-top (when scrolled position is above top)
+ if (scrolled < options.top && !$(this).hasClass('pin-top')) {
+ removePinClasses($(this));
+ $(this).css('top', 0);
+ $(this).addClass('pin-top');
+ }
+
+ // Add pin-bottom (when scrolled position is below bottom)
+ if (scrolled > options.bottom && !$(this).hasClass('pin-bottom')) {
+ removePinClasses($(this));
+ $(this).addClass('pin-bottom');
+ $(this).css('top', options.bottom - $original_offset);
+ }
+ });
+ }
+
+ $(this).data('pushpin-id', $uniqueId);
+ updateElements($this, $(window).scrollTop());
+ $(window).on('scroll.' + $uniqueId, function () {
+ var $scrolled = $(window).scrollTop() + options.offset;
+ updateElements($this, $scrolled);
+ });
+ });
+ };
+})(jQuery);;(function ($) {
+ $(document).ready(function () {
+
+ // jQuery reverse
+ $.fn.reverse = [].reverse;
+
+ // Hover behaviour: make sure this doesn't work on .click-to-toggle FABs!
+ $(document).on('mouseenter.fixedActionBtn', '.fixed-action-btn:not(.click-to-toggle):not(.toolbar)', function (e) {
+ var $this = $(this);
+ openFABMenu($this);
+ });
+ $(document).on('mouseleave.fixedActionBtn', '.fixed-action-btn:not(.click-to-toggle):not(.toolbar)', function (e) {
+ var $this = $(this);
+ closeFABMenu($this);
+ });
+
+ // Toggle-on-click behaviour.
+ $(document).on('click.fabClickToggle', '.fixed-action-btn.click-to-toggle > a', function (e) {
+ var $this = $(this);
+ var $menu = $this.parent();
+ if ($menu.hasClass('active')) {
+ closeFABMenu($menu);
+ } else {
+ openFABMenu($menu);
+ }
+ });
+
+ // Toolbar transition behaviour.
+ $(document).on('click.fabToolbar', '.fixed-action-btn.toolbar > a', function (e) {
+ var $this = $(this);
+ var $menu = $this.parent();
+ FABtoToolbar($menu);
+ });
+ });
+
+ $.fn.extend({
+ openFAB: function () {
+ openFABMenu($(this));
+ },
+ closeFAB: function () {
+ closeFABMenu($(this));
+ },
+ openToolbar: function () {
+ FABtoToolbar($(this));
+ },
+ closeToolbar: function () {
+ toolbarToFAB($(this));
+ }
+ });
+
+ var openFABMenu = function (btn) {
+ var $this = btn;
+ if ($this.hasClass('active') === false) {
+
+ // Get direction option
+ var horizontal = $this.hasClass('horizontal');
+ var offsetY, offsetX;
+
+ if (horizontal === true) {
+ offsetX = 40;
+ } else {
+ offsetY = 40;
+ }
+
+ $this.addClass('active');
+ $this.find('ul .btn-floating').velocity({ scaleY: ".4", scaleX: ".4", translateY: offsetY + 'px', translateX: offsetX + 'px' }, { duration: 0 });
+
+ var time = 0;
+ $this.find('ul .btn-floating').reverse().each(function () {
+ $(this).velocity({ opacity: "1", scaleX: "1", scaleY: "1", translateY: "0", translateX: '0' }, { duration: 80, delay: time });
+ time += 40;
+ });
+ }
+ };
+
+ var closeFABMenu = function (btn) {
+ var $this = btn;
+ // Get direction option
+ var horizontal = $this.hasClass('horizontal');
+ var offsetY, offsetX;
+
+ if (horizontal === true) {
+ offsetX = 40;
+ } else {
+ offsetY = 40;
+ }
+
+ $this.removeClass('active');
+ var time = 0;
+ $this.find('ul .btn-floating').velocity("stop", true);
+ $this.find('ul .btn-floating').velocity({ opacity: "0", scaleX: ".4", scaleY: ".4", translateY: offsetY + 'px', translateX: offsetX + 'px' }, { duration: 80 });
+ };
+
+ /**
+ * Transform FAB into toolbar
+ * @param {Object} object jQuery object
+ */
+ var FABtoToolbar = function (btn) {
+ if (btn.attr('data-open') === "true") {
+ return;
+ }
+
+ var offsetX, offsetY, scaleFactor;
+ var windowWidth = window.innerWidth;
+ var windowHeight = window.innerHeight;
+ var btnRect = btn[0].getBoundingClientRect();
+ var anchor = btn.find('> a').first();
+ var menu = btn.find('> ul').first();
+ var backdrop = $('<div class="fab-backdrop"></div>');
+ var fabColor = anchor.css('background-color');
+ anchor.append(backdrop);
+
+ offsetX = btnRect.left - windowWidth / 2 + btnRect.width / 2;
+ offsetY = windowHeight - btnRect.bottom;
+ scaleFactor = windowWidth / backdrop.width();
+ btn.attr('data-origin-bottom', btnRect.bottom);
+ btn.attr('data-origin-left', btnRect.left);
+ btn.attr('data-origin-width', btnRect.width);
+
+ // Set initial state
+ btn.addClass('active');
+ btn.attr('data-open', true);
+ btn.css({
+ 'text-align': 'center',
+ width: '100%',
+ bottom: 0,
+ left: 0,
+ transform: 'translateX(' + offsetX + 'px)',
+ transition: 'none'
+ });
+ anchor.css({
+ transform: 'translateY(' + -offsetY + 'px)',
+ transition: 'none'
+ });
+ backdrop.css({
+ 'background-color': fabColor
+ });
+
+ setTimeout(function () {
+ btn.css({
+ transform: '',
+ transition: 'transform .2s cubic-bezier(0.550, 0.085, 0.680, 0.530), background-color 0s linear .2s'
+ });
+ anchor.css({
+ overflow: 'visible',
+ transform: '',
+ transition: 'transform .2s'
+ });
+
+ setTimeout(function () {
+ btn.css({
+ overflow: 'hidden',
+ 'background-color': fabColor
+ });
+ backdrop.css({
+ transform: 'scale(' + scaleFactor + ')',
+ transition: 'transform .2s cubic-bezier(0.550, 0.055, 0.675, 0.190)'
+ });
+ menu.find('> li > a').css({
+ opacity: 1
+ });
+
+ // Scroll to close.
+ $(window).on('scroll.fabToolbarClose', function () {
+ toolbarToFAB(btn);
+ $(window).off('scroll.fabToolbarClose');
+ $(document).off('click.fabToolbarClose');
+ });
+
+ $(document).on('click.fabToolbarClose', function (e) {
+ if (!$(e.target).closest(menu).length) {
+ toolbarToFAB(btn);
+ $(window).off('scroll.fabToolbarClose');
+ $(document).off('click.fabToolbarClose');
+ }
+ });
+ }, 100);
+ }, 0);
+ };
+
+ /**
+ * Transform toolbar back into FAB
+ * @param {Object} object jQuery object
+ */
+ var toolbarToFAB = function (btn) {
+ if (btn.attr('data-open') !== "true") {
+ return;
+ }
+
+ var offsetX, offsetY, scaleFactor;
+ var windowWidth = window.innerWidth;
+ var windowHeight = window.innerHeight;
+ var btnWidth = btn.attr('data-origin-width');
+ var btnBottom = btn.attr('data-origin-bottom');
+ var btnLeft = btn.attr('data-origin-left');
+ var anchor = btn.find('> .btn-floating').first();
+ var menu = btn.find('> ul').first();
+ var backdrop = btn.find('.fab-backdrop');
+ var fabColor = anchor.css('background-color');
+
+ offsetX = btnLeft - windowWidth / 2 + btnWidth / 2;
+ offsetY = windowHeight - btnBottom;
+ scaleFactor = windowWidth / backdrop.width();
+
+ // Hide backdrop
+ btn.removeClass('active');
+ btn.attr('data-open', false);
+ btn.css({
+ 'background-color': 'transparent',
+ transition: 'none'
+ });
+ anchor.css({
+ transition: 'none'
+ });
+ backdrop.css({
+ transform: 'scale(0)',
+ 'background-color': fabColor
+ });
+ menu.find('> li > a').css({
+ opacity: ''
+ });
+
+ setTimeout(function () {
+ backdrop.remove();
+
+ // Set initial state.
+ btn.css({
+ 'text-align': '',
+ width: '',
+ bottom: '',
+ left: '',
+ overflow: '',
+ 'background-color': '',
+ transform: 'translate3d(' + -offsetX + 'px,0,0)'
+ });
+ anchor.css({
+ overflow: '',
+ transform: 'translate3d(0,' + offsetY + 'px,0)'
+ });
+
+ setTimeout(function () {
+ btn.css({
+ transform: 'translate3d(0,0,0)',
+ transition: 'transform .2s'
+ });
+ anchor.css({
+ transform: 'translate3d(0,0,0)',
+ transition: 'transform .2s cubic-bezier(0.550, 0.055, 0.675, 0.190)'
+ });
+ }, 20);
+ }, 200);
+ };
+})(jQuery);
+;(function ($) {
+ // Image transition function
+ Materialize.fadeInImage = function (selectorOrEl) {
+ var element;
+ if (typeof selectorOrEl === 'string') {
+ element = $(selectorOrEl);
+ } else if (typeof selectorOrEl === 'object') {
+ element = selectorOrEl;
+ } else {
+ return;
+ }
+ element.css({ opacity: 0 });
+ $(element).velocity({ opacity: 1 }, {
+ duration: 650,
+ queue: false,
+ easing: 'easeOutSine'
+ });
+ $(element).velocity({ opacity: 1 }, {
+ duration: 1300,
+ queue: false,
+ easing: 'swing',
+ step: function (now, fx) {
+ fx.start = 100;
+ var grayscale_setting = now / 100;
+ var brightness_setting = 150 - (100 - now) / 1.75;
+
+ if (brightness_setting < 100) {
+ brightness_setting = 100;
+ }
+ if (now >= 0) {
+ $(this).css({
+ "-webkit-filter": "grayscale(" + grayscale_setting + ")" + "brightness(" + brightness_setting + "%)",
+ "filter": "grayscale(" + grayscale_setting + ")" + "brightness(" + brightness_setting + "%)"
+ });
+ }
+ }
+ });
+ };
+
+ // Horizontal staggered list
+ Materialize.showStaggeredList = function (selectorOrEl) {
+ var element;
+ if (typeof selectorOrEl === 'string') {
+ element = $(selectorOrEl);
+ } else if (typeof selectorOrEl === 'object') {
+ element = selectorOrEl;
+ } else {
+ return;
+ }
+ var time = 0;
+ element.find('li').velocity({ translateX: "-100px" }, { duration: 0 });
+
+ element.find('li').each(function () {
+ $(this).velocity({ opacity: "1", translateX: "0" }, { duration: 800, delay: time, easing: [60, 10] });
+ time += 120;
+ });
+ };
+
+ $(document).ready(function () {
+ // Hardcoded .staggered-list scrollFire
+ // var staggeredListOptions = [];
+ // $('ul.staggered-list').each(function (i) {
+
+ // var label = 'scrollFire-' + i;
+ // $(this).addClass(label);
+ // staggeredListOptions.push(
+ // {selector: 'ul.staggered-list.' + label,
+ // offset: 200,
+ // callback: 'showStaggeredList("ul.staggered-list.' + label + '")'});
+ // });
+ // scrollFire(staggeredListOptions);
+
+ // HammerJS, Swipe navigation
+
+ // Touch Event
+ var swipeLeft = false;
+ var swipeRight = false;
+
+ // Dismissible Collections
+ $('.dismissable').each(function () {
+ $(this).hammer({
+ prevent_default: false
+ }).on('pan', function (e) {
+ if (e.gesture.pointerType === "touch") {
+ var $this = $(this);
+ var direction = e.gesture.direction;
+ var x = e.gesture.deltaX;
+ var velocityX = e.gesture.velocityX;
+
+ $this.velocity({ translateX: x
+ }, { duration: 50, queue: false, easing: 'easeOutQuad' });
+
+ // Swipe Left
+ if (direction === 4 && (x > $this.innerWidth() / 2 || velocityX < -0.75)) {
+ swipeLeft = true;
+ }
+
+ // Swipe Right
+ if (direction === 2 && (x < -1 * $this.innerWidth() / 2 || velocityX > 0.75)) {
+ swipeRight = true;
+ }
+ }
+ }).on('panend', function (e) {
+ // Reset if collection is moved back into original position
+ if (Math.abs(e.gesture.deltaX) < $(this).innerWidth() / 2) {
+ swipeRight = false;
+ swipeLeft = false;
+ }
+
+ if (e.gesture.pointerType === "touch") {
+ var $this = $(this);
+ if (swipeLeft || swipeRight) {
+ var fullWidth;
+ if (swipeLeft) {
+ fullWidth = $this.innerWidth();
+ } else {
+ fullWidth = -1 * $this.innerWidth();
+ }
+
+ $this.velocity({ translateX: fullWidth
+ }, { duration: 100, queue: false, easing: 'easeOutQuad', complete: function () {
+ $this.css('border', 'none');
+ $this.velocity({ height: 0, padding: 0
+ }, { duration: 200, queue: false, easing: 'easeOutQuad', complete: function () {
+ $this.remove();
+ }
+ });
+ }
+ });
+ } else {
+ $this.velocity({ translateX: 0
+ }, { duration: 100, queue: false, easing: 'easeOutQuad' });
+ }
+ swipeLeft = false;
+ swipeRight = false;
+ }
+ });
+ });
+
+ // time = 0
+ // // Vertical Staggered list
+ // $('ul.staggered-list.vertical li').velocity(
+ // { translateY: "100px"},
+ // { duration: 0 });
+
+ // $('ul.staggered-list.vertical li').each(function() {
+ // $(this).velocity(
+ // { opacity: "1", translateY: "0"},
+ // { duration: 800, delay: time, easing: [60, 25] });
+ // time += 120;
+ // });
+
+ // // Fade in and Scale
+ // $('.fade-in.scale').velocity(
+ // { scaleX: .4, scaleY: .4, translateX: -600},
+ // { duration: 0});
+ // $('.fade-in').each(function() {
+ // $(this).velocity(
+ // { opacity: "1", scaleX: 1, scaleY: 1, translateX: 0},
+ // { duration: 800, easing: [60, 10] });
+ // });
+ });
+})(jQuery);
+;(function ($) {
+
+ var scrollFireEventsHandled = false;
+
+ // Input: Array of JSON objects {selector, offset, callback}
+ Materialize.scrollFire = function (options) {
+ var onScroll = function () {
+ var windowScroll = window.pageYOffset + window.innerHeight;
+
+ for (var i = 0; i < options.length; i++) {
+ // Get options from each line
+ var value = options[i];
+ var selector = value.selector,
+ offset = value.offset,
+ callback = value.callback;
+
+ var currentElement = document.querySelector(selector);
+ if (currentElement !== null) {
+ var elementOffset = currentElement.getBoundingClientRect().top + window.pageYOffset;
+
+ if (windowScroll > elementOffset + offset) {
+ if (value.done !== true) {
+ if (typeof callback === 'function') {
+ callback.call(this, currentElement);
+ } else if (typeof callback === 'string') {
+ var callbackFunc = new Function(callback);
+ callbackFunc(currentElement);
+ }
+ value.done = true;
+ }
+ }
+ }
+ }
+ };
+
+ var throttledScroll = Materialize.throttle(function () {
+ onScroll();
+ }, options.throttle || 100);
+
+ if (!scrollFireEventsHandled) {
+ window.addEventListener("scroll", throttledScroll);
+ window.addEventListener("resize", throttledScroll);
+ scrollFireEventsHandled = true;
+ }
+
+ // perform a scan once, after current execution context, and after dom is ready
+ setTimeout(throttledScroll, 0);
+ };
+})(jQuery);
+; /*!
+ * pickadate.js v3.5.0, 2014/04/13
+ * By Amsul, http://amsul.ca
+ * Hosted on http://amsul.github.io/pickadate.js
+ * Licensed under MIT
+ */
+
+(function (factory) {
+
+ Materialize.Picker = factory(jQuery);
+})(function ($) {
+
+ var $window = $(window);
+ var $document = $(document);
+ var $html = $(document.documentElement);
+
+ /**
+ * The picker constructor that creates a blank picker.
+ */
+ function PickerConstructor(ELEMENT, NAME, COMPONENT, OPTIONS) {
+
+ // If there’s no element, return the picker constructor.
+ if (!ELEMENT) return PickerConstructor;
+
+ var IS_DEFAULT_THEME = false,
+
+
+ // The state of the picker.
+ STATE = {
+ id: ELEMENT.id || 'P' + Math.abs(~~(Math.random() * new Date()))
+ },
+
+
+ // Merge the defaults and options passed.
+ SETTINGS = COMPONENT ? $.extend(true, {}, COMPONENT.defaults, OPTIONS) : OPTIONS || {},
+
+
+ // Merge the default classes with the settings classes.
+ CLASSES = $.extend({}, PickerConstructor.klasses(), SETTINGS.klass),
+
+
+ // The element node wrapper into a jQuery object.
+ $ELEMENT = $(ELEMENT),
+
+
+ // Pseudo picker constructor.
+ PickerInstance = function () {
+ return this.start();
+ },
+
+
+ // The picker prototype.
+ P = PickerInstance.prototype = {
+
+ constructor: PickerInstance,
+
+ $node: $ELEMENT,
+
+ /**
+ * Initialize everything
+ */
+ start: function () {
+
+ // If it’s already started, do nothing.
+ if (STATE && STATE.start) return P;
+
+ // Update the picker states.
+ STATE.methods = {};
+ STATE.start = true;
+ STATE.open = false;
+ STATE.type = ELEMENT.type;
+
+ // Confirm focus state, convert into text input to remove UA stylings,
+ // and set as readonly to prevent keyboard popup.
+ ELEMENT.autofocus = ELEMENT == getActiveElement();
+ ELEMENT.readOnly = !SETTINGS.editable;
+ ELEMENT.id = ELEMENT.id || STATE.id;
+ if (ELEMENT.type != 'text') {
+ ELEMENT.type = 'text';
+ }
+
+ // Create a new picker component with the settings.
+ P.component = new COMPONENT(P, SETTINGS);
+
+ // Create the picker root with a holder and then prepare it.
+ P.$root = $(PickerConstructor._.node('div', createWrappedComponent(), CLASSES.picker, 'id="' + ELEMENT.id + '_root" tabindex="0"'));
+ prepareElementRoot();
+
+ // If there’s a format for the hidden input element, create the element.
+ if (SETTINGS.formatSubmit) {
+ prepareElementHidden();
+ }
+
+ // Prepare the input element.
+ prepareElement();
+
+ // Insert the root as specified in the settings.
+ if (SETTINGS.container) $(SETTINGS.container).append(P.$root);else $ELEMENT.before(P.$root);
+
+ // Bind the default component and settings events.
+ P.on({
+ start: P.component.onStart,
+ render: P.component.onRender,
+ stop: P.component.onStop,
+ open: P.component.onOpen,
+ close: P.component.onClose,
+ set: P.component.onSet
+ }).on({
+ start: SETTINGS.onStart,
+ render: SETTINGS.onRender,
+ stop: SETTINGS.onStop,
+ open: SETTINGS.onOpen,
+ close: SETTINGS.onClose,
+ set: SETTINGS.onSet
+ });
+
+ // Once we’re all set, check the theme in use.
+ IS_DEFAULT_THEME = isUsingDefaultTheme(P.$root.children()[0]);
+
+ // If the element has autofocus, open the picker.
+ if (ELEMENT.autofocus) {
+ P.open();
+ }
+
+ // Trigger queued the “start” and “render” events.
+ return P.trigger('start').trigger('render');
+ }, //start
+
+
+ /**
+ * Render a new picker
+ */
+ render: function (entireComponent) {
+
+ // Insert a new component holder in the root or box.
+ if (entireComponent) P.$root.html(createWrappedComponent());else P.$root.find('.' + CLASSES.box).html(P.component.nodes(STATE.open));
+
+ // Trigger the queued “render” events.
+ return P.trigger('render');
+ }, //render
+
+
+ /**
+ * Destroy everything
+ */
+ stop: function () {
+
+ // If it’s already stopped, do nothing.
+ if (!STATE.start) return P;
+
+ // Then close the picker.
+ P.close();
+
+ // Remove the hidden field.
+ if (P._hidden) {
+ P._hidden.parentNode.removeChild(P._hidden);
+ }
+
+ // Remove the root.
+ P.$root.remove();
+
+ // Remove the input class, remove the stored data, and unbind
+ // the events (after a tick for IE - see `P.close`).
+ $ELEMENT.removeClass(CLASSES.input).removeData(NAME);
+ setTimeout(function () {
+ $ELEMENT.off('.' + STATE.id);
+ }, 0);
+
+ // Restore the element state
+ ELEMENT.type = STATE.type;
+ ELEMENT.readOnly = false;
+
+ // Trigger the queued “stop” events.
+ P.trigger('stop');
+
+ // Reset the picker states.
+ STATE.methods = {};
+ STATE.start = false;
+
+ return P;
+ }, //stop
+
+
+ /**
+ * Open up the picker
+ */
+ open: function (dontGiveFocus) {
+
+ // If it’s already open, do nothing.
+ if (STATE.open) return P;
+
+ // Add the “active” class.
+ $ELEMENT.addClass(CLASSES.active);
+ aria(ELEMENT, 'expanded', true);
+
+ // * A Firefox bug, when `html` has `overflow:hidden`, results in
+ // killing transitions :(. So add the “opened” state on the next tick.
+ // Bug: https://bugzilla.mozilla.org/show_bug.cgi?id=625289
+ setTimeout(function () {
+
+ // Add the “opened” class to the picker root.
+ P.$root.addClass(CLASSES.opened);
+ aria(P.$root[0], 'hidden', false);
+ }, 0);
+
+ // If we have to give focus, bind the element and doc events.
+ if (dontGiveFocus !== false) {
+
+ // Set it as open.
+ STATE.open = true;
+
+ // Prevent the page from scrolling.
+ if (IS_DEFAULT_THEME) {
+ $html.css('overflow', 'hidden').css('padding-right', '+=' + getScrollbarWidth());
+ }
+
+ // Pass focus to the root element’s jQuery object.
+ // * Workaround for iOS8 to bring the picker’s root into view.
+ P.$root.eq(0).focus();
+
+ // Bind the document events.
+ $document.on('click.' + STATE.id + ' focusin.' + STATE.id, function (event) {
+
+ var target = event.target;
+
+ // If the target of the event is not the element, close the picker picker.
+ // * Don’t worry about clicks or focusins on the root because those don’t bubble up.
+ // Also, for Firefox, a click on an `option` element bubbles up directly
+ // to the doc. So make sure the target wasn't the doc.
+ // * In Firefox stopPropagation() doesn’t prevent right-click events from bubbling,
+ // which causes the picker to unexpectedly close when right-clicking it. So make
+ // sure the event wasn’t a right-click.
+ if (target != ELEMENT && target != document && event.which != 3) {
+
+ // If the target was the holder that covers the screen,
+ // keep the element focused to maintain tabindex.
+ P.close(target === P.$root.children()[0]);
+ }
+ }).on('keydown.' + STATE.id, function (event) {
+
+ var
+ // Get the keycode.
+ keycode = event.keyCode,
+
+
+ // Translate that to a selection change.
+ keycodeToMove = P.component.key[keycode],
+
+
+ // Grab the target.
+ target = event.target;
+
+ // On escape, close the picker and give focus.
+ if (keycode == 27) {
+ P.close(true);
+ }
+
+ // Check if there is a key movement or “enter” keypress on the element.
+ else if (target == P.$root[0] && (keycodeToMove || keycode == 13)) {
+
+ // Prevent the default action to stop page movement.
+ event.preventDefault();
+
+ // Trigger the key movement action.
+ if (keycodeToMove) {
+ PickerConstructor._.trigger(P.component.key.go, P, [PickerConstructor._.trigger(keycodeToMove)]);
+ }
+
+ // On “enter”, if the highlighted item isn’t disabled, set the value and close.
+ else if (!P.$root.find('.' + CLASSES.highlighted).hasClass(CLASSES.disabled)) {
+ P.set('select', P.component.item.highlight);
+ if (SETTINGS.closeOnSelect) {
+ P.close(true);
+ }
+ }
+ }
+
+ // If the target is within the root and “enter” is pressed,
+ // prevent the default action and trigger a click on the target instead.
+ else if ($.contains(P.$root[0], target) && keycode == 13) {
+ event.preventDefault();
+ target.click();
+ }
+ });
+ }
+
+ // Trigger the queued “open” events.
+ return P.trigger('open');
+ }, //open
+
+
+ /**
+ * Close the picker
+ */
+ close: function (giveFocus) {
+
+ // If we need to give focus, do it before changing states.
+ if (giveFocus) {
+ // ....ah yes! It would’ve been incomplete without a crazy workaround for IE :|
+ // The focus is triggered *after* the close has completed - causing it
+ // to open again. So unbind and rebind the event at the next tick.
+ P.$root.off('focus.toOpen').eq(0).focus();
+ setTimeout(function () {
+ P.$root.on('focus.toOpen', handleFocusToOpenEvent);
+ }, 0);
+ }
+
+ // Remove the “active” class.
+ $ELEMENT.removeClass(CLASSES.active);
+ aria(ELEMENT, 'expanded', false);
+
+ // * A Firefox bug, when `html` has `overflow:hidden`, results in
+ // killing transitions :(. So remove the “opened” state on the next tick.
+ // Bug: https://bugzilla.mozilla.org/show_bug.cgi?id=625289
+ setTimeout(function () {
+
+ // Remove the “opened” and “focused” class from the picker root.
+ P.$root.removeClass(CLASSES.opened + ' ' + CLASSES.focused);
+ aria(P.$root[0], 'hidden', true);
+ }, 0);
+
+ // If it’s already closed, do nothing more.
+ if (!STATE.open) return P;
+
+ // Set it as closed.
+ STATE.open = false;
+
+ // Allow the page to scroll.
+ if (IS_DEFAULT_THEME) {
+ $html.css('overflow', '').css('padding-right', '-=' + getScrollbarWidth());
+ }
+
+ // Unbind the document events.
+ $document.off('.' + STATE.id);
+
+ // Trigger the queued “close” events.
+ return P.trigger('close');
+ }, //close
+
+
+ /**
+ * Clear the values
+ */
+ clear: function (options) {
+ return P.set('clear', null, options);
+ }, //clear
+
+
+ /**
+ * Set something
+ */
+ set: function (thing, value, options) {
+
+ var thingItem,
+ thingValue,
+ thingIsObject = $.isPlainObject(thing),
+ thingObject = thingIsObject ? thing : {};
+
+ // Make sure we have usable options.
+ options = thingIsObject && $.isPlainObject(value) ? value : options || {};
+
+ if (thing) {
+
+ // If the thing isn’t an object, make it one.
+ if (!thingIsObject) {
+ thingObject[thing] = value;
+ }
+
+ // Go through the things of items to set.
+ for (thingItem in thingObject) {
+
+ // Grab the value of the thing.
+ thingValue = thingObject[thingItem];
+
+ // First, if the item exists and there’s a value, set it.
+ if (thingItem in P.component.item) {
+ if (thingValue === undefined) thingValue = null;
+ P.component.set(thingItem, thingValue, options);
+ }
+
+ // Then, check to update the element value and broadcast a change.
+ if (thingItem == 'select' || thingItem == 'clear') {
+ $ELEMENT.val(thingItem == 'clear' ? '' : P.get(thingItem, SETTINGS.format)).trigger('change');
+ }
+ }
+
+ // Render a new picker.
+ P.render();
+ }
+
+ // When the method isn’t muted, trigger queued “set” events and pass the `thingObject`.
+ return options.muted ? P : P.trigger('set', thingObject);
+ }, //set
+
+
+ /**
+ * Get something
+ */
+ get: function (thing, format) {
+
+ // Make sure there’s something to get.
+ thing = thing || 'value';
+
+ // If a picker state exists, return that.
+ if (STATE[thing] != null) {
+ return STATE[thing];
+ }
+
+ // Return the submission value, if that.
+ if (thing == 'valueSubmit') {
+ if (P._hidden) {
+ return P._hidden.value;
+ }
+ thing = 'value';
+ }
+
+ // Return the value, if that.
+ if (thing == 'value') {
+ return ELEMENT.value;
+ }
+
+ // Check if a component item exists, return that.
+ if (thing in P.component.item) {
+ if (typeof format == 'string') {
+ var thingValue = P.component.get(thing);
+ return thingValue ? PickerConstructor._.trigger(P.component.formats.toString, P.component, [format, thingValue]) : '';
+ }
+ return P.component.get(thing);
+ }
+ }, //get
+
+
+ /**
+ * Bind events on the things.
+ */
+ on: function (thing, method, internal) {
+
+ var thingName,
+ thingMethod,
+ thingIsObject = $.isPlainObject(thing),
+ thingObject = thingIsObject ? thing : {};
+
+ if (thing) {
+
+ // If the thing isn’t an object, make it one.
+ if (!thingIsObject) {
+ thingObject[thing] = method;
+ }
+
+ // Go through the things to bind to.
+ for (thingName in thingObject) {
+
+ // Grab the method of the thing.
+ thingMethod = thingObject[thingName];
+
+ // If it was an internal binding, prefix it.
+ if (internal) {
+ thingName = '_' + thingName;
+ }
+
+ // Make sure the thing methods collection exists.
+ STATE.methods[thingName] = STATE.methods[thingName] || [];
+
+ // Add the method to the relative method collection.
+ STATE.methods[thingName].push(thingMethod);
+ }
+ }
+
+ return P;
+ }, //on
+
+
+ /**
+ * Unbind events on the things.
+ */
+ off: function () {
+ var i,
+ thingName,
+ names = arguments;
+ for (i = 0, namesCount = names.length; i < namesCount; i += 1) {
+ thingName = names[i];
+ if (thingName in STATE.methods) {
+ delete STATE.methods[thingName];
+ }
+ }
+ return P;
+ },
+
+ /**
+ * Fire off method events.
+ */
+ trigger: function (name, data) {
+ var _trigger = function (name) {
+ var methodList = STATE.methods[name];
+ if (methodList) {
+ methodList.map(function (method) {
+ PickerConstructor._.trigger(method, P, [data]);
+ });
+ }
+ };
+ _trigger('_' + name);
+ _trigger(name);
+ return P;
+ } //trigger
+ //PickerInstance.prototype
+
+
+ /**
+ * Wrap the picker holder components together.
+ */
+ };function createWrappedComponent() {
+
+ // Create a picker wrapper holder
+ return PickerConstructor._.node('div',
+
+ // Create a picker wrapper node
+ PickerConstructor._.node('div',
+
+ // Create a picker frame
+ PickerConstructor._.node('div',
+
+ // Create a picker box node
+ PickerConstructor._.node('div',
+
+ // Create the components nodes.
+ P.component.nodes(STATE.open),
+
+ // The picker box class
+ CLASSES.box),
+
+ // Picker wrap class
+ CLASSES.wrap),
+
+ // Picker frame class
+ CLASSES.frame),
+
+ // Picker holder class
+ CLASSES.holder); //endreturn
+ } //createWrappedComponent
+
+
+ /**
+ * Prepare the input element with all bindings.
+ */
+ function prepareElement() {
+
+ $ELEMENT.
+
+ // Store the picker data by component name.
+ data(NAME, P).
+
+ // Add the “input” class name.
+ addClass(CLASSES.input).
+
+ // Remove the tabindex.
+ attr('tabindex', -1).
+
+ // If there’s a `data-value`, update the value of the element.
+ val($ELEMENT.data('value') ? P.get('select', SETTINGS.format) : ELEMENT.value);
+
+ // Only bind keydown events if the element isn’t editable.
+ if (!SETTINGS.editable) {
+
+ $ELEMENT.
+
+ // On focus/click, focus onto the root to open it up.
+ on('focus.' + STATE.id + ' click.' + STATE.id, function (event) {
+ event.preventDefault();
+ P.$root.eq(0).focus();
+ }).
+
+ // Handle keyboard event based on the picker being opened or not.
+ on('keydown.' + STATE.id, handleKeydownEvent);
+ }
+
+ // Update the aria attributes.
+ aria(ELEMENT, {
+ haspopup: true,
+ expanded: false,
+ readonly: false,
+ owns: ELEMENT.id + '_root'
+ });
+ }
+
+ /**
+ * Prepare the root picker element with all bindings.
+ */
+ function prepareElementRoot() {
+
+ P.$root.on({
+
+ // For iOS8.
+ keydown: handleKeydownEvent,
+
+ // When something within the root is focused, stop from bubbling
+ // to the doc and remove the “focused” state from the root.
+ focusin: function (event) {
+ P.$root.removeClass(CLASSES.focused);
+ event.stopPropagation();
+ },
+
+ // When something within the root holder is clicked, stop it
+ // from bubbling to the doc.
+ 'mousedown click': function (event) {
+
+ var target = event.target;
+
+ // Make sure the target isn’t the root holder so it can bubble up.
+ if (target != P.$root.children()[0]) {
+
+ event.stopPropagation();
+
+ // * For mousedown events, cancel the default action in order to
+ // prevent cases where focus is shifted onto external elements
+ // when using things like jQuery mobile or MagnificPopup (ref: #249 & #120).
+ // Also, for Firefox, don’t prevent action on the `option` element.
+ if (event.type == 'mousedown' && !$(target).is('input, select, textarea, button, option')) {
+
+ event.preventDefault();
+
+ // Re-focus onto the root so that users can click away
+ // from elements focused within the picker.
+ P.$root.eq(0).focus();
+ }
+ }
+ }
+ }).
+
+ // Add/remove the “target” class on focus and blur.
+ on({
+ focus: function () {
+ $ELEMENT.addClass(CLASSES.target);
+ },
+ blur: function () {
+ $ELEMENT.removeClass(CLASSES.target);
+ }
+ }).
+
+ // Open the picker and adjust the root “focused” state
+ on('focus.toOpen', handleFocusToOpenEvent).
+
+ // If there’s a click on an actionable element, carry out the actions.
+ on('click', '[data-pick], [data-nav], [data-clear], [data-close]', function () {
+
+ var $target = $(this),
+ targetData = $target.data(),
+ targetDisabled = $target.hasClass(CLASSES.navDisabled) || $target.hasClass(CLASSES.disabled),
+
+
+ // * For IE, non-focusable elements can be active elements as well
+ // (http://stackoverflow.com/a/2684561).
+ activeElement = getActiveElement();
+ activeElement = activeElement && (activeElement.type || activeElement.href) && activeElement;
+
+ // If it’s disabled or nothing inside is actively focused, re-focus the element.
+ if (targetDisabled || activeElement && !$.contains(P.$root[0], activeElement)) {
+ P.$root.eq(0).focus();
+ }
+
+ // If something is superficially changed, update the `highlight` based on the `nav`.
+ if (!targetDisabled && targetData.nav) {
+ P.set('highlight', P.component.item.highlight, { nav: targetData.nav });
+ }
+
+ // If something is picked, set `select` then close with focus.
+ else if (!targetDisabled && 'pick' in targetData) {
+ P.set('select', targetData.pick);
+ if (SETTINGS.closeOnSelect) {
+ P.close(true);
+ }
+ }
+
+ // If a “clear” button is pressed, empty the values and close with focus.
+ else if (targetData.clear) {
+ P.clear();
+ if (SETTINGS.closeOnSelect) {
+ P.close(true);
+ }
+ } else if (targetData.close) {
+ P.close(true);
+ }
+ }); //P.$root
+
+ aria(P.$root[0], 'hidden', true);
+ }
+
+ /**
+ * Prepare the hidden input element along with all bindings.
+ */
+ function prepareElementHidden() {
+
+ var name;
+
+ if (SETTINGS.hiddenName === true) {
+ name = ELEMENT.name;
+ ELEMENT.name = '';
+ } else {
+ name = [typeof SETTINGS.hiddenPrefix == 'string' ? SETTINGS.hiddenPrefix : '', typeof SETTINGS.hiddenSuffix == 'string' ? SETTINGS.hiddenSuffix : '_submit'];
+ name = name[0] + ELEMENT.name + name[1];
+ }
+
+ P._hidden = $('<input ' + 'type=hidden ' +
+
+ // Create the name using the original input’s with a prefix and suffix.
+ 'name="' + name + '"' + (
+
+ // If the element has a value, set the hidden value as well.
+ $ELEMENT.data('value') || ELEMENT.value ? ' value="' + P.get('select', SETTINGS.formatSubmit) + '"' : '') + '>')[0];
+
+ $ELEMENT.
+
+ // If the value changes, update the hidden input with the correct format.
+ on('change.' + STATE.id, function () {
+ P._hidden.value = ELEMENT.value ? P.get('select', SETTINGS.formatSubmit) : '';
+ });
+
+ // Insert the hidden input as specified in the settings.
+ if (SETTINGS.container) $(SETTINGS.container).append(P._hidden);else $ELEMENT.before(P._hidden);
+ }
+
+ // For iOS8.
+ function handleKeydownEvent(event) {
+
+ var keycode = event.keyCode,
+
+
+ // Check if one of the delete keys was pressed.
+ isKeycodeDelete = /^(8|46)$/.test(keycode);
+
+ // For some reason IE clears the input value on “escape”.
+ if (keycode == 27) {
+ P.close();
+ return false;
+ }
+
+ // Check if `space` or `delete` was pressed or the picker is closed with a key movement.
+ if (keycode == 32 || isKeycodeDelete || !STATE.open && P.component.key[keycode]) {
+
+ // Prevent it from moving the page and bubbling to doc.
+ event.preventDefault();
+ event.stopPropagation();
+
+ // If `delete` was pressed, clear the values and close the picker.
+ // Otherwise open the picker.
+ if (isKeycodeDelete) {
+ P.clear().close();
+ } else {
+ P.open();
+ }
+ }
+ }
+
+ // Separated for IE
+ function handleFocusToOpenEvent(event) {
+
+ // Stop the event from propagating to the doc.
+ event.stopPropagation();
+
+ // If it’s a focus event, add the “focused” class to the root.
+ if (event.type == 'focus') {
+ P.$root.addClass(CLASSES.focused);
+ }
+
+ // And then finally open the picker.
+ P.open();
+ }
+
+ // Return a new picker instance.
+ return new PickerInstance();
+ } //PickerConstructor
+
+
+ /**
+ * The default classes and prefix to use for the HTML classes.
+ */
+ PickerConstructor.klasses = function (prefix) {
+ prefix = prefix || 'picker';
+ return {
+
+ picker: prefix,
+ opened: prefix + '--opened',
+ focused: prefix + '--focused',
+
+ input: prefix + '__input',
+ active: prefix + '__input--active',
+ target: prefix + '__input--target',
+
+ holder: prefix + '__holder',
+
+ frame: prefix + '__frame',
+ wrap: prefix + '__wrap',
+
+ box: prefix + '__box'
+ };
+ }; //PickerConstructor.klasses
+
+
+ /**
+ * Check if the default theme is being used.
+ */
+ function isUsingDefaultTheme(element) {
+
+ var theme,
+ prop = 'position';
+
+ // For IE.
+ if (element.currentStyle) {
+ theme = element.currentStyle[prop];
+ }
+
+ // For normal browsers.
+ else if (window.getComputedStyle) {
+ theme = getComputedStyle(element)[prop];
+ }
+
+ return theme == 'fixed';
+ }
+
+ /**
+ * Get the width of the browser’s scrollbar.
+ * Taken from: https://github.com/VodkaBears/Remodal/blob/master/src/jquery.remodal.js
+ */
+ function getScrollbarWidth() {
+
+ if ($html.height() <= $window.height()) {
+ return 0;
+ }
+
+ var $outer = $('<div style="visibility:hidden;width:100px" />').appendTo('body');
+
+ // Get the width without scrollbars.
+ var widthWithoutScroll = $outer[0].offsetWidth;
+
+ // Force adding scrollbars.
+ $outer.css('overflow', 'scroll');
+
+ // Add the inner div.
+ var $inner = $('<div style="width:100%" />').appendTo($outer);
+
+ // Get the width with scrollbars.
+ var widthWithScroll = $inner[0].offsetWidth;
+
+ // Remove the divs.
+ $outer.remove();
+
+ // Return the difference between the widths.
+ return widthWithoutScroll - widthWithScroll;
+ }
+
+ /**
+ * PickerConstructor helper methods.
+ */
+ PickerConstructor._ = {
+
+ /**
+ * Create a group of nodes. Expects:
+ * `
+ {
+ min: {Integer},
+ max: {Integer},
+ i: {Integer},
+ node: {String},
+ item: {Function}
+ }
+ * `
+ */
+ group: function (groupObject) {
+
+ var
+ // Scope for the looped object
+ loopObjectScope,
+
+
+ // Create the nodes list
+ nodesList = '',
+
+
+ // The counter starts from the `min`
+ counter = PickerConstructor._.trigger(groupObject.min, groupObject);
+
+ // Loop from the `min` to `max`, incrementing by `i`
+ for (; counter <= PickerConstructor._.trigger(groupObject.max, groupObject, [counter]); counter += groupObject.i) {
+
+ // Trigger the `item` function within scope of the object
+ loopObjectScope = PickerConstructor._.trigger(groupObject.item, groupObject, [counter]);
+
+ // Splice the subgroup and create nodes out of the sub nodes
+ nodesList += PickerConstructor._.node(groupObject.node, loopObjectScope[0], // the node
+ loopObjectScope[1], // the classes
+ loopObjectScope[2] // the attributes
+ );
+ }
+
+ // Return the list of nodes
+ return nodesList;
+ }, //group
+
+
+ /**
+ * Create a dom node string
+ */
+ node: function (wrapper, item, klass, attribute) {
+
+ // If the item is false-y, just return an empty string
+ if (!item) return '';
+
+ // If the item is an array, do a join
+ item = $.isArray(item) ? item.join('') : item;
+
+ // Check for the class
+ klass = klass ? ' class="' + klass + '"' : '';
+
+ // Check for any attributes
+ attribute = attribute ? ' ' + attribute : '';
+
+ // Return the wrapped item
+ return '<' + wrapper + klass + attribute + '>' + item + '</' + wrapper + '>';
+ }, //node
+
+
+ /**
+ * Lead numbers below 10 with a zero.
+ */
+ lead: function (number) {
+ return (number < 10 ? '0' : '') + number;
+ },
+
+ /**
+ * Trigger a function otherwise return the value.
+ */
+ trigger: function (callback, scope, args) {
+ return typeof callback == 'function' ? callback.apply(scope, args || []) : callback;
+ },
+
+ /**
+ * If the second character is a digit, length is 2 otherwise 1.
+ */
+ digits: function (string) {
+ return (/\d/.test(string[1]) ? 2 : 1
+ );
+ },
+
+ /**
+ * Tell if something is a date object.
+ */
+ isDate: function (value) {
+ return {}.toString.call(value).indexOf('Date') > -1 && this.isInteger(value.getDate());
+ },
+
+ /**
+ * Tell if something is an integer.
+ */
+ isInteger: function (value) {
+ return {}.toString.call(value).indexOf('Number') > -1 && value % 1 === 0;
+ },
+
+ /**
+ * Create ARIA attribute strings.
+ */
+ ariaAttr: ariaAttr //PickerConstructor._
+
+
+ /**
+ * Extend the picker with a component and defaults.
+ */
+ };PickerConstructor.extend = function (name, Component) {
+
+ // Extend jQuery.
+ $.fn[name] = function (options, action) {
+
+ // Grab the component data.
+ var componentData = this.data(name);
+
+ // If the picker is requested, return the data object.
+ if (options == 'picker') {
+ return componentData;
+ }
+
+ // If the component data exists and `options` is a string, carry out the action.
+ if (componentData && typeof options == 'string') {
+ return PickerConstructor._.trigger(componentData[options], componentData, [action]);
+ }
+
+ // Otherwise go through each matched element and if the component
+ // doesn’t exist, create a new picker using `this` element
+ // and merging the defaults and options with a deep copy.
+ return this.each(function () {
+ var $this = $(this);
+ if (!$this.data(name)) {
+ new PickerConstructor(this, name, Component, options);
+ }
+ });
+ };
+
+ // Set the defaults.
+ $.fn[name].defaults = Component.defaults;
+ }; //PickerConstructor.extend
+
+
+ function aria(element, attribute, value) {
+ if ($.isPlainObject(attribute)) {
+ for (var key in attribute) {
+ ariaSet(element, key, attribute[key]);
+ }
+ } else {
+ ariaSet(element, attribute, value);
+ }
+ }
+ function ariaSet(element, attribute, value) {
+ element.setAttribute((attribute == 'role' ? '' : 'aria-') + attribute, value);
+ }
+ function ariaAttr(attribute, data) {
+ if (!$.isPlainObject(attribute)) {
+ attribute = { attribute: data };
+ }
+ data = '';
+ for (var key in attribute) {
+ var attr = (key == 'role' ? '' : 'aria-') + key,
+ attrVal = attribute[key];
+ data += attrVal == null ? '' : attr + '="' + attribute[key] + '"';
+ }
+ return data;
+ }
+
+ // IE8 bug throws an error for activeElements within iframes.
+ function getActiveElement() {
+ try {
+ return document.activeElement;
+ } catch (err) {}
+ }
+
+ // Expose the picker constructor.
+ return PickerConstructor;
+});
+; /*!
+ * Date picker for pickadate.js v3.5.0
+ * http://amsul.github.io/pickadate.js/date.htm
+ */
+
+(function (factory) {
+ factory(Materialize.Picker, jQuery);
+})(function (Picker, $) {
+
+ /**
+ * Globals and constants
+ */
+ var DAYS_IN_WEEK = 7,
+ WEEKS_IN_CALENDAR = 6,
+ _ = Picker._;
+
+ /**
+ * The date picker constructor
+ */
+ function DatePicker(picker, settings) {
+
+ var calendar = this,
+ element = picker.$node[0],
+ elementValue = element.value,
+ elementDataValue = picker.$node.data('value'),
+ valueString = elementDataValue || elementValue,
+ formatString = elementDataValue ? settings.formatSubmit : settings.format,
+ isRTL = function () {
+
+ return element.currentStyle ?
+
+ // For IE.
+ element.currentStyle.direction == 'rtl' :
+
+ // For normal browsers.
+ getComputedStyle(picker.$root[0]).direction == 'rtl';
+ };
+
+ calendar.settings = settings;
+ calendar.$node = picker.$node;
+
+ // The queue of methods that will be used to build item objects.
+ calendar.queue = {
+ min: 'measure create',
+ max: 'measure create',
+ now: 'now create',
+ select: 'parse create validate',
+ highlight: 'parse navigate create validate',
+ view: 'parse create validate viewset',
+ disable: 'deactivate',
+ enable: 'activate'
+
+ // The component's item object.
+ };calendar.item = {};
+
+ calendar.item.clear = null;
+ calendar.item.disable = (settings.disable || []).slice(0);
+ calendar.item.enable = -function (collectionDisabled) {
+ return collectionDisabled[0] === true ? collectionDisabled.shift() : -1;
+ }(calendar.item.disable);
+
+ calendar.set('min', settings.min).set('max', settings.max).set('now');
+
+ // When there’s a value, set the `select`, which in turn
+ // also sets the `highlight` and `view`.
+ if (valueString) {
+ calendar.set('select', valueString, { format: formatString });
+ }
+
+ // If there’s no value, default to highlighting “today”.
+ else {
+ calendar.set('select', null).set('highlight', calendar.item.now);
+ }
+
+ // The keycode to movement mapping.
+ calendar.key = {
+ 40: 7, // Down
+ 38: -7, // Up
+ 39: function () {
+ return isRTL() ? -1 : 1;
+ }, // Right
+ 37: function () {
+ return isRTL() ? 1 : -1;
+ }, // Left
+ go: function (timeChange) {
+ var highlightedObject = calendar.item.highlight,
+ targetDate = new Date(highlightedObject.year, highlightedObject.month, highlightedObject.date + timeChange);
+ calendar.set('highlight', targetDate, { interval: timeChange });
+ this.render();
+ }
+
+ // Bind some picker events.
+ };picker.on('render', function () {
+ picker.$root.find('.' + settings.klass.selectMonth).on('change', function () {
+ var value = this.value;
+ if (value) {
+ picker.set('highlight', [picker.get('view').year, value, picker.get('highlight').date]);
+ picker.$root.find('.' + settings.klass.selectMonth).trigger('focus');
+ }
+ });
+ picker.$root.find('.' + settings.klass.selectYear).on('change', function () {
+ var value = this.value;
+ if (value) {
+ picker.set('highlight', [value, picker.get('view').month, picker.get('highlight').date]);
+ picker.$root.find('.' + settings.klass.selectYear).trigger('focus');
+ }
+ });
+ }, 1).on('open', function () {
+ var includeToday = '';
+ if (calendar.disabled(calendar.get('now'))) {
+ includeToday = ':not(.' + settings.klass.buttonToday + ')';
+ }
+ picker.$root.find('button' + includeToday + ', select').attr('disabled', false);
+ }, 1).on('close', function () {
+ picker.$root.find('button, select').attr('disabled', true);
+ }, 1);
+ } //DatePicker
+
+
+ /**
+ * Set a datepicker item object.
+ */
+ DatePicker.prototype.set = function (type, value, options) {
+
+ var calendar = this,
+ calendarItem = calendar.item;
+
+ // If the value is `null` just set it immediately.
+ if (value === null) {
+ if (type == 'clear') type = 'select';
+ calendarItem[type] = value;
+ return calendar;
+ }
+
+ // Otherwise go through the queue of methods, and invoke the functions.
+ // Update this as the time unit, and set the final value as this item.
+ // * In the case of `enable`, keep the queue but set `disable` instead.
+ // And in the case of `flip`, keep the queue but set `enable` instead.
+ calendarItem[type == 'enable' ? 'disable' : type == 'flip' ? 'enable' : type] = calendar.queue[type].split(' ').map(function (method) {
+ value = calendar[method](type, value, options);
+ return value;
+ }).pop();
+
+ // Check if we need to cascade through more updates.
+ if (type == 'select') {
+ calendar.set('highlight', calendarItem.select, options);
+ } else if (type == 'highlight') {
+ calendar.set('view', calendarItem.highlight, options);
+ } else if (type.match(/^(flip|min|max|disable|enable)$/)) {
+ if (calendarItem.select && calendar.disabled(calendarItem.select)) {
+ calendar.set('select', calendarItem.select, options);
+ }
+ if (calendarItem.highlight && calendar.disabled(calendarItem.highlight)) {
+ calendar.set('highlight', calendarItem.highlight, options);
+ }
+ }
+
+ return calendar;
+ }; //DatePicker.prototype.set
+
+
+ /**
+ * Get a datepicker item object.
+ */
+ DatePicker.prototype.get = function (type) {
+ return this.item[type];
+ }; //DatePicker.prototype.get
+
+
+ /**
+ * Create a picker date object.
+ */
+ DatePicker.prototype.create = function (type, value, options) {
+
+ var isInfiniteValue,
+ calendar = this;
+
+ // If there’s no value, use the type as the value.
+ value = value === undefined ? type : value;
+
+ // If it’s infinity, update the value.
+ if (value == -Infinity || value == Infinity) {
+ isInfiniteValue = value;
+ }
+
+ // If it’s an object, use the native date object.
+ else if ($.isPlainObject(value) && _.isInteger(value.pick)) {
+ value = value.obj;
+ }
+
+ // If it’s an array, convert it into a date and make sure
+ // that it’s a valid date – otherwise default to today.
+ else if ($.isArray(value)) {
+ value = new Date(value[0], value[1], value[2]);
+ value = _.isDate(value) ? value : calendar.create().obj;
+ }
+
+ // If it’s a number or date object, make a normalized date.
+ else if (_.isInteger(value) || _.isDate(value)) {
+ value = calendar.normalize(new Date(value), options);
+ }
+
+ // If it’s a literal true or any other case, set it to now.
+ else /*if ( value === true )*/{
+ value = calendar.now(type, value, options);
+ }
+
+ // Return the compiled object.
+ return {
+ year: isInfiniteValue || value.getFullYear(),
+ month: isInfiniteValue || value.getMonth(),
+ date: isInfiniteValue || value.getDate(),
+ day: isInfiniteValue || value.getDay(),
+ obj: isInfiniteValue || value,
+ pick: isInfiniteValue || value.getTime()
+ };
+ }; //DatePicker.prototype.create
+
+
+ /**
+ * Create a range limit object using an array, date object,
+ * literal “true”, or integer relative to another time.
+ */
+ DatePicker.prototype.createRange = function (from, to) {
+
+ var calendar = this,
+ createDate = function (date) {
+ if (date === true || $.isArray(date) || _.isDate(date)) {
+ return calendar.create(date);
+ }
+ return date;
+ };
+
+ // Create objects if possible.
+ if (!_.isInteger(from)) {
+ from = createDate(from);
+ }
+ if (!_.isInteger(to)) {
+ to = createDate(to);
+ }
+
+ // Create relative dates.
+ if (_.isInteger(from) && $.isPlainObject(to)) {
+ from = [to.year, to.month, to.date + from];
+ } else if (_.isInteger(to) && $.isPlainObject(from)) {
+ to = [from.year, from.month, from.date + to];
+ }
+
+ return {
+ from: createDate(from),
+ to: createDate(to)
+ };
+ }; //DatePicker.prototype.createRange
+
+
+ /**
+ * Check if a date unit falls within a date range object.
+ */
+ DatePicker.prototype.withinRange = function (range, dateUnit) {
+ range = this.createRange(range.from, range.to);
+ return dateUnit.pick >= range.from.pick && dateUnit.pick <= range.to.pick;
+ };
+
+ /**
+ * Check if two date range objects overlap.
+ */
+ DatePicker.prototype.overlapRanges = function (one, two) {
+
+ var calendar = this;
+
+ // Convert the ranges into comparable dates.
+ one = calendar.createRange(one.from, one.to);
+ two = calendar.createRange(two.from, two.to);
+
+ return calendar.withinRange(one, two.from) || calendar.withinRange(one, two.to) || calendar.withinRange(two, one.from) || calendar.withinRange(two, one.to);
+ };
+
+ /**
+ * Get the date today.
+ */
+ DatePicker.prototype.now = function (type, value, options) {
+ value = new Date();
+ if (options && options.rel) {
+ value.setDate(value.getDate() + options.rel);
+ }
+ return this.normalize(value, options);
+ };
+
+ /**
+ * Navigate to next/prev month.
+ */
+ DatePicker.prototype.navigate = function (type, value, options) {
+
+ var targetDateObject,
+ targetYear,
+ targetMonth,
+ targetDate,
+ isTargetArray = $.isArray(value),
+ isTargetObject = $.isPlainObject(value),
+ viewsetObject = this.item.view; /*,
+ safety = 100*/
+
+ if (isTargetArray || isTargetObject) {
+
+ if (isTargetObject) {
+ targetYear = value.year;
+ targetMonth = value.month;
+ targetDate = value.date;
+ } else {
+ targetYear = +value[0];
+ targetMonth = +value[1];
+ targetDate = +value[2];
+ }
+
+ // If we’re navigating months but the view is in a different
+ // month, navigate to the view’s year and month.
+ if (options && options.nav && viewsetObject && viewsetObject.month !== targetMonth) {
+ targetYear = viewsetObject.year;
+ targetMonth = viewsetObject.month;
+ }
+
+ // Figure out the expected target year and month.
+ targetDateObject = new Date(targetYear, targetMonth + (options && options.nav ? options.nav : 0), 1);
+ targetYear = targetDateObject.getFullYear();
+ targetMonth = targetDateObject.getMonth();
+
+ // If the month we’re going to doesn’t have enough days,
+ // keep decreasing the date until we reach the month’s last date.
+ while ( /*safety &&*/new Date(targetYear, targetMonth, targetDate).getMonth() !== targetMonth) {
+ targetDate -= 1;
+ /*safety -= 1
+ if ( !safety ) {
+ throw 'Fell into an infinite loop while navigating to ' + new Date( targetYear, targetMonth, targetDate ) + '.'
+ }*/
+ }
+
+ value = [targetYear, targetMonth, targetDate];
+ }
+
+ return value;
+ }; //DatePicker.prototype.navigate
+
+
+ /**
+ * Normalize a date by setting the hours to midnight.
+ */
+ DatePicker.prototype.normalize = function (value /*, options*/) {
+ value.setHours(0, 0, 0, 0);
+ return value;
+ };
+
+ /**
+ * Measure the range of dates.
+ */
+ DatePicker.prototype.measure = function (type, value /*, options*/) {
+
+ var calendar = this;
+
+ // If it’s anything false-y, remove the limits.
+ if (!value) {
+ value = type == 'min' ? -Infinity : Infinity;
+ }
+
+ // If it’s a string, parse it.
+ else if (typeof value == 'string') {
+ value = calendar.parse(type, value);
+ }
+
+ // If it's an integer, get a date relative to today.
+ else if (_.isInteger(value)) {
+ value = calendar.now(type, value, { rel: value });
+ }
+
+ return value;
+ }; ///DatePicker.prototype.measure
+
+
+ /**
+ * Create a viewset object based on navigation.
+ */
+ DatePicker.prototype.viewset = function (type, dateObject /*, options*/) {
+ return this.create([dateObject.year, dateObject.month, 1]);
+ };
+
+ /**
+ * Validate a date as enabled and shift if needed.
+ */
+ DatePicker.prototype.validate = function (type, dateObject, options) {
+
+ var calendar = this,
+
+
+ // Keep a reference to the original date.
+ originalDateObject = dateObject,
+
+
+ // Make sure we have an interval.
+ interval = options && options.interval ? options.interval : 1,
+
+
+ // Check if the calendar enabled dates are inverted.
+ isFlippedBase = calendar.item.enable === -1,
+
+
+ // Check if we have any enabled dates after/before now.
+ hasEnabledBeforeTarget,
+ hasEnabledAfterTarget,
+
+
+ // The min & max limits.
+ minLimitObject = calendar.item.min,
+ maxLimitObject = calendar.item.max,
+
+
+ // Check if we’ve reached the limit during shifting.
+ reachedMin,
+ reachedMax,
+
+
+ // Check if the calendar is inverted and at least one weekday is enabled.
+ hasEnabledWeekdays = isFlippedBase && calendar.item.disable.filter(function (value) {
+
+ // If there’s a date, check where it is relative to the target.
+ if ($.isArray(value)) {
+ var dateTime = calendar.create(value).pick;
+ if (dateTime < dateObject.pick) hasEnabledBeforeTarget = true;else if (dateTime > dateObject.pick) hasEnabledAfterTarget = true;
+ }
+
+ // Return only integers for enabled weekdays.
+ return _.isInteger(value);
+ }).length; /*,
+ safety = 100*/
+
+ // Cases to validate for:
+ // [1] Not inverted and date disabled.
+ // [2] Inverted and some dates enabled.
+ // [3] Not inverted and out of range.
+ //
+ // Cases to **not** validate for:
+ // • Navigating months.
+ // • Not inverted and date enabled.
+ // • Inverted and all dates disabled.
+ // • ..and anything else.
+ if (!options || !options.nav) if (
+ /* 1 */!isFlippedBase && calendar.disabled(dateObject) ||
+ /* 2 */isFlippedBase && calendar.disabled(dateObject) && (hasEnabledWeekdays || hasEnabledBeforeTarget || hasEnabledAfterTarget) ||
+ /* 3 */!isFlippedBase && (dateObject.pick <= minLimitObject.pick || dateObject.pick >= maxLimitObject.pick)) {
+
+ // When inverted, flip the direction if there aren’t any enabled weekdays
+ // and there are no enabled dates in the direction of the interval.
+ if (isFlippedBase && !hasEnabledWeekdays && (!hasEnabledAfterTarget && interval > 0 || !hasEnabledBeforeTarget && interval < 0)) {
+ interval *= -1;
+ }
+
+ // Keep looping until we reach an enabled date.
+ while ( /*safety &&*/calendar.disabled(dateObject)) {
+
+ /*safety -= 1
+ if ( !safety ) {
+ throw 'Fell into an infinite loop while validating ' + dateObject.obj + '.'
+ }*/
+
+ // If we’ve looped into the next/prev month with a large interval, return to the original date and flatten the interval.
+ if (Math.abs(interval) > 1 && (dateObject.month < originalDateObject.month || dateObject.month > originalDateObject.month)) {
+ dateObject = originalDateObject;
+ interval = interval > 0 ? 1 : -1;
+ }
+
+ // If we’ve reached the min/max limit, reverse the direction, flatten the interval and set it to the limit.
+ if (dateObject.pick <= minLimitObject.pick) {
+ reachedMin = true;
+ interval = 1;
+ dateObject = calendar.create([minLimitObject.year, minLimitObject.month, minLimitObject.date + (dateObject.pick === minLimitObject.pick ? 0 : -1)]);
+ } else if (dateObject.pick >= maxLimitObject.pick) {
+ reachedMax = true;
+ interval = -1;
+ dateObject = calendar.create([maxLimitObject.year, maxLimitObject.month, maxLimitObject.date + (dateObject.pick === maxLimitObject.pick ? 0 : 1)]);
+ }
+
+ // If we’ve reached both limits, just break out of the loop.
+ if (reachedMin && reachedMax) {
+ break;
+ }
+
+ // Finally, create the shifted date using the interval and keep looping.
+ dateObject = calendar.create([dateObject.year, dateObject.month, dateObject.date + interval]);
+ }
+ } //endif
+
+
+ // Return the date object settled on.
+ return dateObject;
+ }; //DatePicker.prototype.validate
+
+
+ /**
+ * Check if a date is disabled.
+ */
+ DatePicker.prototype.disabled = function (dateToVerify) {
+
+ var calendar = this,
+
+
+ // Filter through the disabled dates to check if this is one.
+ isDisabledMatch = calendar.item.disable.filter(function (dateToDisable) {
+
+ // If the date is a number, match the weekday with 0index and `firstDay` check.
+ if (_.isInteger(dateToDisable)) {
+ return dateToVerify.day === (calendar.settings.firstDay ? dateToDisable : dateToDisable - 1) % 7;
+ }
+
+ // If it’s an array or a native JS date, create and match the exact date.
+ if ($.isArray(dateToDisable) || _.isDate(dateToDisable)) {
+ return dateToVerify.pick === calendar.create(dateToDisable).pick;
+ }
+
+ // If it’s an object, match a date within the “from” and “to” range.
+ if ($.isPlainObject(dateToDisable)) {
+ return calendar.withinRange(dateToDisable, dateToVerify);
+ }
+ });
+
+ // If this date matches a disabled date, confirm it’s not inverted.
+ isDisabledMatch = isDisabledMatch.length && !isDisabledMatch.filter(function (dateToDisable) {
+ return $.isArray(dateToDisable) && dateToDisable[3] == 'inverted' || $.isPlainObject(dateToDisable) && dateToDisable.inverted;
+ }).length;
+
+ // Check the calendar “enabled” flag and respectively flip the
+ // disabled state. Then also check if it’s beyond the min/max limits.
+ return calendar.item.enable === -1 ? !isDisabledMatch : isDisabledMatch || dateToVerify.pick < calendar.item.min.pick || dateToVerify.pick > calendar.item.max.pick;
+ }; //DatePicker.prototype.disabled
+
+
+ /**
+ * Parse a string into a usable type.
+ */
+ DatePicker.prototype.parse = function (type, value, options) {
+
+ var calendar = this,
+ parsingObject = {};
+
+ // If it’s already parsed, we’re good.
+ if (!value || typeof value != 'string') {
+ return value;
+ }
+
+ // We need a `.format` to parse the value with.
+ if (!(options && options.format)) {
+ options = options || {};
+ options.format = calendar.settings.format;
+ }
+
+ // Convert the format into an array and then map through it.
+ calendar.formats.toArray(options.format).map(function (label) {
+
+ var
+ // Grab the formatting label.
+ formattingLabel = calendar.formats[label],
+
+
+ // The format length is from the formatting label function or the
+ // label length without the escaping exclamation (!) mark.
+ formatLength = formattingLabel ? _.trigger(formattingLabel, calendar, [value, parsingObject]) : label.replace(/^!/, '').length;
+
+ // If there's a format label, split the value up to the format length.
+ // Then add it to the parsing object with appropriate label.
+ if (formattingLabel) {
+ parsingObject[label] = value.substr(0, formatLength);
+ }
+
+ // Update the value as the substring from format length to end.
+ value = value.substr(formatLength);
+ });
+
+ // Compensate for month 0index.
+ return [parsingObject.yyyy || parsingObject.yy, +(parsingObject.mm || parsingObject.m) - 1, parsingObject.dd || parsingObject.d];
+ }; //DatePicker.prototype.parse
+
+
+ /**
+ * Various formats to display the object in.
+ */
+ DatePicker.prototype.formats = function () {
+
+ // Return the length of the first word in a collection.
+ function getWordLengthFromCollection(string, collection, dateObject) {
+
+ // Grab the first word from the string.
+ var word = string.match(/\w+/)[0];
+
+ // If there's no month index, add it to the date object
+ if (!dateObject.mm && !dateObject.m) {
+ dateObject.m = collection.indexOf(word) + 1;
+ }
+
+ // Return the length of the word.
+ return word.length;
+ }
+
+ // Get the length of the first word in a string.
+ function getFirstWordLength(string) {
+ return string.match(/\w+/)[0].length;
+ }
+
+ return {
+
+ d: function (string, dateObject) {
+
+ // If there's string, then get the digits length.
+ // Otherwise return the selected date.
+ return string ? _.digits(string) : dateObject.date;
+ },
+ dd: function (string, dateObject) {
+
+ // If there's a string, then the length is always 2.
+ // Otherwise return the selected date with a leading zero.
+ return string ? 2 : _.lead(dateObject.date);
+ },
+ ddd: function (string, dateObject) {
+
+ // If there's a string, then get the length of the first word.
+ // Otherwise return the short selected weekday.
+ return string ? getFirstWordLength(string) : this.settings.weekdaysShort[dateObject.day];
+ },
+ dddd: function (string, dateObject) {
+
+ // If there's a string, then get the length of the first word.
+ // Otherwise return the full selected weekday.
+ return string ? getFirstWordLength(string) : this.settings.weekdaysFull[dateObject.day];
+ },
+ m: function (string, dateObject) {
+
+ // If there's a string, then get the length of the digits
+ // Otherwise return the selected month with 0index compensation.
+ return string ? _.digits(string) : dateObject.month + 1;
+ },
+ mm: function (string, dateObject) {
+
+ // If there's a string, then the length is always 2.
+ // Otherwise return the selected month with 0index and leading zero.
+ return string ? 2 : _.lead(dateObject.month + 1);
+ },
+ mmm: function (string, dateObject) {
+
+ var collection = this.settings.monthsShort;
+
+ // If there's a string, get length of the relevant month from the short
+ // months collection. Otherwise return the selected month from that collection.
+ return string ? getWordLengthFromCollection(string, collection, dateObject) : collection[dateObject.month];
+ },
+ mmmm: function (string, dateObject) {
+
+ var collection = this.settings.monthsFull;
+
+ // If there's a string, get length of the relevant month from the full
+ // months collection. Otherwise return the selected month from that collection.
+ return string ? getWordLengthFromCollection(string, collection, dateObject) : collection[dateObject.month];
+ },
+ yy: function (string, dateObject) {
+
+ // If there's a string, then the length is always 2.
+ // Otherwise return the selected year by slicing out the first 2 digits.
+ return string ? 2 : ('' + dateObject.year).slice(2);
+ },
+ yyyy: function (string, dateObject) {
+
+ // If there's a string, then the length is always 4.
+ // Otherwise return the selected year.
+ return string ? 4 : dateObject.year;
+ },
+
+ // Create an array by splitting the formatting string passed.
+ toArray: function (formatString) {
+ return formatString.split(/(d{1,4}|m{1,4}|y{4}|yy|!.)/g);
+ },
+
+ // Format an object into a string using the formatting options.
+ toString: function (formatString, itemObject) {
+ var calendar = this;
+ return calendar.formats.toArray(formatString).map(function (label) {
+ return _.trigger(calendar.formats[label], calendar, [0, itemObject]) || label.replace(/^!/, '');
+ }).join('');
+ }
+ };
+ }(); //DatePicker.prototype.formats
+
+
+ /**
+ * Check if two date units are the exact.
+ */
+ DatePicker.prototype.isDateExact = function (one, two) {
+
+ var calendar = this;
+
+ // When we’re working with weekdays, do a direct comparison.
+ if (_.isInteger(one) && _.isInteger(two) || typeof one == 'boolean' && typeof two == 'boolean') {
+ return one === two;
+ }
+
+ // When we’re working with date representations, compare the “pick” value.
+ if ((_.isDate(one) || $.isArray(one)) && (_.isDate(two) || $.isArray(two))) {
+ return calendar.create(one).pick === calendar.create(two).pick;
+ }
+
+ // When we’re working with range objects, compare the “from” and “to”.
+ if ($.isPlainObject(one) && $.isPlainObject(two)) {
+ return calendar.isDateExact(one.from, two.from) && calendar.isDateExact(one.to, two.to);
+ }
+
+ return false;
+ };
+
+ /**
+ * Check if two date units overlap.
+ */
+ DatePicker.prototype.isDateOverlap = function (one, two) {
+
+ var calendar = this,
+ firstDay = calendar.settings.firstDay ? 1 : 0;
+
+ // When we’re working with a weekday index, compare the days.
+ if (_.isInteger(one) && (_.isDate(two) || $.isArray(two))) {
+ one = one % 7 + firstDay;
+ return one === calendar.create(two).day + 1;
+ }
+ if (_.isInteger(two) && (_.isDate(one) || $.isArray(one))) {
+ two = two % 7 + firstDay;
+ return two === calendar.create(one).day + 1;
+ }
+
+ // When we’re working with range objects, check if the ranges overlap.
+ if ($.isPlainObject(one) && $.isPlainObject(two)) {
+ return calendar.overlapRanges(one, two);
+ }
+
+ return false;
+ };
+
+ /**
+ * Flip the “enabled” state.
+ */
+ DatePicker.prototype.flipEnable = function (val) {
+ var itemObject = this.item;
+ itemObject.enable = val || (itemObject.enable == -1 ? 1 : -1);
+ };
+
+ /**
+ * Mark a collection of dates as “disabled”.
+ */
+ DatePicker.prototype.deactivate = function (type, datesToDisable) {
+
+ var calendar = this,
+ disabledItems = calendar.item.disable.slice(0);
+
+ // If we’re flipping, that’s all we need to do.
+ if (datesToDisable == 'flip') {
+ calendar.flipEnable();
+ } else if (datesToDisable === false) {
+ calendar.flipEnable(1);
+ disabledItems = [];
+ } else if (datesToDisable === true) {
+ calendar.flipEnable(-1);
+ disabledItems = [];
+ }
+
+ // Otherwise go through the dates to disable.
+ else {
+
+ datesToDisable.map(function (unitToDisable) {
+
+ var matchFound;
+
+ // When we have disabled items, check for matches.
+ // If something is matched, immediately break out.
+ for (var index = 0; index < disabledItems.length; index += 1) {
+ if (calendar.isDateExact(unitToDisable, disabledItems[index])) {
+ matchFound = true;
+ break;
+ }
+ }
+
+ // If nothing was found, add the validated unit to the collection.
+ if (!matchFound) {
+ if (_.isInteger(unitToDisable) || _.isDate(unitToDisable) || $.isArray(unitToDisable) || $.isPlainObject(unitToDisable) && unitToDisable.from && unitToDisable.to) {
+ disabledItems.push(unitToDisable);
+ }
+ }
+ });
+ }
+
+ // Return the updated collection.
+ return disabledItems;
+ }; //DatePicker.prototype.deactivate
+
+
+ /**
+ * Mark a collection of dates as “enabled”.
+ */
+ DatePicker.prototype.activate = function (type, datesToEnable) {
+
+ var calendar = this,
+ disabledItems = calendar.item.disable,
+ disabledItemsCount = disabledItems.length;
+
+ // If we’re flipping, that’s all we need to do.
+ if (datesToEnable == 'flip') {
+ calendar.flipEnable();
+ } else if (datesToEnable === true) {
+ calendar.flipEnable(1);
+ disabledItems = [];
+ } else if (datesToEnable === false) {
+ calendar.flipEnable(-1);
+ disabledItems = [];
+ }
+
+ // Otherwise go through the disabled dates.
+ else {
+
+ datesToEnable.map(function (unitToEnable) {
+
+ var matchFound, disabledUnit, index, isExactRange;
+
+ // Go through the disabled items and try to find a match.
+ for (index = 0; index < disabledItemsCount; index += 1) {
+
+ disabledUnit = disabledItems[index];
+
+ // When an exact match is found, remove it from the collection.
+ if (calendar.isDateExact(disabledUnit, unitToEnable)) {
+ matchFound = disabledItems[index] = null;
+ isExactRange = true;
+ break;
+ }
+
+ // When an overlapped match is found, add the “inverted” state to it.
+ else if (calendar.isDateOverlap(disabledUnit, unitToEnable)) {
+ if ($.isPlainObject(unitToEnable)) {
+ unitToEnable.inverted = true;
+ matchFound = unitToEnable;
+ } else if ($.isArray(unitToEnable)) {
+ matchFound = unitToEnable;
+ if (!matchFound[3]) matchFound.push('inverted');
+ } else if (_.isDate(unitToEnable)) {
+ matchFound = [unitToEnable.getFullYear(), unitToEnable.getMonth(), unitToEnable.getDate(), 'inverted'];
+ }
+ break;
+ }
+ }
+
+ // If a match was found, remove a previous duplicate entry.
+ if (matchFound) for (index = 0; index < disabledItemsCount; index += 1) {
+ if (calendar.isDateExact(disabledItems[index], unitToEnable)) {
+ disabledItems[index] = null;
+ break;
+ }
+ }
+
+ // In the event that we’re dealing with an exact range of dates,
+ // make sure there are no “inverted” dates because of it.
+ if (isExactRange) for (index = 0; index < disabledItemsCount; index += 1) {
+ if (calendar.isDateOverlap(disabledItems[index], unitToEnable)) {
+ disabledItems[index] = null;
+ break;
+ }
+ }
+
+ // If something is still matched, add it into the collection.
+ if (matchFound) {
+ disabledItems.push(matchFound);
+ }
+ });
+ }
+
+ // Return the updated collection.
+ return disabledItems.filter(function (val) {
+ return val != null;
+ });
+ }; //DatePicker.prototype.activate
+
+
+ /**
+ * Create a string for the nodes in the picker.
+ */
+ DatePicker.prototype.nodes = function (isOpen) {
+
+ var calendar = this,
+ settings = calendar.settings,
+ calendarItem = calendar.item,
+ nowObject = calendarItem.now,
+ selectedObject = calendarItem.select,
+ highlightedObject = calendarItem.highlight,
+ viewsetObject = calendarItem.view,
+ disabledCollection = calendarItem.disable,
+ minLimitObject = calendarItem.min,
+ maxLimitObject = calendarItem.max,
+
+
+ // Create the calendar table head using a copy of weekday labels collection.
+ // * We do a copy so we don't mutate the original array.
+ tableHead = function (collection, fullCollection) {
+
+ // If the first day should be Monday, move Sunday to the end.
+ if (settings.firstDay) {
+ collection.push(collection.shift());
+ fullCollection.push(fullCollection.shift());
+ }
+
+ // Create and return the table head group.
+ return _.node('thead', _.node('tr', _.group({
+ min: 0,
+ max: DAYS_IN_WEEK - 1,
+ i: 1,
+ node: 'th',
+ item: function (counter) {
+ return [collection[counter], settings.klass.weekdays, 'scope=col title="' + fullCollection[counter] + '"'];
+ }
+ }))); //endreturn
+
+ // Materialize modified
+ }((settings.showWeekdaysFull ? settings.weekdaysFull : settings.weekdaysLetter).slice(0), settings.weekdaysFull.slice(0)),
+ //tableHead
+
+
+ // Create the nav for next/prev month.
+ createMonthNav = function (next) {
+
+ // Otherwise, return the created month tag.
+ return _.node('div', ' ', settings.klass['nav' + (next ? 'Next' : 'Prev')] + (
+
+ // If the focused month is outside the range, disabled the button.
+ next && viewsetObject.year >= maxLimitObject.year && viewsetObject.month >= maxLimitObject.month || !next && viewsetObject.year <= minLimitObject.year && viewsetObject.month <= minLimitObject.month ? ' ' + settings.klass.navDisabled : ''), 'data-nav=' + (next || -1) + ' ' + _.ariaAttr({
+ role: 'button',
+ controls: calendar.$node[0].id + '_table'
+ }) + ' ' + 'title="' + (next ? settings.labelMonthNext : settings.labelMonthPrev) + '"'); //endreturn
+ },
+ //createMonthNav
+
+
+ // Create the month label.
+ //Materialize modified
+ createMonthLabel = function (override) {
+
+ var monthsCollection = settings.showMonthsShort ? settings.monthsShort : settings.monthsFull;
+
+ // Materialize modified
+ if (override == "short_months") {
+ monthsCollection = settings.monthsShort;
+ }
+
+ // If there are months to select, add a dropdown menu.
+ if (settings.selectMonths && override == undefined) {
+
+ return _.node('select', _.group({
+ min: 0,
+ max: 11,
+ i: 1,
+ node: 'option',
+ item: function (loopedMonth) {
+
+ return [
+
+ // The looped month and no classes.
+ monthsCollection[loopedMonth], 0,
+
+ // Set the value and selected index.
+ 'value=' + loopedMonth + (viewsetObject.month == loopedMonth ? ' selected' : '') + (viewsetObject.year == minLimitObject.year && loopedMonth < minLimitObject.month || viewsetObject.year == maxLimitObject.year && loopedMonth > maxLimitObject.month ? ' disabled' : '')];
+ }
+ }), settings.klass.selectMonth + ' browser-default', (isOpen ? '' : 'disabled') + ' ' + _.ariaAttr({ controls: calendar.$node[0].id + '_table' }) + ' ' + 'title="' + settings.labelMonthSelect + '"');
+ }
+
+ // Materialize modified
+ if (override == "short_months") if (selectedObject != null) return monthsCollection[selectedObject.month];else return monthsCollection[viewsetObject.month];
+
+ // If there's a need for a month selector
+ return _.node('div', monthsCollection[viewsetObject.month], settings.klass.month);
+ },
+ //createMonthLabel
+
+
+ // Create the year label.
+ // Materialize modified
+ createYearLabel = function (override) {
+
+ var focusedYear = viewsetObject.year,
+
+
+ // If years selector is set to a literal "true", set it to 5. Otherwise
+ // divide in half to get half before and half after focused year.
+ numberYears = settings.selectYears === true ? 5 : ~~(settings.selectYears / 2);
+
+ // If there are years to select, add a dropdown menu.
+ if (numberYears) {
+
+ var minYear = minLimitObject.year,
+ maxYear = maxLimitObject.year,
+ lowestYear = focusedYear - numberYears,
+ highestYear = focusedYear + numberYears;
+
+ // If the min year is greater than the lowest year, increase the highest year
+ // by the difference and set the lowest year to the min year.
+ if (minYear > lowestYear) {
+ highestYear += minYear - lowestYear;
+ lowestYear = minYear;
+ }
+
+ // If the max year is less than the highest year, decrease the lowest year
+ // by the lower of the two: available and needed years. Then set the
+ // highest year to the max year.
+ if (maxYear < highestYear) {
+
+ var availableYears = lowestYear - minYear,
+ neededYears = highestYear - maxYear;
+
+ lowestYear -= availableYears > neededYears ? neededYears : availableYears;
+ highestYear = maxYear;
+ }
+
+ if (settings.selectYears && override == undefined) {
+ return _.node('select', _.group({
+ min: lowestYear,
+ max: highestYear,
+ i: 1,
+ node: 'option',
+ item: function (loopedYear) {
+ return [
+
+ // The looped year and no classes.
+ loopedYear, 0,
+
+ // Set the value and selected index.
+ 'value=' + loopedYear + (focusedYear == loopedYear ? ' selected' : '')];
+ }
+ }), settings.klass.selectYear + ' browser-default', (isOpen ? '' : 'disabled') + ' ' + _.ariaAttr({ controls: calendar.$node[0].id + '_table' }) + ' ' + 'title="' + settings.labelYearSelect + '"');
+ }
+ }
+
+ // Materialize modified
+ if (override === 'raw' && selectedObject != null) {
+ return _.node('div', selectedObject.year);
+ }
+
+ // Otherwise just return the year focused
+ return _.node('div', focusedYear, settings.klass.year);
+ }; //createYearLabel
+
+
+ // Materialize modified
+ createDayLabel = function () {
+ if (selectedObject != null) return selectedObject.date;else return nowObject.date;
+ };
+ createWeekdayLabel = function () {
+ var display_day;
+
+ if (selectedObject != null) display_day = selectedObject.day;else display_day = nowObject.day;
+ var weekday = settings.weekdaysShort[display_day];
+ return weekday;
+ };
+
+ // Create and return the entire calendar.
+
+ return _.node(
+ // Date presentation View
+ 'div', _.node(
+ // Div for Year
+ 'div', createYearLabel("raw"), settings.klass.year_display) + _.node('span', createWeekdayLabel() + ', ', "picker__weekday-display") + _.node(
+ // Div for short Month
+ 'span', createMonthLabel("short_months") + ' ', settings.klass.month_display) + _.node(
+ // Div for Day
+ 'span', createDayLabel(), settings.klass.day_display), settings.klass.date_display) +
+ // Calendar container
+ _.node('div', _.node('div', _.node('div', (settings.selectYears ? createMonthLabel() + createYearLabel() : createMonthLabel() + createYearLabel()) + createMonthNav() + createMonthNav(1), settings.klass.header) + _.node('table', tableHead + _.node('tbody', _.group({
+ min: 0,
+ max: WEEKS_IN_CALENDAR - 1,
+ i: 1,
+ node: 'tr',
+ item: function (rowCounter) {
+
+ // If Monday is the first day and the month starts on Sunday, shift the date back a week.
+ var shiftDateBy = settings.firstDay && calendar.create([viewsetObject.year, viewsetObject.month, 1]).day === 0 ? -7 : 0;
+
+ return [_.group({
+ min: DAYS_IN_WEEK * rowCounter - viewsetObject.day + shiftDateBy + 1, // Add 1 for weekday 0index
+ max: function () {
+ return this.min + DAYS_IN_WEEK - 1;
+ },
+ i: 1,
+ node: 'td',
+ item: function (targetDate) {
+
+ // Convert the time date from a relative date to a target date.
+ targetDate = calendar.create([viewsetObject.year, viewsetObject.month, targetDate + (settings.firstDay ? 1 : 0)]);
+
+ var isSelected = selectedObject && selectedObject.pick == targetDate.pick,
+ isHighlighted = highlightedObject && highlightedObject.pick == targetDate.pick,
+ isDisabled = disabledCollection && calendar.disabled(targetDate) || targetDate.pick < minLimitObject.pick || targetDate.pick > maxLimitObject.pick,
+ formattedDate = _.trigger(calendar.formats.toString, calendar, [settings.format, targetDate]);
+
+ return [_.node('div', targetDate.date, function (klasses) {
+
+ // Add the `infocus` or `outfocus` classes based on month in view.
+ klasses.push(viewsetObject.month == targetDate.month ? settings.klass.infocus : settings.klass.outfocus);
+
+ // Add the `today` class if needed.
+ if (nowObject.pick == targetDate.pick) {
+ klasses.push(settings.klass.now);
+ }
+
+ // Add the `selected` class if something's selected and the time matches.
+ if (isSelected) {
+ klasses.push(settings.klass.selected);
+ }
+
+ // Add the `highlighted` class if something's highlighted and the time matches.
+ if (isHighlighted) {
+ klasses.push(settings.klass.highlighted);
+ }
+
+ // Add the `disabled` class if something's disabled and the object matches.
+ if (isDisabled) {
+ klasses.push(settings.klass.disabled);
+ }
+
+ return klasses.join(' ');
+ }([settings.klass.day]), 'data-pick=' + targetDate.pick + ' ' + _.ariaAttr({
+ role: 'gridcell',
+ label: formattedDate,
+ selected: isSelected && calendar.$node.val() === formattedDate ? true : null,
+ activedescendant: isHighlighted ? true : null,
+ disabled: isDisabled ? true : null
+ }) + ' ' + (isDisabled ? '' : 'tabindex="0"')), '', _.ariaAttr({ role: 'presentation' })]; //endreturn
+ }
+ })]; //endreturn
+ }
+ })), settings.klass.table, 'id="' + calendar.$node[0].id + '_table' + '" ' + _.ariaAttr({
+ role: 'grid',
+ controls: calendar.$node[0].id,
+ readonly: true
+ })), settings.klass.calendar_container) // end calendar
+
+ +
+
+ // * For Firefox forms to submit, make sure to set the buttons’ `type` attributes as “button”.
+ _.node('div', _.node('button', settings.today, "btn-flat picker__today waves-effect", 'type=button data-pick=' + nowObject.pick + (isOpen && !calendar.disabled(nowObject) ? '' : ' disabled') + ' ' + _.ariaAttr({ controls: calendar.$node[0].id })) + _.node('button', settings.clear, "btn-flat picker__clear waves-effect", 'type=button data-clear=1' + (isOpen ? '' : ' disabled') + ' ' + _.ariaAttr({ controls: calendar.$node[0].id })) + _.node('button', settings.close, "btn-flat picker__close waves-effect", 'type=button data-close=true ' + (isOpen ? '' : ' disabled') + ' ' + _.ariaAttr({ controls: calendar.$node[0].id })), settings.klass.footer), 'picker__container__wrapper'); //endreturn
+ }; //DatePicker.prototype.nodes
+
+
+ /**
+ * The date picker defaults.
+ */
+ DatePicker.defaults = function (prefix) {
+
+ return {
+
+ // The title label to use for the month nav buttons
+ labelMonthNext: 'Next month',
+ labelMonthPrev: 'Previous month',
+
+ // The title label to use for the dropdown selectors
+ labelMonthSelect: 'Select a month',
+ labelYearSelect: 'Select a year',
+
+ // Months and weekdays
+ monthsFull: ['January', 'February', 'March', 'April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December'],
+ monthsShort: ['Jan', 'Feb', 'Mar', 'Apr', 'May', 'Jun', 'Jul', 'Aug', 'Sep', 'Oct', 'Nov', 'Dec'],
+ weekdaysFull: ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'],
+ weekdaysShort: ['Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat'],
+
+ // Materialize modified
+ weekdaysLetter: ['S', 'M', 'T', 'W', 'T', 'F', 'S'],
+
+ // Today and clear
+ today: 'Today',
+ clear: 'Clear',
+ close: 'Ok',
+
+ // Picker close behavior (Prevent a change in behaviour for backwards compatibility)
+ closeOnSelect: false,
+
+ // The format to show on the `input` element
+ format: 'd mmmm, yyyy',
+
+ // Classes
+ klass: {
+
+ table: prefix + 'table',
+
+ header: prefix + 'header',
+
+ // Materialize Added klasses
+ date_display: prefix + 'date-display',
+ day_display: prefix + 'day-display',
+ month_display: prefix + 'month-display',
+ year_display: prefix + 'year-display',
+ calendar_container: prefix + 'calendar-container',
+ // end
+
+
+ navPrev: prefix + 'nav--prev',
+ navNext: prefix + 'nav--next',
+ navDisabled: prefix + 'nav--disabled',
+
+ month: prefix + 'month',
+ year: prefix + 'year',
+
+ selectMonth: prefix + 'select--month',
+ selectYear: prefix + 'select--year',
+
+ weekdays: prefix + 'weekday',
+
+ day: prefix + 'day',
+ disabled: prefix + 'day--disabled',
+ selected: prefix + 'day--selected',
+ highlighted: prefix + 'day--highlighted',
+ now: prefix + 'day--today',
+ infocus: prefix + 'day--infocus',
+ outfocus: prefix + 'day--outfocus',
+
+ footer: prefix + 'footer',
+
+ buttonClear: prefix + 'button--clear',
+ buttonToday: prefix + 'button--today',
+ buttonClose: prefix + 'button--close'
+ }
+ };
+ }(Picker.klasses().picker + '__');
+
+ /**
+ * Extend the picker to add the date picker.
+ */
+ Picker.extend('pickadate', DatePicker);
+});
+; /*!
+ * ClockPicker v0.0.7 (http://weareoutman.github.io/clockpicker/)
+ * Copyright 2014 Wang Shenwei.
+ * Licensed under MIT (https://github.com/weareoutman/clockpicker/blob/gh-pages/LICENSE)
+ *
+ * Further modified
+ * Copyright 2015 Ching Yaw Hao.
+ */
+
+(function ($) {
+ var $win = $(window),
+ $doc = $(document);
+
+ // Can I use inline svg ?
+ var svgNS = 'http://www.w3.org/2000/svg',
+ svgSupported = 'SVGAngle' in window && function () {
+ var supported,
+ el = document.createElement('div');
+ el.innerHTML = '<svg/>';
+ supported = (el.firstChild && el.firstChild.namespaceURI) == svgNS;
+ el.innerHTML = '';
+ return supported;
+ }();
+
+ // Can I use transition ?
+ var transitionSupported = function () {
+ var style = document.createElement('div').style;
+ return 'transition' in style || 'WebkitTransition' in style || 'MozTransition' in style || 'msTransition' in style || 'OTransition' in style;
+ }();
+
+ // Listen touch events in touch screen device, instead of mouse events in desktop.
+ var touchSupported = 'ontouchstart' in window,
+ mousedownEvent = 'mousedown' + (touchSupported ? ' touchstart' : ''),
+ mousemoveEvent = 'mousemove.clockpicker' + (touchSupported ? ' touchmove.clockpicker' : ''),
+ mouseupEvent = 'mouseup.clockpicker' + (touchSupported ? ' touchend.clockpicker' : '');
+
+ // Vibrate the device if supported
+ var vibrate = navigator.vibrate ? 'vibrate' : navigator.webkitVibrate ? 'webkitVibrate' : null;
+
+ function createSvgElement(name) {
+ return document.createElementNS(svgNS, name);
+ }
+
+ function leadingZero(num) {
+ return (num < 10 ? '0' : '') + num;
+ }
+
+ // Get a unique id
+ var idCounter = 0;
+ function uniqueId(prefix) {
+ var id = ++idCounter + '';
+ return prefix ? prefix + id : id;
+ }
+
+ // Clock size
+ var dialRadius = 135,
+ outerRadius = 105,
+
+ // innerRadius = 80 on 12 hour clock
+ innerRadius = 70,
+ tickRadius = 20,
+ diameter = dialRadius * 2,
+ duration = transitionSupported ? 350 : 1;
+
+ // Popover template
+ var tpl = ['<div class="clockpicker picker">', '<div class="picker__holder">', '<div class="picker__frame">', '<div class="picker__wrap">', '<div class="picker__box">', '<div class="picker__date-display">', '<div class="clockpicker-display">', '<div class="clockpicker-display-column">', '<span class="clockpicker-span-hours text-primary"></span>', ':', '<span class="clockpicker-span-minutes"></span>', '</div>', '<div class="clockpicker-display-column clockpicker-display-am-pm">', '<div class="clockpicker-span-am-pm"></div>', '</div>', '</div>', '</div>', '<div class="picker__container__wrapper">', '<div class="picker__calendar-container">', '<div class="clockpicker-plate">', '<div class="clockpicker-canvas"></div>', '<div class="clockpicker-dial clockpicker-hours"></div>', '<div class="clockpicker-dial clockpicker-minutes clockpicker-dial-out"></div>', '</div>', '<div class="clockpicker-am-pm-block">', '</div>', '</div>', '<div class="picker__footer">', '</div>', '</div>', '</div>', '</div>', '</div>', '</div>', '</div>'].join('');
+
+ // ClockPicker
+ function ClockPicker(element, options) {
+ var popover = $(tpl),
+ plate = popover.find('.clockpicker-plate'),
+ holder = popover.find('.picker__holder'),
+ hoursView = popover.find('.clockpicker-hours'),
+ minutesView = popover.find('.clockpicker-minutes'),
+ amPmBlock = popover.find('.clockpicker-am-pm-block'),
+ isInput = element.prop('tagName') === 'INPUT',
+ input = isInput ? element : element.find('input'),
+ label = $("label[for=" + input.attr("id") + "]"),
+ self = this;
+
+ this.id = uniqueId('cp');
+ this.element = element;
+ this.holder = holder;
+ this.options = options;
+ this.isAppended = false;
+ this.isShown = false;
+ this.currentView = 'hours';
+ this.isInput = isInput;
+ this.input = input;
+ this.label = label;
+ this.popover = popover;
+ this.plate = plate;
+ this.hoursView = hoursView;
+ this.minutesView = minutesView;
+ this.amPmBlock = amPmBlock;
+ this.spanHours = popover.find('.clockpicker-span-hours');
+ this.spanMinutes = popover.find('.clockpicker-span-minutes');
+ this.spanAmPm = popover.find('.clockpicker-span-am-pm');
+ this.footer = popover.find('.picker__footer');
+ this.amOrPm = "PM";
+
+ // Setup for for 12 hour clock if option is selected
+ if (options.twelvehour) {
+ if (!options.ampmclickable) {
+ this.spanAmPm.empty();
+ $('<div id="click-am">AM</div>').appendTo(this.spanAmPm);
+ $('<div id="click-pm">PM</div>').appendTo(this.spanAmPm);
+ } else {
+ this.spanAmPm.empty();
+ $('<div id="click-am">AM</div>').on("click", function () {
+ self.spanAmPm.children('#click-am').addClass("text-primary");
+ self.spanAmPm.children('#click-pm').removeClass("text-primary");
+ self.amOrPm = "AM";
+ }).appendTo(this.spanAmPm);
+ $('<div id="click-pm">PM</div>').on("click", function () {
+ self.spanAmPm.children('#click-pm').addClass("text-primary");
+ self.spanAmPm.children('#click-am').removeClass("text-primary");
+ self.amOrPm = 'PM';
+ }).appendTo(this.spanAmPm);
+ }
+ }
+
+ // Add buttons to footer
+ $('<button type="button" class="btn-flat picker__clear" tabindex="' + (options.twelvehour ? '3' : '1') + '">' + options.cleartext + '</button>').click($.proxy(this.clear, this)).appendTo(this.footer);
+ $('<button type="button" class="btn-flat picker__close" tabindex="' + (options.twelvehour ? '3' : '1') + '">' + options.canceltext + '</button>').click($.proxy(this.hide, this)).appendTo(this.footer);
+ $('<button type="button" class="btn-flat picker__close" tabindex="' + (options.twelvehour ? '3' : '1') + '">' + options.donetext + '</button>').click($.proxy(this.done, this)).appendTo(this.footer);
+
+ this.spanHours.click($.proxy(this.toggleView, this, 'hours'));
+ this.spanMinutes.click($.proxy(this.toggleView, this, 'minutes'));
+
+ // Show or toggle
+ input.on('focus.clockpicker click.clockpicker', $.proxy(this.show, this));
+
+ // Build ticks
+ var tickTpl = $('<div class="clockpicker-tick"></div>'),
+ i,
+ tick,
+ radian,
+ radius;
+
+ // Hours view
+ if (options.twelvehour) {
+ for (i = 1; i < 13; i += 1) {
+ tick = tickTpl.clone();
+ radian = i / 6 * Math.PI;
+ radius = outerRadius;
+ tick.css({
+ left: dialRadius + Math.sin(radian) * radius - tickRadius,
+ top: dialRadius - Math.cos(radian) * radius - tickRadius
+ });
+ tick.html(i === 0 ? '00' : i);
+ hoursView.append(tick);
+ tick.on(mousedownEvent, mousedown);
+ }
+ } else {
+ for (i = 0; i < 24; i += 1) {
+ tick = tickTpl.clone();
+ radian = i / 6 * Math.PI;
+ var inner = i > 0 && i < 13;
+ radius = inner ? innerRadius : outerRadius;
+ tick.css({
+ left: dialRadius + Math.sin(radian) * radius - tickRadius,
+ top: dialRadius - Math.cos(radian) * radius - tickRadius
+ });
+ tick.html(i === 0 ? '00' : i);
+ hoursView.append(tick);
+ tick.on(mousedownEvent, mousedown);
+ }
+ }
+
+ // Minutes view
+ for (i = 0; i < 60; i += 5) {
+ tick = tickTpl.clone();
+ radian = i / 30 * Math.PI;
+ tick.css({
+ left: dialRadius + Math.sin(radian) * outerRadius - tickRadius,
+ top: dialRadius - Math.cos(radian) * outerRadius - tickRadius
+ });
+ tick.html(leadingZero(i));
+ minutesView.append(tick);
+ tick.on(mousedownEvent, mousedown);
+ }
+
+ // Clicking on minutes view space
+ plate.on(mousedownEvent, function (e) {
+ if ($(e.target).closest('.clockpicker-tick').length === 0) {
+ mousedown(e, true);
+ }
+ });
+
+ // Mousedown or touchstart
+ function mousedown(e, space) {
+ var offset = plate.offset(),
+ isTouch = /^touch/.test(e.type),
+ x0 = offset.left + dialRadius,
+ y0 = offset.top + dialRadius,
+ dx = (isTouch ? e.originalEvent.touches[0] : e).pageX - x0,
+ dy = (isTouch ? e.originalEvent.touches[0] : e).pageY - y0,
+ z = Math.sqrt(dx * dx + dy * dy),
+ moved = false;
+
+ // When clicking on minutes view space, check the mouse position
+ if (space && (z < outerRadius - tickRadius || z > outerRadius + tickRadius)) {
+ return;
+ }
+ e.preventDefault();
+
+ // Set cursor style of body after 200ms
+ var movingTimer = setTimeout(function () {
+ self.popover.addClass('clockpicker-moving');
+ }, 200);
+
+ // Clock
+ self.setHand(dx, dy, !space, true);
+
+ // Mousemove on document
+ $doc.off(mousemoveEvent).on(mousemoveEvent, function (e) {
+ e.preventDefault();
+ var isTouch = /^touch/.test(e.type),
+ x = (isTouch ? e.originalEvent.touches[0] : e).pageX - x0,
+ y = (isTouch ? e.originalEvent.touches[0] : e).pageY - y0;
+ if (!moved && x === dx && y === dy) {
+ // Clicking in chrome on windows will trigger a mousemove event
+ return;
+ }
+ moved = true;
+ self.setHand(x, y, false, true);
+ });
+
+ // Mouseup on document
+ $doc.off(mouseupEvent).on(mouseupEvent, function (e) {
+ $doc.off(mouseupEvent);
+ e.preventDefault();
+ var isTouch = /^touch/.test(e.type),
+ x = (isTouch ? e.originalEvent.changedTouches[0] : e).pageX - x0,
+ y = (isTouch ? e.originalEvent.changedTouches[0] : e).pageY - y0;
+ if ((space || moved) && x === dx && y === dy) {
+ self.setHand(x, y);
+ }
+
+ if (self.currentView === 'hours') {
+ self.toggleView('minutes', duration / 2);
+ } else if (options.autoclose) {
+ self.minutesView.addClass('clockpicker-dial-out');
+ setTimeout(function () {
+ self.done();
+ }, duration / 2);
+ }
+ plate.prepend(canvas);
+
+ // Reset cursor style of body
+ clearTimeout(movingTimer);
+ self.popover.removeClass('clockpicker-moving');
+
+ // Unbind mousemove event
+ $doc.off(mousemoveEvent);
+ });
+ }
+
+ if (svgSupported) {
+ // Draw clock hands and others
+ var canvas = popover.find('.clockpicker-canvas'),
+ svg = createSvgElement('svg');
+ svg.setAttribute('class', 'clockpicker-svg');
+ svg.setAttribute('width', diameter);
+ svg.setAttribute('height', diameter);
+ var g = createSvgElement('g');
+ g.setAttribute('transform', 'translate(' + dialRadius + ',' + dialRadius + ')');
+ var bearing = createSvgElement('circle');
+ bearing.setAttribute('class', 'clockpicker-canvas-bearing');
+ bearing.setAttribute('cx', 0);
+ bearing.setAttribute('cy', 0);
+ bearing.setAttribute('r', 4);
+ var hand = createSvgElement('line');
+ hand.setAttribute('x1', 0);
+ hand.setAttribute('y1', 0);
+ var bg = createSvgElement('circle');
+ bg.setAttribute('class', 'clockpicker-canvas-bg');
+ bg.setAttribute('r', tickRadius);
+ g.appendChild(hand);
+ g.appendChild(bg);
+ g.appendChild(bearing);
+ svg.appendChild(g);
+ canvas.append(svg);
+
+ this.hand = hand;
+ this.bg = bg;
+ this.bearing = bearing;
+ this.g = g;
+ this.canvas = canvas;
+ }
+
+ raiseCallback(this.options.init);
+ }
+
+ function raiseCallback(callbackFunction) {
+ if (callbackFunction && typeof callbackFunction === "function") callbackFunction();
+ }
+
+ // Default options
+ ClockPicker.DEFAULTS = {
+ 'default': '', // default time, 'now' or '13:14' e.g.
+ fromnow: 0, // set default time to * milliseconds from now (using with default = 'now')
+ donetext: 'Ok', // done button text
+ cleartext: 'Clear',
+ canceltext: 'Cancel',
+ autoclose: false, // auto close when minute is selected
+ ampmclickable: true, // set am/pm button on itself
+ darktheme: false, // set to dark theme
+ twelvehour: true, // change to 12 hour AM/PM clock from 24 hour
+ vibrate: true // vibrate the device when dragging clock hand
+ };
+
+ // Show or hide popover
+ ClockPicker.prototype.toggle = function () {
+ this[this.isShown ? 'hide' : 'show']();
+ };
+
+ // Set popover position
+ ClockPicker.prototype.locate = function () {
+ var element = this.element,
+ popover = this.popover,
+ offset = element.offset(),
+ width = element.outerWidth(),
+ height = element.outerHeight(),
+ align = this.options.align,
+ self = this;
+
+ popover.show();
+ };
+
+ // Show popover
+ ClockPicker.prototype.show = function (e) {
+ // Not show again
+ if (this.isShown) {
+ return;
+ }
+ raiseCallback(this.options.beforeShow);
+ $(':input').each(function () {
+ $(this).attr('tabindex', -1);
+ });
+ var self = this;
+ // Initialize
+ this.input.blur();
+ this.popover.addClass('picker--opened');
+ this.input.addClass('picker__input picker__input--active');
+ $(document.body).css('overflow', 'hidden');
+ // Get the time
+ var value = ((this.input.prop('value') || this.options['default'] || '') + '').split(':');
+ if (this.options.twelvehour && !(typeof value[1] === 'undefined')) {
+ if (value[1].indexOf("AM") > 0) {
+ this.amOrPm = 'AM';
+ } else {
+ this.amOrPm = 'PM';
+ }
+ value[1] = value[1].replace("AM", "").replace("PM", "");
+ }
+ if (value[0] === 'now') {
+ var now = new Date(+new Date() + this.options.fromnow);
+ value = [now.getHours(), now.getMinutes()];
+ if (this.options.twelvehour) {
+ this.amOrPm = value[0] >= 12 && value[0] < 24 ? 'PM' : 'AM';
+ }
+ }
+ this.hours = +value[0] || 0;
+ this.minutes = +value[1] || 0;
+ this.spanHours.html(this.hours);
+ this.spanMinutes.html(leadingZero(this.minutes));
+ if (!this.isAppended) {
+
+ // Append popover to input by default
+ var containerEl = document.querySelector(this.options.container);
+ if (this.options.container && containerEl) {
+ containerEl.appendChild(this.popover[0]);
+ } else {
+ this.popover.insertAfter(this.input);
+ }
+
+ if (this.options.twelvehour) {
+ if (this.amOrPm === 'PM') {
+ this.spanAmPm.children('#click-pm').addClass("text-primary");
+ this.spanAmPm.children('#click-am').removeClass("text-primary");
+ } else {
+ this.spanAmPm.children('#click-am').addClass("text-primary");
+ this.spanAmPm.children('#click-pm').removeClass("text-primary");
+ }
+ }
+ // Reset position when resize
+ $win.on('resize.clockpicker' + this.id, function () {
+ if (self.isShown) {
+ self.locate();
+ }
+ });
+ this.isAppended = true;
+ }
+ // Toggle to hours view
+ this.toggleView('hours');
+ // Set position
+ this.locate();
+ this.isShown = true;
+ // Hide when clicking or tabbing on any element except the clock and input
+ $doc.on('click.clockpicker.' + this.id + ' focusin.clockpicker.' + this.id, function (e) {
+ var target = $(e.target);
+ if (target.closest(self.popover.find('.picker__wrap')).length === 0 && target.closest(self.input).length === 0) {
+ self.hide();
+ }
+ });
+ // Hide when ESC is pressed
+ $doc.on('keyup.clockpicker.' + this.id, function (e) {
+ if (e.keyCode === 27) {
+ self.hide();
+ }
+ });
+ raiseCallback(this.options.afterShow);
+ };
+ // Hide popover
+ ClockPicker.prototype.hide = function () {
+ raiseCallback(this.options.beforeHide);
+ this.input.removeClass('picker__input picker__input--active');
+ this.popover.removeClass('picker--opened');
+ $(document.body).css('overflow', 'visible');
+ this.isShown = false;
+ $(':input').each(function (index) {
+ $(this).attr('tabindex', index + 1);
+ });
+ // Unbinding events on document
+ $doc.off('click.clockpicker.' + this.id + ' focusin.clockpicker.' + this.id);
+ $doc.off('keyup.clockpicker.' + this.id);
+ this.popover.hide();
+ raiseCallback(this.options.afterHide);
+ };
+ // Toggle to hours or minutes view
+ ClockPicker.prototype.toggleView = function (view, delay) {
+ var raiseAfterHourSelect = false;
+ if (view === 'minutes' && $(this.hoursView).css("visibility") === "visible") {
+ raiseCallback(this.options.beforeHourSelect);
+ raiseAfterHourSelect = true;
+ }
+ var isHours = view === 'hours',
+ nextView = isHours ? this.hoursView : this.minutesView,
+ hideView = isHours ? this.minutesView : this.hoursView;
+ this.currentView = view;
+
+ this.spanHours.toggleClass('text-primary', isHours);
+ this.spanMinutes.toggleClass('text-primary', !isHours);
+
+ // Let's make transitions
+ hideView.addClass('clockpicker-dial-out');
+ nextView.css('visibility', 'visible').removeClass('clockpicker-dial-out');
+
+ // Reset clock hand
+ this.resetClock(delay);
+
+ // After transitions ended
+ clearTimeout(this.toggleViewTimer);
+ this.toggleViewTimer = setTimeout(function () {
+ hideView.css('visibility', 'hidden');
+ }, duration);
+
+ if (raiseAfterHourSelect) {
+ raiseCallback(this.options.afterHourSelect);
+ }
+ };
+
+ // Reset clock hand
+ ClockPicker.prototype.resetClock = function (delay) {
+ var view = this.currentView,
+ value = this[view],
+ isHours = view === 'hours',
+ unit = Math.PI / (isHours ? 6 : 30),
+ radian = value * unit,
+ radius = isHours && value > 0 && value < 13 ? innerRadius : outerRadius,
+ x = Math.sin(radian) * radius,
+ y = -Math.cos(radian) * radius,
+ self = this;
+
+ if (svgSupported && delay) {
+ self.canvas.addClass('clockpicker-canvas-out');
+ setTimeout(function () {
+ self.canvas.removeClass('clockpicker-canvas-out');
+ self.setHand(x, y);
+ }, delay);
+ } else this.setHand(x, y);
+ };
+
+ // Set clock hand to (x, y)
+ ClockPicker.prototype.setHand = function (x, y, roundBy5, dragging) {
+ var radian = Math.atan2(x, -y),
+ isHours = this.currentView === 'hours',
+ unit = Math.PI / (isHours || roundBy5 ? 6 : 30),
+ z = Math.sqrt(x * x + y * y),
+ options = this.options,
+ inner = isHours && z < (outerRadius + innerRadius) / 2,
+ radius = inner ? innerRadius : outerRadius,
+ value;
+
+ if (options.twelvehour) {
+ radius = outerRadius;
+ }
+
+ // Radian should in range [0, 2PI]
+ if (radian < 0) {
+ radian = Math.PI * 2 + radian;
+ }
+
+ // Get the round value
+ value = Math.round(radian / unit);
+
+ // Get the round radian
+ radian = value * unit;
+
+ // Correct the hours or minutes
+ if (options.twelvehour) {
+ if (isHours) {
+ if (value === 0) value = 12;
+ } else {
+ if (roundBy5) value *= 5;
+ if (value === 60) value = 0;
+ }
+ } else {
+ if (isHours) {
+ if (value === 12) value = 0;
+ value = inner ? value === 0 ? 12 : value : value === 0 ? 0 : value + 12;
+ } else {
+ if (roundBy5) value *= 5;
+ if (value === 60) value = 0;
+ }
+ }
+
+ // Once hours or minutes changed, vibrate the device
+ if (this[this.currentView] !== value) {
+ if (vibrate && this.options.vibrate) {
+ // Do not vibrate too frequently
+ if (!this.vibrateTimer) {
+ navigator[vibrate](10);
+ this.vibrateTimer = setTimeout($.proxy(function () {
+ this.vibrateTimer = null;
+ }, this), 100);
+ }
+ }
+ }
+
+ this[this.currentView] = value;
+ if (isHours) {
+ this['spanHours'].html(value);
+ } else {
+ this['spanMinutes'].html(leadingZero(value));
+ }
+
+ // If svg is not supported, just add an active class to the tick
+ if (!svgSupported) {
+ this[isHours ? 'hoursView' : 'minutesView'].find('.clockpicker-tick').each(function () {
+ var tick = $(this);
+ tick.toggleClass('active', value === +tick.html());
+ });
+ return;
+ }
+
+ // Set clock hand and others' position
+ var cx1 = Math.sin(radian) * (radius - tickRadius),
+ cy1 = -Math.cos(radian) * (radius - tickRadius),
+ cx2 = Math.sin(radian) * radius,
+ cy2 = -Math.cos(radian) * radius;
+ this.hand.setAttribute('x2', cx1);
+ this.hand.setAttribute('y2', cy1);
+ this.bg.setAttribute('cx', cx2);
+ this.bg.setAttribute('cy', cy2);
+ };
+
+ // Hours and minutes are selected
+ ClockPicker.prototype.done = function () {
+ raiseCallback(this.options.beforeDone);
+ this.hide();
+ this.label.addClass('active');
+
+ var last = this.input.prop('value'),
+ value = leadingZero(this.hours) + ':' + leadingZero(this.minutes);
+ if (this.options.twelvehour) {
+ value = value + this.amOrPm;
+ }
+
+ this.input.prop('value', value);
+ if (value !== last) {
+ this.input.triggerHandler('change');
+ if (!this.isInput) {
+ this.element.trigger('change');
+ }
+ }
+
+ if (this.options.autoclose) this.input.trigger('blur');
+
+ raiseCallback(this.options.afterDone);
+ };
+
+ // Clear input field
+ ClockPicker.prototype.clear = function () {
+ this.hide();
+ this.label.removeClass('active');
+
+ var last = this.input.prop('value'),
+ value = '';
+
+ this.input.prop('value', value);
+ if (value !== last) {
+ this.input.triggerHandler('change');
+ if (!this.isInput) {
+ this.element.trigger('change');
+ }
+ }
+
+ if (this.options.autoclose) {
+ this.input.trigger('blur');
+ }
+ };
+
+ // Remove clockpicker from input
+ ClockPicker.prototype.remove = function () {
+ this.element.removeData('clockpicker');
+ this.input.off('focus.clockpicker click.clockpicker');
+ if (this.isShown) {
+ this.hide();
+ }
+ if (this.isAppended) {
+ $win.off('resize.clockpicker' + this.id);
+ this.popover.remove();
+ }
+ };
+
+ // Extends $.fn.clockpicker
+ $.fn.pickatime = function (option) {
+ var args = Array.prototype.slice.call(arguments, 1);
+ return this.each(function () {
+ var $this = $(this),
+ data = $this.data('clockpicker');
+ if (!data) {
+ var options = $.extend({}, ClockPicker.DEFAULTS, $this.data(), typeof option == 'object' && option);
+ $this.data('clockpicker', new ClockPicker($this, options));
+ } else {
+ // Manual operatsions. show, hide, remove, e.g.
+ if (typeof data[option] === 'function') {
+ data[option].apply(data, args);
+ }
+ }
+ });
+ };
+})(jQuery);
+;(function ($) {
+
+ $.fn.characterCounter = function () {
+ return this.each(function () {
+ var $input = $(this);
+ var $counterElement = $input.parent().find('span[class="character-counter"]');
+
+ // character counter has already been added appended to the parent container
+ if ($counterElement.length) {
+ return;
+ }
+
+ var itHasLengthAttribute = $input.attr('data-length') !== undefined;
+
+ if (itHasLengthAttribute) {
+ $input.on('input', updateCounter);
+ $input.on('focus', updateCounter);
+ $input.on('blur', removeCounterElement);
+
+ addCounterElement($input);
+ }
+ });
+ };
+
+ function updateCounter() {
+ var maxLength = +$(this).attr('data-length'),
+ actualLength = +$(this).val().length,
+ isValidLength = actualLength <= maxLength;
+
+ $(this).parent().find('span[class="character-counter"]').html(actualLength + '/' + maxLength);
+
+ addInputStyle(isValidLength, $(this));
+ }
+
+ function addCounterElement($input) {
+ var $counterElement = $input.parent().find('span[class="character-counter"]');
+
+ if ($counterElement.length) {
+ return;
+ }
+
+ $counterElement = $('<span/>').addClass('character-counter').css('float', 'right').css('font-size', '12px').css('height', 1);
+
+ $input.parent().append($counterElement);
+ }
+
+ function removeCounterElement() {
+ $(this).parent().find('span[class="character-counter"]').html('');
+ }
+
+ function addInputStyle(isValidLength, $input) {
+ var inputHasInvalidClass = $input.hasClass('invalid');
+ if (isValidLength && inputHasInvalidClass) {
+ $input.removeClass('invalid');
+ } else if (!isValidLength && !inputHasInvalidClass) {
+ $input.removeClass('valid');
+ $input.addClass('invalid');
+ }
+ }
+
+ $(document).ready(function () {
+ $('input, textarea').characterCounter();
+ });
+})(jQuery);
+;(function ($) {
+
+ var methods = {
+
+ init: function (options) {
+ var defaults = {
+ duration: 200, // ms
+ dist: -100, // zoom scale TODO: make this more intuitive as an option
+ shift: 0, // spacing for center image
+ padding: 0, // Padding between non center items
+ fullWidth: false, // Change to full width styles
+ indicators: false, // Toggle indicators
+ noWrap: false, // Don't wrap around and cycle through items.
+ onCycleTo: null // Callback for when a new slide is cycled to.
+ };
+ options = $.extend(defaults, options);
+ var namespace = Materialize.objectSelectorString($(this));
+
+ return this.each(function (i) {
+
+ var images, item_width, item_height, offset, center, pressed, dim, count, reference, referenceY, amplitude, target, velocity, scrolling, xform, frame, timestamp, ticker, dragged, vertical_dragged;
+ var $indicators = $('<ul class="indicators"></ul>');
+ var scrollingTimeout = null;
+ var oneTimeCallback = null;
+
+ // Initialize
+ var view = $(this);
+ var hasMultipleSlides = view.find('.carousel-item').length > 1;
+ var showIndicators = (view.attr('data-indicators') || options.indicators) && hasMultipleSlides;
+ var noWrap = view.attr('data-no-wrap') || options.noWrap || !hasMultipleSlides;
+ var uniqueNamespace = view.attr('data-namespace') || namespace + i;
+ view.attr('data-namespace', uniqueNamespace);
+
+ // Options
+ var setCarouselHeight = function (imageOnly) {
+ var firstSlide = view.find('.carousel-item.active').length ? view.find('.carousel-item.active').first() : view.find('.carousel-item').first();
+ var firstImage = firstSlide.find('img').first();
+ if (firstImage.length) {
+ if (firstImage[0].complete) {
+ // If image won't trigger the load event
+ var imageHeight = firstImage.height();
+ if (imageHeight > 0) {
+ view.css('height', firstImage.height());
+ } else {
+ // If image still has no height, use the natural dimensions to calculate
+ var naturalWidth = firstImage[0].naturalWidth;
+ var naturalHeight = firstImage[0].naturalHeight;
+ var adjustedHeight = view.width() / naturalWidth * naturalHeight;
+ view.css('height', adjustedHeight);
+ }
+ } else {
+ // Get height when image is loaded normally
+ firstImage.on('load', function () {
+ view.css('height', $(this).height());
+ });
+ }
+ } else if (!imageOnly) {
+ var slideHeight = firstSlide.height();
+ view.css('height', slideHeight);
+ }
+ };
+
+ if (options.fullWidth) {
+ options.dist = 0;
+ setCarouselHeight();
+
+ // Offset fixed items when indicators.
+ if (showIndicators) {
+ view.find('.carousel-fixed-item').addClass('with-indicators');
+ }
+ }
+
+ // Don't double initialize.
+ if (view.hasClass('initialized')) {
+ // Recalculate variables
+ $(window).trigger('resize');
+
+ // Redraw carousel.
+ view.trigger('carouselNext', [0.000001]);
+ return true;
+ }
+
+ view.addClass('initialized');
+ pressed = false;
+ offset = target = 0;
+ images = [];
+ item_width = view.find('.carousel-item').first().innerWidth();
+ item_height = view.find('.carousel-item').first().innerHeight();
+ dim = item_width * 2 + options.padding;
+
+ view.find('.carousel-item').each(function (i) {
+ images.push($(this)[0]);
+ if (showIndicators) {
+ var $indicator = $('<li class="indicator-item"></li>');
+
+ // Add active to first by default.
+ if (i === 0) {
+ $indicator.addClass('active');
+ }
+
+ // Handle clicks on indicators.
+ $indicator.click(function (e) {
+ e.stopPropagation();
+
+ var index = $(this).index();
+ cycleTo(index);
+ });
+ $indicators.append($indicator);
+ }
+ });
+
+ if (showIndicators) {
+ view.append($indicators);
+ }
+ count = images.length;
+
+ function setupEvents() {
+ if (typeof window.ontouchstart !== 'undefined') {
+ view.on('touchstart.carousel', tap);
+ view.on('touchmove.carousel', drag);
+ view.on('touchend.carousel', release);
+ }
+ view.on('mousedown.carousel', tap);
+ view.on('mousemove.carousel', drag);
+ view.on('mouseup.carousel', release);
+ view.on('mouseleave.carousel', release);
+ view.on('click.carousel', click);
+ }
+
+ function xpos(e) {
+ // touch event
+ if (e.targetTouches && e.targetTouches.length >= 1) {
+ return e.targetTouches[0].clientX;
+ }
+
+ // mouse event
+ return e.clientX;
+ }
+
+ function ypos(e) {
+ // touch event
+ if (e.targetTouches && e.targetTouches.length >= 1) {
+ return e.targetTouches[0].clientY;
+ }
+
+ // mouse event
+ return e.clientY;
+ }
+
+ function wrap(x) {
+ return x >= count ? x % count : x < 0 ? wrap(count + x % count) : x;
+ }
+
+ function scroll(x) {
+ // Track scrolling state
+ scrolling = true;
+ if (!view.hasClass('scrolling')) {
+ view.addClass('scrolling');
+ }
+ if (scrollingTimeout != null) {
+ window.clearTimeout(scrollingTimeout);
+ }
+ scrollingTimeout = window.setTimeout(function () {
+ scrolling = false;
+ view.removeClass('scrolling');
+ }, options.duration);
+
+ // Start actual scroll
+ var i, half, delta, dir, tween, el, alignment, xTranslation;
+ var lastCenter = center;
+
+ offset = typeof x === 'number' ? x : offset;
+ center = Math.floor((offset + dim / 2) / dim);
+ delta = offset - center * dim;
+ dir = delta < 0 ? 1 : -1;
+ tween = -dir * delta * 2 / dim;
+ half = count >> 1;
+
+ if (!options.fullWidth) {
+ alignment = 'translateX(' + (view[0].clientWidth - item_width) / 2 + 'px) ';
+ alignment += 'translateY(' + (view[0].clientHeight - item_height) / 2 + 'px)';
+ } else {
+ alignment = 'translateX(0)';
+ }
+
+ // Set indicator active
+ if (showIndicators) {
+ var diff = center % count;
+ var activeIndicator = $indicators.find('.indicator-item.active');
+ if (activeIndicator.index() !== diff) {
+ activeIndicator.removeClass('active');
+ $indicators.find('.indicator-item').eq(diff).addClass('active');
+ }
+ }
+
+ // center
+ // Don't show wrapped items.
+ if (!noWrap || center >= 0 && center < count) {
+ el = images[wrap(center)];
+
+ // Add active class to center item.
+ if (!$(el).hasClass('active')) {
+ view.find('.carousel-item').removeClass('active');
+ $(el).addClass('active');
+ }
+ el.style[xform] = alignment + ' translateX(' + -delta / 2 + 'px)' + ' translateX(' + dir * options.shift * tween * i + 'px)' + ' translateZ(' + options.dist * tween + 'px)';
+ el.style.zIndex = 0;
+ if (options.fullWidth) {
+ tweenedOpacity = 1;
+ } else {
+ tweenedOpacity = 1 - 0.2 * tween;
+ }
+ el.style.opacity = tweenedOpacity;
+ el.style.display = 'block';
+ }
+
+ for (i = 1; i <= half; ++i) {
+ // right side
+ if (options.fullWidth) {
+ zTranslation = options.dist;
+ tweenedOpacity = i === half && delta < 0 ? 1 - tween : 1;
+ } else {
+ zTranslation = options.dist * (i * 2 + tween * dir);
+ tweenedOpacity = 1 - 0.2 * (i * 2 + tween * dir);
+ }
+ // Don't show wrapped items.
+ if (!noWrap || center + i < count) {
+ el = images[wrap(center + i)];
+ el.style[xform] = alignment + ' translateX(' + (options.shift + (dim * i - delta) / 2) + 'px)' + ' translateZ(' + zTranslation + 'px)';
+ el.style.zIndex = -i;
+ el.style.opacity = tweenedOpacity;
+ el.style.display = 'block';
+ }
+
+ // left side
+ if (options.fullWidth) {
+ zTranslation = options.dist;
+ tweenedOpacity = i === half && delta > 0 ? 1 - tween : 1;
+ } else {
+ zTranslation = options.dist * (i * 2 - tween * dir);
+ tweenedOpacity = 1 - 0.2 * (i * 2 - tween * dir);
+ }
+ // Don't show wrapped items.
+ if (!noWrap || center - i >= 0) {
+ el = images[wrap(center - i)];
+ el.style[xform] = alignment + ' translateX(' + (-options.shift + (-dim * i - delta) / 2) + 'px)' + ' translateZ(' + zTranslation + 'px)';
+ el.style.zIndex = -i;
+ el.style.opacity = tweenedOpacity;
+ el.style.display = 'block';
+ }
+ }
+
+ // center
+ // Don't show wrapped items.
+ if (!noWrap || center >= 0 && center < count) {
+ el = images[wrap(center)];
+ el.style[xform] = alignment + ' translateX(' + -delta / 2 + 'px)' + ' translateX(' + dir * options.shift * tween + 'px)' + ' translateZ(' + options.dist * tween + 'px)';
+ el.style.zIndex = 0;
+ if (options.fullWidth) {
+ tweenedOpacity = 1;
+ } else {
+ tweenedOpacity = 1 - 0.2 * tween;
+ }
+ el.style.opacity = tweenedOpacity;
+ el.style.display = 'block';
+ }
+
+ // onCycleTo callback
+ if (lastCenter !== center && typeof options.onCycleTo === "function") {
+ var $curr_item = view.find('.carousel-item').eq(wrap(center));
+ options.onCycleTo.call(this, $curr_item, dragged);
+ }
+
+ // One time callback
+ if (typeof oneTimeCallback === "function") {
+ oneTimeCallback.call(this, $curr_item, dragged);
+ oneTimeCallback = null;
+ }
+ }
+
+ function track() {
+ var now, elapsed, delta, v;
+
+ now = Date.now();
+ elapsed = now - timestamp;
+ timestamp = now;
+ delta = offset - frame;
+ frame = offset;
+
+ v = 1000 * delta / (1 + elapsed);
+ velocity = 0.8 * v + 0.2 * velocity;
+ }
+
+ function autoScroll() {
+ var elapsed, delta;
+
+ if (amplitude) {
+ elapsed = Date.now() - timestamp;
+ delta = amplitude * Math.exp(-elapsed / options.duration);
+ if (delta > 2 || delta < -2) {
+ scroll(target - delta);
+ requestAnimationFrame(autoScroll);
+ } else {
+ scroll(target);
+ }
+ }
+ }
+
+ function click(e) {
+ // Disable clicks if carousel was dragged.
+ if (dragged) {
+ e.preventDefault();
+ e.stopPropagation();
+ return false;
+ } else if (!options.fullWidth) {
+ var clickedIndex = $(e.target).closest('.carousel-item').index();
+ var diff = wrap(center) - clickedIndex;
+
+ // Disable clicks if carousel was shifted by click
+ if (diff !== 0) {
+ e.preventDefault();
+ e.stopPropagation();
+ }
+ cycleTo(clickedIndex);
+ }
+ }
+
+ function cycleTo(n) {
+ var diff = center % count - n;
+
+ // Account for wraparound.
+ if (!noWrap) {
+ if (diff < 0) {
+ if (Math.abs(diff + count) < Math.abs(diff)) {
+ diff += count;
+ }
+ } else if (diff > 0) {
+ if (Math.abs(diff - count) < diff) {
+ diff -= count;
+ }
+ }
+ }
+
+ // Call prev or next accordingly.
+ if (diff < 0) {
+ view.trigger('carouselNext', [Math.abs(diff)]);
+ } else if (diff > 0) {
+ view.trigger('carouselPrev', [diff]);
+ }
+ }
+
+ function tap(e) {
+ // Fixes firefox draggable image bug
+ if (e.type === 'mousedown' && $(e.target).is('img')) {
+ e.preventDefault();
+ }
+ pressed = true;
+ dragged = false;
+ vertical_dragged = false;
+ reference = xpos(e);
+ referenceY = ypos(e);
+
+ velocity = amplitude = 0;
+ frame = offset;
+ timestamp = Date.now();
+ clearInterval(ticker);
+ ticker = setInterval(track, 100);
+ }
+
+ function drag(e) {
+ var x, delta, deltaY;
+ if (pressed) {
+ x = xpos(e);
+ y = ypos(e);
+ delta = reference - x;
+ deltaY = Math.abs(referenceY - y);
+ if (deltaY < 30 && !vertical_dragged) {
+ // If vertical scrolling don't allow dragging.
+ if (delta > 2 || delta < -2) {
+ dragged = true;
+ reference = x;
+ scroll(offset + delta);
+ }
+ } else if (dragged) {
+ // If dragging don't allow vertical scroll.
+ e.preventDefault();
+ e.stopPropagation();
+ return false;
+ } else {
+ // Vertical scrolling.
+ vertical_dragged = true;
+ }
+ }
+
+ if (dragged) {
+ // If dragging don't allow vertical scroll.
+ e.preventDefault();
+ e.stopPropagation();
+ return false;
+ }
+ }
+
+ function release(e) {
+ if (pressed) {
+ pressed = false;
+ } else {
+ return;
+ }
+
+ clearInterval(ticker);
+ target = offset;
+ if (velocity > 10 || velocity < -10) {
+ amplitude = 0.9 * velocity;
+ target = offset + amplitude;
+ }
+ target = Math.round(target / dim) * dim;
+
+ // No wrap of items.
+ if (noWrap) {
+ if (target >= dim * (count - 1)) {
+ target = dim * (count - 1);
+ } else if (target < 0) {
+ target = 0;
+ }
+ }
+ amplitude = target - offset;
+ timestamp = Date.now();
+ requestAnimationFrame(autoScroll);
+
+ if (dragged) {
+ e.preventDefault();
+ e.stopPropagation();
+ }
+ return false;
+ }
+
+ xform = 'transform';
+ ['webkit', 'Moz', 'O', 'ms'].every(function (prefix) {
+ var e = prefix + 'Transform';
+ if (typeof document.body.style[e] !== 'undefined') {
+ xform = e;
+ return false;
+ }
+ return true;
+ });
+
+ var throttledResize = Materialize.throttle(function () {
+ if (options.fullWidth) {
+ item_width = view.find('.carousel-item').first().innerWidth();
+ var imageHeight = view.find('.carousel-item.active').height();
+ dim = item_width * 2 + options.padding;
+ offset = center * 2 * item_width;
+ target = offset;
+ setCarouselHeight(true);
+ } else {
+ scroll();
+ }
+ }, 200);
+ $(window).off('resize.carousel-' + uniqueNamespace).on('resize.carousel-' + uniqueNamespace, throttledResize);
+
+ setupEvents();
+ scroll(offset);
+
+ $(this).on('carouselNext', function (e, n, callback) {
+ if (n === undefined) {
+ n = 1;
+ }
+ if (typeof callback === "function") {
+ oneTimeCallback = callback;
+ }
+
+ target = dim * Math.round(offset / dim) + dim * n;
+ if (offset !== target) {
+ amplitude = target - offset;
+ timestamp = Date.now();
+ requestAnimationFrame(autoScroll);
+ }
+ });
+
+ $(this).on('carouselPrev', function (e, n, callback) {
+ if (n === undefined) {
+ n = 1;
+ }
+ if (typeof callback === "function") {
+ oneTimeCallback = callback;
+ }
+
+ target = dim * Math.round(offset / dim) - dim * n;
+ if (offset !== target) {
+ amplitude = target - offset;
+ timestamp = Date.now();
+ requestAnimationFrame(autoScroll);
+ }
+ });
+
+ $(this).on('carouselSet', function (e, n, callback) {
+ if (n === undefined) {
+ n = 0;
+ }
+ if (typeof callback === "function") {
+ oneTimeCallback = callback;
+ }
+
+ cycleTo(n);
+ });
+ });
+ },
+ next: function (n, callback) {
+ $(this).trigger('carouselNext', [n, callback]);
+ },
+ prev: function (n, callback) {
+ $(this).trigger('carouselPrev', [n, callback]);
+ },
+ set: function (n, callback) {
+ $(this).trigger('carouselSet', [n, callback]);
+ },
+ destroy: function () {
+ var uniqueNamespace = $(this).attr('data-namespace');
+ $(this).removeAttr('data-namespace');
+ $(this).removeClass('initialized');
+ $(this).find('.indicators').remove();
+
+ // Remove event handlers
+ $(this).off('carouselNext carouselPrev carouselSet');
+ $(window).off('resize.carousel-' + uniqueNamespace);
+ if (typeof window.ontouchstart !== 'undefined') {
+ $(this).off('touchstart.carousel touchmove.carousel touchend.carousel');
+ }
+ $(this).off('mousedown.carousel mousemove.carousel mouseup.carousel mouseleave.carousel click.carousel');
+ }
+ };
+
+ $.fn.carousel = function (methodOrOptions) {
+ if (methods[methodOrOptions]) {
+ return methods[methodOrOptions].apply(this, Array.prototype.slice.call(arguments, 1));
+ } else if (typeof methodOrOptions === 'object' || !methodOrOptions) {
+ // Default to "init"
+ return methods.init.apply(this, arguments);
+ } else {
+ $.error('Method ' + methodOrOptions + ' does not exist on jQuery.carousel');
+ }
+ }; // Plugin end
+})(jQuery);
+;(function ($) {
+
+ var methods = {
+ init: function (options) {
+ return this.each(function () {
+ var origin = $('#' + $(this).attr('data-activates'));
+ var screen = $('body');
+
+ // Creating tap target
+ var tapTargetEl = $(this);
+ var tapTargetWrapper = tapTargetEl.parent('.tap-target-wrapper');
+ var tapTargetWave = tapTargetWrapper.find('.tap-target-wave');
+ var tapTargetOriginEl = tapTargetWrapper.find('.tap-target-origin');
+ var tapTargetContentEl = tapTargetEl.find('.tap-target-content');
+
+ // Creating wrapper
+ if (!tapTargetWrapper.length) {
+ tapTargetWrapper = tapTargetEl.wrap($('<div class="tap-target-wrapper"></div>')).parent();
+ }
+
+ // Creating content
+ if (!tapTargetContentEl.length) {
+ tapTargetContentEl = $('<div class="tap-target-content"></div>');
+ tapTargetEl.append(tapTargetContentEl);
+ }
+
+ // Creating foreground wave
+ if (!tapTargetWave.length) {
+ tapTargetWave = $('<div class="tap-target-wave"></div>');
+
+ // Creating origin
+ if (!tapTargetOriginEl.length) {
+ tapTargetOriginEl = origin.clone(true, true);
+ tapTargetOriginEl.addClass('tap-target-origin');
+ tapTargetOriginEl.removeAttr('id');
+ tapTargetOriginEl.removeAttr('style');
+ tapTargetWave.append(tapTargetOriginEl);
+ }
+
+ tapTargetWrapper.append(tapTargetWave);
+ }
+
+ // Open
+ var openTapTarget = function () {
+ if (tapTargetWrapper.is('.open')) {
+ return;
+ }
+
+ // Adding open class
+ tapTargetWrapper.addClass('open');
+
+ setTimeout(function () {
+ tapTargetOriginEl.off('click.tapTarget').on('click.tapTarget', function (e) {
+ closeTapTarget();
+ tapTargetOriginEl.off('click.tapTarget');
+ });
+
+ $(document).off('click.tapTarget').on('click.tapTarget', function (e) {
+ closeTapTarget();
+ $(document).off('click.tapTarget');
+ });
+
+ var throttledCalc = Materialize.throttle(function () {
+ calculateTapTarget();
+ }, 200);
+ $(window).off('resize.tapTarget').on('resize.tapTarget', throttledCalc);
+ }, 0);
+ };
+
+ // Close
+ var closeTapTarget = function () {
+ if (!tapTargetWrapper.is('.open')) {
+ return;
+ }
+
+ tapTargetWrapper.removeClass('open');
+ tapTargetOriginEl.off('click.tapTarget');
+ $(document).off('click.tapTarget');
+ $(window).off('resize.tapTarget');
+ };
+
+ // Pre calculate
+ var calculateTapTarget = function () {
+ // Element or parent is fixed position?
+ var isFixed = origin.css('position') === 'fixed';
+ if (!isFixed) {
+ var parents = origin.parents();
+ for (var i = 0; i < parents.length; i++) {
+ isFixed = $(parents[i]).css('position') == 'fixed';
+ if (isFixed) {
+ break;
+ }
+ }
+ }
+
+ // Calculating origin
+ var originWidth = origin.outerWidth();
+ var originHeight = origin.outerHeight();
+ var originTop = isFixed ? origin.offset().top - $(document).scrollTop() : origin.offset().top;
+ var originLeft = isFixed ? origin.offset().left - $(document).scrollLeft() : origin.offset().left;
+
+ // Calculating screen
+ var windowWidth = $(window).width();
+ var windowHeight = $(window).height();
+ var centerX = windowWidth / 2;
+ var centerY = windowHeight / 2;
+ var isLeft = originLeft <= centerX;
+ var isRight = originLeft > centerX;
+ var isTop = originTop <= centerY;
+ var isBottom = originTop > centerY;
+ var isCenterX = originLeft >= windowWidth * 0.25 && originLeft <= windowWidth * 0.75;
+ var isCenterY = originTop >= windowHeight * 0.25 && originTop <= windowHeight * 0.75;
+
+ // Calculating tap target
+ var tapTargetWidth = tapTargetEl.outerWidth();
+ var tapTargetHeight = tapTargetEl.outerHeight();
+ var tapTargetTop = originTop + originHeight / 2 - tapTargetHeight / 2;
+ var tapTargetLeft = originLeft + originWidth / 2 - tapTargetWidth / 2;
+ var tapTargetPosition = isFixed ? 'fixed' : 'absolute';
+
+ // Calculating content
+ var tapTargetTextWidth = isCenterX ? tapTargetWidth : tapTargetWidth / 2 + originWidth;
+ var tapTargetTextHeight = tapTargetHeight / 2;
+ var tapTargetTextTop = isTop ? tapTargetHeight / 2 : 0;
+ var tapTargetTextBottom = 0;
+ var tapTargetTextLeft = isLeft && !isCenterX ? tapTargetWidth / 2 - originWidth : 0;
+ var tapTargetTextRight = 0;
+ var tapTargetTextPadding = originWidth;
+ var tapTargetTextAlign = isBottom ? 'bottom' : 'top';
+
+ // Calculating wave
+ var tapTargetWaveWidth = originWidth > originHeight ? originWidth * 2 : originWidth * 2;
+ var tapTargetWaveHeight = tapTargetWaveWidth;
+ var tapTargetWaveTop = tapTargetHeight / 2 - tapTargetWaveHeight / 2;
+ var tapTargetWaveLeft = tapTargetWidth / 2 - tapTargetWaveWidth / 2;
+
+ // Setting tap target
+ var tapTargetWrapperCssObj = {};
+ tapTargetWrapperCssObj.top = isTop ? tapTargetTop : '';
+ tapTargetWrapperCssObj.right = isRight ? windowWidth - tapTargetLeft - tapTargetWidth : '';
+ tapTargetWrapperCssObj.bottom = isBottom ? windowHeight - tapTargetTop - tapTargetHeight : '';
+ tapTargetWrapperCssObj.left = isLeft ? tapTargetLeft : '';
+ tapTargetWrapperCssObj.position = tapTargetPosition;
+ tapTargetWrapper.css(tapTargetWrapperCssObj);
+
+ // Setting content
+ tapTargetContentEl.css({
+ width: tapTargetTextWidth,
+ height: tapTargetTextHeight,
+ top: tapTargetTextTop,
+ right: tapTargetTextRight,
+ bottom: tapTargetTextBottom,
+ left: tapTargetTextLeft,
+ padding: tapTargetTextPadding,
+ verticalAlign: tapTargetTextAlign
+ });
+
+ // Setting wave
+ tapTargetWave.css({
+ top: tapTargetWaveTop,
+ left: tapTargetWaveLeft,
+ width: tapTargetWaveWidth,
+ height: tapTargetWaveHeight
+ });
+ };
+
+ if (options == 'open') {
+ calculateTapTarget();
+ openTapTarget();
+ }
+
+ if (options == 'close') closeTapTarget();
+ });
+ },
+ open: function () {},
+ close: function () {}
+ };
+
+ $.fn.tapTarget = function (methodOrOptions) {
+ if (methods[methodOrOptions] || typeof methodOrOptions === 'object') return methods.init.apply(this, arguments);
+
+ $.error('Method ' + methodOrOptions + ' does not exist on jQuery.tap-target');
+ };
+})(jQuery);
diff --git a/admin/static/materialize/js/materialize.min.js b/admin/static/materialize/js/materialize.min.js
new file mode 100644
index 0000000..3ec90ac
--- /dev/null
+++ b/admin/static/materialize/js/materialize.min.js
@@ -0,0 +1,6 @@
+/*!
+ * Materialize v0.100.2 (http://materializecss.com)
+ * Copyright 2014-2017 Materialize
+ * MIT License (https://raw.githubusercontent.com/Dogfalo/materialize/master/LICENSE)
+ */
+function _classCallCheck(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}var _createClass=function(){function t(t,e){for(var i=0;i<e.length;i++){var n=e[i];n.enumerable=n.enumerable||!1,n.configurable=!0,"value"in n&&(n.writable=!0),Object.defineProperty(t,n.key,n)}}return function(e,i,n){return i&&t(e.prototype,i),n&&t(e,n),e}}();"undefined"==typeof jQuery&&("function"==typeof require?jQuery=$=require("jquery"):jQuery=$),function(t){"function"==typeof define&&define.amd?define(["jquery"],function(e){return t(e)}):"object"==typeof module&&"object"==typeof module.exports?exports=t(require("jquery")):t(jQuery)}(function(t){function e(t){var e=7.5625,i=2.75;return t<1/i?e*t*t:t<2/i?e*(t-=1.5/i)*t+.75:t<2.5/i?e*(t-=2.25/i)*t+.9375:e*(t-=2.625/i)*t+.984375}t.easing.jswing=t.easing.swing;var i=Math.pow,n=Math.sqrt,o=Math.sin,a=Math.cos,r=Math.PI,s=1.70158,l=1.525*s,c=2*r/3,u=2*r/4.5;t.extend(t.easing,{def:"easeOutQuad",swing:function(e){return t.easing[t.easing.def](e)},easeInQuad:function(t){return t*t},easeOutQuad:function(t){return 1-(1-t)*(1-t)},easeInOutQuad:function(t){return t<.5?2*t*t:1-i(-2*t+2,2)/2},easeInCubic:function(t){return t*t*t},easeOutCubic:function(t){return 1-i(1-t,3)},easeInOutCubic:function(t){return t<.5?4*t*t*t:1-i(-2*t+2,3)/2},easeInQuart:function(t){return t*t*t*t},easeOutQuart:function(t){return 1-i(1-t,4)},easeInOutQuart:function(t){return t<.5?8*t*t*t*t:1-i(-2*t+2,4)/2},easeInQuint:function(t){return t*t*t*t*t},easeOutQuint:function(t){return 1-i(1-t,5)},easeInOutQuint:function(t){return t<.5?16*t*t*t*t*t:1-i(-2*t+2,5)/2},easeInSine:function(t){return 1-a(t*r/2)},easeOutSine:function(t){return o(t*r/2)},easeInOutSine:function(t){return-(a(r*t)-1)/2},easeInExpo:function(t){return 0===t?0:i(2,10*t-10)},easeOutExpo:function(t){return 1===t?1:1-i(2,-10*t)},easeInOutExpo:function(t){return 0===t?0:1===t?1:t<.5?i(2,20*t-10)/2:(2-i(2,-20*t+10))/2},easeInCirc:function(t){return 1-n(1-i(t,2))},easeOutCirc:function(t){return n(1-i(t-1,2))},easeInOutCirc:function(t){return t<.5?(1-n(1-i(2*t,2)))/2:(n(1-i(-2*t+2,2))+1)/2},easeInElastic:function(t){return 0===t?0:1===t?1:-i(2,10*t-10)*o((10*t-10.75)*c)},easeOutElastic:function(t){return 0===t?0:1===t?1:i(2,-10*t)*o((10*t-.75)*c)+1},easeInOutElastic:function(t){return 0===t?0:1===t?1:t<.5?-i(2,20*t-10)*o((20*t-11.125)*u)/2:i(2,-20*t+10)*o((20*t-11.125)*u)/2+1},easeInBack:function(t){return 2.70158*t*t*t-s*t*t},easeOutBack:function(t){return 1+2.70158*i(t-1,3)+s*i(t-1,2)},easeInOutBack:function(t){return t<.5?i(2*t,2)*(7.189819*t-l)/2:(i(2*t-2,2)*((l+1)*(2*t-2)+l)+2)/2},easeInBounce:function(t){return 1-e(1-t)},easeOutBounce:e,easeInOutBounce:function(t){return t<.5?(1-e(1-2*t))/2:(1+e(2*t-1))/2}})}),jQuery.extend(jQuery.easing,{easeInOutMaterial:function(t,e,i,n,o){return(e/=o/2)<1?n/2*e*e+i:n/4*((e-=2)*e*e+2)+i}}),jQuery.Velocity?console.log("Velocity is already loaded. You may be needlessly importing Velocity again; note that Materialize includes Velocity."):(function(t){function e(t){var e=t.length,n=i.type(t);return"function"!==n&&!i.isWindow(t)&&(!(1!==t.nodeType||!e)||("array"===n||0===e||"number"==typeof e&&e>0&&e-1 in t))}if(!t.jQuery){var i=function(t,e){return new i.fn.init(t,e)};i.isWindow=function(t){return null!=t&&t==t.window},i.type=function(t){return null==t?t+"":"object"==typeof t||"function"==typeof t?o[r.call(t)]||"object":typeof t},i.isArray=Array.isArray||function(t){return"array"===i.type(t)},i.isPlainObject=function(t){var e;if(!t||"object"!==i.type(t)||t.nodeType||i.isWindow(t))return!1;try{if(t.constructor&&!a.call(t,"constructor")&&!a.call(t.constructor.prototype,"isPrototypeOf"))return!1}catch(t){return!1}for(e in t);return void 0===e||a.call(t,e)},i.each=function(t,i,n){var o=0,a=t.length,r=e(t);if(n){if(r)for(;a>o&&!1!==i.apply(t[o],n);o++);else for(o in t)if(!1===i.apply(t[o],n))break}else if(r)for(;a>o&&!1!==i.call(t[o],o,t[o]);o++);else for(o in t)if(!1===i.call(t[o],o,t[o]))break;return t},i.data=function(t,e,o){if(void 0===o){var a=(r=t[i.expando])&&n[r];if(void 0===e)return a;if(a&&e in a)return a[e]}else if(void 0!==e){var r=t[i.expando]||(t[i.expando]=++i.uuid);return n[r]=n[r]||{},n[r][e]=o,o}},i.removeData=function(t,e){var o=t[i.expando],a=o&&n[o];a&&i.each(e,function(t,e){delete a[e]})},i.extend=function(){var t,e,n,o,a,r,s=arguments[0]||{},l=1,c=arguments.length,u=!1;for("boolean"==typeof s&&(u=s,s=arguments[l]||{},l++),"object"!=typeof s&&"function"!==i.type(s)&&(s={}),l===c&&(s=this,l--);c>l;l++)if(null!=(a=arguments[l]))for(o in a)t=s[o],s!==(n=a[o])&&(u&&n&&(i.isPlainObject(n)||(e=i.isArray(n)))?(e?(e=!1,r=t&&i.isArray(t)?t:[]):r=t&&i.isPlainObject(t)?t:{},s[o]=i.extend(u,r,n)):void 0!==n&&(s[o]=n));return s},i.queue=function(t,n,o){if(t){n=(n||"fx")+"queue";var a=i.data(t,n);return o?(!a||i.isArray(o)?a=i.data(t,n,function(t,i){var n=i||[];return null!=t&&(e(Object(t))?function(t,e){for(var i=+e.length,n=0,o=t.length;i>n;)t[o++]=e[n++];if(i!==i)for(;void 0!==e[n];)t[o++]=e[n++];t.length=o}(n,"string"==typeof t?[t]:t):[].push.call(n,t)),n}(o)):a.push(o),a):a||[]}},i.dequeue=function(t,e){i.each(t.nodeType?[t]:t,function(t,n){e=e||"fx";var o=i.queue(n,e),a=o.shift();"inprogress"===a&&(a=o.shift()),a&&("fx"===e&&o.unshift("inprogress"),a.call(n,function(){i.dequeue(n,e)}))})},i.fn=i.prototype={init:function(t){if(t.nodeType)return this[0]=t,this;throw new Error("Not a DOM node.")},offset:function(){var e=this[0].getBoundingClientRect?this[0].getBoundingClientRect():{top:0,left:0};return{top:e.top+(t.pageYOffset||document.scrollTop||0)-(document.clientTop||0),left:e.left+(t.pageXOffset||document.scrollLeft||0)-(document.clientLeft||0)}},position:function(){function t(){for(var t=this.offsetParent||document;t&&"html"===!t.nodeType.toLowerCase&&"static"===t.style.position;)t=t.offsetParent;return t||document}var e=this[0],t=t.apply(e),n=this.offset(),o=/^(?:body|html)$/i.test(t.nodeName)?{top:0,left:0}:i(t).offset();return n.top-=parseFloat(e.style.marginTop)||0,n.left-=parseFloat(e.style.marginLeft)||0,t.style&&(o.top+=parseFloat(t.style.borderTopWidth)||0,o.left+=parseFloat(t.style.borderLeftWidth)||0),{top:n.top-o.top,left:n.left-o.left}}};var n={};i.expando="velocity"+(new Date).getTime(),i.uuid=0;for(var o={},a=o.hasOwnProperty,r=o.toString,s="Boolean Number String Function Array Date RegExp Object Error".split(" "),l=0;l<s.length;l++)o["[object "+s[l]+"]"]=s[l].toLowerCase();i.fn.init.prototype=i.fn,t.Velocity={Utilities:i}}}(window),function(t){"object"==typeof module&&"object"==typeof module.exports?module.exports=t():"function"==typeof define&&define.amd?define(t):t()}(function(){return function(t,e,i,n){function o(t){for(var e=-1,i=t?t.length:0,n=[];++e<i;){var o=t[e];o&&n.push(o)}return n}function a(t){return v.isWrapped(t)?t=[].slice.call(t):v.isNode(t)&&(t=[t]),t}function r(t){var e=p.data(t,"velocity");return null===e?n:e}function s(t){return function(e){return Math.round(e*t)*(1/t)}}function l(t,i,n,o){function a(t,e){return 1-3*e+3*t}function r(t,e){return 3*e-6*t}function s(t){return 3*t}function l(t,e,i){return((a(e,i)*t+r(e,i))*t+s(e))*t}function c(t,e,i){return 3*a(e,i)*t*t+2*r(e,i)*t+s(e)}function u(e,i){for(var o=0;v>o;++o){var a=c(i,t,n);if(0===a)return i;i-=(l(i,t,n)-e)/a}return i}function d(){for(var e=0;b>e;++e)C[e]=l(e*w,t,n)}function p(e,i,o){var a,r,s=0;do{(a=l(r=i+(o-i)/2,t,n)-e)>0?o=r:i=r}while(Math.abs(a)>g&&++s<y);return r}function h(e){for(var i=0,o=1,a=b-1;o!=a&&C[o]<=e;++o)i+=w;var r=i+(e-C[--o])/(C[o+1]-C[o])*w,s=c(r,t,n);return s>=m?u(e,r):0==s?r:p(e,i,i+w)}function f(){T=!0,(t!=i||n!=o)&&d()}var v=4,m=.001,g=1e-7,y=10,b=11,w=1/(b-1),k="Float32Array"in e;if(4!==arguments.length)return!1;for(var x=0;4>x;++x)if("number"!=typeof arguments[x]||isNaN(arguments[x])||!isFinite(arguments[x]))return!1;t=Math.min(t,1),n=Math.min(n,1),t=Math.max(t,0),n=Math.max(n,0);var C=k?new Float32Array(b):new Array(b),T=!1,S=function(e){return T||f(),t===i&&n===o?e:0===e?0:1===e?1:l(h(e),i,o)};S.getControlPoints=function(){return[{x:t,y:i},{x:n,y:o}]};var P="generateBezier("+[t,i,n,o]+")";return S.toString=function(){return P},S}function c(t,e){var i=t;return v.isString(t)?b.Easings[t]||(i=!1):i=v.isArray(t)&&1===t.length?s.apply(null,t):v.isArray(t)&&2===t.length?w.apply(null,t.concat([e])):!(!v.isArray(t)||4!==t.length)&&l.apply(null,t),!1===i&&(i=b.Easings[b.defaults.easing]?b.defaults.easing:y),i}function u(t){if(t){var e=(new Date).getTime(),i=b.State.calls.length;i>1e4&&(b.State.calls=o(b.State.calls));for(var a=0;i>a;a++)if(b.State.calls[a]){var s=b.State.calls[a],l=s[0],c=s[2],h=s[3],f=!!h,m=null;h||(h=b.State.calls[a][3]=e-16);for(var g=Math.min((e-h)/c.duration,1),y=0,w=l.length;w>y;y++){var x=l[y],T=x.element;if(r(T)){var S=!1;if(c.display!==n&&null!==c.display&&"none"!==c.display){if("flex"===c.display){var P=["-webkit-box","-moz-box","-ms-flexbox","-webkit-flex"];p.each(P,function(t,e){k.setPropertyValue(T,"display",e)})}k.setPropertyValue(T,"display",c.display)}c.visibility!==n&&"hidden"!==c.visibility&&k.setPropertyValue(T,"visibility",c.visibility);for(var A in x)if("element"!==A){var O,E=x[A],_=v.isString(E.easing)?b.Easings[E.easing]:E.easing;if(1===g)O=E.endValue;else{var M=E.endValue-E.startValue;if(O=E.startValue+M*_(g,c,M),!f&&O===E.currentValue)continue}if(E.currentValue=O,"tween"===A)m=O;else{if(k.Hooks.registered[A]){var I=k.Hooks.getRoot(A),D=r(T).rootPropertyValueCache[I];D&&(E.rootPropertyValue=D)}var q=k.setPropertyValue(T,A,E.currentValue+(0===parseFloat(O)?"":E.unitType),E.rootPropertyValue,E.scrollData);k.Hooks.registered[A]&&(r(T).rootPropertyValueCache[I]=k.Normalizations.registered[I]?k.Normalizations.registered[I]("extract",null,q[1]):q[1]),"transform"===q[0]&&(S=!0)}}c.mobileHA&&r(T).transformCache.translate3d===n&&(r(T).transformCache.translate3d="(0px, 0px, 0px)",S=!0),S&&k.flushTransformCache(T)}}c.display!==n&&"none"!==c.display&&(b.State.calls[a][2].display=!1),c.visibility!==n&&"hidden"!==c.visibility&&(b.State.calls[a][2].visibility=!1),c.progress&&c.progress.call(s[1],s[1],g,Math.max(0,h+c.duration-e),h,m),1===g&&d(a)}}b.State.isTicking&&C(u)}function d(t,e){if(!b.State.calls[t])return!1;for(var i=b.State.calls[t][0],o=b.State.calls[t][1],a=b.State.calls[t][2],s=b.State.calls[t][4],l=!1,c=0,u=i.length;u>c;c++){var d=i[c].element;if(e||a.loop||("none"===a.display&&k.setPropertyValue(d,"display",a.display),"hidden"===a.visibility&&k.setPropertyValue(d,"visibility",a.visibility)),!0!==a.loop&&(p.queue(d)[1]===n||!/\.velocityQueueEntryFlag/i.test(p.queue(d)[1]))&&r(d)){r(d).isAnimating=!1,r(d).rootPropertyValueCache={};var h=!1;p.each(k.Lists.transforms3D,function(t,e){var i=/^scale/.test(e)?1:0,o=r(d).transformCache[e];r(d).transformCache[e]!==n&&new RegExp("^\\("+i+"[^.]").test(o)&&(h=!0,delete r(d).transformCache[e])}),a.mobileHA&&(h=!0,delete r(d).transformCache.translate3d),h&&k.flushTransformCache(d),k.Values.removeClass(d,"velocity-animating")}if(!e&&a.complete&&!a.loop&&c===u-1)try{a.complete.call(o,o)}catch(t){setTimeout(function(){throw t},1)}s&&!0!==a.loop&&s(o),r(d)&&!0===a.loop&&!e&&(p.each(r(d).tweensContainer,function(t,e){/^rotate/.test(t)&&360===parseFloat(e.endValue)&&(e.endValue=0,e.startValue=360),/^backgroundPosition/.test(t)&&100===parseFloat(e.endValue)&&"%"===e.unitType&&(e.endValue=0,e.startValue=100)}),b(d,"reverse",{loop:!0,delay:a.delay})),!1!==a.queue&&p.dequeue(d,a.queue)}b.State.calls[t]=!1;for(var f=0,v=b.State.calls.length;v>f;f++)if(!1!==b.State.calls[f]){l=!0;break}!1===l&&(b.State.isTicking=!1,delete b.State.calls,b.State.calls=[])}var p,h=function(){if(i.documentMode)return i.documentMode;for(var t=7;t>4;t--){var e=i.createElement("div");if(e.innerHTML="\x3c!--[if IE "+t+"]><span></span><![endif]--\x3e",e.getElementsByTagName("span").length)return e=null,t}return n}(),f=function(){var t=0;return e.webkitRequestAnimationFrame||e.mozRequestAnimationFrame||function(e){var i,n=(new Date).getTime();return i=Math.max(0,16-(n-t)),t=n+i,setTimeout(function(){e(n+i)},i)}}(),v={isString:function(t){return"string"==typeof t},isArray:Array.isArray||function(t){return"[object Array]"===Object.prototype.toString.call(t)},isFunction:function(t){return"[object Function]"===Object.prototype.toString.call(t)},isNode:function(t){return t&&t.nodeType},isNodeList:function(t){return"object"==typeof t&&/^\[object (HTMLCollection|NodeList|Object)\]$/.test(Object.prototype.toString.call(t))&&t.length!==n&&(0===t.length||"object"==typeof t[0]&&t[0].nodeType>0)},isWrapped:function(t){return t&&(t.jquery||e.Zepto&&e.Zepto.zepto.isZ(t))},isSVG:function(t){return e.SVGElement&&t instanceof e.SVGElement},isEmptyObject:function(t){for(var e in t)return!1;return!0}},m=!1;if(t.fn&&t.fn.jquery?(p=t,m=!0):p=e.Velocity.Utilities,8>=h&&!m)throw new Error("Velocity: IE8 and below require jQuery to be loaded before Velocity.");{if(!(7>=h)){var g=400,y="swing",b={State:{isMobile:/Android|webOS|iPhone|iPad|iPod|BlackBerry|IEMobile|Opera Mini/i.test(navigator.userAgent),isAndroid:/Android/i.test(navigator.userAgent),isGingerbread:/Android 2\.3\.[3-7]/i.test(navigator.userAgent),isChrome:e.chrome,isFirefox:/Firefox/i.test(navigator.userAgent),prefixElement:i.createElement("div"),prefixMatches:{},scrollAnchor:null,scrollPropertyLeft:null,scrollPropertyTop:null,isTicking:!1,calls:[]},CSS:{},Utilities:p,Redirects:{},Easings:{},Promise:e.Promise,defaults:{queue:"",duration:g,easing:y,begin:n,complete:n,progress:n,display:n,visibility:n,loop:!1,delay:!1,mobileHA:!0,_cacheValues:!0},init:function(t){p.data(t,"velocity",{isSVG:v.isSVG(t),isAnimating:!1,computedStyle:null,tweensContainer:null,rootPropertyValueCache:{},transformCache:{}})},hook:null,mock:!1,version:{major:1,minor:2,patch:2},debug:!1};e.pageYOffset!==n?(b.State.scrollAnchor=e,b.State.scrollPropertyLeft="pageXOffset",b.State.scrollPropertyTop="pageYOffset"):(b.State.scrollAnchor=i.documentElement||i.body.parentNode||i.body,b.State.scrollPropertyLeft="scrollLeft",b.State.scrollPropertyTop="scrollTop");var w=function(){function t(t){return-t.tension*t.x-t.friction*t.v}function e(e,i,n){var o={x:e.x+n.dx*i,v:e.v+n.dv*i,tension:e.tension,friction:e.friction};return{dx:o.v,dv:t(o)}}function i(i,n){var o={dx:i.v,dv:t(i)},a=e(i,.5*n,o),r=e(i,.5*n,a),s=e(i,n,r),l=1/6*(o.dx+2*(a.dx+r.dx)+s.dx),c=1/6*(o.dv+2*(a.dv+r.dv)+s.dv);return i.x=i.x+l*n,i.v=i.v+c*n,i}return function t(e,n,o){var a,r,s,l={x:-1,v:0,tension:null,friction:null},c=[0],u=0;for(e=parseFloat(e)||500,n=parseFloat(n)||20,o=o||null,l.tension=e,l.friction=n,(a=null!==o)?(u=t(e,n),r=u/o*.016):r=.016;s=i(s||l,r),c.push(1+s.x),u+=16,Math.abs(s.x)>1e-4&&Math.abs(s.v)>1e-4;);return a?function(t){return c[t*(c.length-1)|0]}:u}}();b.Easings={linear:function(t){return t},swing:function(t){return.5-Math.cos(t*Math.PI)/2},spring:function(t){return 1-Math.cos(4.5*t*Math.PI)*Math.exp(6*-t)}},p.each([["ease",[.25,.1,.25,1]],["ease-in",[.42,0,1,1]],["ease-out",[0,0,.58,1]],["ease-in-out",[.42,0,.58,1]],["easeInSine",[.47,0,.745,.715]],["easeOutSine",[.39,.575,.565,1]],["easeInOutSine",[.445,.05,.55,.95]],["easeInQuad",[.55,.085,.68,.53]],["easeOutQuad",[.25,.46,.45,.94]],["easeInOutQuad",[.455,.03,.515,.955]],["easeInCubic",[.55,.055,.675,.19]],["easeOutCubic",[.215,.61,.355,1]],["easeInOutCubic",[.645,.045,.355,1]],["easeInQuart",[.895,.03,.685,.22]],["easeOutQuart",[.165,.84,.44,1]],["easeInOutQuart",[.77,0,.175,1]],["easeInQuint",[.755,.05,.855,.06]],["easeOutQuint",[.23,1,.32,1]],["easeInOutQuint",[.86,0,.07,1]],["easeInExpo",[.95,.05,.795,.035]],["easeOutExpo",[.19,1,.22,1]],["easeInOutExpo",[1,0,0,1]],["easeInCirc",[.6,.04,.98,.335]],["easeOutCirc",[.075,.82,.165,1]],["easeInOutCirc",[.785,.135,.15,.86]]],function(t,e){b.Easings[e[0]]=l.apply(null,e[1])});var k=b.CSS={RegEx:{isHex:/^#([A-f\d]{3}){1,2}$/i,valueUnwrap:/^[A-z]+\((.*)\)$/i,wrappedValueAlreadyExtracted:/[0-9.]+ [0-9.]+ [0-9.]+( [0-9.]+)?/,valueSplit:/([A-z]+\(.+\))|(([A-z0-9#-.]+?)(?=\s|$))/gi},Lists:{colors:["fill","stroke","stopColor","color","backgroundColor","borderColor","borderTopColor","borderRightColor","borderBottomColor","borderLeftColor","outlineColor"],transformsBase:["translateX","translateY","scale","scaleX","scaleY","skewX","skewY","rotateZ"],transforms3D:["transformPerspective","translateZ","scaleZ","rotateX","rotateY"]},Hooks:{templates:{textShadow:["Color X Y Blur","black 0px 0px 0px"],boxShadow:["Color X Y Blur Spread","black 0px 0px 0px 0px"],clip:["Top Right Bottom Left","0px 0px 0px 0px"],backgroundPosition:["X Y","0% 0%"],transformOrigin:["X Y Z","50% 50% 0px"],perspectiveOrigin:["X Y","50% 50%"]},registered:{},register:function(){for(a=0;a<k.Lists.colors.length;a++){var t="color"===k.Lists.colors[a]?"0 0 0 1":"255 255 255 1";k.Hooks.templates[k.Lists.colors[a]]=["Red Green Blue Alpha",t]}var e,i,n;if(h)for(e in k.Hooks.templates){n=(i=k.Hooks.templates[e])[0].split(" ");var o=i[1].match(k.RegEx.valueSplit);"Color"===n[0]&&(n.push(n.shift()),o.push(o.shift()),k.Hooks.templates[e]=[n.join(" "),o.join(" ")])}for(e in k.Hooks.templates){n=(i=k.Hooks.templates[e])[0].split(" ");for(var a in n){var r=e+n[a],s=a;k.Hooks.registered[r]=[e,s]}}},getRoot:function(t){var e=k.Hooks.registered[t];return e?e[0]:t},cleanRootPropertyValue:function(t,e){return k.RegEx.valueUnwrap.test(e)&&(e=e.match(k.RegEx.valueUnwrap)[1]),k.Values.isCSSNullValue(e)&&(e=k.Hooks.templates[t][1]),e},extractValue:function(t,e){var i=k.Hooks.registered[t];if(i){var n=i[0],o=i[1];return(e=k.Hooks.cleanRootPropertyValue(n,e)).toString().match(k.RegEx.valueSplit)[o]}return e},injectValue:function(t,e,i){var n=k.Hooks.registered[t];if(n){var o,a=n[0],r=n[1];return i=k.Hooks.cleanRootPropertyValue(a,i),o=i.toString().match(k.RegEx.valueSplit),o[r]=e,o.join(" ")}return i}},Normalizations:{registered:{clip:function(t,e,i){switch(t){case"name":return"clip";case"extract":var n;return k.RegEx.wrappedValueAlreadyExtracted.test(i)?n=i:(n=i.toString().match(k.RegEx.valueUnwrap),n=n?n[1].replace(/,(\s+)?/g," "):i),n;case"inject":return"rect("+i+")"}},blur:function(t,e,i){switch(t){case"name":return b.State.isFirefox?"filter":"-webkit-filter";case"extract":var n=parseFloat(i);if(!n&&0!==n){var o=i.toString().match(/blur\(([0-9]+[A-z]+)\)/i);n=o?o[1]:0}return n;case"inject":return parseFloat(i)?"blur("+i+")":"none"}},opacity:function(t,e,i){if(8>=h)switch(t){case"name":return"filter";case"extract":var n=i.toString().match(/alpha\(opacity=(.*)\)/i);return i=n?n[1]/100:1;case"inject":return e.style.zoom=1,parseFloat(i)>=1?"":"alpha(opacity="+parseInt(100*parseFloat(i),10)+")"}else switch(t){case"name":return"opacity";case"extract":case"inject":return i}}},register:function(){9>=h||b.State.isGingerbread||(k.Lists.transformsBase=k.Lists.transformsBase.concat(k.Lists.transforms3D));for(t=0;t<k.Lists.transformsBase.length;t++)!function(){var e=k.Lists.transformsBase[t];k.Normalizations.registered[e]=function(t,i,o){switch(t){case"name":return"transform";case"extract":return r(i)===n||r(i).transformCache[e]===n?/^scale/i.test(e)?1:0:r(i).transformCache[e].replace(/[()]/g,"");case"inject":var a=!1;switch(e.substr(0,e.length-1)){case"translate":a=!/(%|px|em|rem|vw|vh|\d)$/i.test(o);break;case"scal":case"scale":b.State.isAndroid&&r(i).transformCache[e]===n&&1>o&&(o=1),a=!/(\d)$/i.test(o);break;case"skew":a=!/(deg|\d)$/i.test(o);break;case"rotate":a=!/(deg|\d)$/i.test(o)}return a||(r(i).transformCache[e]="("+o+")"),r(i).transformCache[e]}}}();for(var t=0;t<k.Lists.colors.length;t++)!function(){var e=k.Lists.colors[t];k.Normalizations.registered[e]=function(t,i,o){switch(t){case"name":return e;case"extract":var a;if(k.RegEx.wrappedValueAlreadyExtracted.test(o))a=o;else{var r,s={black:"rgb(0, 0, 0)",blue:"rgb(0, 0, 255)",gray:"rgb(128, 128, 128)",green:"rgb(0, 128, 0)",red:"rgb(255, 0, 0)",white:"rgb(255, 255, 255)"};/^[A-z]+$/i.test(o)?r=s[o]!==n?s[o]:s.black:k.RegEx.isHex.test(o)?r="rgb("+k.Values.hexToRgb(o).join(" ")+")":/^rgba?\(/i.test(o)||(r=s.black),a=(r||o).toString().match(k.RegEx.valueUnwrap)[1].replace(/,(\s+)?/g," ")}return 8>=h||3!==a.split(" ").length||(a+=" 1"),a;case"inject":return 8>=h?4===o.split(" ").length&&(o=o.split(/\s+/).slice(0,3).join(" ")):3===o.split(" ").length&&(o+=" 1"),(8>=h?"rgb":"rgba")+"("+o.replace(/\s+/g,",").replace(/\.(\d)+(?=,)/g,"")+")"}}}()}},Names:{camelCase:function(t){return t.replace(/-(\w)/g,function(t,e){return e.toUpperCase()})},SVGAttribute:function(t){var e="width|height|x|y|cx|cy|r|rx|ry|x1|x2|y1|y2";return(h||b.State.isAndroid&&!b.State.isChrome)&&(e+="|transform"),new RegExp("^("+e+")$","i").test(t)},prefixCheck:function(t){if(b.State.prefixMatches[t])return[b.State.prefixMatches[t],!0];for(var e=["","Webkit","Moz","ms","O"],i=0,n=e.length;n>i;i++){var o;if(o=0===i?t:e[i]+t.replace(/^\w/,function(t){return t.toUpperCase()}),v.isString(b.State.prefixElement.style[o]))return b.State.prefixMatches[t]=o,[o,!0]}return[t,!1]}},Values:{hexToRgb:function(t){var e,i=/^#?([a-f\d])([a-f\d])([a-f\d])$/i,n=/^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i;return t=t.replace(i,function(t,e,i,n){return e+e+i+i+n+n}),e=n.exec(t),e?[parseInt(e[1],16),parseInt(e[2],16),parseInt(e[3],16)]:[0,0,0]},isCSSNullValue:function(t){return 0==t||/^(none|auto|transparent|(rgba\(0, ?0, ?0, ?0\)))$/i.test(t)},getUnitType:function(t){return/^(rotate|skew)/i.test(t)?"deg":/(^(scale|scaleX|scaleY|scaleZ|alpha|flexGrow|flexHeight|zIndex|fontWeight)$)|((opacity|red|green|blue|alpha)$)/i.test(t)?"":"px"},getDisplayType:function(t){var e=t&&t.tagName.toString().toLowerCase();return/^(b|big|i|small|tt|abbr|acronym|cite|code|dfn|em|kbd|strong|samp|var|a|bdo|br|img|map|object|q|script|span|sub|sup|button|input|label|select|textarea)$/i.test(e)?"inline":/^(li)$/i.test(e)?"list-item":/^(tr)$/i.test(e)?"table-row":/^(table)$/i.test(e)?"table":/^(tbody)$/i.test(e)?"table-row-group":"block"},addClass:function(t,e){t.classList?t.classList.add(e):t.className+=(t.className.length?" ":"")+e},removeClass:function(t,e){t.classList?t.classList.remove(e):t.className=t.className.toString().replace(new RegExp("(^|\\s)"+e.split(" ").join("|")+"(\\s|$)","gi")," ")}},getPropertyValue:function(t,i,o,a){function s(t,i){function o(){c&&k.setPropertyValue(t,"display","none")}var l=0;if(8>=h)l=p.css(t,i);else{var c=!1;if(/^(width|height)$/.test(i)&&0===k.getPropertyValue(t,"display")&&(c=!0,k.setPropertyValue(t,"display",k.Values.getDisplayType(t))),!a){if("height"===i&&"border-box"!==k.getPropertyValue(t,"boxSizing").toString().toLowerCase()){var u=t.offsetHeight-(parseFloat(k.getPropertyValue(t,"borderTopWidth"))||0)-(parseFloat(k.getPropertyValue(t,"borderBottomWidth"))||0)-(parseFloat(k.getPropertyValue(t,"paddingTop"))||0)-(parseFloat(k.getPropertyValue(t,"paddingBottom"))||0);return o(),u}if("width"===i&&"border-box"!==k.getPropertyValue(t,"boxSizing").toString().toLowerCase()){var d=t.offsetWidth-(parseFloat(k.getPropertyValue(t,"borderLeftWidth"))||0)-(parseFloat(k.getPropertyValue(t,"borderRightWidth"))||0)-(parseFloat(k.getPropertyValue(t,"paddingLeft"))||0)-(parseFloat(k.getPropertyValue(t,"paddingRight"))||0);return o(),d}}var f;f=r(t)===n?e.getComputedStyle(t,null):r(t).computedStyle?r(t).computedStyle:r(t).computedStyle=e.getComputedStyle(t,null),"borderColor"===i&&(i="borderTopColor"),(""===(l=9===h&&"filter"===i?f.getPropertyValue(i):f[i])||null===l)&&(l=t.style[i]),o()}if("auto"===l&&/^(top|right|bottom|left)$/i.test(i)){var v=s(t,"position");("fixed"===v||"absolute"===v&&/top|left/i.test(i))&&(l=p(t).position()[i]+"px")}return l}var l;if(k.Hooks.registered[i]){var c=i,u=k.Hooks.getRoot(c);o===n&&(o=k.getPropertyValue(t,k.Names.prefixCheck(u)[0])),k.Normalizations.registered[u]&&(o=k.Normalizations.registered[u]("extract",t,o)),l=k.Hooks.extractValue(c,o)}else if(k.Normalizations.registered[i]){var d,f;"transform"!==(d=k.Normalizations.registered[i]("name",t))&&(f=s(t,k.Names.prefixCheck(d)[0]),k.Values.isCSSNullValue(f)&&k.Hooks.templates[i]&&(f=k.Hooks.templates[i][1])),l=k.Normalizations.registered[i]("extract",t,f)}if(!/^[\d-]/.test(l))if(r(t)&&r(t).isSVG&&k.Names.SVGAttribute(i))if(/^(height|width)$/i.test(i))try{l=t.getBBox()[i]}catch(t){l=0}else l=t.getAttribute(i);else l=s(t,k.Names.prefixCheck(i)[0]);return k.Values.isCSSNullValue(l)&&(l=0),b.debug>=2&&console.log("Get "+i+": "+l),l},setPropertyValue:function(t,i,n,o,a){var s=i;if("scroll"===i)a.container?a.container["scroll"+a.direction]=n:"Left"===a.direction?e.scrollTo(n,a.alternateValue):e.scrollTo(a.alternateValue,n);else if(k.Normalizations.registered[i]&&"transform"===k.Normalizations.registered[i]("name",t))k.Normalizations.registered[i]("inject",t,n),s="transform",n=r(t).transformCache[i];else{if(k.Hooks.registered[i]){var l=i,c=k.Hooks.getRoot(i);o=o||k.getPropertyValue(t,c),n=k.Hooks.injectValue(l,n,o),i=c}if(k.Normalizations.registered[i]&&(n=k.Normalizations.registered[i]("inject",t,n),i=k.Normalizations.registered[i]("name",t)),s=k.Names.prefixCheck(i)[0],8>=h)try{t.style[s]=n}catch(t){b.debug&&console.log("Browser does not support ["+n+"] for ["+s+"]")}else r(t)&&r(t).isSVG&&k.Names.SVGAttribute(i)?t.setAttribute(i,n):t.style[s]=n;b.debug>=2&&console.log("Set "+i+" ("+s+"): "+n)}return[s,n]},flushTransformCache:function(t){function e(e){return parseFloat(k.getPropertyValue(t,e))}var i="";if((h||b.State.isAndroid&&!b.State.isChrome)&&r(t).isSVG){var n={translate:[e("translateX"),e("translateY")],skewX:[e("skewX")],skewY:[e("skewY")],scale:1!==e("scale")?[e("scale"),e("scale")]:[e("scaleX"),e("scaleY")],rotate:[e("rotateZ"),0,0]};p.each(r(t).transformCache,function(t){/^translate/i.test(t)?t="translate":/^scale/i.test(t)?t="scale":/^rotate/i.test(t)&&(t="rotate"),n[t]&&(i+=t+"("+n[t].join(" ")+") ",delete n[t])})}else{var o,a;p.each(r(t).transformCache,function(e){return o=r(t).transformCache[e],"transformPerspective"===e?(a=o,!0):(9===h&&"rotateZ"===e&&(e="rotate"),void(i+=e+o+" "))}),a&&(i="perspective"+a+" "+i)}k.setPropertyValue(t,"transform",i)}};k.Hooks.register(),k.Normalizations.register(),b.hook=function(t,e,i){var o=n;return t=a(t),p.each(t,function(t,a){if(r(a)===n&&b.init(a),i===n)o===n&&(o=b.CSS.getPropertyValue(a,e));else{var s=b.CSS.setPropertyValue(a,e,i);"transform"===s[0]&&b.CSS.flushTransformCache(a),o=s}}),o};var x=function(){function t(){return s?P.promise||null:l}function o(){function t(t){function d(t,e){var i=n,o=n,r=n;return v.isArray(t)?(i=t[0],!v.isArray(t[1])&&/^[\d-]/.test(t[1])||v.isFunction(t[1])||k.RegEx.isHex.test(t[1])?r=t[1]:(v.isString(t[1])&&!k.RegEx.isHex.test(t[1])||v.isArray(t[1]))&&(o=e?t[1]:c(t[1],s.duration),t[2]!==n&&(r=t[2]))):i=t,e||(o=o||s.easing),v.isFunction(i)&&(i=i.call(a,T,C)),v.isFunction(r)&&(r=r.call(a,T,C)),[i||0,o,r]}function h(t,e){var i,n;return n=(e||"0").toString().toLowerCase().replace(/[%A-z]+$/,function(t){return i=t,""}),i||(i=k.Values.getUnitType(t)),[n,i]}if(s.begin&&0===T)try{s.begin.call(f,f)}catch(t){setTimeout(function(){throw t},1)}if("scroll"===A){var g,w,x,S=/^x$/i.test(s.axis)?"Left":"Top",O=parseFloat(s.offset)||0;s.container?v.isWrapped(s.container)||v.isNode(s.container)?(s.container=s.container[0]||s.container,g=s.container["scroll"+S],x=g+p(a).position()[S.toLowerCase()]+O):s.container=null:(g=b.State.scrollAnchor[b.State["scrollProperty"+S]],w=b.State.scrollAnchor[b.State["scrollProperty"+("Left"===S?"Top":"Left")]],x=p(a).offset()[S.toLowerCase()]+O),l={scroll:{rootPropertyValue:!1,startValue:g,currentValue:g,endValue:x,unitType:"",easing:s.easing,scrollData:{container:s.container,direction:S,alternateValue:w}},element:a},b.debug&&console.log("tweensContainer (scroll): ",l.scroll,a)}else if("reverse"===A){if(!r(a).tweensContainer)return void p.dequeue(a,s.queue);"none"===r(a).opts.display&&(r(a).opts.display="auto"),"hidden"===r(a).opts.visibility&&(r(a).opts.visibility="visible"),r(a).opts.loop=!1,r(a).opts.begin=null,r(a).opts.complete=null,y.easing||delete s.easing,y.duration||delete s.duration,s=p.extend({},r(a).opts,s);M=p.extend(!0,{},r(a).tweensContainer);for(var E in M)if("element"!==E){var _=M[E].startValue;M[E].startValue=M[E].currentValue=M[E].endValue,M[E].endValue=_,v.isEmptyObject(y)||(M[E].easing=s.easing),b.debug&&console.log("reverse tweensContainer ("+E+"): "+JSON.stringify(M[E]),a)}l=M}else if("start"===A){var M;r(a).tweensContainer&&!0===r(a).isAnimating&&(M=r(a).tweensContainer),p.each(m,function(t,e){if(RegExp("^"+k.Lists.colors.join("$|^")+"$").test(t)){var i=d(e,!0),o=i[0],a=i[1],r=i[2];if(k.RegEx.isHex.test(o)){for(var s=["Red","Green","Blue"],l=k.Values.hexToRgb(o),c=r?k.Values.hexToRgb(r):n,u=0;u<s.length;u++){var p=[l[u]];a&&p.push(a),c!==n&&p.push(c[u]),m[t+s[u]]=p}delete m[t]}}});for(var q in m){var z=d(m[q]),V=z[0],H=z[1],L=z[2];q=k.Names.camelCase(q);var j=k.Hooks.getRoot(q),$=!1;if(r(a).isSVG||"tween"===j||!1!==k.Names.prefixCheck(j)[1]||k.Normalizations.registered[j]!==n){(s.display!==n&&null!==s.display&&"none"!==s.display||s.visibility!==n&&"hidden"!==s.visibility)&&/opacity|filter/.test(q)&&!L&&0!==V&&(L=0),s._cacheValues&&M&&M[q]?(L===n&&(L=M[q].endValue+M[q].unitType),$=r(a).rootPropertyValueCache[j]):k.Hooks.registered[q]?L===n?($=k.getPropertyValue(a,j),L=k.getPropertyValue(a,q,$)):$=k.Hooks.templates[j][1]:L===n&&(L=k.getPropertyValue(a,q));var N,W,F,Q=!1;if(N=h(q,L),L=N[0],F=N[1],N=h(q,V),V=N[0].replace(/^([+-\/*])=/,function(t,e){return Q=e,""}),W=N[1],L=parseFloat(L)||0,V=parseFloat(V)||0,"%"===W&&(/^(fontSize|lineHeight)$/.test(q)?(V/=100,W="em"):/^scale/.test(q)?(V/=100,W=""):/(Red|Green|Blue)$/i.test(q)&&(V=V/100*255,W="")),/[\/*]/.test(Q))W=F;else if(F!==W&&0!==L)if(0===V)W=F;else{o=o||function(){var t={myParent:a.parentNode||i.body,position:k.getPropertyValue(a,"position"),fontSize:k.getPropertyValue(a,"fontSize")},n=t.position===I.lastPosition&&t.myParent===I.lastParent,o=t.fontSize===I.lastFontSize;I.lastParent=t.myParent,I.lastPosition=t.position,I.lastFontSize=t.fontSize;var s=100,l={};if(o&&n)l.emToPx=I.lastEmToPx,l.percentToPxWidth=I.lastPercentToPxWidth,l.percentToPxHeight=I.lastPercentToPxHeight;else{var c=r(a).isSVG?i.createElementNS("http://www.w3.org/2000/svg","rect"):i.createElement("div");b.init(c),t.myParent.appendChild(c),p.each(["overflow","overflowX","overflowY"],function(t,e){b.CSS.setPropertyValue(c,e,"hidden")}),b.CSS.setPropertyValue(c,"position",t.position),b.CSS.setPropertyValue(c,"fontSize",t.fontSize),b.CSS.setPropertyValue(c,"boxSizing","content-box"),p.each(["minWidth","maxWidth","width","minHeight","maxHeight","height"],function(t,e){b.CSS.setPropertyValue(c,e,s+"%")}),b.CSS.setPropertyValue(c,"paddingLeft",s+"em"),l.percentToPxWidth=I.lastPercentToPxWidth=(parseFloat(k.getPropertyValue(c,"width",null,!0))||1)/s,l.percentToPxHeight=I.lastPercentToPxHeight=(parseFloat(k.getPropertyValue(c,"height",null,!0))||1)/s,l.emToPx=I.lastEmToPx=(parseFloat(k.getPropertyValue(c,"paddingLeft"))||1)/s,t.myParent.removeChild(c)}return null===I.remToPx&&(I.remToPx=parseFloat(k.getPropertyValue(i.body,"fontSize"))||16),null===I.vwToPx&&(I.vwToPx=parseFloat(e.innerWidth)/100,I.vhToPx=parseFloat(e.innerHeight)/100),l.remToPx=I.remToPx,l.vwToPx=I.vwToPx,l.vhToPx=I.vhToPx,b.debug>=1&&console.log("Unit ratios: "+JSON.stringify(l),a),l}();var X=/margin|padding|left|right|width|text|word|letter/i.test(q)||/X$/.test(q)||"x"===q?"x":"y";switch(F){case"%":L*="x"===X?o.percentToPxWidth:o.percentToPxHeight;break;case"px":break;default:L*=o[F+"ToPx"]}switch(W){case"%":L*=1/("x"===X?o.percentToPxWidth:o.percentToPxHeight);break;case"px":break;default:L*=1/o[W+"ToPx"]}}switch(Q){case"+":V=L+V;break;case"-":V=L-V;break;case"*":V*=L;break;case"/":V=L/V}l[q]={rootPropertyValue:$,startValue:L,currentValue:L,endValue:V,unitType:W,easing:H},b.debug&&console.log("tweensContainer ("+q+"): "+JSON.stringify(l[q]),a)}else b.debug&&console.log("Skipping ["+j+"] due to a lack of browser support.")}l.element=a}l.element&&(k.Values.addClass(a,"velocity-animating"),D.push(l),""===s.queue&&(r(a).tweensContainer=l,r(a).opts=s),r(a).isAnimating=!0,T===C-1?(b.State.calls.push([D,f,s,null,P.resolver]),!1===b.State.isTicking&&(b.State.isTicking=!0,u())):T++)}var o,a=this,s=p.extend({},b.defaults,y),l={};switch(r(a)===n&&b.init(a),parseFloat(s.delay)&&!1!==s.queue&&p.queue(a,s.queue,function(t){b.velocityQueueEntryFlag=!0,r(a).delayTimer={setTimeout:setTimeout(t,parseFloat(s.delay)),next:t}}),s.duration.toString().toLowerCase()){case"fast":s.duration=200;break;case"normal":s.duration=g;break;case"slow":s.duration=600;break;default:s.duration=parseFloat(s.duration)||1}!1!==b.mock&&(!0===b.mock?s.duration=s.delay=1:(s.duration*=parseFloat(b.mock)||1,s.delay*=parseFloat(b.mock)||1)),s.easing=c(s.easing,s.duration),s.begin&&!v.isFunction(s.begin)&&(s.begin=null),s.progress&&!v.isFunction(s.progress)&&(s.progress=null),s.complete&&!v.isFunction(s.complete)&&(s.complete=null),s.display!==n&&null!==s.display&&(s.display=s.display.toString().toLowerCase(),"auto"===s.display&&(s.display=b.CSS.Values.getDisplayType(a))),s.visibility!==n&&null!==s.visibility&&(s.visibility=s.visibility.toString().toLowerCase()),s.mobileHA=s.mobileHA&&b.State.isMobile&&!b.State.isGingerbread,!1===s.queue?s.delay?setTimeout(t,s.delay):t():p.queue(a,s.queue,function(e,i){return!0===i?(P.promise&&P.resolver(f),!0):(b.velocityQueueEntryFlag=!0,void t(e))}),""!==s.queue&&"fx"!==s.queue||"inprogress"===p.queue(a)[0]||p.dequeue(a)}var s,l,h,f,m,y,w=arguments[0]&&(arguments[0].p||p.isPlainObject(arguments[0].properties)&&!arguments[0].properties.names||v.isString(arguments[0].properties));if(v.isWrapped(this)?(s=!1,h=0,f=this,l=this):(s=!0,h=1,f=w?arguments[0].elements||arguments[0].e:arguments[0]),f=a(f)){w?(m=arguments[0].properties||arguments[0].p,y=arguments[0].options||arguments[0].o):(m=arguments[h],y=arguments[h+1]);var C=f.length,T=0;if(!/^(stop|finish)$/i.test(m)&&!p.isPlainObject(y)){y={};for(var S=h+1;S<arguments.length;S++)v.isArray(arguments[S])||!/^(fast|normal|slow)$/i.test(arguments[S])&&!/^\d/.test(arguments[S])?v.isString(arguments[S])||v.isArray(arguments[S])?y.easing=arguments[S]:v.isFunction(arguments[S])&&(y.complete=arguments[S]):y.duration=arguments[S]}var P={promise:null,resolver:null,rejecter:null};s&&b.Promise&&(P.promise=new b.Promise(function(t,e){P.resolver=t,P.rejecter=e}));var A;switch(m){case"scroll":A="scroll";break;case"reverse":A="reverse";break;case"finish":case"stop":p.each(f,function(t,e){r(e)&&r(e).delayTimer&&(clearTimeout(r(e).delayTimer.setTimeout),r(e).delayTimer.next&&r(e).delayTimer.next(),delete r(e).delayTimer)});var O=[];return p.each(b.State.calls,function(t,e){e&&p.each(e[1],function(i,o){var a=y===n?"":y;return!0!==a&&e[2].queue!==a&&(y!==n||!1!==e[2].queue)||void p.each(f,function(i,n){n===o&&((!0===y||v.isString(y))&&(p.each(p.queue(n,v.isString(y)?y:""),function(t,e){v.isFunction(e)&&e(null,!0)}),p.queue(n,v.isString(y)?y:"",[])),"stop"===m?(r(n)&&r(n).tweensContainer&&!1!==a&&p.each(r(n).tweensContainer,function(t,e){e.endValue=e.currentValue}),O.push(t)):"finish"===m&&(e[2].duration=1))})})}),"stop"===m&&(p.each(O,function(t,e){d(e,!0)}),P.promise&&P.resolver(f)),t();default:if(!p.isPlainObject(m)||v.isEmptyObject(m)){if(v.isString(m)&&b.Redirects[m]){var E=(z=p.extend({},y)).duration,_=z.delay||0;return!0===z.backwards&&(f=p.extend(!0,[],f).reverse()),p.each(f,function(t,e){parseFloat(z.stagger)?z.delay=_+parseFloat(z.stagger)*t:v.isFunction(z.stagger)&&(z.delay=_+z.stagger.call(e,t,C)),z.drag&&(z.duration=parseFloat(E)||(/^(callout|transition)/.test(m)?1e3:g),z.duration=Math.max(z.duration*(z.backwards?1-t/C:(t+1)/C),.75*z.duration,200)),b.Redirects[m].call(e,e,z||{},t,C,f,P.promise?P:n)}),t()}var M="Velocity: First argument ("+m+") was not a property map, a known action, or a registered redirect. Aborting.";return P.promise?P.rejecter(new Error(M)):console.log(M),t()}A="start"}var I={lastParent:null,lastPosition:null,lastFontSize:null,lastPercentToPxWidth:null,lastPercentToPxHeight:null,lastEmToPx:null,remToPx:null,vwToPx:null,vhToPx:null},D=[];p.each(f,function(t,e){v.isNode(e)&&o.call(e)});var q,z=p.extend({},b.defaults,y);if(z.loop=parseInt(z.loop),q=2*z.loop-1,z.loop)for(var V=0;q>V;V++){var H={delay:z.delay,progress:z.progress};V===q-1&&(H.display=z.display,H.visibility=z.visibility,H.complete=z.complete),x(f,"reverse",H)}return t()}};(b=p.extend(x,b)).animate=x;var C=e.requestAnimationFrame||f;return b.State.isMobile||i.hidden===n||i.addEventListener("visibilitychange",function(){i.hidden?(C=function(t){return setTimeout(function(){t(!0)},16)},u()):C=e.requestAnimationFrame||f}),t.Velocity=b,t!==e&&(t.fn.velocity=x,t.fn.velocity.defaults=b.defaults),p.each(["Down","Up"],function(t,e){b.Redirects["slide"+e]=function(t,i,o,a,r,s){var l=p.extend({},i),c=l.begin,u=l.complete,d={height:"",marginTop:"",marginBottom:"",paddingTop:"",paddingBottom:""},h={};l.display===n&&(l.display="Down"===e?"inline"===b.CSS.Values.getDisplayType(t)?"inline-block":"block":"none"),l.begin=function(){c&&c.call(r,r);for(var i in d){h[i]=t.style[i];var n=b.CSS.getPropertyValue(t,i);d[i]="Down"===e?[n,0]:[0,n]}h.overflow=t.style.overflow,t.style.overflow="hidden"},l.complete=function(){for(var e in h)t.style[e]=h[e];u&&u.call(r,r),s&&s.resolver(r)},b(t,d,l)}}),p.each(["In","Out"],function(t,e){b.Redirects["fade"+e]=function(t,i,o,a,r,s){var l=p.extend({},i),c={opacity:"In"===e?1:0},u=l.complete;l.complete=o!==a-1?l.begin=null:function(){u&&u.call(r,r),s&&s.resolver(r)},l.display===n&&(l.display="In"===e?"auto":"none"),b(this,c,l)}}),b}jQuery.fn.velocity=jQuery.fn.animate}}(window.jQuery||window.Zepto||window,window,document)})),function(t,e,i,n){"use strict";function o(t,e,i){return setTimeout(u(t,i),e)}function a(t,e,i){return!!Array.isArray(t)&&(r(t,i[e],i),!0)}function r(t,e,i){var o;if(t)if(t.forEach)t.forEach(e,i);else if(t.length!==n)for(o=0;o<t.length;)e.call(i,t[o],o,t),o++;else for(o in t)t.hasOwnProperty(o)&&e.call(i,t[o],o,t)}function s(t,e,i){for(var o=Object.keys(e),a=0;a<o.length;)(!i||i&&t[o[a]]===n)&&(t[o[a]]=e[o[a]]),a++;return t}function l(t,e){return s(t,e,!0)}function c(t,e,i){var n,o=e.prototype;(n=t.prototype=Object.create(o)).constructor=t,n._super=o,i&&s(n,i)}function u(t,e){return function(){return t.apply(e,arguments)}}function d(t,e){return typeof t==ut?t.apply(e?e[0]||n:n,e):t}function p(t,e){return t===n?e:t}function h(t,e,i){r(g(e),function(e){t.addEventListener(e,i,!1)})}function f(t,e,i){r(g(e),function(e){t.removeEventListener(e,i,!1)})}function v(t,e){for(;t;){if(t==e)return!0;t=t.parentNode}return!1}function m(t,e){return t.indexOf(e)>-1}function g(t){return t.trim().split(/\s+/g)}function y(t,e,i){if(t.indexOf&&!i)return t.indexOf(e);for(var n=0;n<t.length;){if(i&&t[n][i]==e||!i&&t[n]===e)return n;n++}return-1}function b(t){return Array.prototype.slice.call(t,0)}function w(t,e,i){for(var n=[],o=[],a=0;a<t.length;){var r=e?t[a][e]:t[a];y(o,r)<0&&n.push(t[a]),o[a]=r,a++}return i&&(n=e?n.sort(function(t,i){return t[e]>i[e]}):n.sort()),n}function k(t,e){for(var i,o,a=e[0].toUpperCase()+e.slice(1),r=0;r<lt.length;){if(i=lt[r],(o=i?i+a:e)in t)return o;r++}return n}function x(){return ft++}function C(t){var e=t.ownerDocument;return e.defaultView||e.parentWindow}function T(t,e){var i=this;this.manager=t,this.callback=e,this.element=t.element,this.target=t.options.inputTarget,this.domHandler=function(e){d(t.options.enable,[t])&&i.handler(e)},this.init()}function S(t){var e=t.options.inputClass;return new(e||(gt?j:yt?W:mt?Q:L))(t,P)}function P(t,e,i){var n=i.pointers.length,o=i.changedPointers.length,a=e&xt&&0==n-o,r=e&(Tt|St)&&0==n-o;i.isFirst=!!a,i.isFinal=!!r,a&&(t.session={}),i.eventType=e,A(t,i),t.emit("hammer.input",i),t.recognize(i),t.session.prevInput=i}function A(t,e){var i=t.session,n=e.pointers,o=n.length;i.firstInput||(i.firstInput=_(e)),o>1&&!i.firstMultiple?i.firstMultiple=_(e):1===o&&(i.firstMultiple=!1);var a=i.firstInput,r=i.firstMultiple,s=r?r.center:a.center,l=e.center=M(n);e.timeStamp=ht(),e.deltaTime=e.timeStamp-a.timeStamp,e.angle=z(s,l),e.distance=q(s,l),O(i,e),e.offsetDirection=D(e.deltaX,e.deltaY),e.scale=r?H(r.pointers,n):1,e.rotation=r?V(r.pointers,n):0,E(i,e);var c=t.element;v(e.srcEvent.target,c)&&(c=e.srcEvent.target),e.target=c}function O(t,e){var i=e.center,n=t.offsetDelta||{},o=t.prevDelta||{},a=t.prevInput||{};(e.eventType===xt||a.eventType===Tt)&&(o=t.prevDelta={x:a.deltaX||0,y:a.deltaY||0},n=t.offsetDelta={x:i.x,y:i.y}),e.deltaX=o.x+(i.x-n.x),e.deltaY=o.y+(i.y-n.y)}function E(t,e){var i,o,a,r,s=t.lastInterval||e,l=e.timeStamp-s.timeStamp;if(e.eventType!=St&&(l>kt||s.velocity===n)){var c=s.deltaX-e.deltaX,u=s.deltaY-e.deltaY,d=I(l,c,u);o=d.x,a=d.y,i=pt(d.x)>pt(d.y)?d.x:d.y,r=D(c,u),t.lastInterval=e}else i=s.velocity,o=s.velocityX,a=s.velocityY,r=s.direction;e.velocity=i,e.velocityX=o,e.velocityY=a,e.direction=r}function _(t){for(var e=[],i=0;i<t.pointers.length;)e[i]={clientX:dt(t.pointers[i].clientX),clientY:dt(t.pointers[i].clientY)},i++;return{timeStamp:ht(),pointers:e,center:M(e),deltaX:t.deltaX,deltaY:t.deltaY}}function M(t){var e=t.length;if(1===e)return{x:dt(t[0].clientX),y:dt(t[0].clientY)};for(var i=0,n=0,o=0;e>o;)i+=t[o].clientX,n+=t[o].clientY,o++;return{x:dt(i/e),y:dt(n/e)}}function I(t,e,i){return{x:e/t||0,y:i/t||0}}function D(t,e){return t===e?Pt:pt(t)>=pt(e)?t>0?At:Ot:e>0?Et:_t}function q(t,e,i){i||(i=qt);var n=e[i[0]]-t[i[0]],o=e[i[1]]-t[i[1]];return Math.sqrt(n*n+o*o)}function z(t,e,i){i||(i=qt);var n=e[i[0]]-t[i[0]],o=e[i[1]]-t[i[1]];return 180*Math.atan2(o,n)/Math.PI}function V(t,e){return z(e[1],e[0],zt)-z(t[1],t[0],zt)}function H(t,e){return q(e[0],e[1],zt)/q(t[0],t[1],zt)}function L(){this.evEl=Ht,this.evWin=Lt,this.allow=!0,this.pressed=!1,T.apply(this,arguments)}function j(){this.evEl=Nt,this.evWin=Wt,T.apply(this,arguments),this.store=this.manager.session.pointerEvents=[]}function $(){this.evTarget=Qt,this.evWin=Xt,this.started=!1,T.apply(this,arguments)}function N(t,e){var i=b(t.touches),n=b(t.changedTouches);return e&(Tt|St)&&(i=w(i.concat(n),"identifier",!0)),[i,n]}function W(){this.evTarget=Yt,this.targetIds={},T.apply(this,arguments)}function F(t,e){var i=b(t.touches),n=this.targetIds;if(e&(xt|Ct)&&1===i.length)return n[i[0].identifier]=!0,[i,i];var o,a,r=b(t.changedTouches),s=[],l=this.target;if(a=i.filter(function(t){return v(t.target,l)}),e===xt)for(o=0;o<a.length;)n[a[o].identifier]=!0,o++;for(o=0;o<r.length;)n[r[o].identifier]&&s.push(r[o]),e&(Tt|St)&&delete n[r[o].identifier],o++;return s.length?[w(a.concat(s),"identifier",!0),s]:void 0}function Q(){T.apply(this,arguments);var t=u(this.handler,this);this.touch=new W(this.manager,t),this.mouse=new L(this.manager,t)}function X(t,e){this.manager=t,this.set(e)}function R(t){if(m(t,Kt))return Kt;var e=m(t,te),i=m(t,ee);return e&&i?te+" "+ee:e||i?e?te:ee:m(t,Jt)?Jt:Zt}function Y(t){this.id=x(),this.manager=null,this.options=l(t||{},this.defaults),this.options.enable=p(this.options.enable,!0),this.state=ie,this.simultaneous={},this.requireFail=[]}function B(t){return t&se?"cancel":t&ae?"end":t&oe?"move":t&ne?"start":""}function U(t){return t==_t?"down":t==Et?"up":t==At?"left":t==Ot?"right":""}function G(t,e){var i=e.manager;return i?i.get(t):t}function Z(){Y.apply(this,arguments)}function J(){Z.apply(this,arguments),this.pX=null,this.pY=null}function K(){Z.apply(this,arguments)}function tt(){Y.apply(this,arguments),this._timer=null,this._input=null}function et(){Z.apply(this,arguments)}function it(){Z.apply(this,arguments)}function nt(){Y.apply(this,arguments),this.pTime=!1,this.pCenter=!1,this._timer=null,this._input=null,this.count=0}function ot(t,e){return e=e||{},e.recognizers=p(e.recognizers,ot.defaults.preset),new at(t,e)}function at(t,e){e=e||{},this.options=l(e,ot.defaults),this.options.inputTarget=this.options.inputTarget||t,this.handlers={},this.session={},this.recognizers=[],this.element=t,this.input=S(this),this.touchAction=new X(this,this.options.touchAction),rt(this,!0),r(e.recognizers,function(t){var e=this.add(new t[0](t[1]));t[2]&&e.recognizeWith(t[2]),t[3]&&e.requireFailure(t[3])},this)}function rt(t,e){var i=t.element;r(t.options.cssProps,function(t,n){i.style[k(i.style,n)]=e?t:""})}function st(t,i){var n=e.createEvent("Event");n.initEvent(t,!0,!0),n.gesture=i,i.target.dispatchEvent(n)}var lt=["","webkit","moz","MS","ms","o"],ct=e.createElement("div"),ut="function",dt=Math.round,pt=Math.abs,ht=Date.now,ft=1,vt=/mobile|tablet|ip(ad|hone|od)|android/i,mt="ontouchstart"in t,gt=k(t,"PointerEvent")!==n,yt=mt&&vt.test(navigator.userAgent),bt="touch",wt="mouse",kt=25,xt=1,Ct=2,Tt=4,St=8,Pt=1,At=2,Ot=4,Et=8,_t=16,Mt=At|Ot,It=Et|_t,Dt=Mt|It,qt=["x","y"],zt=["clientX","clientY"];T.prototype={handler:function(){},init:function(){this.evEl&&h(this.element,this.evEl,this.domHandler),this.evTarget&&h(this.target,this.evTarget,this.domHandler),this.evWin&&h(C(this.element),this.evWin,this.domHandler)},destroy:function(){this.evEl&&f(this.element,this.evEl,this.domHandler),this.evTarget&&f(this.target,this.evTarget,this.domHandler),this.evWin&&f(C(this.element),this.evWin,this.domHandler)}};var Vt={mousedown:xt,mousemove:Ct,mouseup:Tt},Ht="mousedown",Lt="mousemove mouseup";c(L,T,{handler:function(t){var e=Vt[t.type];e&xt&&0===t.button&&(this.pressed=!0),e&Ct&&1!==t.which&&(e=Tt),this.pressed&&this.allow&&(e&Tt&&(this.pressed=!1),this.callback(this.manager,e,{pointers:[t],changedPointers:[t],pointerType:wt,srcEvent:t}))}});var jt={pointerdown:xt,pointermove:Ct,pointerup:Tt,pointercancel:St,pointerout:St},$t={2:bt,3:"pen",4:wt,5:"kinect"},Nt="pointerdown",Wt="pointermove pointerup pointercancel";t.MSPointerEvent&&(Nt="MSPointerDown",Wt="MSPointerMove MSPointerUp MSPointerCancel"),c(j,T,{handler:function(t){var e=this.store,i=!1,n=t.type.toLowerCase().replace("ms",""),o=jt[n],a=$t[t.pointerType]||t.pointerType,r=a==bt,s=y(e,t.pointerId,"pointerId");o&xt&&(0===t.button||r)?0>s&&(e.push(t),s=e.length-1):o&(Tt|St)&&(i=!0),0>s||(e[s]=t,this.callback(this.manager,o,{pointers:e,changedPointers:[t],pointerType:a,srcEvent:t}),i&&e.splice(s,1))}});var Ft={touchstart:xt,touchmove:Ct,touchend:Tt,touchcancel:St},Qt="touchstart",Xt="touchstart touchmove touchend touchcancel";c($,T,{handler:function(t){var e=Ft[t.type];if(e===xt&&(this.started=!0),this.started){var i=N.call(this,t,e);e&(Tt|St)&&0==i[0].length-i[1].length&&(this.started=!1),this.callback(this.manager,e,{pointers:i[0],changedPointers:i[1],pointerType:bt,srcEvent:t})}}});var Rt={touchstart:xt,touchmove:Ct,touchend:Tt,touchcancel:St},Yt="touchstart touchmove touchend touchcancel";c(W,T,{handler:function(t){var e=Rt[t.type],i=F.call(this,t,e);i&&this.callback(this.manager,e,{pointers:i[0],changedPointers:i[1],pointerType:bt,srcEvent:t})}}),c(Q,T,{handler:function(t,e,i){var n=i.pointerType==bt,o=i.pointerType==wt;if(n)this.mouse.allow=!1;else if(o&&!this.mouse.allow)return;e&(Tt|St)&&(this.mouse.allow=!0),this.callback(t,e,i)},destroy:function(){this.touch.destroy(),this.mouse.destroy()}});var Bt=k(ct.style,"touchAction"),Ut=Bt!==n,Gt="compute",Zt="auto",Jt="manipulation",Kt="none",te="pan-x",ee="pan-y";X.prototype={set:function(t){t==Gt&&(t=this.compute()),Ut&&(this.manager.element.style[Bt]=t),this.actions=t.toLowerCase().trim()},update:function(){this.set(this.manager.options.touchAction)},compute:function(){var t=[];return r(this.manager.recognizers,function(e){d(e.options.enable,[e])&&(t=t.concat(e.getTouchAction()))}),R(t.join(" "))},preventDefaults:function(t){if(!Ut){var e=t.srcEvent,i=t.offsetDirection;if(this.manager.session.prevented)return void e.preventDefault();var n=this.actions,o=m(n,Kt),a=m(n,ee),r=m(n,te);return o||a&&i&Mt||r&&i&It?this.preventSrc(e):void 0}},preventSrc:function(t){this.manager.session.prevented=!0,t.preventDefault()}};var ie=1,ne=2,oe=4,ae=8,re=ae,se=16;Y.prototype={defaults:{},set:function(t){return s(this.options,t),this.manager&&this.manager.touchAction.update(),this},recognizeWith:function(t){if(a(t,"recognizeWith",this))return this;var e=this.simultaneous;return t=G(t,this),e[t.id]||(e[t.id]=t,t.recognizeWith(this)),this},dropRecognizeWith:function(t){return a(t,"dropRecognizeWith",this)?this:(t=G(t,this),delete this.simultaneous[t.id],this)},requireFailure:function(t){if(a(t,"requireFailure",this))return this;var e=this.requireFail;return t=G(t,this),-1===y(e,t)&&(e.push(t),t.requireFailure(this)),this},dropRequireFailure:function(t){if(a(t,"dropRequireFailure",this))return this;t=G(t,this);var e=y(this.requireFail,t);return e>-1&&this.requireFail.splice(e,1),this},hasRequireFailures:function(){return this.requireFail.length>0},canRecognizeWith:function(t){return!!this.simultaneous[t.id]},emit:function(t){function e(e){i.manager.emit(i.options.event+(e?B(n):""),t)}var i=this,n=this.state;ae>n&&e(!0),e(),n>=ae&&e(!0)},tryEmit:function(t){return this.canEmit()?this.emit(t):void(this.state=32)},canEmit:function(){for(var t=0;t<this.requireFail.length;){if(!(this.requireFail[t].state&(32|ie)))return!1;t++}return!0},recognize:function(t){var e=s({},t);return d(this.options.enable,[this,e])?(this.state&(re|se|32)&&(this.state=ie),this.state=this.process(e),void(this.state&(ne|oe|ae|se)&&this.tryEmit(e))):(this.reset(),void(this.state=32))},process:function(){},getTouchAction:function(){},reset:function(){}},c(Z,Y,{defaults:{pointers:1},attrTest:function(t){var e=this.options.pointers;return 0===e||t.pointers.length===e},process:function(t){var e=this.state,i=t.eventType,n=e&(ne|oe),o=this.attrTest(t);return n&&(i&St||!o)?e|se:n||o?i&Tt?e|ae:e&ne?e|oe:ne:32}}),c(J,Z,{defaults:{event:"pan",threshold:10,pointers:1,direction:Dt},getTouchAction:function(){var t=this.options.direction,e=[];return t&Mt&&e.push(ee),t&It&&e.push(te),e},directionTest:function(t){var e=this.options,i=!0,n=t.distance,o=t.direction,a=t.deltaX,r=t.deltaY;return o&e.direction||(e.direction&Mt?(o=0===a?Pt:0>a?At:Ot,i=a!=this.pX,n=Math.abs(t.deltaX)):(o=0===r?Pt:0>r?Et:_t,i=r!=this.pY,n=Math.abs(t.deltaY))),t.direction=o,i&&n>e.threshold&&o&e.direction},attrTest:function(t){return Z.prototype.attrTest.call(this,t)&&(this.state&ne||!(this.state&ne)&&this.directionTest(t))},emit:function(t){this.pX=t.deltaX,this.pY=t.deltaY;var e=U(t.direction);e&&this.manager.emit(this.options.event+e,t),this._super.emit.call(this,t)}}),c(K,Z,{defaults:{event:"pinch",threshold:0,pointers:2},getTouchAction:function(){return[Kt]},attrTest:function(t){return this._super.attrTest.call(this,t)&&(Math.abs(t.scale-1)>this.options.threshold||this.state&ne)},emit:function(t){if(this._super.emit.call(this,t),1!==t.scale){var e=t.scale<1?"in":"out";this.manager.emit(this.options.event+e,t)}}}),c(tt,Y,{defaults:{event:"press",pointers:1,time:500,threshold:5},getTouchAction:function(){return[Zt]},process:function(t){var e=this.options,i=t.pointers.length===e.pointers,n=t.distance<e.threshold,a=t.deltaTime>e.time;if(this._input=t,!n||!i||t.eventType&(Tt|St)&&!a)this.reset();else if(t.eventType&xt)this.reset(),this._timer=o(function(){this.state=re,this.tryEmit()},e.time,this);else if(t.eventType&Tt)return re;return 32},reset:function(){clearTimeout(this._timer)},emit:function(t){this.state===re&&(t&&t.eventType&Tt?this.manager.emit(this.options.event+"up",t):(this._input.timeStamp=ht(),this.manager.emit(this.options.event,this._input)))}}),c(et,Z,{defaults:{event:"rotate",threshold:0,pointers:2},getTouchAction:function(){return[Kt]},attrTest:function(t){return this._super.attrTest.call(this,t)&&(Math.abs(t.rotation)>this.options.threshold||this.state&ne)}}),c(it,Z,{defaults:{event:"swipe",threshold:10,velocity:.65,direction:Mt|It,pointers:1},getTouchAction:function(){return J.prototype.getTouchAction.call(this)},attrTest:function(t){var e,i=this.options.direction;return i&(Mt|It)?e=t.velocity:i&Mt?e=t.velocityX:i&It&&(e=t.velocityY),this._super.attrTest.call(this,t)&&i&t.direction&&t.distance>this.options.threshold&&pt(e)>this.options.velocity&&t.eventType&Tt},emit:function(t){var e=U(t.direction);e&&this.manager.emit(this.options.event+e,t),this.manager.emit(this.options.event,t)}}),c(nt,Y,{defaults:{event:"tap",pointers:1,taps:1,interval:300,time:250,threshold:2,posThreshold:10},getTouchAction:function(){return[Jt]},process:function(t){var e=this.options,i=t.pointers.length===e.pointers,n=t.distance<e.threshold,a=t.deltaTime<e.time;if(this.reset(),t.eventType&xt&&0===this.count)return this.failTimeout();if(n&&a&&i){if(t.eventType!=Tt)return this.failTimeout();var r=!this.pTime||t.timeStamp-this.pTime<e.interval,s=!this.pCenter||q(this.pCenter,t.center)<e.posThreshold;if(this.pTime=t.timeStamp,this.pCenter=t.center,s&&r?this.count+=1:this.count=1,this._input=t,0===this.count%e.taps)return this.hasRequireFailures()?(this._timer=o(function(){this.state=re,this.tryEmit()},e.interval,this),ne):re}return 32},failTimeout:function(){return this._timer=o(function(){this.state=32},this.options.interval,this),32},reset:function(){clearTimeout(this._timer)},emit:function(){this.state==re&&(this._input.tapCount=this.count,this.manager.emit(this.options.event,this._input))}}),ot.VERSION="2.0.4",ot.defaults={domEvents:!1,touchAction:Gt,enable:!0,inputTarget:null,inputClass:null,preset:[[et,{enable:!1}],[K,{enable:!1},["rotate"]],[it,{direction:Mt}],[J,{direction:Mt},["swipe"]],[nt],[nt,{event:"doubletap",taps:2},["tap"]],[tt]],cssProps:{userSelect:"default",touchSelect:"none",touchCallout:"none",contentZooming:"none",userDrag:"none",tapHighlightColor:"rgba(0,0,0,0)"}};at.prototype={set:function(t){return s(this.options,t),t.touchAction&&this.touchAction.update(),t.inputTarget&&(this.input.destroy(),this.input.target=t.inputTarget,this.input.init()),this},stop:function(t){this.session.stopped=t?2:1},recognize:function(t){var e=this.session;if(!e.stopped){this.touchAction.preventDefaults(t);var i,n=this.recognizers,o=e.curRecognizer;(!o||o&&o.state&re)&&(o=e.curRecognizer=null);for(var a=0;a<n.length;)i=n[a],2===e.stopped||o&&i!=o&&!i.canRecognizeWith(o)?i.reset():i.recognize(t),!o&&i.state&(ne|oe|ae)&&(o=e.curRecognizer=i),a++}},get:function(t){if(t instanceof Y)return t;for(var e=this.recognizers,i=0;i<e.length;i++)if(e[i].options.event==t)return e[i];return null},add:function(t){if(a(t,"add",this))return this;var e=this.get(t.options.event);return e&&this.remove(e),this.recognizers.push(t),t.manager=this,this.touchAction.update(),t},remove:function(t){if(a(t,"remove",this))return this;var e=this.recognizers;return t=this.get(t),e.splice(y(e,t),1),this.touchAction.update(),this},on:function(t,e){var i=this.handlers;return r(g(t),function(t){i[t]=i[t]||[],i[t].push(e)}),this},off:function(t,e){var i=this.handlers;return r(g(t),function(t){e?i[t].splice(y(i[t],e),1):delete i[t]}),this},emit:function(t,e){this.options.domEvents&&st(t,e);var i=this.handlers[t]&&this.handlers[t].slice();if(i&&i.length){e.type=t,e.preventDefault=function(){e.srcEvent.preventDefault()};for(var n=0;n<i.length;)i[n](e),n++}},destroy:function(){this.element&&rt(this,!1),this.handlers={},this.session={},this.input.destroy(),this.element=null}},s(ot,{INPUT_START:xt,INPUT_MOVE:Ct,INPUT_END:Tt,INPUT_CANCEL:St,STATE_POSSIBLE:ie,STATE_BEGAN:ne,STATE_CHANGED:oe,STATE_ENDED:ae,STATE_RECOGNIZED:re,STATE_CANCELLED:se,STATE_FAILED:32,DIRECTION_NONE:Pt,DIRECTION_LEFT:At,DIRECTION_RIGHT:Ot,DIRECTION_UP:Et,DIRECTION_DOWN:_t,DIRECTION_HORIZONTAL:Mt,DIRECTION_VERTICAL:It,DIRECTION_ALL:Dt,Manager:at,Input:T,TouchAction:X,TouchInput:W,MouseInput:L,PointerEventInput:j,TouchMouseInput:Q,SingleTouchInput:$,Recognizer:Y,AttrRecognizer:Z,Tap:nt,Pan:J,Swipe:it,Pinch:K,Rotate:et,Press:tt,on:h,off:f,each:r,merge:l,extend:s,inherit:c,bindFn:u,prefixed:k}),typeof define==ut&&define.amd?define(function(){return ot}):"undefined"!=typeof module&&module.exports?module.exports=ot:t.Hammer=ot}(window,document),function(t){"function"==typeof define&&define.amd?define(["jquery","hammerjs"],t):"object"==typeof exports?t(require("jquery"),require("hammerjs")):t(jQuery,Hammer)}(function(t,e){function i(i,n){var o=t(i);o.data("hammer")||o.data("hammer",new e(o[0],n))}t.fn.hammer=function(t){return this.each(function(){i(this,t)})},e.Manager.prototype.emit=function(e){return function(i,n){e.call(this,i,n),t(this.element).trigger({type:i,gesture:n})}}(e.Manager.prototype.emit)}),function(t){t.Package?Materialize={}:t.Materialize={}}(window),"undefined"==typeof exports||exports.nodeType||("undefined"!=typeof module&&!module.nodeType&&module.exports&&(exports=module.exports=Materialize),exports.default=Materialize),function(t){for(var e=0,i=["webkit","moz"],n=t.requestAnimationFrame,o=t.cancelAnimationFrame,a=i.length;--a>=0&&!n;)n=t[i[a]+"RequestAnimationFrame"],o=t[i[a]+"CancelRequestAnimationFrame"];n&&o||(n=function(t){var i=+Date.now(),n=Math.max(e+16,i);return setTimeout(function(){t(e=n)},n-i)},o=clearTimeout),t.requestAnimationFrame=n,t.cancelAnimationFrame=o}(window),Materialize.objectSelectorString=function(t){return((t.prop("tagName")||"")+(t.attr("id")||"")+(t.attr("class")||"")).replace(/\s/g,"")},Materialize.guid=function(){function t(){return Math.floor(65536*(1+Math.random())).toString(16).substring(1)}return function(){return t()+t()+"-"+t()+"-"+t()+"-"+t()+"-"+t()+t()+t()}}(),Materialize.escapeHash=function(t){return t.replace(/(:|\.|\[|\]|,|=)/g,"\\$1")},Materialize.elementOrParentIsFixed=function(t){var e=$(t),i=!1;return e.add(e.parents()).each(function(){if("fixed"===$(this).css("position"))return i=!0,!1}),i};var getTime=Date.now||function(){return(new Date).getTime()};Materialize.throttle=function(t,e,i){var n,o,a,r=null,s=0;i||(i={});var l=function(){s=!1===i.leading?0:getTime(),r=null,a=t.apply(n,o),n=o=null};return function(){var c=getTime();s||!1!==i.leading||(s=c);var u=e-(c-s);return n=this,o=arguments,u<=0?(clearTimeout(r),r=null,s=c,a=t.apply(n,o),n=o=null):r||!1===i.trailing||(r=setTimeout(l,u)),a}};var Vel;Vel=jQuery?jQuery.Velocity:$?$.Velocity:Velocity,Materialize.Vel=Vel||Velocity,function(t){t.fn.collapsible=function(e,i){var n={accordion:void 0,onOpen:void 0,onClose:void 0},o=e;return e=t.extend(n,e),this.each(function(){function n(e){p=d.find("> li > .collapsible-header"),e.hasClass("active")?e.parent().addClass("active"):e.parent().removeClass("active"),e.parent().hasClass("active")?e.siblings(".collapsible-body").stop(!0,!1).slideDown({duration:350,easing:"easeOutQuart",queue:!1,complete:function(){t(this).css("height","")}}):e.siblings(".collapsible-body").stop(!0,!1).slideUp({duration:350,easing:"easeOutQuart",queue:!1,complete:function(){t(this).css("height","")}}),p.not(e).removeClass("active").parent().removeClass("active"),p.not(e).parent().children(".collapsible-body").stop(!0,!1).each(function(){t(this).is(":visible")&&t(this).slideUp({duration:350,easing:"easeOutQuart",queue:!1,complete:function(){t(this).css("height",""),s(t(this).siblings(".collapsible-header"))}})})}function a(e){e.hasClass("active")?e.parent().addClass("active"):e.parent().removeClass("active"),e.parent().hasClass("active")?e.siblings(".collapsible-body").stop(!0,!1).slideDown({duration:350,easing:"easeOutQuart",queue:!1,complete:function(){t(this).css("height","")}}):e.siblings(".collapsible-body").stop(!0,!1).slideUp({duration:350,easing:"easeOutQuart",queue:!1,complete:function(){t(this).css("height","")}})}function r(t,i){i||t.toggleClass("active"),e.accordion||"accordion"===h||void 0===h?n(t):a(t),s(t)}function s(t){t.hasClass("active")?"function"==typeof e.onOpen&&e.onOpen.call(this,t.parent()):"function"==typeof e.onClose&&e.onClose.call(this,t.parent())}function l(t){return c(t).length>0}function c(t){return t.closest("li > .collapsible-header")}function u(){d.off("click.collapse","> li > .collapsible-header")}var d=t(this),p=t(this).find("> li > .collapsible-header"),h=d.data("collapsible");if("destroy"!==o)if(i>=0&&i<p.length){var f=p.eq(i);f.length&&("open"===o||"close"===o&&f.hasClass("active"))&&r(f)}else u(),d.on("click.collapse","> li > .collapsible-header",function(e){var i=t(e.target);l(i)&&(i=c(i)),r(i)}),e.accordion||"accordion"===h||void 0===h?r(p.filter(".active").first(),!0):p.filter(".active").each(function(){r(t(this),!0)});else u()})},t(document).ready(function(){t(".collapsible").collapsible()})}(jQuery),function(t){t.fn.scrollTo=function(e){return t(this).scrollTop(t(this).scrollTop()-t(this).offset().top+t(e).offset().top),this},t.fn.dropdown=function(e){var i={inDuration:300,outDuration:225,constrainWidth:!0,hover:!1,gutter:0,belowOrigin:!1,alignment:"left",stopPropagation:!1};return"open"===e?(this.each(function(){t(this).trigger("open")}),!1):"close"===e?(this.each(function(){t(this).trigger("close")}),!1):void this.each(function(){function n(){void 0!==r.data("induration")&&(s.inDuration=r.data("induration")),void 0!==r.data("outduration")&&(s.outDuration=r.data("outduration")),void 0!==r.data("constrainwidth")&&(s.constrainWidth=r.data("constrainwidth")),void 0!==r.data("hover")&&(s.hover=r.data("hover")),void 0!==r.data("gutter")&&(s.gutter=r.data("gutter")),void 0!==r.data("beloworigin")&&(s.belowOrigin=r.data("beloworigin")),void 0!==r.data("alignment")&&(s.alignment=r.data("alignment")),void 0!==r.data("stoppropagation")&&(s.stopPropagation=r.data("stoppropagation"))}function o(e){"focus"===e&&(l=!0),n(),c.addClass("active"),r.addClass("active");var i=r[0].getBoundingClientRect().width;!0===s.constrainWidth?c.css("width",i):c.css("white-space","nowrap");var o=window.innerHeight,u=r.innerHeight(),d=r.offset().left,p=r.offset().top-t(window).scrollTop(),h=s.alignment,f=0,v=0,m=0;!0===s.belowOrigin&&(m=u);var g=0,y=0,b=r.parent();if(b.is("body")||(b[0].scrollHeight>b[0].clientHeight&&(g=b[0].scrollTop),b[0].scrollWidth>b[0].clientWidth&&(y=b[0].scrollLeft)),d+c.innerWidth()>t(window).width()?h="right":d-c.innerWidth()+r.innerWidth()<0&&(h="left"),p+c.innerHeight()>o)if(p+u-c.innerHeight()<0){var w=o-p-m;c.css("max-height",w)}else m||(m+=u),m-=c.innerHeight();"left"===h?(f=s.gutter,v=r.position().left+f):"right"===h&&(c.stop(!0,!0).css({opacity:0,left:0}),v=r.position().left+i-c.width()+(f=-s.gutter)),c.css({position:"absolute",top:r.position().top+m+g,left:v+y}),c.slideDown({queue:!1,duration:s.inDuration,easing:"easeOutCubic",complete:function(){t(this).css("height","")}}).animate({opacity:1},{queue:!1,duration:s.inDuration,easing:"easeOutSine"}),setTimeout(function(){t(document).on("click."+c.attr("id"),function(e){a(),t(document).off("click."+c.attr("id"))})},0)}function a(){l=!1,c.fadeOut(s.outDuration),c.removeClass("active"),r.removeClass("active"),t(document).off("click."+c.attr("id")),setTimeout(function(){c.css("max-height","")},s.outDuration)}var r=t(this),s=t.extend({},i,e),l=!1,c=t("#"+r.attr("data-activates"));if(n(),r.after(c),s.hover){var u=!1;r.off("click."+r.attr("id")),r.on("mouseenter",function(t){!1===u&&(o(),u=!0)}),r.on("mouseleave",function(e){var i=e.toElement||e.relatedTarget;t(i).closest(".dropdown-content").is(c)||(c.stop(!0,!0),a(),u=!1)}),c.on("mouseleave",function(e){var i=e.toElement||e.relatedTarget;t(i).closest(".dropdown-button").is(r)||(c.stop(!0,!0),a(),u=!1)})}else r.off("click."+r.attr("id")),r.on("click."+r.attr("id"),function(e){l||(r[0]!=e.currentTarget||r.hasClass("active")||0!==t(e.target).closest(".dropdown-content").length?r.hasClass("active")&&(a(),t(document).off("click."+c.attr("id"))):(e.preventDefault(),s.stopPropagation&&e.stopPropagation(),o("click")))});r.on("open",function(t,e){o(e)}),r.on("close",a)})},t(document).ready(function(){t(".dropdown-button").dropdown()})}(jQuery),function(t,e){"use strict";var i={opacity:.5,inDuration:250,outDuration:250,ready:void 0,complete:void 0,dismissible:!0,startingTop:"4%",endingTop:"10%"},n=function(){function n(e,i){_classCallCheck(this,n),e[0].M_Modal&&e[0].M_Modal.destroy(),this.$el=e,this.options=t.extend({},n.defaults,i),this.isOpen=!1,this.$el[0].M_Modal=this,this.id=e.attr("id"),this.openingTrigger=void 0,this.$overlay=t('<div class="modal-overlay"></div>'),n._increment++,n._count++,this.$overlay[0].style.zIndex=1e3+2*n._increment,this.$el[0].style.zIndex=1e3+2*n._increment+1,this.setupEventHandlers()}return _createClass(n,[{key:"getInstance",value:function(){return this}},{key:"destroy",value:function(){this.removeEventHandlers(),this.$el[0].removeAttribute("style"),this.$overlay[0].parentNode&&this.$overlay[0].parentNode.removeChild(this.$overlay[0]),this.$el[0].M_Modal=void 0,n._count--}},{key:"setupEventHandlers",value:function(){this.handleOverlayClickBound=this.handleOverlayClick.bind(this),this.handleModalCloseClickBound=this.handleModalCloseClick.bind(this),1===n._count&&document.body.addEventListener("click",this.handleTriggerClick),this.$overlay[0].addEventListener("click",this.handleOverlayClickBound),this.$el[0].addEventListener("click",this.handleModalCloseClickBound)}},{key:"removeEventHandlers",value:function(){0===n._count&&document.body.removeEventListener("click",this.handleTriggerClick),this.$overlay[0].removeEventListener("click",this.handleOverlayClickBound),this.$el[0].removeEventListener("click",this.handleModalCloseClickBound)}},{key:"handleTriggerClick",value:function(e){var i=t(e.target).closest(".modal-trigger");if(e.target&&i.length){var n=i[0].getAttribute("href");n=n?n.slice(1):i[0].getAttribute("data-target");var o=document.getElementById(n).M_Modal;o&&o.open(i),e.preventDefault()}}},{key:"handleOverlayClick",value:function(){this.options.dismissible&&this.close()}},{key:"handleModalCloseClick",value:function(e){var i=t(e.target).closest(".modal-close");e.target&&i.length&&this.close()}},{key:"handleKeydown",value:function(t){27===t.keyCode&&this.options.dismissible&&this.close()}},{key:"animateIn",value:function(){var i=this;t.extend(this.$el[0].style,{display:"block",opacity:0}),t.extend(this.$overlay[0].style,{display:"block",opacity:0}),e(this.$overlay[0],{opacity:this.options.opacity},{duration:this.options.inDuration,queue:!1,ease:"easeOutCubic"});var n={duration:this.options.inDuration,queue:!1,ease:"easeOutCubic",complete:function(){"function"==typeof i.options.ready&&i.options.ready.call(i,i.$el,i.openingTrigger)}};this.$el[0].classList.contains("bottom-sheet")?e(this.$el[0],{bottom:0,opacity:1},n):(e.hook(this.$el[0],"scaleX",.7),this.$el[0].style.top=this.options.startingTop,e(this.$el[0],{top:this.options.endingTop,opacity:1,scaleX:1},n))}},{key:"animateOut",value:function(){var t=this;e(this.$overlay[0],{opacity:0},{duration:this.options.outDuration,queue:!1,ease:"easeOutQuart"});var i={duration:this.options.outDuration,queue:!1,ease:"easeOutCubic",complete:function(){t.$el[0].style.display="none","function"==typeof t.options.complete&&t.options.complete.call(t,t.$el),t.$overlay[0].parentNode.removeChild(t.$overlay[0])}};this.$el[0].classList.contains("bottom-sheet")?e(this.$el[0],{bottom:"-100%",opacity:0},i):e(this.$el[0],{top:this.options.startingTop,opacity:0,scaleX:.7},i)}},{key:"open",value:function(t){if(!this.isOpen){this.isOpen=!0;var e=document.body;return e.style.overflow="hidden",this.$el[0].classList.add("open"),e.appendChild(this.$overlay[0]),this.openingTrigger=t||void 0,this.options.dismissible&&(this.handleKeydownBound=this.handleKeydown.bind(this),document.addEventListener("keydown",this.handleKeydownBound)),this.animateIn(),this}}},{key:"close",value:function(){if(this.isOpen)return this.isOpen=!1,this.$el[0].classList.remove("open"),document.body.style.overflow="",this.options.dismissible&&document.removeEventListener("keydown",this.handleKeydownBound),this.animateOut(),this}}],[{key:"init",value:function(e,i){var o=[];return e.each(function(){o.push(new n(t(this),i))}),o}},{key:"defaults",get:function(){return i}}]),n}();n._increment=0,n._count=0,Materialize.Modal=n,t.fn.modal=function(e){return n.prototype[e]?"get"===e.slice(0,3)?this.first()[0].M_Modal[e]():this.each(function(){this.M_Modal[e]()}):"object"!=typeof e&&e?void t.error("Method "+e+" does not exist on jQuery.modal"):(n.init(this,arguments[0]),this)}}(jQuery,Materialize.Vel),function(t){t.fn.materialbox=function(){return this.each(function(){function e(){a=!1;var e=s.parent(".material-placeholder"),n=(window.innerWidth,window.innerHeight,s.data("width")),l=s.data("height");s.velocity("stop",!0),t("#materialbox-overlay").velocity("stop",!0),t(".materialbox-caption").velocity("stop",!0),t(window).off("scroll.materialbox"),t(document).off("keyup.materialbox"),t(window).off("resize.materialbox"),t("#materialbox-overlay").velocity({opacity:0},{duration:r,queue:!1,easing:"easeOutQuad",complete:function(){o=!1,t(this).remove()}}),s.velocity({width:n,height:l,left:0,top:0},{duration:r,queue:!1,easing:"easeOutQuad",complete:function(){e.css({height:"",width:"",position:"",top:"",left:""}),s.removeAttr("style"),s.attr("style",c),s.removeClass("active"),a=!0,i&&i.css("overflow","")}}),t(".materialbox-caption").velocity({opacity:0},{duration:r,queue:!1,easing:"easeOutQuad",complete:function(){t(this).remove()}})}if(!t(this).hasClass("initialized")){t(this).addClass("initialized");var i,n,o=!1,a=!0,r=200,s=t(this),l=t("<div></div>").addClass("material-placeholder"),c=s.attr("style");s.wrap(l),s.on("click",function(){var r=s.parent(".material-placeholder"),l=window.innerWidth,c=window.innerHeight,u=s.width(),d=s.height();if(!1===a)return e(),!1;if(o&&!0===a)return e(),!1;a=!1,s.addClass("active"),o=!0,r.css({width:r[0].getBoundingClientRect().width,height:r[0].getBoundingClientRect().height,position:"relative",top:0,left:0}),i=void 0,n=r[0].parentNode;for(;null!==n&&!t(n).is(document);){var p=t(n);"visible"!==p.css("overflow")&&(p.css("overflow","visible"),i=void 0===i?p:i.add(p)),n=n.parentNode}s.css({position:"absolute","z-index":1e3,"will-change":"left, top, width, height"}).data("width",u).data("height",d);var h=t('<div id="materialbox-overlay"></div>').css({opacity:0}).click(function(){!0===a&&e()});s.before(h);var f=h[0].getBoundingClientRect();if(h.css({width:l,height:c,left:-1*f.left,top:-1*f.top}),h.velocity({opacity:1},{duration:275,queue:!1,easing:"easeOutQuad"}),""!==s.data("caption")){var v=t('<div class="materialbox-caption"></div>');v.text(s.data("caption")),t("body").append(v),v.css({display:"inline"}),v.velocity({opacity:1},{duration:275,queue:!1,easing:"easeOutQuad"})}var m=0,g=0;u/l>d/c?(m=.9*l,g=.9*l*(d/u)):(m=.9*c*(u/d),g=.9*c),s.hasClass("responsive-img")?s.velocity({"max-width":m,width:u},{duration:0,queue:!1,complete:function(){s.css({left:0,top:0}).velocity({height:g,width:m,left:t(document).scrollLeft()+l/2-s.parent(".material-placeholder").offset().left-m/2,top:t(document).scrollTop()+c/2-s.parent(".material-placeholder").offset().top-g/2},{duration:275,queue:!1,easing:"easeOutQuad",complete:function(){a=!0}})}}):s.css("left",0).css("top",0).velocity({height:g,width:m,left:t(document).scrollLeft()+l/2-s.parent(".material-placeholder").offset().left-m/2,top:t(document).scrollTop()+c/2-s.parent(".material-placeholder").offset().top-g/2},{duration:275,queue:!1,easing:"easeOutQuad",complete:function(){a=!0}}),t(window).on("scroll.materialbox",function(){o&&e()}),t(window).on("resize.materialbox",function(){o&&e()}),t(document).on("keyup.materialbox",function(t){27===t.keyCode&&!0===a&&o&&e()})})}})},t(document).ready(function(){t(".materialboxed").materialbox()})}(jQuery),function(t){t.fn.parallax=function(){var e=t(window).width();return this.each(function(i){function n(i){var n;n=e<601?o.height()>0?o.height():o.children("img").height():o.height()>0?o.height():500;var a=o.children("img").first(),r=a.height()-n,s=o.offset().top+n,l=o.offset().top,c=t(window).scrollTop(),u=window.innerHeight,d=(c+u-l)/(n+u),p=Math.round(r*d);i&&a.css("display","block"),s>c&&l<c+u&&a.css("transform","translate3D(-50%,"+p+"px, 0)")}var o=t(this);o.addClass("parallax"),o.children("img").one("load",function(){n(!0)}).each(function(){this.complete&&t(this).trigger("load")}),t(window).scroll(function(){e=t(window).width(),n(!1)}),t(window).resize(function(){e=t(window).width(),n(!1)})})}}(jQuery),function(t){var e={init:function(e){var i={onShow:null,swipeable:!1,responsiveThreshold:1/0};e=t.extend(i,e);var n=Materialize.objectSelectorString(t(this));return this.each(function(i){var o,a,r,s,l,c=n+i,u=t(this),d=t(window).width(),p=u.find("li.tab a"),h=u.width(),f=t(),v=Math.max(h,u[0].scrollWidth)/p.length,m=0,g=0,y=!1,b=function(t){return Math.ceil(h-t.position().left-t[0].getBoundingClientRect().width-u.scrollLeft())},w=function(t){return Math.floor(t.position().left+u.scrollLeft())},k=function(t){m-t>=0?(s.velocity({right:b(o)},{duration:300,queue:!1,easing:"easeOutQuad"}),s.velocity({left:w(o)},{duration:300,queue:!1,easing:"easeOutQuad",delay:90})):(s.velocity({left:w(o)},{duration:300,queue:!1,easing:"easeOutQuad"}),s.velocity({right:b(o)},{duration:300,queue:!1,easing:"easeOutQuad",delay:90}))};e.swipeable&&d>e.responsiveThreshold&&(e.swipeable=!1),0===(o=t(p.filter('[href="'+location.hash+'"]'))).length&&(o=t(this).find("li.tab a.active").first()),0===o.length&&(o=t(this).find("li.tab a").first()),o.addClass("active"),(m=p.index(o))<0&&(m=0),void 0!==o[0]&&(a=t(o[0].hash)).addClass("active"),u.find(".indicator").length||u.append('<li class="indicator"></li>'),s=u.find(".indicator"),u.append(s),u.is(":visible")&&setTimeout(function(){s.css({right:b(o)}),s.css({left:w(o)})},0),t(window).off("resize.tabs-"+c).on("resize.tabs-"+c,function(){h=u.width(),v=Math.max(h,u[0].scrollWidth)/p.length,m<0&&(m=0),0!==v&&0!==h&&(s.css({right:b(o)}),s.css({left:w(o)}))}),e.swipeable?(p.each(function(){var e=t(Materialize.escapeHash(this.hash));e.addClass("carousel-item"),f=f.add(e)}),r=f.wrapAll('<div class="tabs-content carousel"></div>'),f.css("display",""),t(".tabs-content.carousel").carousel({fullWidth:!0,noWrap:!0,onCycleTo:function(t){if(!y){var i=m;m=r.index(t),o.removeClass("active"),(o=p.eq(m)).addClass("active"),k(i),"function"==typeof e.onShow&&e.onShow.call(u[0],a)}}})):p.not(o).each(function(){t(Materialize.escapeHash(this.hash)).hide()}),u.off("click.tabs").on("click.tabs","a",function(i){if(t(this).parent().hasClass("disabled"))i.preventDefault();else if(!t(this).attr("target")){y=!0,h=u.width(),v=Math.max(h,u[0].scrollWidth)/p.length,o.removeClass("active");var n=a;o=t(this),a=t(Materialize.escapeHash(this.hash)),p=u.find("li.tab a");o.position();o.addClass("active"),g=m,(m=p.index(t(this)))<0&&(m=0),e.swipeable?f.length&&f.carousel("set",m,function(){"function"==typeof e.onShow&&e.onShow.call(u[0],a)}):(void 0!==a&&(a.show(),a.addClass("active"),"function"==typeof e.onShow&&e.onShow.call(this,a)),void 0===n||n.is(a)||(n.hide(),n.removeClass("active"))),l=setTimeout(function(){y=!1},300),k(g),i.preventDefault()}})})},select_tab:function(t){this.find('a[href="#'+t+'"]').trigger("click")}};t.fn.tabs=function(i){return e[i]?e[i].apply(this,Array.prototype.slice.call(arguments,1)):"object"!=typeof i&&i?void t.error("Method "+i+" does not exist on jQuery.tabs"):e.init.apply(this,arguments)},t(document).ready(function(){t("ul.tabs").tabs()})}(jQuery),function(t){t.fn.tooltip=function(i){var n={delay:350,tooltip:"",position:"bottom",html:!1};return"remove"===i?(this.each(function(){t("#"+t(this).attr("data-tooltip-id")).remove(),t(this).removeAttr("data-tooltip-id"),t(this).off("mouseenter.tooltip mouseleave.tooltip")}),!1):(i=t.extend(n,i),this.each(function(){var n=Materialize.guid(),o=t(this);o.attr("data-tooltip-id")&&t("#"+o.attr("data-tooltip-id")).remove(),o.attr("data-tooltip-id",n);var a,r,s,l,c,u,d=function(){a=o.attr("data-html")?"true"===o.attr("data-html"):i.html,r=o.attr("data-delay"),r=void 0===r||""===r?i.delay:r,s=o.attr("data-position"),s=void 0===s||""===s?i.position:s,l=o.attr("data-tooltip"),l=void 0===l||""===l?i.tooltip:l};d();c=function(){var e=t('<div class="material-tooltip"></div>');return l=a?t("<span></span>").html(l):t("<span></span>").text(l),e.append(l).appendTo(t("body")).attr("id",n),(u=t('<div class="backdrop"></div>')).appendTo(e),e}(),o.off("mouseenter.tooltip mouseleave.tooltip");var p,h=!1;o.on({"mouseenter.tooltip":function(t){p=setTimeout(function(){d(),h=!0,c.velocity("stop"),u.velocity("stop"),c.css({visibility:"visible",left:"0px",top:"0px"});var t,i,n,a=o.outerWidth(),r=o.outerHeight(),l=c.outerHeight(),p=c.outerWidth(),f="0px",v="0px",m=u[0].offsetWidth,g=u[0].offsetHeight,y=8,b=8,w=0;"top"===s?(t=o.offset().top-l-5,i=o.offset().left+a/2-p/2,n=e(i,t,p,l),f="-10px",u.css({bottom:0,left:0,borderRadius:"14px 14px 0 0",transformOrigin:"50% 100%",marginTop:l,marginLeft:p/2-m/2})):"left"===s?(t=o.offset().top+r/2-l/2,i=o.offset().left-p-5,n=e(i,t,p,l),v="-10px",u.css({top:"-7px",right:0,width:"14px",height:"14px",borderRadius:"14px 0 0 14px",transformOrigin:"95% 50%",marginTop:l/2,marginLeft:p})):"right"===s?(t=o.offset().top+r/2-l/2,i=o.offset().left+a+5,n=e(i,t,p,l),v="+10px",u.css({top:"-7px",left:0,width:"14px",height:"14px",borderRadius:"0 14px 14px 0",transformOrigin:"5% 50%",marginTop:l/2,marginLeft:"0px"})):(t=o.offset().top+o.outerHeight()+5,i=o.offset().left+a/2-p/2,n=e(i,t,p,l),f="+10px",u.css({top:0,left:0,marginLeft:p/2-m/2})),c.css({top:n.y,left:n.x}),y=Math.SQRT2*p/parseInt(m),b=Math.SQRT2*l/parseInt(g),w=Math.max(y,b),c.velocity({translateY:f,translateX:v},{duration:350,queue:!1}).velocity({opacity:1},{duration:300,delay:50,queue:!1}),u.css({visibility:"visible"}).velocity({opacity:1},{duration:55,delay:0,queue:!1}).velocity({scaleX:w,scaleY:w},{duration:300,delay:0,queue:!1,easing:"easeInOutQuad"})},r)},"mouseleave.tooltip":function(){h=!1,clearTimeout(p),setTimeout(function(){!0!==h&&(c.velocity({opacity:0,translateY:0,translateX:0},{duration:225,queue:!1}),u.velocity({opacity:0,scaleX:1,scaleY:1},{duration:225,queue:!1,complete:function(){u.css({visibility:"hidden"}),c.css({visibility:"hidden"}),h=!1}}))},225)}})}))};var e=function(e,i,n,o){var a=e,r=i;return a<0?a=4:a+n>window.innerWidth&&(a-=a+n-window.innerWidth),r<0?r=4:r+o>window.innerHeight+t(window).scrollTop&&(r-=r+o-window.innerHeight),{x:a,y:r}};t(document).ready(function(){t(".tooltipped").tooltip()})}(jQuery),function(t){"use strict";function e(t){return null!==t&&t===t.window}function i(t){return e(t)?t:9===t.nodeType&&t.defaultView}function n(t){var e,n,o={top:0,left:0},a=t&&t.ownerDocument;return e=a.documentElement,void 0!==t.getBoundingClientRect&&(o=t.getBoundingClientRect()),n=i(a),{top:o.top+n.pageYOffset-e.clientTop,left:o.left+n.pageXOffset-e.clientLeft}}function o(t){var e="";for(var i in t)t.hasOwnProperty(i)&&(e+=i+":"+t[i]+";");return e}function a(t){if(!1===u.allowEvent(t))return null;for(var e=null,i=t.target||t.srcElement;null!==i.parentNode;){if(!(i instanceof SVGElement)&&-1!==i.className.indexOf("waves-effect")){e=i;break}i=i.parentNode}return e}function r(e){var i=a(e);null!==i&&(c.show(e,i),"ontouchstart"in t&&(i.addEventListener("touchend",c.hide,!1),i.addEventListener("touchcancel",c.hide,!1)),i.addEventListener("mouseup",c.hide,!1),i.addEventListener("mouseleave",c.hide,!1),i.addEventListener("dragend",c.hide,!1))}var s=s||{},l=document.querySelectorAll.bind(document),c={duration:750,show:function(t,e){if(2===t.button)return!1;var i=e||this,a=document.createElement("div");a.className="waves-ripple",i.appendChild(a);var r=n(i),s=t.pageY-r.top,l=t.pageX-r.left,u="scale("+i.clientWidth/100*10+")";"touches"in t&&(s=t.touches[0].pageY-r.top,l=t.touches[0].pageX-r.left),a.setAttribute("data-hold",Date.now()),a.setAttribute("data-scale",u),a.setAttribute("data-x",l),a.setAttribute("data-y",s);var d={top:s+"px",left:l+"px"};a.className=a.className+" waves-notransition",a.setAttribute("style",o(d)),a.className=a.className.replace("waves-notransition",""),d["-webkit-transform"]=u,d["-moz-transform"]=u,d["-ms-transform"]=u,d["-o-transform"]=u,d.transform=u,d.opacity="1",d["-webkit-transition-duration"]=c.duration+"ms",d["-moz-transition-duration"]=c.duration+"ms",d["-o-transition-duration"]=c.duration+"ms",d["transition-duration"]=c.duration+"ms",d["-webkit-transition-timing-function"]="cubic-bezier(0.250, 0.460, 0.450, 0.940)",d["-moz-transition-timing-function"]="cubic-bezier(0.250, 0.460, 0.450, 0.940)",d["-o-transition-timing-function"]="cubic-bezier(0.250, 0.460, 0.450, 0.940)",d["transition-timing-function"]="cubic-bezier(0.250, 0.460, 0.450, 0.940)",a.setAttribute("style",o(d))},hide:function(t){u.touchup(t);var e=this,i=(e.clientWidth,null),n=e.getElementsByClassName("waves-ripple");if(!(n.length>0))return!1;var a=(i=n[n.length-1]).getAttribute("data-x"),r=i.getAttribute("data-y"),s=i.getAttribute("data-scale"),l=350-(Date.now()-Number(i.getAttribute("data-hold")));l<0&&(l=0),setTimeout(function(){var t={top:r+"px",left:a+"px",opacity:"0","-webkit-transition-duration":c.duration+"ms","-moz-transition-duration":c.duration+"ms","-o-transition-duration":c.duration+"ms","transition-duration":c.duration+"ms","-webkit-transform":s,"-moz-transform":s,"-ms-transform":s,"-o-transform":s,transform:s};i.setAttribute("style",o(t)),setTimeout(function(){try{e.removeChild(i)}catch(t){return!1}},c.duration)},l)},wrapInput:function(t){for(var e=0;e<t.length;e++){var i=t[e];if("input"===i.tagName.toLowerCase()){var n=i.parentNode;if("i"===n.tagName.toLowerCase()&&-1!==n.className.indexOf("waves-effect"))continue;var o=document.createElement("i");o.className=i.className+" waves-input-wrapper";var a=i.getAttribute("style");a||(a=""),o.setAttribute("style",a),i.className="waves-button-input",i.removeAttribute("style"),n.replaceChild(o,i),o.appendChild(i)}}}},u={touches:0,allowEvent:function(t){var e=!0;return"touchstart"===t.type?u.touches+=1:"touchend"===t.type||"touchcancel"===t.type?setTimeout(function(){u.touches>0&&(u.touches-=1)},500):"mousedown"===t.type&&u.touches>0&&(e=!1),e},touchup:function(t){u.allowEvent(t)}};s.displayEffect=function(e){"duration"in(e=e||{})&&(c.duration=e.duration),c.wrapInput(l(".waves-effect")),"ontouchstart"in t&&document.body.addEventListener("touchstart",r,!1),document.body.addEventListener("mousedown",r,!1)},s.attach=function(e){"input"===e.tagName.toLowerCase()&&(c.wrapInput([e]),e=e.parentNode),"ontouchstart"in t&&e.addEventListener("touchstart",r,!1),e.addEventListener("mousedown",r,!1)},t.Waves=s,document.addEventListener("DOMContentLoaded",function(){s.displayEffect()},!1)}(window),function(t,e){"use strict";var i={displayLength:1/0,inDuration:300,outDuration:375,className:void 0,completeCallback:void 0,activationPercent:.8},n=function(){function n(e,i,o,a){if(_classCallCheck(this,n),e){this.options={displayLength:i,className:o,completeCallback:a},this.options=t.extend({},n.defaults,this.options),this.message=e,this.panning=!1,this.timeRemaining=this.options.displayLength,0===n._toasts.length&&n._createContainer(),n._toasts.push(this);var r=this.createToast();r.M_Toast=this,this.el=r,this._animateIn(),this.setTimer()}}return _createClass(n,[{key:"createToast",value:function(){var e=document.createElement("div");if(e.classList.add("toast"),this.options.className){var i=this.options.className.split(" "),o=void 0,a=void 0;for(o=0,a=i.length;o<a;o++)e.classList.add(i[o])}return("object"==typeof HTMLElement?this.message instanceof HTMLElement:this.message&&"object"==typeof this.message&&null!==this.message&&1===this.message.nodeType&&"string"==typeof this.message.nodeName)?e.appendChild(this.message):this.message instanceof jQuery?t(e).append(this.message):e.innerHTML=this.message,n._container.appendChild(e),e}},{key:"_animateIn",value:function(){e(this.el,{top:0,opacity:1},{duration:300,easing:"easeOutCubic",queue:!1})}},{key:"setTimer",value:function(){var t=this;this.timeRemaining!==1/0&&(this.counterInterval=setInterval(function(){t.panning||(t.timeRemaining-=20),t.timeRemaining<=0&&t.remove()},20))}},{key:"remove",value:function(){var t=this;window.clearInterval(this.counterInterval);var i=this.el.offsetWidth*this.options.activationPercent;this.wasSwiped&&(this.el.style.transition="transform .05s, opacity .05s",this.el.style.transform="translateX("+i+"px)",this.el.style.opacity=0),e(this.el,{opacity:0,marginTop:"-40px"},{duration:this.options.outDuration,easing:"easeOutExpo",queue:!1,complete:function(){"function"==typeof t.options.completeCallback&&t.options.completeCallback(),t.el.parentNode.removeChild(t.el),n._toasts.splice(n._toasts.indexOf(t),1),0===n._toasts.length&&n._removeContainer()}})}}],[{key:"_createContainer",value:function(){var t=document.createElement("div");t.setAttribute("id","toast-container"),t.addEventListener("touchstart",n._onDragStart),t.addEventListener("touchmove",n._onDragMove),t.addEventListener("touchend",n._onDragEnd),t.addEventListener("mousedown",n._onDragStart),document.addEventListener("mousemove",n._onDragMove),document.addEventListener("mouseup",n._onDragEnd),document.body.appendChild(t),n._container=t}},{key:"_removeContainer",value:function(){document.removeEventListener("mousemove",n._onDragMove),document.removeEventListener("mouseup",n._onDragEnd),n._container.parentNode.removeChild(n._container),n._container=null}},{key:"_onDragStart",value:function(e){if(e.target&&t(e.target).closest(".toast").length){var i=t(e.target).closest(".toast")[0].M_Toast;i.panning=!0,n._draggedToast=i,i.el.classList.add("panning"),i.el.style.transition="",i.startingXPos=n._xPos(e),i.time=Date.now(),i.xPos=n._xPos(e)}}},{key:"_onDragMove",value:function(t){if(n._draggedToast){t.preventDefault();var e=n._draggedToast;e.deltaX=Math.abs(e.xPos-n._xPos(t)),e.xPos=n._xPos(t),e.velocityX=e.deltaX/(Date.now()-e.time),e.time=Date.now();var i=e.xPos-e.startingXPos,o=e.el.offsetWidth*e.options.activationPercent;e.el.style.transform="translateX("+i+"px)",e.el.style.opacity=1-Math.abs(i/o)}}},{key:"_onDragEnd",value:function(t){if(n._draggedToast){var e=n._draggedToast;e.panning=!1,e.el.classList.remove("panning");var i=e.xPos-e.startingXPos,o=e.el.offsetWidth*e.options.activationPercent;Math.abs(i)>o||e.velocityX>1?(e.wasSwiped=!0,e.remove()):(e.el.style.transition="transform .2s, opacity .2s",e.el.style.transform="",e.el.style.opacity=""),n._draggedToast=null}}},{key:"_xPos",value:function(t){return t.targetTouches&&t.targetTouches.length>=1?t.targetTouches[0].clientX:t.clientX}},{key:"removeAll",value:function(){for(var t in n._toasts)n._toasts[t].remove()}},{key:"defaults",get:function(){return i}}]),n}();n._toasts=[],n._container=null,n._draggedToast=null,Materialize.Toast=n,Materialize.toast=function(t,e,i,o){return new n(t,e,i,o)}}(jQuery,Materialize.Vel),function(t){var e={init:function(e){var i={menuWidth:300,edge:"left",closeOnClick:!1,draggable:!0,onOpen:null,onClose:null};e=t.extend(i,e),t(this).each(function(){var i=t(this),n=i.attr("data-activates"),o=t("#"+n);300!=e.menuWidth&&o.css("width",e.menuWidth);var a=t('.drag-target[data-sidenav="'+n+'"]');e.draggable?(a.length&&a.remove(),a=t('<div class="drag-target"></div>').attr("data-sidenav",n),t("body").append(a)):a=t(),"left"==e.edge?(o.css("transform","translateX(-100%)"),a.css({left:0})):(o.addClass("right-aligned").css("transform","translateX(100%)"),a.css({right:0})),o.hasClass("fixed")&&window.innerWidth>992&&o.css("transform","translateX(0)"),o.hasClass("fixed")&&t(window).resize(function(){window.innerWidth>992?0!==t("#sidenav-overlay").length&&l?r(!0):o.css("transform","translateX(0%)"):!1===l&&("left"===e.edge?o.css("transform","translateX(-100%)"):o.css("transform","translateX(100%)"))}),!0===e.closeOnClick&&o.on("click.itemclick","a:not(.collapsible-header)",function(){window.innerWidth>992&&o.hasClass("fixed")||r()});var r=function(i){s=!1,l=!1,t("body").css({overflow:"",width:""}),t("#sidenav-overlay").velocity({opacity:0},{duration:200,queue:!1,easing:"easeOutQuad",complete:function(){t(this).remove()}}),"left"===e.edge?(a.css({width:"",right:"",left:"0"}),o.velocity({translateX:"-100%"},{duration:200,queue:!1,easing:"easeOutCubic",complete:function(){!0===i&&(o.removeAttr("style"),o.css("width",e.menuWidth))}})):(a.css({width:"",right:"0",left:""}),o.velocity({translateX:"100%"},{duration:200,queue:!1,easing:"easeOutCubic",complete:function(){!0===i&&(o.removeAttr("style"),o.css("width",e.menuWidth))}})),"function"==typeof e.onClose&&e.onClose.call(this,o)},s=!1,l=!1;e.draggable&&(a.on("click",function(){l&&r()}),a.hammer({prevent_default:!1}).on("pan",function(i){if("touch"==i.gesture.pointerType){i.gesture.direction;var n=i.gesture.center.x,a=i.gesture.center.y;i.gesture.velocityX;if(0===n&&0===a)return;var s=t("body"),c=t("#sidenav-overlay"),u=s.innerWidth();if(s.css("overflow","hidden"),s.width(u),0===c.length&&((c=t('<div id="sidenav-overlay"></div>')).css("opacity",0).click(function(){r()}),"function"==typeof e.onOpen&&e.onOpen.call(this,o),t("body").append(c)),"left"===e.edge&&(n>e.menuWidth?n=e.menuWidth:n<0&&(n=0)),"left"===e.edge)n<e.menuWidth/2?l=!1:n>=e.menuWidth/2&&(l=!0),o.css("transform","translateX("+(n-e.menuWidth)+"px)");else{n<window.innerWidth-e.menuWidth/2?l=!0:n>=window.innerWidth-e.menuWidth/2&&(l=!1);var d=n-e.menuWidth/2;d<0&&(d=0),o.css("transform","translateX("+d+"px)")}var p;"left"===e.edge?(p=n/e.menuWidth,c.velocity({opacity:p},{duration:10,queue:!1,easing:"easeOutQuad"})):(p=Math.abs((n-window.innerWidth)/e.menuWidth),c.velocity({opacity:p},{duration:10,queue:!1,easing:"easeOutQuad"}))}}).on("panend",function(i){if("touch"==i.gesture.pointerType){var n=t("#sidenav-overlay"),r=i.gesture.velocityX,c=i.gesture.center.x,u=c-e.menuWidth,d=c-e.menuWidth/2;u>0&&(u=0),d<0&&(d=0),s=!1,"left"===e.edge?l&&r<=.3||r<-.5?(0!==u&&o.velocity({translateX:[0,u]},{duration:300,queue:!1,easing:"easeOutQuad"}),n.velocity({opacity:1},{duration:50,queue:!1,easing:"easeOutQuad"}),a.css({width:"50%",right:0,left:""}),l=!0):(!l||r>.3)&&(t("body").css({overflow:"",width:""}),o.velocity({translateX:[-1*e.menuWidth-10,u]},{duration:200,queue:!1,easing:"easeOutQuad"}),n.velocity({opacity:0},{duration:200,queue:!1,easing:"easeOutQuad",complete:function(){"function"==typeof e.onClose&&e.onClose.call(this,o),t(this).remove()}}),a.css({width:"10px",right:"",left:0})):l&&r>=-.3||r>.5?(0!==d&&o.velocity({translateX:[0,d]},{duration:300,queue:!1,easing:"easeOutQuad"}),n.velocity({opacity:1},{duration:50,queue:!1,easing:"easeOutQuad"}),a.css({width:"50%",right:"",left:0}),l=!0):(!l||r<-.3)&&(t("body").css({overflow:"",width:""}),o.velocity({translateX:[e.menuWidth+10,d]},{duration:200,queue:!1,easing:"easeOutQuad"}),n.velocity({opacity:0},{duration:200,queue:!1,easing:"easeOutQuad",complete:function(){"function"==typeof e.onClose&&e.onClose.call(this,o),t(this).remove()}}),a.css({width:"10px",right:0,left:""}))}})),i.off("click.sidenav").on("click.sidenav",function(){if(!0===l)l=!1,s=!1,r();else{var i=t("body"),n=t('<div id="sidenav-overlay"></div>'),c=i.innerWidth();i.css("overflow","hidden"),i.width(c),t("body").append(a),"left"===e.edge?(a.css({width:"50%",right:0,left:""}),o.velocity({translateX:[0,-1*e.menuWidth]},{duration:300,queue:!1,easing:"easeOutQuad"})):(a.css({width:"50%",right:"",left:0}),o.velocity({translateX:[0,e.menuWidth]},{duration:300,queue:!1,easing:"easeOutQuad"})),n.css("opacity",0).click(function(){l=!1,s=!1,r(),n.velocity({opacity:0},{duration:300,queue:!1,easing:"easeOutQuad",complete:function(){t(this).remove()}})}),t("body").append(n),n.velocity({opacity:1},{duration:300,queue:!1,easing:"easeOutQuad",complete:function(){l=!0,s=!1}}),"function"==typeof e.onOpen&&e.onOpen.call(this,o)}return!1})})},destroy:function(){var e=t("#sidenav-overlay"),i=t('.drag-target[data-sidenav="'+t(this).attr("data-activates")+'"]');e.trigger("click"),i.remove(),t(this).off("click"),e.remove()},show:function(){this.trigger("click")},hide:function(){t("#sidenav-overlay").trigger("click")}};t.fn.sideNav=function(i){return e[i]?e[i].apply(this,Array.prototype.slice.call(arguments,1)):"object"!=typeof i&&i?void t.error("Method "+i+" does not exist on jQuery.sideNav"):e.init.apply(this,arguments)}}(jQuery),function(t){function e(e,i,n,o){var r=t();return t.each(a,function(t,a){if(a.height()>0){var s=a.offset().top,l=a.offset().left,c=l+a.width(),u=s+a.height();!(l>i||c<o||s>n||u<e)&&r.push(a)}}),r}function i(i){++l;var n=o.scrollTop(),a=o.scrollLeft(),s=a+o.width(),u=n+o.height(),d=e(n+c.top+i||200,s+c.right,u+c.bottom,a+c.left);t.each(d,function(t,e){"number"!=typeof e.data("scrollSpy:ticks")&&e.triggerHandler("scrollSpy:enter"),e.data("scrollSpy:ticks",l)}),t.each(r,function(t,e){var i=e.data("scrollSpy:ticks");"number"==typeof i&&i!==l&&(e.triggerHandler("scrollSpy:exit"),e.data("scrollSpy:ticks",null))}),r=d}function n(){o.trigger("scrollSpy:winSize")}var o=t(window),a=[],r=[],s=!1,l=0,c={top:0,right:0,bottom:0,left:0};t.scrollSpy=function(e,n){var r={throttle:100,scrollOffset:200,activeClass:"active",getActiveElement:function(t){return'a[href="#'+t+'"]'}};n=t.extend(r,n);var l=[];(e=t(e)).each(function(e,i){a.push(t(i)),t(i).data("scrollSpy:id",e),t('a[href="#'+t(i).attr("id")+'"]').click(function(e){e.preventDefault();var i=t(Materialize.escapeHash(this.hash)).offset().top+1;t("html, body").animate({scrollTop:i-n.scrollOffset},{duration:400,queue:!1,easing:"easeOutCubic"})})}),c.top=n.offsetTop||0,c.right=n.offsetRight||0,c.bottom=n.offsetBottom||0,c.left=n.offsetLeft||0;var u=Materialize.throttle(function(){i(n.scrollOffset)},n.throttle||100),d=function(){t(document).ready(u)};return s||(o.on("scroll",d),o.on("resize",d),s=!0),setTimeout(d,0),e.on("scrollSpy:enter",function(){l=t.grep(l,function(t){return 0!=t.height()});var e=t(this);l[0]?(t(n.getActiveElement(l[0].attr("id"))).removeClass(n.activeClass),e.data("scrollSpy:id")<l[0].data("scrollSpy:id")?l.unshift(t(this)):l.push(t(this))):l.push(t(this)),t(n.getActiveElement(l[0].attr("id"))).addClass(n.activeClass)}),e.on("scrollSpy:exit",function(){if((l=t.grep(l,function(t){return 0!=t.height()}))[0]){t(n.getActiveElement(l[0].attr("id"))).removeClass(n.activeClass);var e=t(this);(l=t.grep(l,function(t){return t.attr("id")!=e.attr("id")}))[0]&&t(n.getActiveElement(l[0].attr("id"))).addClass(n.activeClass)}}),e},t.winSizeSpy=function(e){return t.winSizeSpy=function(){return o},e=e||{throttle:100},o.on("resize",Materialize.throttle(n,e.throttle||100))},t.fn.scrollSpy=function(e){return t.scrollSpy(t(this),e)}}(jQuery),function(t){t(document).ready(function(){function e(e){var i=e.css("font-family"),o=e.css("font-size"),a=e.css("line-height"),r=e.css("padding");o&&n.css("font-size",o),i&&n.css("font-family",i),a&&n.css("line-height",a),r&&n.css("padding",r),e.data("original-height")||e.data("original-height",e.height()),"off"===e.attr("wrap")&&n.css("overflow-wrap","normal").css("white-space","pre"),n.text(e.val()+"\n");var s=n.html().replace(/\n/g,"<br>");n.html(s),e.is(":visible")?n.css("width",e.width()):n.css("width",t(window).width()/2),e.data("original-height")<=n.height()?e.css("height",n.height()):e.val().length<e.data("previous-length")&&e.css("height",e.data("original-height")),e.data("previous-length",e.val().length)}Materialize.updateTextFields=function(){t("input[type=text], input[type=password], input[type=email], input[type=url], input[type=tel], input[type=number], input[type=search], textarea").each(function(e,i){var n=t(this);t(i).val().length>0||t(i).is(":focus")||i.autofocus||void 0!==n.attr("placeholder")?n.siblings("label").addClass("active"):t(i)[0].validity?n.siblings("label").toggleClass("active",!0===t(i)[0].validity.badInput):n.siblings("label").removeClass("active")})};var i="input[type=text], input[type=password], input[type=email], input[type=url], input[type=tel], input[type=number], input[type=search], textarea";t(document).on("change",i,function(){0===t(this).val().length&&void 0===t(this).attr("placeholder")||t(this).siblings("label").addClass("active"),validate_field(t(this))}),t(document).ready(function(){Materialize.updateTextFields()}),t(document).on("reset",function(e){var n=t(e.target);n.is("form")&&(n.find(i).removeClass("valid").removeClass("invalid"),n.find(i).each(function(){""===t(this).attr("value")&&t(this).siblings("label").removeClass("active")}),n.find("select.initialized").each(function(){var t=n.find("option[selected]").text();n.siblings("input.select-dropdown").val(t)}))}),t(document).on("focus",i,function(){t(this).siblings("label, .prefix").addClass("active")}),t(document).on("blur",i,function(){var e=t(this),i=".prefix";0===e.val().length&&!0!==e[0].validity.badInput&&void 0===e.attr("placeholder")&&(i+=", label"),e.siblings(i).removeClass("active"),validate_field(e)}),window.validate_field=function(t){var e=void 0!==t.attr("data-length"),i=parseInt(t.attr("data-length")),n=t.val().length;0!==t.val().length||!1!==t[0].validity.badInput||t.is(":required")?t.hasClass("validate")&&(t.is(":valid")&&e&&n<=i||t.is(":valid")&&!e?(t.removeClass("invalid"),t.addClass("valid")):(t.removeClass("valid"),t.addClass("invalid"))):t.hasClass("validate")&&(t.removeClass("valid"),t.removeClass("invalid"))};t(document).on("keyup.radio","input[type=radio], input[type=checkbox]",function(e){if(9===e.which)return t(this).addClass("tabbed"),void t(this).one("blur",function(e){t(this).removeClass("tabbed")})});var n=t(".hiddendiv").first();n.length||(n=t('<div class="hiddendiv common"></div>'),t("body").append(n));t(".materialize-textarea").each(function(){var e=t(this);e.data("original-height",e.height()),e.data("previous-length",e.val().length)}),t("body").on("keyup keydown autoresize",".materialize-textarea",function(){e(t(this))}),t(document).on("change",'.file-field input[type="file"]',function(){for(var e=t(this).closest(".file-field").find("input.file-path"),i=t(this)[0].files,n=[],o=0;o<i.length;o++)n.push(i[o].name);e.val(n.join(", ")),e.trigger("change")});var o="input[type=range]",a=!1;t(o).each(function(){var e=t('<span class="thumb"><span class="value"></span></span>');t(this).after(e)});var r=function(t){var e=-7+parseInt(t.parent().css("padding-left"))+"px";t.velocity({height:"30px",width:"30px",top:"-30px",marginLeft:e},{duration:300,easing:"easeOutExpo"})},s=function(t){var e=t.width()-15,i=parseFloat(t.attr("max")),n=parseFloat(t.attr("min"));return(parseFloat(t.val())-n)/(i-n)*e};t(document).on("change",o,function(e){var i=t(this).siblings(".thumb");i.find(".value").html(t(this).val()),i.hasClass("active")||r(i);var n=s(t(this));i.addClass("active").css("left",n)}),t(document).on("mousedown touchstart",o,function(e){var i=t(this).siblings(".thumb");if(i.length<=0&&(i=t('<span class="thumb"><span class="value"></span></span>'),t(this).after(i)),i.find(".value").html(t(this).val()),a=!0,t(this).addClass("active"),i.hasClass("active")||r(i),"input"!==e.type){var n=s(t(this));i.addClass("active").css("left",n)}}),t(document).on("mouseup touchend",".range-field",function(){a=!1,t(this).removeClass("active")}),t(document).on("input mousemove touchmove",".range-field",function(e){var i=t(this).children(".thumb"),n=t(this).find(o);if(a){i.hasClass("active")||r(i);var l=s(n);i.addClass("active").css("left",l),i.find(".value").html(i.siblings(o).val())}}),t(document).on("mouseout touchleave",".range-field",function(){if(!a){var e=t(this).children(".thumb"),i=7+parseInt(t(this).css("padding-left"))+"px";e.hasClass("active")&&e.velocity({height:"0",width:"0",top:"10px",marginLeft:i},{duration:100}),e.removeClass("active")}}),t.fn.autocomplete=function(e){var i={data:{},limit:1/0,onAutocomplete:null,minLength:1};return e=t.extend(i,e),this.each(function(){var i,n=t(this),o=e.data,a=0,r=-1,s=n.closest(".input-field");if(t.isEmptyObject(o))n.off("keyup.autocomplete focus.autocomplete");else{var l,c=t('<ul class="autocomplete-content dropdown-content"></ul>');s.length?(l=s.children(".autocomplete-content.dropdown-content").first()).length||s.append(c):(l=n.next(".autocomplete-content.dropdown-content")).length||n.after(c),l.length&&(c=l);var u=function(t,e){var i=e.find("img"),n=e.text().toLowerCase().indexOf(""+t.toLowerCase()),o=n+t.length-1,a=e.text().slice(0,n),r=e.text().slice(n,o+1),s=e.text().slice(o+1);e.html("<span>"+a+"<span class='highlight'>"+r+"</span>"+s+"</span>"),i.length&&e.prepend(i)},d=function(){r=-1,c.find(".active").removeClass("active")},p=function(){c.empty(),d(),i=void 0};n.off("blur.autocomplete").on("blur.autocomplete",function(){p()}),n.off("keyup.autocomplete focus.autocomplete").on("keyup.autocomplete focus.autocomplete",function(r){a=0;var s=n.val().toLowerCase();if(13!==r.which&&38!==r.which&&40!==r.which){if(i!==s&&(p(),s.length>=e.minLength))for(var l in o)if(o.hasOwnProperty(l)&&-1!==l.toLowerCase().indexOf(s)){if(a>=e.limit)break;var d=t("<li></li>");o[l]?d.append('<img src="'+o[l]+'" class="right circle"><span>'+l+"</span>"):d.append("<span>"+l+"</span>"),c.append(d),u(s,d),a++}i=s}}),n.off("keydown.autocomplete").on("keydown.autocomplete",function(t){var e,i=t.which,n=c.children("li").length,o=c.children(".active").first();13===i&&r>=0?(e=c.children("li").eq(r)).length&&(e.trigger("mousedown.autocomplete"),t.preventDefault()):38!==i&&40!==i||(t.preventDefault(),38===i&&r>0&&r--,40===i&&r<n-1&&r++,o.removeClass("active"),r>=0&&c.children("li").eq(r).addClass("active"))}),c.off("mousedown.autocomplete touchstart.autocomplete").on("mousedown.autocomplete touchstart.autocomplete","li",function(){var i=t(this).text().trim();n.val(i),n.trigger("change"),p(),"function"==typeof e.onAutocomplete&&e.onAutocomplete.call(this,i)})}})}}),t.fn.material_select=function(e){function i(t,e,i){var o=t.indexOf(e),a=-1===o;return a?t.push(e):t.splice(o,1),i.siblings("ul.dropdown-content").find("li:not(.optgroup)").eq(e).toggleClass("active"),i.find("option").eq(e).prop("selected",a),n(t,i),a}function n(t,e){for(var i="",n=0,o=t.length;n<o;n++){var a=e.find("option").eq(t[n]).text();i+=0===n?a:", "+a}""===i&&(i=e.find("option:disabled").eq(0).text()),e.siblings("input.select-dropdown").val(i)}t(this).each(function(){var n=t(this);if(!n.hasClass("browser-default")){var o=!!n.attr("multiple"),a=n.attr("data-select-id");if(a&&(n.parent().find("span.caret").remove(),n.parent().find("input").remove(),n.unwrap(),t("ul#select-options-"+a).remove()),"destroy"===e)return n.removeAttr("data-select-id").removeClass("initialized"),void t(window).off("click.select");var r=Materialize.guid();n.attr("data-select-id",r);var s=t('<div class="select-wrapper"></div>');s.addClass(n.attr("class")),n.is(":disabled")&&s.addClass("disabled");var l=t('<ul id="select-options-'+r+'" class="dropdown-content select-dropdown '+(o?"multiple-select-dropdown":"")+'"></ul>'),c=n.children("option, optgroup"),u=[],d=!1,p=n.find("option:selected").html()||n.find("option:first").html()||"",h=function(e,i,n){var a=i.is(":disabled")?"disabled ":"",r="optgroup-option"===n?"optgroup-option ":"",s=o?'<input type="checkbox"'+a+"/><label></label>":"",c=i.data("icon"),u=i.attr("class");if(c){var d="";return u&&(d=' class="'+u+'"'),l.append(t('<li class="'+a+r+'"><img alt="" src="'+c+'"'+d+"><span>"+s+i.html()+"</span></li>")),!0}l.append(t('<li class="'+a+r+'"><span>'+s+i.html()+"</span></li>"))};c.length&&c.each(function(){if(t(this).is("option"))o?h(0,t(this),"multiple"):h(0,t(this));else if(t(this).is("optgroup")){var e=t(this).children("option");l.append(t('<li class="optgroup"><span>'+t(this).attr("label")+"</span></li>")),e.each(function(){h(0,t(this),"optgroup-option")})}}),l.find("li:not(.optgroup)").each(function(a){t(this).click(function(r){if(!t(this).hasClass("disabled")&&!t(this).hasClass("optgroup")){var s=!0;o?(t('input[type="checkbox"]',this).prop("checked",function(t,e){return!e}),s=i(u,a,n),m.trigger("focus")):(l.find("li").removeClass("active"),t(this).toggleClass("active"),m.val(t(this).text())),g(l,t(this)),n.find("option").eq(a).prop("selected",s),n.trigger("change"),void 0!==e&&e()}r.stopPropagation()})}),n.wrap(s);var f=t('<span class="caret">&#9660;</span>'),v=p.replace(/"/g,"&quot;"),m=t('<input type="text" class="select-dropdown" readonly="true" '+(n.is(":disabled")?"disabled":"")+' data-activates="select-options-'+r+'" value="'+v+'"/>');n.before(m),m.before(f),m.after(l),n.is(":disabled")||m.dropdown({hover:!1}),n.attr("tabindex")&&t(m[0]).attr("tabindex",n.attr("tabindex")),n.addClass("initialized"),m.on({focus:function(){if(t("ul.select-dropdown").not(l[0]).is(":visible")&&(t("input.select-dropdown").trigger("close"),t(window).off("click.select")),!l.is(":visible")){t(this).trigger("open",["focus"]);var e=t(this).val();o&&e.indexOf(",")>=0&&(e=e.split(",")[0]);var i=l.find("li").filter(function(){return t(this).text().toLowerCase()===e.toLowerCase()})[0];g(l,i,!0),t(window).off("click.select").on("click.select",function(){o&&(d||m.trigger("close")),t(window).off("click.select")})}},click:function(t){t.stopPropagation()}}),m.on("blur",function(){o||(t(this).trigger("close"),t(window).off("click.select")),l.find("li.selected").removeClass("selected")}),l.hover(function(){d=!0},function(){d=!1}),o&&n.find("option:selected:not(:disabled)").each(function(){var t=this.index;i(u,t,n),l.find("li:not(.optgroup)").eq(t).find(":checkbox").prop("checked",!0)});var g=function(e,i,n){if(i){e.find("li.selected").removeClass("selected");var a=t(i);a.addClass("selected"),o&&!n||l.scrollTo(a)}},y=[];m.on("keydown",function(e){if(9!=e.which)if(40!=e.which||l.is(":visible")){if(13!=e.which||l.is(":visible")){e.preventDefault();var i=String.fromCharCode(e.which).toLowerCase(),n=[9,13,27,38,40];if(i&&-1===n.indexOf(e.which)){y.push(i);var a=y.join(""),r=l.find("li").filter(function(){return 0===t(this).text().toLowerCase().indexOf(a)})[0];r&&g(l,r)}if(13==e.which){var s=l.find("li.selected:not(.disabled)")[0];s&&(t(s).trigger("click"),o||m.trigger("close"))}40==e.which&&(r=l.find("li.selected").length?l.find("li.selected").next("li:not(.disabled)")[0]:l.find("li:not(.disabled)")[0],g(l,r)),27==e.which&&m.trigger("close"),38==e.which&&(r=l.find("li.selected").prev("li:not(.disabled)")[0])&&g(l,r),setTimeout(function(){y=[]},1e3)}}else m.trigger("open");else m.trigger("close")})}})}}(jQuery),function(t){var e={init:function(e){var i={indicators:!0,height:400,transition:500,interval:6e3};return e=t.extend(i,e),this.each(function(){function i(t,e){t.hasClass("center-align")?t.velocity({opacity:0,translateY:-100},{duration:e,queue:!1}):t.hasClass("right-align")?t.velocity({opacity:0,translateX:100},{duration:e,queue:!1}):t.hasClass("left-align")&&t.velocity({opacity:0,translateX:-100},{duration:e,queue:!1})}function n(t){t>=c.length?t=0:t<0&&(t=c.length-1),(u=l.find(".active").index())!=t&&(o=c.eq(u),$caption=o.find(".caption"),o.removeClass("active"),o.velocity({opacity:0},{duration:e.transition,queue:!1,easing:"easeOutQuad",complete:function(){c.not(".active").velocity({opacity:0,translateX:0,translateY:0},{duration:0,queue:!1})}}),i($caption,e.transition),e.indicators&&a.eq(u).removeClass("active"),c.eq(t).velocity({opacity:1},{duration:e.transition,queue:!1,easing:"easeOutQuad"}),c.eq(t).find(".caption").velocity({opacity:1,translateX:0,translateY:0},{duration:e.transition,delay:e.transition,queue:!1,easing:"easeOutQuad"}),c.eq(t).addClass("active"),e.indicators&&a.eq(t).addClass("active"))}var o,a,r,s=t(this),l=s.find("ul.slides").first(),c=l.find("> li"),u=l.find(".active").index();-1!=u&&(o=c.eq(u)),s.hasClass("fullscreen")||(e.indicators?s.height(e.height+40):s.height(e.height),l.height(e.height)),c.find(".caption").each(function(){i(t(this),0)}),c.find("img").each(function(){var e="data:image/gif;base64,R0lGODlhAQABAIABAP///wAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==";t(this).attr("src")!==e&&(t(this).css("background-image",'url("'+t(this).attr("src")+'")'),t(this).attr("src",e))}),e.indicators&&(a=t('<ul class="indicators"></ul>'),c.each(function(i){var o=t('<li class="indicator-item"></li>');o.click(function(){n(l.parent().find(t(this)).index()),clearInterval(r),r=setInterval(function(){u=l.find(".active").index(),c.length==u+1?u=0:u+=1,n(u)},e.transition+e.interval)}),a.append(o)}),s.append(a),a=s.find("ul.indicators").find("li.indicator-item")),o?o.show():(c.first().addClass("active").velocity({opacity:1},{duration:e.transition,queue:!1,easing:"easeOutQuad"}),u=0,o=c.eq(u),e.indicators&&a.eq(u).addClass("active")),o.find("img").each(function(){o.find(".caption").velocity({opacity:1,translateX:0,translateY:0},{duration:e.transition,queue:!1,easing:"easeOutQuad"})}),r=setInterval(function(){n((u=l.find(".active").index())+1)},e.transition+e.interval);var d=!1,p=!1,h=!1;s.hammer({prevent_default:!1}).on("pan",function(t){if("touch"===t.gesture.pointerType){clearInterval(r);var e=t.gesture.direction,i=t.gesture.deltaX,n=t.gesture.velocityX,o=t.gesture.velocityY;$curr_slide=l.find(".active"),Math.abs(n)>Math.abs(o)&&$curr_slide.velocity({translateX:i},{duration:50,queue:!1,easing:"easeOutQuad"}),4===e&&(i>s.innerWidth()/2||n<-.65)?h=!0:2===e&&(i<-1*s.innerWidth()/2||n>.65)&&(p=!0);var a;p&&(0===(a=$curr_slide.next()).length&&(a=c.first()),a.velocity({opacity:1},{duration:300,queue:!1,easing:"easeOutQuad"})),h&&(0===(a=$curr_slide.prev()).length&&(a=c.last()),a.velocity({opacity:1},{duration:300,queue:!1,easing:"easeOutQuad"}))}}).on("panend",function(t){"touch"===t.gesture.pointerType&&($curr_slide=l.find(".active"),d=!1,curr_index=l.find(".active").index(),!h&&!p||c.length<=1?$curr_slide.velocity({translateX:0},{duration:300,queue:!1,easing:"easeOutQuad"}):p?(n(curr_index+1),$curr_slide.velocity({translateX:-1*s.innerWidth()},{duration:300,queue:!1,easing:"easeOutQuad",complete:function(){$curr_slide.velocity({opacity:0,translateX:0},{duration:0,queue:!1})}})):h&&(n(curr_index-1),$curr_slide.velocity({translateX:s.innerWidth()},{duration:300,queue:!1,easing:"easeOutQuad",complete:function(){$curr_slide.velocity({opacity:0,translateX:0},{duration:0,queue:!1})}})),p=!1,h=!1,clearInterval(r),r=setInterval(function(){u=l.find(".active").index(),c.length==u+1?u=0:u+=1,n(u)},e.transition+e.interval))}),s.on("sliderPause",function(){clearInterval(r)}),s.on("sliderStart",function(){clearInterval(r),r=setInterval(function(){u=l.find(".active").index(),c.length==u+1?u=0:u+=1,n(u)},e.transition+e.interval)}),s.on("sliderNext",function(){n((u=l.find(".active").index())+1)}),s.on("sliderPrev",function(){n((u=l.find(".active").index())-1)})})},pause:function(){t(this).trigger("sliderPause")},start:function(){t(this).trigger("sliderStart")},next:function(){t(this).trigger("sliderNext")},prev:function(){t(this).trigger("sliderPrev")}};t.fn.slider=function(i){return e[i]?e[i].apply(this,Array.prototype.slice.call(arguments,1)):"object"!=typeof i&&i?void t.error("Method "+i+" does not exist on jQuery.tooltip"):e.init.apply(this,arguments)}}(jQuery),function(t){t(document).ready(function(){t(document).on("click.card",".card",function(e){if(t(this).find("> .card-reveal").length){var i=t(e.target).closest(".card");void 0===i.data("initialOverflow")&&i.data("initialOverflow",void 0===i.css("overflow")?"":i.css("overflow")),t(e.target).is(t(".card-reveal .card-title"))||t(e.target).is(t(".card-reveal .card-title i"))?t(this).find(".card-reveal").velocity({translateY:0},{duration:225,queue:!1,easing:"easeInOutQuad",complete:function(){t(this).css({display:"none"}),i.css("overflow",i.data("initialOverflow"))}}):(t(e.target).is(t(".card .activator"))||t(e.target).is(t(".card .activator i")))&&(i.css("overflow","hidden"),t(this).find(".card-reveal").css({display:"block"}).velocity("stop",!1).velocity({translateY:"-100%"},{duration:300,queue:!1,easing:"easeInOutQuad"}))}})})}(jQuery),function(t){var e={data:[],placeholder:"",secondaryPlaceholder:"",autocompleteOptions:{}};t(document).ready(function(){t(document).on("click",".chip .close",function(e){t(this).closest(".chips").attr("data-initialized")||t(this).closest(".chip").remove()})}),t.fn.material_chip=function(i){var n=this;if(this.$el=t(this),this.$document=t(document),this.SELS={CHIPS:".chips",CHIP:".chip",INPUT:"input",DELETE:".material-icons",SELECTED_CHIP:".selected"},"data"===i)return this.$el.data("chips");var o=t.extend({},e,i);n.hasAutocomplete=!t.isEmptyObject(o.autocompleteOptions.data),this.init=function(){var e=0;n.$el.each(function(){var i=t(this),a=Materialize.guid();n.chipId=a,o.data&&o.data instanceof Array||(o.data=[]),i.data("chips",o.data),i.attr("data-index",e),i.attr("data-initialized",!0),i.hasClass(n.SELS.CHIPS)||i.addClass("chips"),n.chips(i,a),e++})},this.handleEvents=function(){var e=n.SELS;n.$document.off("click.chips-focus",e.CHIPS).on("click.chips-focus",e.CHIPS,function(i){t(i.target).find(e.INPUT).focus()}),n.$document.off("click.chips-select",e.CHIP).on("click.chips-select",e.CHIP,function(i){var o=t(i.target);if(o.length){var a=o.hasClass("selected"),r=o.closest(e.CHIPS);t(e.CHIP).removeClass("selected"),a||n.selectChip(o.index(),r)}}),n.$document.off("keydown.chips").on("keydown.chips",function(i){if(!t(i.target).is("input, textarea")){var o,a=n.$document.find(e.CHIP+e.SELECTED_CHIP),r=a.closest(e.CHIPS),s=a.siblings(e.CHIP).length;if(a.length)if(8===i.which||46===i.which){i.preventDefault(),o=a.index(),n.deleteChip(o,r);var l=null;o+1<s?l=o:o!==s&&o+1!==s||(l=s-1),l<0&&(l=null),null!==l&&n.selectChip(l,r),s||r.find("input").focus()}else if(37===i.which){if((o=a.index()-1)<0)return;t(e.CHIP).removeClass("selected"),n.selectChip(o,r)}else if(39===i.which){if(o=a.index()+1,t(e.CHIP).removeClass("selected"),o>s)return void r.find("input").focus();n.selectChip(o,r)}}}),n.$document.off("focusin.chips",e.CHIPS+" "+e.INPUT).on("focusin.chips",e.CHIPS+" "+e.INPUT,function(i){var n=t(i.target).closest(e.CHIPS);n.addClass("focus"),n.siblings("label, .prefix").addClass("active"),t(e.CHIP).removeClass("selected")}),n.$document.off("focusout.chips",e.CHIPS+" "+e.INPUT).on("focusout.chips",e.CHIPS+" "+e.INPUT,function(i){var n=t(i.target).closest(e.CHIPS);n.removeClass("focus"),void 0!==n.data("chips")&&n.data("chips").length||n.siblings("label").removeClass("active"),n.siblings(".prefix").removeClass("active")}),n.$document.off("keydown.chips-add",e.CHIPS+" "+e.INPUT).on("keydown.chips-add",e.CHIPS+" "+e.INPUT,function(i){var o=t(i.target),a=o.closest(e.CHIPS),r=a.children(e.CHIP).length;if(13===i.which){if(n.hasAutocomplete&&a.find(".autocomplete-content.dropdown-content").length&&a.find(".autocomplete-content.dropdown-content").children().length)return;return i.preventDefault(),n.addChip({tag:o.val()},a),void o.val("")}if((8===i.keyCode||37===i.keyCode)&&""===o.val()&&r)return i.preventDefault(),n.selectChip(r-1,a),void o.blur()}),n.$document.off("click.chips-delete",e.CHIPS+" "+e.DELETE).on("click.chips-delete",e.CHIPS+" "+e.DELETE,function(i){var o=t(i.target),a=o.closest(e.CHIPS),r=o.closest(e.CHIP);i.stopPropagation(),n.deleteChip(r.index(),a),a.find("input").focus()})},this.chips=function(e,i){e.empty(),e.data("chips").forEach(function(t){e.append(n.renderChip(t))}),e.append(t('<input id="'+i+'" class="input" placeholder="">')),n.setPlaceholder(e);var a=e.next("label");a.length&&(a.attr("for",i),void 0!==e.data("chips")&&e.data("chips").length&&a.addClass("active"));var r=t("#"+i);n.hasAutocomplete&&(o.autocompleteOptions.onAutocomplete=function(t){n.addChip({tag:t},e),r.val(""),r.focus()},r.autocomplete(o.autocompleteOptions))},this.renderChip=function(e){if(e.tag){var i=t('<div class="chip"></div>');return i.text(e.tag),e.image&&i.prepend(t("<img />").attr("src",e.image)),i.append(t('<i class="material-icons close">close</i>')),i}},this.setPlaceholder=function(t){void 0!==t.data("chips")&&!t.data("chips").length&&o.placeholder?t.find("input").prop("placeholder",o.placeholder):(void 0===t.data("chips")||t.data("chips").length)&&o.secondaryPlaceholder&&t.find("input").prop("placeholder",o.secondaryPlaceholder)},this.isValid=function(t,e){for(var i=t.data("chips"),n=!1,o=0;o<i.length;o++)if(i[o].tag===e.tag)return void(n=!0);return""!==e.tag&&!n},this.addChip=function(t,e){if(n.isValid(e,t)){for(var i=n.renderChip(t),o=[],a=e.data("chips"),r=0;r<a.length;r++)o.push(a[r]);o.push(t),e.data("chips",o),i.insertBefore(e.find("input")),e.trigger("chip.add",t),n.setPlaceholder(e)}},this.deleteChip=function(t,e){var i=e.data("chips")[t];e.find(".chip").eq(t).remove();for(var o=[],a=e.data("chips"),r=0;r<a.length;r++)r!==t&&o.push(a[r]);e.data("chips",o),e.trigger("chip.delete",i),n.setPlaceholder(e)},this.selectChip=function(t,e){var i=e.find(".chip").eq(t);i&&!1===i.hasClass("selected")&&(i.addClass("selected"),e.trigger("chip.select",e.data("chips")[t]))},this.getChipsElement=function(t,e){return e.eq(t)},this.init(),this.handleEvents()}}(jQuery),function(t){t.fn.pushpin=function(e){var i={top:0,bottom:1/0,offset:0};return"remove"===e?(this.each(function(){(id=t(this).data("pushpin-id"))&&(t(window).off("scroll."+id),t(this).removeData("pushpin-id").removeClass("pin-top pinned pin-bottom").removeAttr("style"))}),!1):(e=t.extend(i,e),$index=0,this.each(function(){function i(t){t.removeClass("pin-top"),t.removeClass("pinned"),t.removeClass("pin-bottom")}function n(n,o){n.each(function(){e.top<=o&&e.bottom>=o&&!t(this).hasClass("pinned")&&(i(t(this)),t(this).css("top",e.offset),t(this).addClass("pinned")),o<e.top&&!t(this).hasClass("pin-top")&&(i(t(this)),t(this).css("top",0),t(this).addClass("pin-top")),o>e.bottom&&!t(this).hasClass("pin-bottom")&&(i(t(this)),t(this).addClass("pin-bottom"),t(this).css("top",e.bottom-r))})}var o=Materialize.guid(),a=t(this),r=t(this).offset().top;t(this).data("pushpin-id",o),n(a,t(window).scrollTop()),t(window).on("scroll."+o,function(){var i=t(window).scrollTop()+e.offset;n(a,i)})}))}}(jQuery),function(t){t(document).ready(function(){t.fn.reverse=[].reverse,t(document).on("mouseenter.fixedActionBtn",".fixed-action-btn:not(.click-to-toggle):not(.toolbar)",function(i){var n=t(this);e(n)}),t(document).on("mouseleave.fixedActionBtn",".fixed-action-btn:not(.click-to-toggle):not(.toolbar)",function(e){var n=t(this);i(n)}),t(document).on("click.fabClickToggle",".fixed-action-btn.click-to-toggle > a",function(n){var o=t(this).parent();o.hasClass("active")?i(o):e(o)}),t(document).on("click.fabToolbar",".fixed-action-btn.toolbar > a",function(e){var i=t(this).parent();n(i)})}),t.fn.extend({openFAB:function(){e(t(this))},closeFAB:function(){i(t(this))},openToolbar:function(){n(t(this))},closeToolbar:function(){o(t(this))}});var e=function(e){var i=e;if(!1===i.hasClass("active")){var n,o;!0===i.hasClass("horizontal")?o=40:n=40,i.addClass("active"),i.find("ul .btn-floating").velocity({scaleY:".4",scaleX:".4",translateY:n+"px",translateX:o+"px"},{duration:0});var a=0;i.find("ul .btn-floating").reverse().each(function(){t(this).velocity({opacity:"1",scaleX:"1",scaleY:"1",translateY:"0",translateX:"0"},{duration:80,delay:a}),a+=40})}},i=function(t){var e,i,n=t;!0===n.hasClass("horizontal")?i=40:e=40,n.removeClass("active");n.find("ul .btn-floating").velocity("stop",!0),n.find("ul .btn-floating").velocity({opacity:"0",scaleX:".4",scaleY:".4",translateY:e+"px",translateX:i+"px"},{duration:80})},n=function(e){if("true"!==e.attr("data-open")){var i,n,a,r=window.innerWidth,s=window.innerHeight,l=e[0].getBoundingClientRect(),c=e.find("> a").first(),u=e.find("> ul").first(),d=t('<div class="fab-backdrop"></div>'),p=c.css("background-color");c.append(d),i=l.left-r/2+l.width/2,n=s-l.bottom,a=r/d.width(),e.attr("data-origin-bottom",l.bottom),e.attr("data-origin-left",l.left),e.attr("data-origin-width",l.width),e.addClass("active"),e.attr("data-open",!0),e.css({"text-align":"center",width:"100%",bottom:0,left:0,transform:"translateX("+i+"px)",transition:"none"}),c.css({transform:"translateY("+-n+"px)",transition:"none"}),d.css({"background-color":p}),setTimeout(function(){e.css({transform:"",transition:"transform .2s cubic-bezier(0.550, 0.085, 0.680, 0.530), background-color 0s linear .2s"}),c.css({overflow:"visible",transform:"",transition:"transform .2s"}),setTimeout(function(){e.css({overflow:"hidden","background-color":p}),d.css({transform:"scale("+a+")",transition:"transform .2s cubic-bezier(0.550, 0.055, 0.675, 0.190)"}),u.find("> li > a").css({opacity:1}),t(window).on("scroll.fabToolbarClose",function(){o(e),t(window).off("scroll.fabToolbarClose"),t(document).off("click.fabToolbarClose")}),t(document).on("click.fabToolbarClose",function(i){t(i.target).closest(u).length||(o(e),t(window).off("scroll.fabToolbarClose"),t(document).off("click.fabToolbarClose"))})},100)},0)}},o=function(t){if("true"===t.attr("data-open")){var e,i,n=window.innerWidth,o=window.innerHeight,a=t.attr("data-origin-width"),r=t.attr("data-origin-bottom"),s=t.attr("data-origin-left"),l=t.find("> .btn-floating").first(),c=t.find("> ul").first(),u=t.find(".fab-backdrop"),d=l.css("background-color");e=s-n/2+a/2,i=o-r,n/u.width(),t.removeClass("active"),t.attr("data-open",!1),t.css({"background-color":"transparent",transition:"none"}),l.css({transition:"none"}),u.css({transform:"scale(0)","background-color":d}),c.find("> li > a").css({opacity:""}),setTimeout(function(){u.remove(),t.css({"text-align":"",width:"",bottom:"",left:"",overflow:"","background-color":"",transform:"translate3d("+-e+"px,0,0)"}),l.css({overflow:"",transform:"translate3d(0,"+i+"px,0)"}),setTimeout(function(){t.css({transform:"translate3d(0,0,0)",transition:"transform .2s"}),l.css({transform:"translate3d(0,0,0)",transition:"transform .2s cubic-bezier(0.550, 0.055, 0.675, 0.190)"})},20)},200)}}}(jQuery),function(t){Materialize.fadeInImage=function(e){var i;if("string"==typeof e)i=t(e);else{if("object"!=typeof e)return;i=e}i.css({opacity:0}),t(i).velocity({opacity:1},{duration:650,queue:!1,easing:"easeOutSine"}),t(i).velocity({opacity:1},{duration:1300,queue:!1,easing:"swing",step:function(e,i){i.start=100;var n=e/100,o=150-(100-e)/1.75;o<100&&(o=100),e>=0&&t(this).css({"-webkit-filter":"grayscale("+n+")brightness("+o+"%)",filter:"grayscale("+n+")brightness("+o+"%)"})}})},Materialize.showStaggeredList=function(e){var i;if("string"==typeof e)i=t(e);else{if("object"!=typeof e)return;i=e}var n=0;i.find("li").velocity({translateX:"-100px"},{duration:0}),i.find("li").each(function(){t(this).velocity({opacity:"1",translateX:"0"},{duration:800,delay:n,easing:[60,10]}),n+=120})},t(document).ready(function(){var e=!1,i=!1;t(".dismissable").each(function(){t(this).hammer({prevent_default:!1}).on("pan",function(n){if("touch"===n.gesture.pointerType){var o=t(this),a=n.gesture.direction,r=n.gesture.deltaX,s=n.gesture.velocityX;o.velocity({translateX:r},{duration:50,queue:!1,easing:"easeOutQuad"}),4===a&&(r>o.innerWidth()/2||s<-.75)&&(e=!0),2===a&&(r<-1*o.innerWidth()/2||s>.75)&&(i=!0)}}).on("panend",function(n){if(Math.abs(n.gesture.deltaX)<t(this).innerWidth()/2&&(i=!1,e=!1),"touch"===n.gesture.pointerType){var o=t(this);if(e||i){var a;a=e?o.innerWidth():-1*o.innerWidth(),o.velocity({translateX:a},{duration:100,queue:!1,easing:"easeOutQuad",complete:function(){o.css("border","none"),o.velocity({height:0,padding:0},{duration:200,queue:!1,easing:"easeOutQuad",complete:function(){o.remove()}})}})}else o.velocity({translateX:0},{duration:100,queue:!1,easing:"easeOutQuad"});e=!1,i=!1}})})})}(jQuery),function(t){var e=!1;Materialize.scrollFire=function(t){var i=function(){for(var e=window.pageYOffset+window.innerHeight,i=0;i<t.length;i++){var n=t[i],o=n.selector,a=n.offset,r=n.callback,s=document.querySelector(o);null!==s&&e>s.getBoundingClientRect().top+window.pageYOffset+a&&!0!==n.done&&("function"==typeof r?r.call(this,s):"string"==typeof r&&new Function(r)(s),n.done=!0)}},n=Materialize.throttle(function(){i()},t.throttle||100);e||(window.addEventListener("scroll",n),window.addEventListener("resize",n),e=!0),setTimeout(n,0)}}(jQuery),function(t){Materialize.Picker=t(jQuery)}(function(t){function e(a,s,u,d){function p(){return e._.node("div",e._.node("div",e._.node("div",e._.node("div",T.component.nodes(b.open),k.box),k.wrap),k.frame),k.holder)}function h(){x.data(s,T).addClass(k.input).attr("tabindex",-1).val(x.data("value")?T.get("select",w.format):a.value),w.editable||x.on("focus."+b.id+" click."+b.id,function(t){t.preventDefault(),T.$root.eq(0).focus()}).on("keydown."+b.id,m),o(a,{haspopup:!0,expanded:!1,readonly:!1,owns:a.id+"_root"})}function f(){T.$root.on({keydown:m,focusin:function(t){T.$root.removeClass(k.focused),t.stopPropagation()},"mousedown click":function(e){var i=e.target;i!=T.$root.children()[0]&&(e.stopPropagation(),"mousedown"!=e.type||t(i).is("input, select, textarea, button, option")||(e.preventDefault(),T.$root.eq(0).focus()))}}).on({focus:function(){x.addClass(k.target)},blur:function(){x.removeClass(k.target)}}).on("focus.toOpen",g).on("click","[data-pick], [data-nav], [data-clear], [data-close]",function(){var e=t(this),i=e.data(),n=e.hasClass(k.navDisabled)||e.hasClass(k.disabled),o=r();o=o&&(o.type||o.href)&&o,(n||o&&!t.contains(T.$root[0],o))&&T.$root.eq(0).focus(),!n&&i.nav?T.set("highlight",T.component.item.highlight,{nav:i.nav}):!n&&"pick"in i?(T.set("select",i.pick),w.closeOnSelect&&T.close(!0)):i.clear?(T.clear(),w.closeOnSelect&&T.close(!0)):i.close&&T.close(!0)}),o(T.$root[0],"hidden",!0)}function v(){var e;!0===w.hiddenName?(e=a.name,a.name=""):e=(e=["string"==typeof w.hiddenPrefix?w.hiddenPrefix:"","string"==typeof w.hiddenSuffix?w.hiddenSuffix:"_submit"])[0]+a.name+e[1],T._hidden=t('<input type=hidden name="'+e+'"'+(x.data("value")||a.value?' value="'+T.get("select",w.formatSubmit)+'"':"")+">")[0],x.on("change."+b.id,function(){T._hidden.value=a.value?T.get("select",w.formatSubmit):""}),w.container?t(w.container).append(T._hidden):x.before(T._hidden)}function m(t){var e=t.keyCode,i=/^(8|46)$/.test(e);if(27==e)return T.close(),!1;(32==e||i||!b.open&&T.component.key[e])&&(t.preventDefault(),t.stopPropagation(),i?T.clear().close():T.open())}function g(t){t.stopPropagation(),"focus"==t.type&&T.$root.addClass(k.focused),T.open()}if(!a)return e;var y=!1,b={id:a.id||"P"+Math.abs(~~(Math.random()*new Date))},w=u?t.extend(!0,{},u.defaults,d):d||{},k=t.extend({},e.klasses(),w.klass),x=t(a),C=function(){return this.start()},T=C.prototype={constructor:C,$node:x,start:function(){return b&&b.start?T:(b.methods={},b.start=!0,b.open=!1,b.type=a.type,a.autofocus=a==r(),a.readOnly=!w.editable,a.id=a.id||b.id,"text"!=a.type&&(a.type="text"),T.component=new u(T,w),T.$root=t(e._.node("div",p(),k.picker,'id="'+a.id+'_root" tabindex="0"')),f(),w.formatSubmit&&v(),h(),w.container?t(w.container).append(T.$root):x.before(T.$root),T.on({start:T.component.onStart,render:T.component.onRender,stop:T.component.onStop,open:T.component.onOpen,close:T.component.onClose,set:T.component.onSet}).on({start:w.onStart,render:w.onRender,stop:w.onStop,open:w.onOpen,close:w.onClose,set:w.onSet}),y=i(T.$root.children()[0]),a.autofocus&&T.open(),T.trigger("start").trigger("render"))},render:function(t){return t?T.$root.html(p()):T.$root.find("."+k.box).html(T.component.nodes(b.open)),T.trigger("render")},stop:function(){return b.start?(T.close(),T._hidden&&T._hidden.parentNode.removeChild(T._hidden),T.$root.remove(),x.removeClass(k.input).removeData(s),setTimeout(function(){x.off("."+b.id)},0),a.type=b.type,a.readOnly=!1,T.trigger("stop"),b.methods={},b.start=!1,T):T},open:function(i){return b.open?T:(x.addClass(k.active),o(a,"expanded",!0),setTimeout(function(){T.$root.addClass(k.opened),o(T.$root[0],"hidden",!1)},0),!1!==i&&(b.open=!0,y&&c.css("overflow","hidden").css("padding-right","+="+n()),T.$root.eq(0).focus(),l.on("click."+b.id+" focusin."+b.id,function(t){var e=t.target;e!=a&&e!=document&&3!=t.which&&T.close(e===T.$root.children()[0])}).on("keydown."+b.id,function(i){var n=i.keyCode,o=T.component.key[n],a=i.target;27==n?T.close(!0):a!=T.$root[0]||!o&&13!=n?t.contains(T.$root[0],a)&&13==n&&(i.preventDefault(),a.click()):(i.preventDefault(),o?e._.trigger(T.component.key.go,T,[e._.trigger(o)]):T.$root.find("."+k.highlighted).hasClass(k.disabled)||(T.set("select",T.component.item.highlight),w.closeOnSelect&&T.close(!0)))})),T.trigger("open"))},close:function(t){return t&&(T.$root.off("focus.toOpen").eq(0).focus(),setTimeout(function(){T.$root.on("focus.toOpen",g)},0)),x.removeClass(k.active),o(a,"expanded",!1),setTimeout(function(){T.$root.removeClass(k.opened+" "+k.focused),o(T.$root[0],"hidden",!0)},0),b.open?(b.open=!1,y&&c.css("overflow","").css("padding-right","-="+n()),l.off("."+b.id),T.trigger("close")):T},clear:function(t){return T.set("clear",null,t)},set:function(e,i,n){var o,a,r=t.isPlainObject(e),s=r?e:{};if(n=r&&t.isPlainObject(i)?i:n||{},e){r||(s[e]=i);for(o in s)a=s[o],o in T.component.item&&(void 0===a&&(a=null),T.component.set(o,a,n)),"select"!=o&&"clear"!=o||x.val("clear"==o?"":T.get(o,w.format)).trigger("change");T.render()}return n.muted?T:T.trigger("set",s)},get:function(t,i){if(t=t||"value",null!=b[t])return b[t];if("valueSubmit"==t){if(T._hidden)return T._hidden.value;t="value"}if("value"==t)return a.value;if(t in T.component.item){if("string"==typeof i){var n=T.component.get(t);return n?e._.trigger(T.component.formats.toString,T.component,[i,n]):""}return T.component.get(t)}},on:function(e,i,n){var o,a,r=t.isPlainObject(e),s=r?e:{};if(e){r||(s[e]=i);for(o in s)a=s[o],n&&(o="_"+o),b.methods[o]=b.methods[o]||[],b.methods[o].push(a)}return T},off:function(){var t,e,i=arguments;for(t=0,namesCount=i.length;t<namesCount;t+=1)(e=i[t])in b.methods&&delete b.methods[e];return T},trigger:function(t,i){var n=function(t){var n=b.methods[t];n&&n.map(function(t){e._.trigger(t,T,[i])})};return n("_"+t),n(t),T}};return new C}function i(t){var e;return t.currentStyle?e=t.currentStyle.position:window.getComputedStyle&&(e=getComputedStyle(t).position),"fixed"==e}function n(){if(c.height()<=s.height())return 0;var e=t('<div style="visibility:hidden;width:100px" />').appendTo("body"),i=e[0].offsetWidth;e.css("overflow","scroll");var n=t('<div style="width:100%" />').appendTo(e)[0].offsetWidth;return e.remove(),i-n}function o(e,i,n){if(t.isPlainObject(i))for(var o in i)a(e,o,i[o]);else a(e,i,n)}function a(t,e,i){t.setAttribute(("role"==e?"":"aria-")+e,i)}function r(){try{return document.activeElement}catch(t){}}var s=t(window),l=t(document),c=t(document.documentElement);return e.klasses=function(t){return t=t||"picker",{picker:t,opened:t+"--opened",focused:t+"--focused",input:t+"__input",active:t+"__input--active",target:t+"__input--target",holder:t+"__holder",frame:t+"__frame",wrap:t+"__wrap",box:t+"__box"}},e._={group:function(t){for(var i,n="",o=e._.trigger(t.min,t);o<=e._.trigger(t.max,t,[o]);o+=t.i)i=e._.trigger(t.item,t,[o]),n+=e._.node(t.node,i[0],i[1],i[2]);return n},node:function(e,i,n,o){return i?(i=t.isArray(i)?i.join(""):i,n=n?' class="'+n+'"':"",o=o?" "+o:"","<"+e+n+o+">"+i+"</"+e+">"):""},lead:function(t){return(t<10?"0":"")+t},trigger:function(t,e,i){return"function"==typeof t?t.apply(e,i||[]):t},digits:function(t){return/\d/.test(t[1])?2:1},isDate:function(t){return{}.toString.call(t).indexOf("Date")>-1&&this.isInteger(t.getDate())},isInteger:function(t){return{}.toString.call(t).indexOf("Number")>-1&&t%1==0},ariaAttr:function(e,i){t.isPlainObject(e)||(e={attribute:i}),i="";for(var n in e){var o=("role"==n?"":"aria-")+n;i+=null==e[n]?"":o+'="'+e[n]+'"'}return i}},e.extend=function(i,n){t.fn[i]=function(o,a){var r=this.data(i);return"picker"==o?r:r&&"string"==typeof o?e._.trigger(r[o],r,[a]):this.each(function(){t(this).data(i)||new e(this,i,n,o)})},t.fn[i].defaults=n.defaults},e}),function(t){t(Materialize.Picker,jQuery)}(function(t,e){function i(t,e){var i=this,n=t.$node[0],o=n.value,a=t.$node.data("value"),r=a||o,s=a?e.formatSubmit:e.format,l=function(){return n.currentStyle?"rtl"==n.currentStyle.direction:"rtl"==getComputedStyle(t.$root[0]).direction};i.settings=e,i.$node=t.$node,i.queue={min:"measure create",max:"measure create",now:"now create",select:"parse create validate",highlight:"parse navigate create validate",view:"parse create validate viewset",disable:"deactivate",enable:"activate"},i.item={},i.item.clear=null,i.item.disable=(e.disable||[]).slice(0),i.item.enable=-function(t){return!0===t[0]?t.shift():-1}(i.item.disable),i.set("min",e.min).set("max",e.max).set("now"),r?i.set("select",r,{format:s}):i.set("select",null).set("highlight",i.item.now),i.key={40:7,38:-7,39:function(){return l()?-1:1},37:function(){return l()?1:-1},go:function(t){var e=i.item.highlight,n=new Date(e.year,e.month,e.date+t);i.set("highlight",n,{interval:t}),this.render()}},t.on("render",function(){t.$root.find("."+e.klass.selectMonth).on("change",function(){var i=this.value;i&&(t.set("highlight",[t.get("view").year,i,t.get("highlight").date]),t.$root.find("."+e.klass.selectMonth).trigger("focus"))}),t.$root.find("."+e.klass.selectYear).on("change",function(){var i=this.value;i&&(t.set("highlight",[i,t.get("view").month,t.get("highlight").date]),t.$root.find("."+e.klass.selectYear).trigger("focus"))})},1).on("open",function(){var n="";i.disabled(i.get("now"))&&(n=":not(."+e.klass.buttonToday+")"),t.$root.find("button"+n+", select").attr("disabled",!1)},1).on("close",function(){t.$root.find("button, select").attr("disabled",!0)},1)}var n=t._;i.prototype.set=function(t,e,i){var n=this,o=n.item;return null===e?("clear"==t&&(t="select"),o[t]=e,n):(o["enable"==t?"disable":"flip"==t?"enable":t]=n.queue[t].split(" ").map(function(o){return e=n[o](t,e,i)}).pop(),"select"==t?n.set("highlight",o.select,i):"highlight"==t?n.set("view",o.highlight,i):t.match(/^(flip|min|max|disable|enable)$/)&&(o.select&&n.disabled(o.select)&&n.set("select",o.select,i),o.highlight&&n.disabled(o.highlight)&&n.set("highlight",o.highlight,i)),n)},i.prototype.get=function(t){return this.item[t]},i.prototype.create=function(t,i,o){var a,r=this;return i=void 0===i?t:i,i==-1/0||i==1/0?a=i:e.isPlainObject(i)&&n.isInteger(i.pick)?i=i.obj:e.isArray(i)?(i=new Date(i[0],i[1],i[2]),i=n.isDate(i)?i:r.create().obj):i=n.isInteger(i)||n.isDate(i)?r.normalize(new Date(i),o):r.now(t,i,o),{year:a||i.getFullYear(),month:a||i.getMonth(),date:a||i.getDate(),day:a||i.getDay(),obj:a||i,pick:a||i.getTime()}},i.prototype.createRange=function(t,i){var o=this,a=function(t){return!0===t||e.isArray(t)||n.isDate(t)?o.create(t):t};return n.isInteger(t)||(t=a(t)),n.isInteger(i)||(i=a(i)),n.isInteger(t)&&e.isPlainObject(i)?t=[i.year,i.month,i.date+t]:n.isInteger(i)&&e.isPlainObject(t)&&(i=[t.year,t.month,t.date+i]),{from:a(t),to:a(i)}},i.prototype.withinRange=function(t,e){return t=this.createRange(t.from,t.to),e.pick>=t.from.pick&&e.pick<=t.to.pick},i.prototype.overlapRanges=function(t,e){var i=this;return t=i.createRange(t.from,t.to),e=i.createRange(e.from,e.to),i.withinRange(t,e.from)||i.withinRange(t,e.to)||i.withinRange(e,t.from)||i.withinRange(e,t.to)},i.prototype.now=function(t,e,i){return e=new Date,i&&i.rel&&e.setDate(e.getDate()+i.rel),this.normalize(e,i)},i.prototype.navigate=function(t,i,n){var o,a,r,s,l=e.isArray(i),c=e.isPlainObject(i),u=this.item.view;if(l||c){for(c?(a=i.year,r=i.month,s=i.date):(a=+i[0],r=+i[1],s=+i[2]),n&&n.nav&&u&&u.month!==r&&(a=u.year,r=u.month),a=(o=new Date(a,r+(n&&n.nav?n.nav:0),1)).getFullYear(),r=o.getMonth();new Date(a,r,s).getMonth()!==r;)s-=1;i=[a,r,s]}return i},i.prototype.normalize=function(t){return t.setHours(0,0,0,0),t},i.prototype.measure=function(t,e){var i=this;return e?"string"==typeof e?e=i.parse(t,e):n.isInteger(e)&&(e=i.now(t,e,{rel:e})):e="min"==t?-1/0:1/0,e},i.prototype.viewset=function(t,e){return this.create([e.year,e.month,1])},i.prototype.validate=function(t,i,o){var a,r,s,l,c=this,u=i,d=o&&o.interval?o.interval:1,p=-1===c.item.enable,h=c.item.min,f=c.item.max,v=p&&c.item.disable.filter(function(t){if(e.isArray(t)){var o=c.create(t).pick;o<i.pick?a=!0:o>i.pick&&(r=!0)}return n.isInteger(t)}).length;if((!o||!o.nav)&&(!p&&c.disabled(i)||p&&c.disabled(i)&&(v||a||r)||!p&&(i.pick<=h.pick||i.pick>=f.pick)))for(p&&!v&&(!r&&d>0||!a&&d<0)&&(d*=-1);c.disabled(i)&&(Math.abs(d)>1&&(i.month<u.month||i.month>u.month)&&(i=u,d=d>0?1:-1),i.pick<=h.pick?(s=!0,d=1,i=c.create([h.year,h.month,h.date+(i.pick===h.pick?0:-1)])):i.pick>=f.pick&&(l=!0,d=-1,i=c.create([f.year,f.month,f.date+(i.pick===f.pick?0:1)])),!s||!l);)i=c.create([i.year,i.month,i.date+d]);return i},i.prototype.disabled=function(t){var i=this,o=i.item.disable.filter(function(o){return n.isInteger(o)?t.day===(i.settings.firstDay?o:o-1)%7:e.isArray(o)||n.isDate(o)?t.pick===i.create(o).pick:e.isPlainObject(o)?i.withinRange(o,t):void 0});return o=o.length&&!o.filter(function(t){return e.isArray(t)&&"inverted"==t[3]||e.isPlainObject(t)&&t.inverted}).length,-1===i.item.enable?!o:o||t.pick<i.item.min.pick||t.pick>i.item.max.pick},i.prototype.parse=function(t,e,i){var o=this,a={};return e&&"string"==typeof e?(i&&i.format||((i=i||{}).format=o.settings.format),o.formats.toArray(i.format).map(function(t){var i=o.formats[t],r=i?n.trigger(i,o,[e,a]):t.replace(/^!/,"").length;i&&(a[t]=e.substr(0,r)),e=e.substr(r)}),[a.yyyy||a.yy,+(a.mm||a.m)-1,a.dd||a.d]):e},i.prototype.formats=function(){function t(t,e,i){var n=t.match(/\w+/)[0];return i.mm||i.m||(i.m=e.indexOf(n)+1),n.length}function e(t){return t.match(/\w+/)[0].length}return{d:function(t,e){return t?n.digits(t):e.date},dd:function(t,e){return t?2:n.lead(e.date)},ddd:function(t,i){return t?e(t):this.settings.weekdaysShort[i.day]},dddd:function(t,i){return t?e(t):this.settings.weekdaysFull[i.day]},m:function(t,e){return t?n.digits(t):e.month+1},mm:function(t,e){return t?2:n.lead(e.month+1)},mmm:function(e,i){var n=this.settings.monthsShort;return e?t(e,n,i):n[i.month]},mmmm:function(e,i){var n=this.settings.monthsFull;return e?t(e,n,i):n[i.month]},yy:function(t,e){return t?2:(""+e.year).slice(2)},yyyy:function(t,e){return t?4:e.year},toArray:function(t){return t.split(/(d{1,4}|m{1,4}|y{4}|yy|!.)/g)},toString:function(t,e){var i=this;return i.formats.toArray(t).map(function(t){return n.trigger(i.formats[t],i,[0,e])||t.replace(/^!/,"")}).join("")}}}(),i.prototype.isDateExact=function(t,i){var o=this;return n.isInteger(t)&&n.isInteger(i)||"boolean"==typeof t&&"boolean"==typeof i?t===i:(n.isDate(t)||e.isArray(t))&&(n.isDate(i)||e.isArray(i))?o.create(t).pick===o.create(i).pick:!(!e.isPlainObject(t)||!e.isPlainObject(i))&&(o.isDateExact(t.from,i.from)&&o.isDateExact(t.to,i.to))},i.prototype.isDateOverlap=function(t,i){var o=this,a=o.settings.firstDay?1:0;return n.isInteger(t)&&(n.isDate(i)||e.isArray(i))?(t=t%7+a)===o.create(i).day+1:n.isInteger(i)&&(n.isDate(t)||e.isArray(t))?(i=i%7+a)===o.create(t).day+1:!(!e.isPlainObject(t)||!e.isPlainObject(i))&&o.overlapRanges(t,i)},i.prototype.flipEnable=function(t){var e=this.item;e.enable=t||(-1==e.enable?1:-1)},i.prototype.deactivate=function(t,i){var o=this,a=o.item.disable.slice(0);return"flip"==i?o.flipEnable():!1===i?(o.flipEnable(1),a=[]):!0===i?(o.flipEnable(-1),a=[]):i.map(function(t){for(var i,r=0;r<a.length;r+=1)if(o.isDateExact(t,a[r])){i=!0;break}i||(n.isInteger(t)||n.isDate(t)||e.isArray(t)||e.isPlainObject(t)&&t.from&&t.to)&&a.push(t)}),a},i.prototype.activate=function(t,i){var o=this,a=o.item.disable,r=a.length;return"flip"==i?o.flipEnable():!0===i?(o.flipEnable(1),a=[]):!1===i?(o.flipEnable(-1),a=[]):i.map(function(t){var i,s,l,c;for(l=0;l<r;l+=1){if(s=a[l],o.isDateExact(s,t)){i=a[l]=null,c=!0;break}if(o.isDateOverlap(s,t)){e.isPlainObject(t)?(t.inverted=!0,i=t):e.isArray(t)?(i=t)[3]||i.push("inverted"):n.isDate(t)&&(i=[t.getFullYear(),t.getMonth(),t.getDate(),"inverted"]);break}}if(i)for(l=0;l<r;l+=1)if(o.isDateExact(a[l],t)){a[l]=null;break}if(c)for(l=0;l<r;l+=1)if(o.isDateOverlap(a[l],t)){a[l]=null;break}i&&a.push(i)}),a.filter(function(t){return null!=t})},i.prototype.nodes=function(t){var e=this,i=e.settings,o=e.item,a=o.now,r=o.select,s=o.highlight,l=o.view,c=o.disable,u=o.min,d=o.max,p=function(t,e){return i.firstDay&&(t.push(t.shift()),e.push(e.shift())),n.node("thead",n.node("tr",n.group({min:0,max:6,i:1,node:"th",item:function(n){return[t[n],i.klass.weekdays,'scope=col title="'+e[n]+'"']}})))}((i.showWeekdaysFull?i.weekdaysFull:i.weekdaysLetter).slice(0),i.weekdaysFull.slice(0)),h=function(t){return n.node("div"," ",i.klass["nav"+(t?"Next":"Prev")]+(t&&l.year>=d.year&&l.month>=d.month||!t&&l.year<=u.year&&l.month<=u.month?" "+i.klass.navDisabled:""),"data-nav="+(t||-1)+" "+n.ariaAttr({role:"button",controls:e.$node[0].id+"_table"})+' title="'+(t?i.labelMonthNext:i.labelMonthPrev)+'"')},f=function(o){var a=i.showMonthsShort?i.monthsShort:i.monthsFull;return"short_months"==o&&(a=i.monthsShort),i.selectMonths&&void 0==o?n.node("select",n.group({min:0,max:11,i:1,node:"option",item:function(t){return[a[t],0,"value="+t+(l.month==t?" selected":"")+(l.year==u.year&&t<u.month||l.year==d.year&&t>d.month?" disabled":"")]}}),i.klass.selectMonth+" browser-default",(t?"":"disabled")+" "+n.ariaAttr({controls:e.$node[0].id+"_table"})+' title="'+i.labelMonthSelect+'"'):"short_months"==o?null!=r?a[r.month]:a[l.month]:n.node("div",a[l.month],i.klass.month)},v=function(o){var a=l.year,s=!0===i.selectYears?5:~~(i.selectYears/2);if(s){var c=u.year,p=d.year,h=a-s,f=a+s;if(c>h&&(f+=c-h,h=c),p<f){var v=h-c,m=f-p;h-=v>m?m:v,f=p}if(i.selectYears&&void 0==o)return n.node("select",n.group({min:h,max:f,i:1,node:"option",item:function(t){return[t,0,"value="+t+(a==t?" selected":"")]}}),i.klass.selectYear+" browser-default",(t?"":"disabled")+" "+n.ariaAttr({controls:e.$node[0].id+"_table"})+' title="'+i.labelYearSelect+'"')}return"raw"===o&&null!=r?n.node("div",r.year):n.node("div",a,i.klass.year)};return createDayLabel=function(){return null!=r?r.date:a.date},createWeekdayLabel=function(){var t;return t=null!=r?r.day:a.day,i.weekdaysShort[t]},n.node("div",n.node("div",v("raw"),i.klass.year_display)+n.node("span",createWeekdayLabel()+", ","picker__weekday-display")+n.node("span",f("short_months")+" ",i.klass.month_display)+n.node("span",createDayLabel(),i.klass.day_display),i.klass.date_display)+n.node("div",n.node("div",n.node("div",(i.selectYears,f()+v()+h()+h(1)),i.klass.header)+n.node("table",p+n.node("tbody",n.group({min:0,max:5,i:1,node:"tr",item:function(t){var o=i.firstDay&&0===e.create([l.year,l.month,1]).day?-7:0;return[n.group({min:7*t-l.day+o+1,max:function(){return this.min+7-1},i:1,node:"td",item:function(t){t=e.create([l.year,l.month,t+(i.firstDay?1:0)]);var o=r&&r.pick==t.pick,p=s&&s.pick==t.pick,h=c&&e.disabled(t)||t.pick<u.pick||t.pick>d.pick,f=n.trigger(e.formats.toString,e,[i.format,t]);return[n.node("div",t.date,function(e){return e.push(l.month==t.month?i.klass.infocus:i.klass.outfocus),a.pick==t.pick&&e.push(i.klass.now),o&&e.push(i.klass.selected),p&&e.push(i.klass.highlighted),h&&e.push(i.klass.disabled),e.join(" ")}([i.klass.day]),"data-pick="+t.pick+" "+n.ariaAttr({role:"gridcell",label:f,selected:!(!o||e.$node.val()!==f)||null,activedescendant:!!p||null,disabled:!!h||null})+" "+(h?"":'tabindex="0"')),"",n.ariaAttr({role:"presentation"})]}})]}})),i.klass.table,'id="'+e.$node[0].id+'_table" '+n.ariaAttr({role:"grid",controls:e.$node[0].id,readonly:!0})),i.klass.calendar_container)+n.node("div",n.node("button",i.today,"btn-flat picker__today waves-effect","type=button data-pick="+a.pick+(t&&!e.disabled(a)?"":" disabled")+" "+n.ariaAttr({controls:e.$node[0].id}))+n.node("button",i.clear,"btn-flat picker__clear waves-effect","type=button data-clear=1"+(t?"":" disabled")+" "+n.ariaAttr({controls:e.$node[0].id}))+n.node("button",i.close,"btn-flat picker__close waves-effect","type=button data-close=true "+(t?"":" disabled")+" "+n.ariaAttr({controls:e.$node[0].id})),i.klass.footer),"picker__container__wrapper")},i.defaults=function(t){return{labelMonthNext:"Next month",labelMonthPrev:"Previous month",labelMonthSelect:"Select a month",labelYearSelect:"Select a year",monthsFull:["January","February","March","April","May","June","July","August","September","October","November","December"],monthsShort:["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],weekdaysFull:["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],weekdaysShort:["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],weekdaysLetter:["S","M","T","W","T","F","S"],today:"Today",clear:"Clear",close:"Ok",closeOnSelect:!1,format:"d mmmm, yyyy",klass:{table:t+"table",header:t+"header",date_display:t+"date-display",day_display:t+"day-display",month_display:t+"month-display",year_display:t+"year-display",calendar_container:t+"calendar-container",navPrev:t+"nav--prev",navNext:t+"nav--next",navDisabled:t+"nav--disabled",month:t+"month",year:t+"year",selectMonth:t+"select--month",selectYear:t+"select--year",weekdays:t+"weekday",day:t+"day",disabled:t+"day--disabled",selected:t+"day--selected",highlighted:t+"day--highlighted",now:t+"day--today",infocus:t+"day--infocus",outfocus:t+"day--outfocus",footer:t+"footer",buttonClear:t+"button--clear",buttonToday:t+"button--today",buttonClose:t+"button--close"}}}(t.klasses().picker+"__"),t.extend("pickadate",i)}),function(t){function e(t){return document.createElementNS(l,t)}function i(t){return(t<10?"0":"")+t}function n(t){var e=++m+"";return t?t+e:e}function o(o,r){function l(t,e){var i=d.offset(),n=/^touch/.test(t.type),o=i.left+g,a=i.top+g,l=(n?t.originalEvent.touches[0]:t).pageX-o,c=(n?t.originalEvent.touches[0]:t).pageY-a,u=Math.sqrt(l*l+c*c),p=!1;if(!e||!(u<y-w||u>y+w)){t.preventDefault();var v=setTimeout(function(){E.popover.addClass("clockpicker-moving")},200);E.setHand(l,c,!e,!0),s.off(h).on(h,function(t){t.preventDefault();var e=/^touch/.test(t.type),i=(e?t.originalEvent.touches[0]:t).pageX-o,n=(e?t.originalEvent.touches[0]:t).pageY-a;(p||i!==l||n!==c)&&(p=!0,E.setHand(i,n,!1,!0))}),s.off(f).on(f,function(t){s.off(f),t.preventDefault();var i=/^touch/.test(t.type),n=(i?t.originalEvent.changedTouches[0]:t).pageX-o,u=(i?t.originalEvent.changedTouches[0]:t).pageY-a;(e||p)&&n===l&&u===c&&E.setHand(n,u),"hours"===E.currentView?E.toggleView("minutes",x/2):r.autoclose&&(E.minutesView.addClass("clockpicker-dial-out"),setTimeout(function(){E.done()},x/2)),d.prepend(z),clearTimeout(v),E.popover.removeClass("clockpicker-moving"),s.off(h)})}}var u=t(C),d=u.find(".clockpicker-plate"),v=u.find(".picker__holder"),m=u.find(".clockpicker-hours"),T=u.find(".clockpicker-minutes"),S=u.find(".clockpicker-am-pm-block"),P="INPUT"===o.prop("tagName"),A=P?o:o.find("input"),O=t("label[for="+A.attr("id")+"]"),E=this;this.id=n("cp"),this.element=o,this.holder=v,this.options=r,this.isAppended=!1,this.isShown=!1,this.currentView="hours",this.isInput=P,this.input=A,this.label=O,this.popover=u,this.plate=d,this.hoursView=m,this.minutesView=T,this.amPmBlock=S,this.spanHours=u.find(".clockpicker-span-hours"),this.spanMinutes=u.find(".clockpicker-span-minutes"),this.spanAmPm=u.find(".clockpicker-span-am-pm"),this.footer=u.find(".picker__footer"),this.amOrPm="PM",r.twelvehour&&(r.ampmclickable?(this.spanAmPm.empty(),t('<div id="click-am">AM</div>').on("click",function(){E.spanAmPm.children("#click-am").addClass("text-primary"),E.spanAmPm.children("#click-pm").removeClass("text-primary"),E.amOrPm="AM"}).appendTo(this.spanAmPm),t('<div id="click-pm">PM</div>').on("click",function(){E.spanAmPm.children("#click-pm").addClass("text-primary"),E.spanAmPm.children("#click-am").removeClass("text-primary"),E.amOrPm="PM"}).appendTo(this.spanAmPm)):(this.spanAmPm.empty(),t('<div id="click-am">AM</div>').appendTo(this.spanAmPm),t('<div id="click-pm">PM</div>').appendTo(this.spanAmPm))),t('<button type="button" class="btn-flat picker__clear" tabindex="'+(r.twelvehour?"3":"1")+'">'+r.cleartext+"</button>").click(t.proxy(this.clear,this)).appendTo(this.footer),t('<button type="button" class="btn-flat picker__close" tabindex="'+(r.twelvehour?"3":"1")+'">'+r.canceltext+"</button>").click(t.proxy(this.hide,this)).appendTo(this.footer),t('<button type="button" class="btn-flat picker__close" tabindex="'+(r.twelvehour?"3":"1")+'">'+r.donetext+"</button>").click(t.proxy(this.done,this)).appendTo(this.footer),this.spanHours.click(t.proxy(this.toggleView,this,"hours")),this.spanMinutes.click(t.proxy(this.toggleView,this,"minutes")),A.on("focus.clockpicker click.clockpicker",t.proxy(this.show,this));var _,M,I,D,q=t('<div class="clockpicker-tick"></div>');if(r.twelvehour)for(_=1;_<13;_+=1)M=q.clone(),I=_/6*Math.PI,D=y,M.css({left:g+Math.sin(I)*D-w,top:g-Math.cos(I)*D-w}),M.html(0===_?"00":_),m.append(M),M.on(p,l);else for(_=0;_<24;_+=1)M=q.clone(),I=_/6*Math.PI,D=_>0&&_<13?b:y,M.css({left:g+Math.sin(I)*D-w,top:g-Math.cos(I)*D-w}),M.html(0===_?"00":_),m.append(M),M.on(p,l);for(_=0;_<60;_+=5)M=q.clone(),I=_/30*Math.PI,M.css({left:g+Math.sin(I)*y-w,top:g-Math.cos(I)*y-w}),M.html(i(_)),T.append(M),M.on(p,l);if(d.on(p,function(e){0===t(e.target).closest(".clockpicker-tick").length&&l(e,!0)}),c){var z=u.find(".clockpicker-canvas"),V=e("svg");V.setAttribute("class","clockpicker-svg"),V.setAttribute("width",k),V.setAttribute("height",k);var H=e("g");H.setAttribute("transform","translate("+g+","+g+")");var L=e("circle");L.setAttribute("class","clockpicker-canvas-bearing"),L.setAttribute("cx",0),L.setAttribute("cy",0),L.setAttribute("r",4);var j=e("line");j.setAttribute("x1",0),j.setAttribute("y1",0);var $=e("circle");$.setAttribute("class","clockpicker-canvas-bg"),$.setAttribute("r",w),H.appendChild(j),H.appendChild($),H.appendChild(L),V.appendChild(H),z.append(V),this.hand=j,this.bg=$,this.bearing=L,this.g=H,this.canvas=z}a(this.options.init)}function a(t){t&&"function"==typeof t&&t()}var r=t(window),s=t(document),l="http://www.w3.org/2000/svg",c="SVGAngle"in window&&function(){var t,e=document.createElement("div");return e.innerHTML="<svg/>",t=(e.firstChild&&e.firstChild.namespaceURI)==l,e.innerHTML="",t}(),u=function(){var t=document.createElement("div").style;return"transition"in t||"WebkitTransition"in t||"MozTransition"in t||"msTransition"in t||"OTransition"in t}(),d="ontouchstart"in window,p="mousedown"+(d?" touchstart":""),h="mousemove.clockpicker"+(d?" touchmove.clockpicker":""),f="mouseup.clockpicker"+(d?" touchend.clockpicker":""),v=navigator.vibrate?"vibrate":navigator.webkitVibrate?"webkitVibrate":null,m=0,g=135,y=105,b=70,w=20,k=2*g,x=u?350:1,C=['<div class="clockpicker picker">','<div class="picker__holder">','<div class="picker__frame">','<div class="picker__wrap">','<div class="picker__box">','<div class="picker__date-display">','<div class="clockpicker-display">','<div class="clockpicker-display-column">','<span class="clockpicker-span-hours text-primary"></span>',":",'<span class="clockpicker-span-minutes"></span>',"</div>",'<div class="clockpicker-display-column clockpicker-display-am-pm">','<div class="clockpicker-span-am-pm"></div>',"</div>","</div>","</div>",'<div class="picker__container__wrapper">','<div class="picker__calendar-container">','<div class="clockpicker-plate">','<div class="clockpicker-canvas"></div>','<div class="clockpicker-dial clockpicker-hours"></div>','<div class="clockpicker-dial clockpicker-minutes clockpicker-dial-out"></div>',"</div>",'<div class="clockpicker-am-pm-block">',"</div>","</div>",'<div class="picker__footer">',"</div>","</div>","</div>","</div>","</div>","</div>","</div>"].join("");o.DEFAULTS={default:"",fromnow:0,donetext:"Ok",cleartext:"Clear",canceltext:"Cancel",autoclose:!1,ampmclickable:!0,darktheme:!1,twelvehour:!0,vibrate:!0},o.prototype.toggle=function(){this[this.isShown?"hide":"show"]()},o.prototype.locate=function(){var t=this.element,e=this.popover;t.offset(),t.outerWidth(),t.outerHeight(),this.options.align;e.show()},o.prototype.show=function(e){if(!this.isShown){a(this.options.beforeShow),t(":input").each(function(){t(this).attr("tabindex",-1)});var n=this;this.input.blur(),this.popover.addClass("picker--opened"),this.input.addClass("picker__input picker__input--active"),t(document.body).css("overflow","hidden");var o=((this.input.prop("value")||this.options.default||"")+"").split(":");if(this.options.twelvehour&&void 0!==o[1]&&(o[1].indexOf("AM")>0?this.amOrPm="AM":this.amOrPm="PM",o[1]=o[1].replace("AM","").replace("PM","")),"now"===o[0]){var l=new Date(+new Date+this.options.fromnow);o=[l.getHours(),l.getMinutes()],this.options.twelvehour&&(this.amOrPm=o[0]>=12&&o[0]<24?"PM":"AM")}if(this.hours=+o[0]||0,this.minutes=+o[1]||0,this.spanHours.html(this.hours),this.spanMinutes.html(i(this.minutes)),!this.isAppended){var c=document.querySelector(this.options.container);this.options.container&&c?c.appendChild(this.popover[0]):this.popover.insertAfter(this.input),this.options.twelvehour&&("PM"===this.amOrPm?(this.spanAmPm.children("#click-pm").addClass("text-primary"),this.spanAmPm.children("#click-am").removeClass("text-primary")):(this.spanAmPm.children("#click-am").addClass("text-primary"),this.spanAmPm.children("#click-pm").removeClass("text-primary"))),r.on("resize.clockpicker"+this.id,function(){n.isShown&&n.locate()}),this.isAppended=!0}this.toggleView("hours"),this.locate(),this.isShown=!0,s.on("click.clockpicker."+this.id+" focusin.clockpicker."+this.id,function(e){var i=t(e.target);0===i.closest(n.popover.find(".picker__wrap")).length&&0===i.closest(n.input).length&&n.hide()}),s.on("keyup.clockpicker."+this.id,function(t){27===t.keyCode&&n.hide()}),a(this.options.afterShow)}},o.prototype.hide=function(){a(this.options.beforeHide),this.input.removeClass("picker__input picker__input--active"),this.popover.removeClass("picker--opened"),t(document.body).css("overflow","visible"),this.isShown=!1,t(":input").each(function(e){t(this).attr("tabindex",e+1)}),s.off("click.clockpicker."+this.id+" focusin.clockpicker."+this.id),s.off("keyup.clockpicker."+this.id),this.popover.hide(),a(this.options.afterHide)},o.prototype.toggleView=function(e,i){var n=!1;"minutes"===e&&"visible"===t(this.hoursView).css("visibility")&&(a(this.options.beforeHourSelect),n=!0);var o="hours"===e,r=o?this.hoursView:this.minutesView,s=o?this.minutesView:this.hoursView;this.currentView=e,this.spanHours.toggleClass("text-primary",o),this.spanMinutes.toggleClass("text-primary",!o),s.addClass("clockpicker-dial-out"),r.css("visibility","visible").removeClass("clockpicker-dial-out"),this.resetClock(i),clearTimeout(this.toggleViewTimer),this.toggleViewTimer=setTimeout(function(){s.css("visibility","hidden")},x),n&&a(this.options.afterHourSelect)},o.prototype.resetClock=function(t){var e=this.currentView,i=this[e],n="hours"===e,o=i*(Math.PI/(n?6:30)),a=n&&i>0&&i<13?b:y,r=Math.sin(o)*a,s=-Math.cos(o)*a,l=this;c&&t?(l.canvas.addClass("clockpicker-canvas-out"),setTimeout(function(){l.canvas.removeClass("clockpicker-canvas-out"),l.setHand(r,s)},t)):this.setHand(r,s)},o.prototype.setHand=function(e,n,o,a){var r,s=Math.atan2(e,-n),l="hours"===this.currentView,u=Math.PI/(l||o?6:30),d=Math.sqrt(e*e+n*n),p=this.options,h=l&&d<(y+b)/2,f=h?b:y;if(p.twelvehour&&(f=y),s<0&&(s=2*Math.PI+s),r=Math.round(s/u),s=r*u,p.twelvehour?l?0===r&&(r=12):(o&&(r*=5),60===r&&(r=0)):l?(12===r&&(r=0),r=h?0===r?12:r:0===r?0:r+12):(o&&(r*=5),60===r&&(r=0)),this[this.currentView]!==r&&v&&this.options.vibrate&&(this.vibrateTimer||(navigator[v](10),this.vibrateTimer=setTimeout(t.proxy(function(){this.vibrateTimer=null},this),100))),this[this.currentView]=r,l?this.spanHours.html(r):this.spanMinutes.html(i(r)),c){var m=Math.sin(s)*(f-w),g=-Math.cos(s)*(f-w),k=Math.sin(s)*f,x=-Math.cos(s)*f;this.hand.setAttribute("x2",m),this.hand.setAttribute("y2",g),this.bg.setAttribute("cx",k),this.bg.setAttribute("cy",x)}else this[l?"hoursView":"minutesView"].find(".clockpicker-tick").each(function(){var e=t(this);e.toggleClass("active",r===+e.html())})},o.prototype.done=function(){a(this.options.beforeDone),this.hide(),this.label.addClass("active");var t=this.input.prop("value"),e=i(this.hours)+":"+i(this.minutes);this.options.twelvehour&&(e+=this.amOrPm),this.input.prop("value",e),e!==t&&(this.input.triggerHandler("change"),this.isInput||this.element.trigger("change")),this.options.autoclose&&this.input.trigger("blur"),a(this.options.afterDone)},o.prototype.clear=function(){this.hide(),this.label.removeClass("active");var t=this.input.prop("value");this.input.prop("value",""),""!==t&&(this.input.triggerHandler("change"),this.isInput||this.element.trigger("change")),this.options.autoclose&&this.input.trigger("blur")},o.prototype.remove=function(){this.element.removeData("clockpicker"),this.input.off("focus.clockpicker click.clockpicker"),this.isShown&&this.hide(),this.isAppended&&(r.off("resize.clockpicker"+this.id),this.popover.remove())},t.fn.pickatime=function(e){var i=Array.prototype.slice.call(arguments,1);return this.each(function(){var n=t(this),a=n.data("clockpicker");if(a)"function"==typeof a[e]&&a[e].apply(a,i);else{var r=t.extend({},o.DEFAULTS,n.data(),"object"==typeof e&&e);n.data("clockpicker",new o(n,r))}})}}(jQuery),function(t){function e(){var e=+t(this).attr("data-length"),i=+t(this).val().length,n=i<=e;t(this).parent().find('span[class="character-counter"]').html(i+"/"+e),o(n,t(this))}function i(e){var i=e.parent().find('span[class="character-counter"]');i.length||(i=t("<span/>").addClass("character-counter").css("float","right").css("font-size","12px").css("height",1),e.parent().append(i))}function n(){t(this).parent().find('span[class="character-counter"]').html("")}function o(t,e){var i=e.hasClass("invalid");t&&i?e.removeClass("invalid"):t||i||(e.removeClass("valid"),e.addClass("invalid"))}t.fn.characterCounter=function(){return this.each(function(){var o=t(this);o.parent().find('span[class="character-counter"]').length||void 0!==o.attr("data-length")&&(o.on("input",e),o.on("focus",e),o.on("blur",n),i(o))})},t(document).ready(function(){t("input, textarea").characterCounter()})}(jQuery),function(t){var e={init:function(e){var i={duration:200,dist:-100,shift:0,padding:0,fullWidth:!1,indicators:!1,noWrap:!1,onCycleTo:null};e=t.extend(i,e);var n=Materialize.objectSelectorString(t(this));return this.each(function(i){function o(t){return t.targetTouches&&t.targetTouches.length>=1?t.targetTouches[0].clientX:t.clientX}function a(t){return t.targetTouches&&t.targetTouches.length>=1?t.targetTouches[0].clientY:t.clientY}function r(t){return t>=C?t%C:t<0?r(C+t%C):t}function s(i){E=!0,j.hasClass("scrolling")||j.addClass("scrolling"),null!=H&&window.clearTimeout(H),H=window.setTimeout(function(){E=!1,j.removeClass("scrolling")},e.duration);var n,o,a,s,l,c,u,d=w;if(b="number"==typeof i?i:b,w=Math.floor((b+x/2)/x),a=b-w*x,s=a<0?1:-1,l=-s*a*2/x,o=C>>1,e.fullWidth?u="translateX(0)":(u="translateX("+(j[0].clientWidth-m)/2+"px) ",u+="translateY("+(j[0].clientHeight-g)/2+"px)"),N){var p=w%C,h=V.find(".indicator-item.active");h.index()!==p&&(h.removeClass("active"),V.find(".indicator-item").eq(p).addClass("active"))}for((!W||w>=0&&w<C)&&(c=v[r(w)],t(c).hasClass("active")||(j.find(".carousel-item").removeClass("active"),t(c).addClass("active")),c.style[_]=u+" translateX("+-a/2+"px) translateX("+s*e.shift*l*n+"px) translateZ("+e.dist*l+"px)",c.style.zIndex=0,e.fullWidth?tweenedOpacity=1:tweenedOpacity=1-.2*l,c.style.opacity=tweenedOpacity,c.style.display="block"),n=1;n<=o;++n)e.fullWidth?(zTranslation=e.dist,tweenedOpacity=n===o&&a<0?1-l:1):(zTranslation=e.dist*(2*n+l*s),tweenedOpacity=1-.2*(2*n+l*s)),(!W||w+n<C)&&((c=v[r(w+n)]).style[_]=u+" translateX("+(e.shift+(x*n-a)/2)+"px) translateZ("+zTranslation+"px)",c.style.zIndex=-n,c.style.opacity=tweenedOpacity,c.style.display="block"),e.fullWidth?(zTranslation=e.dist,tweenedOpacity=n===o&&a>0?1-l:1):(zTranslation=e.dist*(2*n-l*s),tweenedOpacity=1-.2*(2*n-l*s)),(!W||w-n>=0)&&((c=v[r(w-n)]).style[_]=u+" translateX("+(-e.shift+(-x*n-a)/2)+"px) translateZ("+zTranslation+"px)",c.style.zIndex=-n,c.style.opacity=tweenedOpacity,c.style.display="block");if((!W||w>=0&&w<C)&&((c=v[r(w)]).style[_]=u+" translateX("+-a/2+"px) translateX("+s*e.shift*l+"px) translateZ("+e.dist*l+"px)",c.style.zIndex=0,e.fullWidth?tweenedOpacity=1:tweenedOpacity=1-.2*l,c.style.opacity=tweenedOpacity,c.style.display="block"),d!==w&&"function"==typeof e.onCycleTo){var f=j.find(".carousel-item").eq(r(w));e.onCycleTo.call(this,f,q)}"function"==typeof L&&(L.call(this,f,q),L=null)}function l(){var t,e,i;e=(t=Date.now())-I,I=t,i=b-M,M=b,O=.8*(1e3*i/(1+e))+.2*O}function c(){var t,i;P&&(t=Date.now()-I,(i=P*Math.exp(-t/e.duration))>2||i<-2?(s(A-i),requestAnimationFrame(c)):s(A))}function u(i){if(q)return i.preventDefault(),i.stopPropagation(),!1;if(!e.fullWidth){var n=t(i.target).closest(".carousel-item").index();0!==r(w)-n&&(i.preventDefault(),i.stopPropagation()),d(n)}}function d(t){var e=w%C-t;W||(e<0?Math.abs(e+C)<Math.abs(e)&&(e+=C):e>0&&Math.abs(e-C)<e&&(e-=C)),e<0?j.trigger("carouselNext",[Math.abs(e)]):e>0&&j.trigger("carouselPrev",[e])}function p(e){"mousedown"===e.type&&t(e.target).is("img")&&e.preventDefault(),k=!0,q=!1,z=!1,T=o(e),S=a(e),O=P=0,M=b,I=Date.now(),clearInterval(D),D=setInterval(l,100)}function h(t){var e,i;if(k)if(e=o(t),y=a(t),i=T-e,Math.abs(S-y)<30&&!z)(i>2||i<-2)&&(q=!0,T=e,s(b+i));else{if(q)return t.preventDefault(),t.stopPropagation(),!1;z=!0}if(q)return t.preventDefault(),t.stopPropagation(),!1}function f(t){if(k)return k=!1,clearInterval(D),A=b,(O>10||O<-10)&&(A=b+(P=.9*O)),A=Math.round(A/x)*x,W&&(A>=x*(C-1)?A=x*(C-1):A<0&&(A=0)),P=A-b,I=Date.now(),requestAnimationFrame(c),q&&(t.preventDefault(),t.stopPropagation()),!1}var v,m,g,b,w,k,x,C,T,S,P,A,O,E,_,M,I,D,q,z,V=t('<ul class="indicators"></ul>'),H=null,L=null,j=t(this),$=j.find(".carousel-item").length>1,N=(j.attr("data-indicators")||e.indicators)&&$,W=j.attr("data-no-wrap")||e.noWrap||!$,F=j.attr("data-namespace")||n+i;j.attr("data-namespace",F);var Q=function(e){var i=j.find(".carousel-item.active").length?j.find(".carousel-item.active").first():j.find(".carousel-item").first(),n=i.find("img").first();if(n.length)if(n[0].complete)if(n.height()>0)j.css("height",n.height());else{var o=n[0].naturalWidth,a=n[0].naturalHeight,r=j.width()/o*a;j.css("height",r)}else n.on("load",function(){j.css("height",t(this).height())});else if(!e){var s=i.height();j.css("height",s)}};if(e.fullWidth&&(e.dist=0,Q(),N&&j.find(".carousel-fixed-item").addClass("with-indicators")),j.hasClass("initialized"))return t(window).trigger("resize"),j.trigger("carouselNext",[1e-6]),!0;j.addClass("initialized"),k=!1,b=A=0,v=[],m=j.find(".carousel-item").first().innerWidth(),g=j.find(".carousel-item").first().innerHeight(),x=2*m+e.padding,j.find(".carousel-item").each(function(e){if(v.push(t(this)[0]),N){var i=t('<li class="indicator-item"></li>');0===e&&i.addClass("active"),i.click(function(e){e.stopPropagation(),d(t(this).index())}),V.append(i)}}),N&&j.append(V),C=v.length,_="transform",["webkit","Moz","O","ms"].every(function(t){var e=t+"Transform";return void 0===document.body.style[e]||(_=e,!1)});var X=Materialize.throttle(function(){if(e.fullWidth){m=j.find(".carousel-item").first().innerWidth();j.find(".carousel-item.active").height();x=2*m+e.padding,A=b=2*w*m,Q(!0)}else s()},200);t(window).off("resize.carousel-"+F).on("resize.carousel-"+F,X),void 0!==window.ontouchstart&&(j.on("touchstart.carousel",p),j.on("touchmove.carousel",h),j.on("touchend.carousel",f)),j.on("mousedown.carousel",p),j.on("mousemove.carousel",h),j.on("mouseup.carousel",f),j.on("mouseleave.carousel",f),j.on("click.carousel",u),s(b),t(this).on("carouselNext",function(t,e,i){void 0===e&&(e=1),"function"==typeof i&&(L=i),A=x*Math.round(b/x)+x*e,b!==A&&(P=A-b,I=Date.now(),requestAnimationFrame(c))}),t(this).on("carouselPrev",function(t,e,i){void 0===e&&(e=1),"function"==typeof i&&(L=i),A=x*Math.round(b/x)-x*e,b!==A&&(P=A-b,I=Date.now(),requestAnimationFrame(c))}),t(this).on("carouselSet",function(t,e,i){void 0===e&&(e=0),"function"==typeof i&&(L=i),d(e)})})},next:function(e,i){t(this).trigger("carouselNext",[e,i])},prev:function(e,i){t(this).trigger("carouselPrev",[e,i])},set:function(e,i){t(this).trigger("carouselSet",[e,i])},destroy:function(){var e=t(this).attr("data-namespace");t(this).removeAttr("data-namespace"),t(this).removeClass("initialized"),t(this).find(".indicators").remove(),t(this).off("carouselNext carouselPrev carouselSet"),t(window).off("resize.carousel-"+e),void 0!==window.ontouchstart&&t(this).off("touchstart.carousel touchmove.carousel touchend.carousel"),t(this).off("mousedown.carousel mousemove.carousel mouseup.carousel mouseleave.carousel click.carousel")}};t.fn.carousel=function(i){return e[i]?e[i].apply(this,Array.prototype.slice.call(arguments,1)):"object"!=typeof i&&i?void t.error("Method "+i+" does not exist on jQuery.carousel"):e.init.apply(this,arguments)}}(jQuery),function(t){var e={init:function(e){return this.each(function(){var i=t("#"+t(this).attr("data-activates")),n=(t("body"),t(this)),o=n.parent(".tap-target-wrapper"),a=o.find(".tap-target-wave"),r=o.find(".tap-target-origin"),s=n.find(".tap-target-content");o.length||(o=n.wrap(t('<div class="tap-target-wrapper"></div>')).parent()),s.length||(s=t('<div class="tap-target-content"></div>'),n.append(s)),a.length||(a=t('<div class="tap-target-wave"></div>'),r.length||((r=i.clone(!0,!0)).addClass("tap-target-origin"),r.removeAttr("id"),r.removeAttr("style"),a.append(r)),o.append(a));var l=function(){o.is(".open")&&(o.removeClass("open"),r.off("click.tapTarget"),t(document).off("click.tapTarget"),t(window).off("resize.tapTarget"))},c=function(){var e="fixed"===i.css("position");if(!e)for(var r=i.parents(),l=0;l<r.length&&!(e="fixed"==t(r[l]).css("position"));l++);var c=i.outerWidth(),u=i.outerHeight(),d=e?i.offset().top-t(document).scrollTop():i.offset().top,p=e?i.offset().left-t(document).scrollLeft():i.offset().left,h=t(window).width(),f=t(window).height(),v=h/2,m=f/2,g=p<=v,y=p>v,b=d<=m,w=d>m,k=p>=.25*h&&p<=.75*h,x=n.outerWidth(),C=n.outerHeight(),T=d+u/2-C/2,S=p+c/2-x/2,P=e?"fixed":"absolute",A=k?x:x/2+c,O=C/2,E=b?C/2:0,_=g&&!k?x/2-c:0,M=c,I=w?"bottom":"top",D=2*c,q=D,z=C/2-q/2,V=x/2-D/2,H={};H.top=b?T:"",H.right=y?h-S-x:"",H.bottom=w?f-T-C:"",H.left=g?S:"",H.position=P,o.css(H),s.css({width:A,height:O,top:E,right:0,bottom:0,left:_,padding:M,verticalAlign:I}),a.css({top:z,left:V,width:D,height:q})};"open"==e&&(c(),o.is(".open")||(o.addClass("open"),setTimeout(function(){r.off("click.tapTarget").on("click.tapTarget",function(t){l(),r.off("click.tapTarget")}),t(document).off("click.tapTarget").on("click.tapTarget",function(e){l(),t(document).off("click.tapTarget")});var e=Materialize.throttle(function(){c()},200);t(window).off("resize.tapTarget").on("resize.tapTarget",e)},0))),"close"==e&&l()})},open:function(){},close:function(){}};t.fn.tapTarget=function(i){if(e[i]||"object"==typeof i)return e.init.apply(this,arguments);t.error("Method "+i+" does not exist on jQuery.tap-target")}}(jQuery);
\ No newline at end of file
diff --git a/admin/static/openstreetmap-unito.svg b/admin/static/openstreetmap-unito.svg
new file mode 100644
index 0000000..c411961
--- /dev/null
+++ b/admin/static/openstreetmap-unito.svg
@@ -0,0 +1,9913 @@
+<?xml version="1.0" encoding="UTF-8" standalone="no"?>
+<svg
+ xmlns:osb="http://www.openswatchbook.org/uri/2009/osb"
+ xmlns:dc="http://purl.org/dc/elements/1.1/"
+ xmlns:cc="http://creativecommons.org/ns#"
+ xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
+ xmlns:svg="http://www.w3.org/2000/svg"
+ xmlns="http://www.w3.org/2000/svg"
+ xmlns:xlink="http://www.w3.org/1999/xlink"
+ xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
+ xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
+ width="691pt"
+ height="587pt"
+ viewBox="0 0 691 587"
+ version="1.1"
+ id="svg2"
+ inkscape:version="0.48.5 r10040"
+ sodipodi:docname="map.svg">
+ <metadata
+ id="metadata4413">
+ <rdf:RDF>
+ <cc:Work
+ rdf:about="">
+ <dc:format>image/svg+xml</dc:format>
+ <dc:type
+ rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
+ <dc:title></dc:title>
+ </cc:Work>
+ </rdf:RDF>
+ </metadata>
+ <sodipodi:namedview
+ pagecolor="#ffffff"
+ bordercolor="#666666"
+ borderopacity="1"
+ objecttolerance="10"
+ gridtolerance="10"
+ guidetolerance="10"
+ inkscape:pageopacity="0"
+ inkscape:pageshadow="2"
+ inkscape:window-width="1920"
+ inkscape:window-height="1014"
+ id="namedview4411"
+ showgrid="false"
+ inkscape:zoom="0.90972239"
+ inkscape:cx="229.4436"
+ inkscape:cy="373.67425"
+ inkscape:window-x="0"
+ inkscape:window-y="27"
+ inkscape:window-maximized="1"
+ inkscape:current-layer="surface1" />
+ <defs
+ id="defs4">
+ <linearGradient
+ id="linearGradient8198"
+ osb:paint="solid">
+ <stop
+ style="stop-color:#000383;stop-opacity:1;"
+ offset="0"
+ id="stop8200" />
+ </linearGradient>
+ <g
+ id="g6">
+ <symbol
+ overflow="visible"
+ id="glyph0-0">
+ <path
+ style="stroke:none;"
+ d="M 0.5 1.765625 L 0.5 -7.046875 L 5.5 -7.046875 L 5.5 1.765625 Z M 1.0625 1.21875 L 4.9375 1.21875 L 4.9375 -6.484375 L 1.0625 -6.484375 Z M 1.0625 1.21875 "
+ id="path9" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-1">
+ <path
+ style="stroke:none;"
+ d="M 3.9375 -6.625 C 3.21875 -6.625 2.648438 -6.351562 2.234375 -5.8125 C 1.816406 -5.28125 1.609375 -4.554688 1.609375 -3.640625 C 1.609375 -2.722656 1.816406 -1.992188 2.234375 -1.453125 C 2.648438 -0.921875 3.21875 -0.65625 3.9375 -0.65625 C 4.65625 -0.65625 5.222656 -0.921875 5.640625 -1.453125 C 6.054688 -1.992188 6.265625 -2.722656 6.265625 -3.640625 C 6.265625 -4.554688 6.054688 -5.28125 5.640625 -5.8125 C 5.222656 -6.351562 4.65625 -6.625 3.9375 -6.625 Z M 3.9375 -7.421875 C 4.957031 -7.421875 5.773438 -7.078125 6.390625 -6.390625 C 7.003906 -5.703125 7.3125 -4.785156 7.3125 -3.640625 C 7.3125 -2.492188 7.003906 -1.578125 6.390625 -0.890625 C 5.773438 -0.203125 4.957031 0.140625 3.9375 0.140625 C 2.914062 0.140625 2.097656 -0.195312 1.484375 -0.875 C 0.867188 -1.5625 0.5625 -2.484375 0.5625 -3.640625 C 0.5625 -4.785156 0.867188 -5.703125 1.484375 -6.390625 C 2.097656 -7.078125 2.914062 -7.421875 3.9375 -7.421875 Z M 3.9375 -7.421875 "
+ id="path12" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-2">
+ <path
+ style="stroke:none;"
+ d="M 4.421875 -5.3125 L 4.421875 -4.453125 C 4.171875 -4.585938 3.910156 -4.6875 3.640625 -4.75 C 3.367188 -4.8125 3.082031 -4.84375 2.78125 -4.84375 C 2.34375 -4.84375 2.007812 -4.773438 1.78125 -4.640625 C 1.5625 -4.503906 1.453125 -4.300781 1.453125 -4.03125 C 1.453125 -3.820312 1.53125 -3.65625 1.6875 -3.53125 C 1.84375 -3.414062 2.164062 -3.304688 2.65625 -3.203125 L 2.953125 -3.125 C 3.597656 -2.988281 4.050781 -2.796875 4.3125 -2.546875 C 4.582031 -2.296875 4.71875 -1.953125 4.71875 -1.515625 C 4.71875 -1.003906 4.515625 -0.597656 4.109375 -0.296875 C 3.710938 -0.00390625 3.164062 0.140625 2.46875 0.140625 C 2.164062 0.140625 1.851562 0.109375 1.53125 0.046875 C 1.21875 -0.00390625 0.890625 -0.0859375 0.546875 -0.203125 L 0.546875 -1.125 C 0.878906 -0.957031 1.203125 -0.828125 1.515625 -0.734375 C 1.835938 -0.648438 2.160156 -0.609375 2.484375 -0.609375 C 2.898438 -0.609375 3.222656 -0.679688 3.453125 -0.828125 C 3.679688 -0.972656 3.796875 -1.175781 3.796875 -1.4375 C 3.796875 -1.6875 3.710938 -1.875 3.546875 -2 C 3.390625 -2.132812 3.03125 -2.257812 2.46875 -2.375 L 2.15625 -2.453125 C 1.601562 -2.566406 1.203125 -2.742188 0.953125 -2.984375 C 0.703125 -3.234375 0.578125 -3.566406 0.578125 -3.984375 C 0.578125 -4.503906 0.757812 -4.898438 1.125 -5.171875 C 1.488281 -5.453125 2.007812 -5.59375 2.6875 -5.59375 C 3.007812 -5.59375 3.316406 -5.566406 3.609375 -5.515625 C 3.910156 -5.472656 4.179688 -5.40625 4.421875 -5.3125 Z M 4.421875 -5.3125 "
+ id="path15" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-3">
+ <path
+ style="stroke:none;"
+ d="M 1.8125 -0.828125 L 1.8125 2.078125 L 0.90625 2.078125 L 0.90625 -5.46875 L 1.8125 -5.46875 L 1.8125 -4.640625 C 2 -4.960938 2.234375 -5.203125 2.515625 -5.359375 C 2.804688 -5.515625 3.15625 -5.59375 3.5625 -5.59375 C 4.226562 -5.59375 4.765625 -5.328125 5.171875 -4.796875 C 5.585938 -4.273438 5.796875 -3.585938 5.796875 -2.734375 C 5.796875 -1.867188 5.585938 -1.171875 5.171875 -0.640625 C 4.765625 -0.117188 4.226562 0.140625 3.5625 0.140625 C 3.15625 0.140625 2.804688 0.0625 2.515625 -0.09375 C 2.234375 -0.25 2 -0.492188 1.8125 -0.828125 Z M 4.875 -2.734375 C 4.875 -3.390625 4.734375 -3.90625 4.453125 -4.28125 C 4.179688 -4.65625 3.8125 -4.84375 3.34375 -4.84375 C 2.863281 -4.84375 2.488281 -4.65625 2.21875 -4.28125 C 1.945312 -3.90625 1.8125 -3.390625 1.8125 -2.734375 C 1.8125 -2.066406 1.945312 -1.546875 2.21875 -1.171875 C 2.488281 -0.796875 2.863281 -0.609375 3.34375 -0.609375 C 3.8125 -0.609375 4.179688 -0.796875 4.453125 -1.171875 C 4.734375 -1.546875 4.875 -2.066406 4.875 -2.734375 Z M 4.875 -2.734375 "
+ id="path18" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-4">
+ <path
+ style="stroke:none;"
+ d="M 5.625 -2.953125 L 5.625 -2.515625 L 1.484375 -2.515625 C 1.523438 -1.898438 1.710938 -1.429688 2.046875 -1.109375 C 2.378906 -0.785156 2.84375 -0.625 3.4375 -0.625 C 3.78125 -0.625 4.113281 -0.664062 4.4375 -0.75 C 4.769531 -0.832031 5.09375 -0.957031 5.40625 -1.125 L 5.40625 -0.28125 C 5.082031 -0.144531 4.75 -0.0390625 4.40625 0.03125 C 4.070312 0.101562 3.734375 0.140625 3.390625 0.140625 C 2.515625 0.140625 1.820312 -0.109375 1.3125 -0.609375 C 0.800781 -1.117188 0.546875 -1.8125 0.546875 -2.6875 C 0.546875 -3.582031 0.785156 -4.289062 1.265625 -4.8125 C 1.753906 -5.332031 2.410156 -5.59375 3.234375 -5.59375 C 3.972656 -5.59375 4.554688 -5.359375 4.984375 -4.890625 C 5.410156 -4.421875 5.625 -3.773438 5.625 -2.953125 Z M 4.71875 -3.21875 C 4.71875 -3.707031 4.582031 -4.097656 4.3125 -4.390625 C 4.039062 -4.691406 3.6875 -4.84375 3.25 -4.84375 C 2.738281 -4.84375 2.332031 -4.695312 2.03125 -4.40625 C 1.738281 -4.125 1.566406 -3.726562 1.515625 -3.21875 Z M 4.71875 -3.21875 "
+ id="path21" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-5">
+ <path
+ style="stroke:none;"
+ d="M 4.546875 -4.640625 L 4.546875 -7.59375 L 5.4375 -7.59375 L 5.4375 0 L 4.546875 0 L 4.546875 -0.828125 C 4.359375 -0.492188 4.117188 -0.25 3.828125 -0.09375 C 3.535156 0.0625 3.1875 0.140625 2.78125 0.140625 C 2.125 0.140625 1.585938 -0.117188 1.171875 -0.640625 C 0.753906 -1.171875 0.546875 -1.867188 0.546875 -2.734375 C 0.546875 -3.585938 0.753906 -4.273438 1.171875 -4.796875 C 1.585938 -5.328125 2.125 -5.59375 2.78125 -5.59375 C 3.1875 -5.59375 3.535156 -5.515625 3.828125 -5.359375 C 4.117188 -5.203125 4.359375 -4.960938 4.546875 -4.640625 Z M 1.484375 -2.734375 C 1.484375 -2.066406 1.617188 -1.546875 1.890625 -1.171875 C 2.160156 -0.796875 2.535156 -0.609375 3.015625 -0.609375 C 3.484375 -0.609375 3.851562 -0.796875 4.125 -1.171875 C 4.40625 -1.546875 4.546875 -2.066406 4.546875 -2.734375 C 4.546875 -3.390625 4.40625 -3.90625 4.125 -4.28125 C 3.851562 -4.65625 3.484375 -4.84375 3.015625 -4.84375 C 2.535156 -4.84375 2.160156 -4.65625 1.890625 -4.28125 C 1.617188 -3.90625 1.484375 -3.390625 1.484375 -2.734375 Z M 1.484375 -2.734375 "
+ id="path24" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-6">
+ <path
+ style="stroke:none;"
+ d="M 3.421875 -2.75 C 2.703125 -2.75 2.203125 -2.664062 1.921875 -2.5 C 1.640625 -2.332031 1.5 -2.050781 1.5 -1.65625 C 1.5 -1.332031 1.601562 -1.078125 1.8125 -0.890625 C 2.019531 -0.703125 2.304688 -0.609375 2.671875 -0.609375 C 3.171875 -0.609375 3.570312 -0.785156 3.875 -1.140625 C 4.175781 -1.492188 4.328125 -1.960938 4.328125 -2.546875 L 4.328125 -2.75 Z M 5.21875 -3.125 L 5.21875 0 L 4.328125 0 L 4.328125 -0.828125 C 4.117188 -0.492188 3.859375 -0.25 3.546875 -0.09375 C 3.242188 0.0625 2.875 0.140625 2.4375 0.140625 C 1.875 0.140625 1.425781 -0.015625 1.09375 -0.328125 C 0.757812 -0.640625 0.59375 -1.0625 0.59375 -1.59375 C 0.59375 -2.207031 0.800781 -2.671875 1.21875 -2.984375 C 1.632812 -3.296875 2.25 -3.453125 3.0625 -3.453125 L 4.328125 -3.453125 L 4.328125 -3.546875 C 4.328125 -3.953125 4.1875 -4.269531 3.90625 -4.5 C 3.632812 -4.726562 3.253906 -4.84375 2.765625 -4.84375 C 2.453125 -4.84375 2.144531 -4.800781 1.84375 -4.71875 C 1.550781 -4.644531 1.269531 -4.535156 1 -4.390625 L 1 -5.21875 C 1.332031 -5.34375 1.648438 -5.4375 1.953125 -5.5 C 2.265625 -5.5625 2.566406 -5.59375 2.859375 -5.59375 C 3.648438 -5.59375 4.238281 -5.390625 4.625 -4.984375 C 5.019531 -4.578125 5.21875 -3.957031 5.21875 -3.125 Z M 5.21875 -3.125 "
+ id="path27" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-7">
+ <path
+ style="stroke:none;"
+ d="M 0.9375 -7.59375 L 1.84375 -7.59375 L 1.84375 0 L 0.9375 0 Z M 0.9375 -7.59375 "
+ id="path30" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-8">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path33" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-9">
+ <path
+ style="stroke:none;"
+ d="M 3.421875 -6.3125 L 2.078125 -2.6875 L 4.765625 -2.6875 Z M 2.859375 -7.296875 L 3.984375 -7.296875 L 6.765625 0 L 5.734375 0 L 5.0625 -1.875 L 1.78125 -1.875 L 1.125 0 L 0.078125 0 Z M 2.859375 -7.296875 "
+ id="path36" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-10">
+ <path
+ style="stroke:none;"
+ d="M 5.203125 -4.421875 C 5.421875 -4.828125 5.6875 -5.125 6 -5.3125 C 6.3125 -5.5 6.679688 -5.59375 7.109375 -5.59375 C 7.679688 -5.59375 8.117188 -5.394531 8.421875 -5 C 8.734375 -4.601562 8.890625 -4.035156 8.890625 -3.296875 L 8.890625 0 L 7.984375 0 L 7.984375 -3.265625 C 7.984375 -3.796875 7.890625 -4.1875 7.703125 -4.4375 C 7.523438 -4.6875 7.242188 -4.8125 6.859375 -4.8125 C 6.390625 -4.8125 6.019531 -4.65625 5.75 -4.34375 C 5.488281 -4.039062 5.359375 -3.625 5.359375 -3.09375 L 5.359375 0 L 4.453125 0 L 4.453125 -3.265625 C 4.453125 -3.796875 4.359375 -4.1875 4.171875 -4.4375 C 3.984375 -4.6875 3.695312 -4.8125 3.3125 -4.8125 C 2.851562 -4.8125 2.488281 -4.65625 2.21875 -4.34375 C 1.945312 -4.039062 1.8125 -3.625 1.8125 -3.09375 L 1.8125 0 L 0.90625 0 L 0.90625 -5.46875 L 1.8125 -5.46875 L 1.8125 -4.625 C 2.019531 -4.957031 2.265625 -5.203125 2.546875 -5.359375 C 2.835938 -5.515625 3.175781 -5.59375 3.5625 -5.59375 C 3.96875 -5.59375 4.304688 -5.492188 4.578125 -5.296875 C 4.859375 -5.097656 5.066406 -4.804688 5.203125 -4.421875 Z M 5.203125 -4.421875 "
+ id="path39" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-11">
+ <path
+ style="stroke:none;"
+ d="M 3.0625 -4.84375 C 2.582031 -4.84375 2.203125 -4.65625 1.921875 -4.28125 C 1.640625 -3.90625 1.5 -3.390625 1.5 -2.734375 C 1.5 -2.078125 1.632812 -1.5625 1.90625 -1.1875 C 2.1875 -0.8125 2.570312 -0.625 3.0625 -0.625 C 3.539062 -0.625 3.921875 -0.8125 4.203125 -1.1875 C 4.484375 -1.5625 4.625 -2.078125 4.625 -2.734375 C 4.625 -3.378906 4.484375 -3.890625 4.203125 -4.265625 C 3.921875 -4.648438 3.539062 -4.84375 3.0625 -4.84375 Z M 3.0625 -5.59375 C 3.84375 -5.59375 4.457031 -5.335938 4.90625 -4.828125 C 5.351562 -4.328125 5.578125 -3.628906 5.578125 -2.734375 C 5.578125 -1.835938 5.351562 -1.132812 4.90625 -0.625 C 4.457031 -0.113281 3.84375 0.140625 3.0625 0.140625 C 2.28125 0.140625 1.664062 -0.113281 1.21875 -0.625 C 0.769531 -1.132812 0.546875 -1.835938 0.546875 -2.734375 C 0.546875 -3.628906 0.769531 -4.328125 1.21875 -4.828125 C 1.664062 -5.335938 2.28125 -5.59375 3.0625 -5.59375 Z M 3.0625 -5.59375 "
+ id="path42" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-12">
+ <path
+ style="stroke:none;"
+ d="M 0.9375 -5.46875 L 1.84375 -5.46875 L 1.84375 0 L 0.9375 0 Z M 0.9375 -7.59375 L 1.84375 -7.59375 L 1.84375 -6.453125 L 0.9375 -6.453125 Z M 0.9375 -7.59375 "
+ id="path45" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-13">
+ <path
+ style="stroke:none;"
+ d="M 5.359375 -7.046875 L 5.359375 -6.09375 C 4.984375 -6.269531 4.628906 -6.398438 4.296875 -6.484375 C 3.960938 -6.578125 3.640625 -6.625 3.328125 -6.625 C 2.796875 -6.625 2.382812 -6.519531 2.09375 -6.3125 C 1.800781 -6.101562 1.65625 -5.804688 1.65625 -5.421875 C 1.65625 -5.097656 1.75 -4.851562 1.9375 -4.6875 C 2.132812 -4.519531 2.503906 -4.390625 3.046875 -4.296875 L 3.640625 -4.171875 C 4.367188 -4.023438 4.910156 -3.773438 5.265625 -3.421875 C 5.617188 -3.078125 5.796875 -2.609375 5.796875 -2.015625 C 5.796875 -1.304688 5.554688 -0.769531 5.078125 -0.40625 C 4.609375 -0.0390625 3.914062 0.140625 3 0.140625 C 2.65625 0.140625 2.285156 0.0976562 1.890625 0.015625 C 1.503906 -0.0546875 1.101562 -0.171875 0.6875 -0.328125 L 0.6875 -1.34375 C 1.09375 -1.113281 1.484375 -0.941406 1.859375 -0.828125 C 2.242188 -0.710938 2.625 -0.65625 3 -0.65625 C 3.5625 -0.65625 3.992188 -0.765625 4.296875 -0.984375 C 4.609375 -1.210938 4.765625 -1.53125 4.765625 -1.9375 C 4.765625 -2.289062 4.65625 -2.566406 4.4375 -2.765625 C 4.21875 -2.972656 3.851562 -3.128906 3.34375 -3.234375 L 2.75 -3.34375 C 2.007812 -3.488281 1.472656 -3.71875 1.140625 -4.03125 C 0.816406 -4.34375 0.65625 -4.78125 0.65625 -5.34375 C 0.65625 -5.988281 0.878906 -6.492188 1.328125 -6.859375 C 1.785156 -7.234375 2.414062 -7.421875 3.21875 -7.421875 C 3.5625 -7.421875 3.910156 -7.390625 4.265625 -7.328125 C 4.617188 -7.265625 4.984375 -7.171875 5.359375 -7.046875 Z M 5.359375 -7.046875 "
+ id="path48" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-14">
+ <path
+ style="stroke:none;"
+ d="M 0.296875 -5.46875 L 1.25 -5.46875 L 2.953125 -0.875 L 4.671875 -5.46875 L 5.625 -5.46875 L 3.5625 0 L 2.34375 0 Z M 0.296875 -5.46875 "
+ id="path51" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-15">
+ <path
+ style="stroke:none;"
+ d="M 1.96875 -6.484375 L 1.96875 -3.734375 L 3.203125 -3.734375 C 3.660156 -3.734375 4.015625 -3.851562 4.265625 -4.09375 C 4.523438 -4.332031 4.65625 -4.671875 4.65625 -5.109375 C 4.65625 -5.546875 4.523438 -5.882812 4.265625 -6.125 C 4.015625 -6.363281 3.660156 -6.484375 3.203125 -6.484375 Z M 0.984375 -7.296875 L 3.203125 -7.296875 C 4.023438 -7.296875 4.644531 -7.109375 5.0625 -6.734375 C 5.476562 -6.367188 5.6875 -5.828125 5.6875 -5.109375 C 5.6875 -4.390625 5.476562 -3.847656 5.0625 -3.484375 C 4.644531 -3.117188 4.023438 -2.9375 3.203125 -2.9375 L 1.96875 -2.9375 L 1.96875 0 L 0.984375 0 Z M 0.984375 -7.296875 "
+ id="path54" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-16">
+ <path
+ style="stroke:none;"
+ d="M 4.109375 -4.625 C 4.003906 -4.6875 3.894531 -4.726562 3.78125 -4.75 C 3.664062 -4.78125 3.535156 -4.796875 3.390625 -4.796875 C 2.878906 -4.796875 2.488281 -4.628906 2.21875 -4.296875 C 1.945312 -3.972656 1.8125 -3.5 1.8125 -2.875 L 1.8125 0 L 0.90625 0 L 0.90625 -5.46875 L 1.8125 -5.46875 L 1.8125 -4.625 C 2 -4.957031 2.242188 -5.203125 2.546875 -5.359375 C 2.847656 -5.515625 3.21875 -5.59375 3.65625 -5.59375 C 3.71875 -5.59375 3.785156 -5.585938 3.859375 -5.578125 C 3.929688 -5.578125 4.015625 -5.566406 4.109375 -5.546875 Z M 4.109375 -4.625 "
+ id="path57" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-17">
+ <path
+ style="stroke:none;"
+ d="M 0.984375 -7.296875 L 5.171875 -7.296875 L 5.171875 -6.453125 L 1.96875 -6.453125 L 1.96875 -4.3125 L 4.859375 -4.3125 L 4.859375 -3.484375 L 1.96875 -3.484375 L 1.96875 0 L 0.984375 0 Z M 0.984375 -7.296875 "
+ id="path60" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-18">
+ <path
+ style="stroke:none;"
+ d="M 5.484375 -3.296875 L 5.484375 0 L 4.59375 0 L 4.59375 -3.265625 C 4.59375 -3.785156 4.488281 -4.171875 4.28125 -4.421875 C 4.082031 -4.679688 3.78125 -4.8125 3.375 -4.8125 C 2.894531 -4.8125 2.515625 -4.65625 2.234375 -4.34375 C 1.953125 -4.039062 1.8125 -3.625 1.8125 -3.09375 L 1.8125 0 L 0.90625 0 L 0.90625 -5.46875 L 1.8125 -5.46875 L 1.8125 -4.625 C 2.03125 -4.945312 2.285156 -5.1875 2.578125 -5.34375 C 2.867188 -5.507812 3.203125 -5.59375 3.578125 -5.59375 C 4.203125 -5.59375 4.675781 -5.398438 5 -5.015625 C 5.320312 -4.628906 5.484375 -4.054688 5.484375 -3.296875 Z M 5.484375 -3.296875 "
+ id="path63" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-19">
+ <path
+ style="stroke:none;"
+ d="M 4.875 -5.265625 L 4.875 -4.421875 C 4.625 -4.554688 4.367188 -4.660156 4.109375 -4.734375 C 3.859375 -4.804688 3.601562 -4.84375 3.34375 -4.84375 C 2.757812 -4.84375 2.304688 -4.65625 1.984375 -4.28125 C 1.660156 -3.914062 1.5 -3.398438 1.5 -2.734375 C 1.5 -2.066406 1.660156 -1.546875 1.984375 -1.171875 C 2.304688 -0.804688 2.757812 -0.625 3.34375 -0.625 C 3.601562 -0.625 3.859375 -0.65625 4.109375 -0.71875 C 4.367188 -0.789062 4.625 -0.898438 4.875 -1.046875 L 4.875 -0.203125 C 4.625 -0.0859375 4.363281 -0.00390625 4.09375 0.046875 C 3.832031 0.109375 3.550781 0.140625 3.25 0.140625 C 2.414062 0.140625 1.753906 -0.113281 1.265625 -0.625 C 0.785156 -1.144531 0.546875 -1.847656 0.546875 -2.734375 C 0.546875 -3.617188 0.789062 -4.316406 1.28125 -4.828125 C 1.769531 -5.335938 2.441406 -5.59375 3.296875 -5.59375 C 3.578125 -5.59375 3.847656 -5.566406 4.109375 -5.515625 C 4.367188 -5.460938 4.625 -5.378906 4.875 -5.265625 Z M 4.875 -5.265625 "
+ id="path66" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph0-20">
+ <path
+ style="stroke:none;"
+ d="M 0.984375 -7.296875 L 1.96875 -7.296875 L 1.96875 -0.828125 L 5.515625 -0.828125 L 5.515625 0 L 0.984375 0 Z M 0.984375 -7.296875 "
+ id="path69" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph1-0">
+ <path
+ style="stroke:none;"
+ d="M -1.203125 1.140625 L 5.828125 -2.53125 L 7.921875 1.453125 L 0.890625 5.125 Z M -0.53125 1.34375 L 1.09375 4.453125 L 7.25 1.25 L 5.625 -1.859375 Z M -0.53125 1.34375 "
+ id="path72" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph1-1">
+ <path
+ style="stroke:none;"
+ d="M 1.1875 2.28125 L 5.84375 -2.96875 L 6.28125 -2.140625 L 2.34375 2.25 L 8.203125 1.546875 L 8.625 2.359375 L 1.65625 3.171875 Z M 1.1875 2.28125 "
+ id="path75" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph1-2">
+ <path
+ style="stroke:none;"
+ d="M 6.21875 -2.234375 L 6.765625 -1.1875 L 3.25 3.921875 L 8.109375 1.390625 L 8.515625 2.15625 L 2.703125 5.1875 L 2.15625 4.125 L 5.671875 -0.984375 L 0.8125 1.546875 L 0.40625 0.796875 Z M 6.21875 -2.234375 "
+ id="path78" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph2-0">
+ <path
+ style="stroke:none;"
+ d="M -1.203125 1.140625 L 5.828125 -2.53125 L 7.921875 1.453125 L 0.890625 5.125 Z M -0.53125 1.34375 L 1.09375 4.453125 L 7.25 1.25 L 5.625 -1.859375 Z M -0.53125 1.34375 "
+ id="path81" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph2-1">
+ <path
+ style="stroke:none;"
+ d="M 4.75 -1.53125 L 5.125 -0.8125 L 0.765625 1.46875 L 0.390625 0.75 Z M 6.453125 -2.421875 L 6.828125 -1.703125 L 5.921875 -1.21875 L 5.546875 -1.9375 Z M 6.453125 -2.421875 "
+ id="path84" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph2-2">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path87" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph3-0">
+ <path
+ style="stroke:none;"
+ d="M -1.203125 1.140625 L 5.828125 -2.53125 L 7.921875 1.453125 L 0.890625 5.125 Z M -0.53125 1.34375 L 1.09375 4.453125 L 7.25 1.25 L 5.625 -1.859375 Z M -0.53125 1.34375 "
+ id="path90" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph3-1">
+ <path
+ style="stroke:none;"
+ d="M 3.609375 1.59375 C 3.304688 1.019531 3.03125 0.648438 2.78125 0.484375 C 2.539062 0.328125 2.257812 0.332031 1.9375 0.5 C 1.6875 0.632812 1.53125 0.828125 1.46875 1.078125 C 1.40625 1.328125 1.445312 1.597656 1.59375 1.890625 C 1.800781 2.285156 2.109375 2.53125 2.515625 2.625 C 2.921875 2.71875 3.359375 2.640625 3.828125 2.390625 L 3.984375 2.3125 Z M 4.671875 2.875 L 2.171875 4.171875 L 1.796875 3.453125 L 2.46875 3.109375 C 2.113281 3.078125 1.804688 2.972656 1.546875 2.796875 C 1.296875 2.617188 1.082031 2.351562 0.90625 2 C 0.675781 1.5625 0.613281 1.144531 0.71875 0.75 C 0.832031 0.351562 1.101562 0.0390625 1.53125 -0.1875 C 2.019531 -0.4375 2.472656 -0.460938 2.890625 -0.265625 C 3.304688 -0.0664062 3.679688 0.351562 4.015625 1 L 4.546875 2.015625 L 4.625 1.984375 C 4.957031 1.804688 5.15625 1.5625 5.21875 1.25 C 5.28125 0.9375 5.210938 0.582031 5.015625 0.1875 C 4.878906 -0.0625 4.71875 -0.285156 4.53125 -0.484375 C 4.351562 -0.691406 4.148438 -0.875 3.921875 -1.03125 L 4.59375 -1.375 C 4.832031 -1.164062 5.039062 -0.945312 5.21875 -0.71875 C 5.394531 -0.5 5.539062 -0.273438 5.65625 -0.046875 C 5.988281 0.585938 6.070312 1.144531 5.90625 1.625 C 5.738281 2.101562 5.328125 2.519531 4.671875 2.875 Z M 4.671875 2.875 "
+ id="path93" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph4-0">
+ <path
+ style="stroke:none;"
+ d="M -1.265625 1.0625 L 5.953125 -2.21875 L 7.8125 1.875 L 0.59375 5.15625 Z M -0.609375 1.328125 L 0.84375 4.5 L 7.15625 1.625 L 5.703125 -1.546875 Z M -0.609375 1.328125 "
+ id="path96" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph4-1">
+ <path
+ style="stroke:none;"
+ d="M 5.109375 0.6875 C 4.929688 0.300781 4.632812 0.0625 4.21875 -0.03125 C 3.8125 -0.125 3.335938 -0.046875 2.796875 0.203125 C 2.265625 0.441406 1.894531 0.742188 1.6875 1.109375 C 1.488281 1.484375 1.476562 1.867188 1.65625 2.265625 C 1.832031 2.660156 2.125 2.898438 2.53125 2.984375 C 2.945312 3.078125 3.421875 3.003906 3.953125 2.765625 C 4.484375 2.523438 4.851562 2.21875 5.0625 1.84375 C 5.269531 1.46875 5.285156 1.082031 5.109375 0.6875 Z M 5.734375 0.40625 C 6.023438 1.050781 6.046875 1.648438 5.796875 2.203125 C 5.546875 2.765625 5.050781 3.210938 4.3125 3.546875 C 3.582031 3.878906 2.925781 3.957031 2.34375 3.78125 C 1.757812 3.601562 1.320312 3.191406 1.03125 2.546875 C 0.738281 1.910156 0.71875 1.316406 0.96875 0.765625 C 1.21875 0.210938 1.707031 -0.226562 2.4375 -0.5625 C 3.175781 -0.894531 3.835938 -0.972656 4.421875 -0.796875 C 5.003906 -0.628906 5.441406 -0.226562 5.734375 0.40625 Z M 5.734375 0.40625 "
+ id="path99" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph5-0">
+ <path
+ style="stroke:none;"
+ d="M -1.296875 1.046875 L 6.015625 -2.03125 L 7.765625 2.109375 L 0.453125 5.1875 Z M -0.640625 1.296875 L 0.703125 4.53125 L 7.109375 1.84375 L 5.765625 -1.390625 Z M -0.640625 1.296875 "
+ id="path102" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph5-1">
+ <path
+ style="stroke:none;"
+ d="M 6.640625 -1.875 L 6.953125 -1.125 L 0.640625 1.53125 L 0.328125 0.78125 Z M 6.640625 -1.875 "
+ id="path105" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph6-0">
+ <path
+ style="stroke:none;"
+ d="M -0.84375 1.421875 L 4.9375 -4.015625 L 8.015625 -0.734375 L 2.234375 4.703125 Z M -0.140625 1.4375 L 2.25 4 L 7.3125 -0.75 L 4.921875 -3.3125 Z M -0.140625 1.4375 "
+ id="path108" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph6-1">
+ <path
+ style="stroke:none;"
+ d="M 5.40625 1.875 L 5.125 2.140625 L 2.578125 -0.5625 C 2.191406 -0.164062 1.992188 0.238281 1.984375 0.65625 C 1.984375 1.070312 2.164062 1.472656 2.53125 1.859375 C 2.738281 2.085938 2.96875 2.285156 3.21875 2.453125 C 3.46875 2.617188 3.753906 2.753906 4.078125 2.859375 L 3.53125 3.375 C 3.226562 3.25 2.945312 3.09375 2.6875 2.90625 C 2.4375 2.726562 2.203125 2.523438 1.984375 2.296875 C 1.453125 1.722656 1.195312 1.113281 1.21875 0.46875 C 1.238281 -0.175781 1.53125 -0.757812 2.09375 -1.28125 C 2.6875 -1.84375 3.300781 -2.125 3.9375 -2.125 C 4.582031 -2.132812 5.15625 -1.867188 5.65625 -1.328125 C 6.113281 -0.847656 6.320312 -0.320312 6.28125 0.25 C 6.238281 0.820312 5.945312 1.363281 5.40625 1.875 Z M 5.03125 1.109375 C 5.34375 0.804688 5.507812 0.472656 5.53125 0.109375 C 5.5625 -0.242188 5.441406 -0.566406 5.171875 -0.859375 C 4.859375 -1.191406 4.515625 -1.367188 4.140625 -1.390625 C 3.773438 -1.410156 3.410156 -1.28125 3.046875 -1 Z M 5.03125 1.109375 "
+ id="path111" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph7-0">
+ <path
+ style="stroke:none;"
+ d="M 1.8125 0.296875 L -6.15625 -3.453125 L -4.03125 -7.96875 L 3.9375 -4.21875 Z M 1.5625 -0.453125 L 3.21875 -3.953125 L -3.75 -7.234375 L -5.40625 -3.734375 Z M 1.5625 -0.453125 "
+ id="path114" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph7-1">
+ <path
+ style="stroke:none;"
+ d="M -1.03125 -4.265625 C -1.332031 -3.617188 -1.46875 -3.128906 -1.4375 -2.796875 C -1.40625 -2.472656 -1.210938 -2.226562 -0.859375 -2.0625 C -0.566406 -1.925781 -0.289062 -1.910156 -0.03125 -2.015625 C 0.226562 -2.128906 0.4375 -2.351562 0.59375 -2.6875 C 0.800781 -3.132812 0.804688 -3.570312 0.609375 -4 C 0.421875 -4.425781 0.0664062 -4.757812 -0.453125 -5 L -0.640625 -5.09375 Z M -0.609375 -6.046875 L 2.21875 -4.71875 L 1.84375 -3.921875 L 1.09375 -4.28125 C 1.300781 -3.945312 1.410156 -3.601562 1.421875 -3.25 C 1.429688 -2.90625 1.34375 -2.535156 1.15625 -2.140625 C 0.914062 -1.628906 0.582031 -1.289062 0.15625 -1.125 C -0.257812 -0.957031 -0.707031 -0.984375 -1.1875 -1.203125 C -1.75 -1.472656 -2.082031 -1.863281 -2.1875 -2.375 C -2.289062 -2.882812 -2.171875 -3.503906 -1.828125 -4.234375 L -1.28125 -5.390625 L -1.359375 -5.4375 C -1.734375 -5.601562 -2.082031 -5.609375 -2.40625 -5.453125 C -2.726562 -5.304688 -2.992188 -5.007812 -3.203125 -4.5625 C -3.328125 -4.28125 -3.421875 -3.988281 -3.484375 -3.6875 C -3.546875 -3.382812 -3.566406 -3.082031 -3.546875 -2.78125 L -4.296875 -3.125 C -4.265625 -3.476562 -4.210938 -3.804688 -4.140625 -4.109375 C -4.066406 -4.410156 -3.96875 -4.695312 -3.84375 -4.96875 C -3.507812 -5.675781 -3.070312 -6.117188 -2.53125 -6.296875 C -2 -6.484375 -1.359375 -6.398438 -0.609375 -6.046875 Z M -0.609375 -6.046875 "
+ id="path117" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph7-2">
+ <path
+ style="stroke:none;"
+ d="M -0.65625 -6.375 L 2.328125 -4.96875 L 1.953125 -4.15625 L -1 -5.546875 C -1.46875 -5.765625 -1.859375 -5.835938 -2.171875 -5.765625 C -2.492188 -5.691406 -2.742188 -5.46875 -2.921875 -5.09375 C -3.128906 -4.664062 -3.148438 -4.257812 -2.984375 -3.875 C -2.828125 -3.488281 -2.507812 -3.179688 -2.03125 -2.953125 L 0.765625 -1.640625 L 0.390625 -0.8125 L -4.5625 -3.140625 L -4.1875 -3.96875 L -3.421875 -3.609375 C -3.617188 -3.941406 -3.726562 -4.273438 -3.75 -4.609375 C -3.769531 -4.941406 -3.695312 -5.273438 -3.53125 -5.609375 C -3.269531 -6.171875 -2.894531 -6.519531 -2.40625 -6.65625 C -1.925781 -6.789062 -1.34375 -6.695312 -0.65625 -6.375 Z M -0.65625 -6.375 "
+ id="path120" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph7-3">
+ <path
+ style="stroke:none;"
+ d="M -0.28125 -6.34375 L 0.109375 -6.171875 L -1.65625 -2.421875 C -1.070312 -2.191406 -0.5625 -2.15625 -0.125 -2.3125 C 0.300781 -2.476562 0.644531 -2.832031 0.90625 -3.375 C 1.050781 -3.6875 1.15625 -4.007812 1.21875 -4.34375 C 1.28125 -4.675781 1.300781 -5.019531 1.28125 -5.375 L 2.046875 -5.015625 C 2.023438 -4.660156 1.972656 -4.3125 1.890625 -3.96875 C 1.816406 -3.632812 1.707031 -3.3125 1.5625 -3 C 1.195312 -2.207031 0.675781 -1.6875 0 -1.4375 C -0.675781 -1.195312 -1.410156 -1.265625 -2.203125 -1.640625 C -3.003906 -2.023438 -3.535156 -2.546875 -3.796875 -3.203125 C -4.066406 -3.859375 -4.03125 -4.554688 -3.6875 -5.296875 C -3.375 -5.972656 -2.910156 -6.40625 -2.296875 -6.59375 C -1.691406 -6.78125 -1.019531 -6.695312 -0.28125 -6.34375 Z M -0.890625 -5.640625 C -1.335938 -5.847656 -1.753906 -5.890625 -2.140625 -5.765625 C -2.523438 -5.648438 -2.804688 -5.394531 -2.984375 -5 C -3.203125 -4.539062 -3.25 -4.113281 -3.125 -3.71875 C -3 -3.332031 -2.710938 -3.007812 -2.265625 -2.75 Z M -0.890625 -5.640625 "
+ id="path123" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph7-4">
+ <path
+ style="stroke:none;"
+ d="M -3.078125 -4.828125 C -3.273438 -4.398438 -3.265625 -3.976562 -3.046875 -3.5625 C -2.828125 -3.144531 -2.421875 -2.800781 -1.828125 -2.53125 C -1.234375 -2.25 -0.707031 -2.148438 -0.25 -2.234375 C 0.195312 -2.328125 0.523438 -2.59375 0.734375 -3.03125 C 0.941406 -3.46875 0.9375 -3.894531 0.71875 -4.3125 C 0.5 -4.726562 0.09375 -5.078125 -0.5 -5.359375 C -1.082031 -5.628906 -1.601562 -5.71875 -2.0625 -5.625 C -2.53125 -5.53125 -2.867188 -5.265625 -3.078125 -4.828125 Z M -3.765625 -5.140625 C -3.429688 -5.847656 -2.9375 -6.296875 -2.28125 -6.484375 C -1.632812 -6.679688 -0.90625 -6.59375 -0.09375 -6.21875 C 0.707031 -5.832031 1.242188 -5.328125 1.515625 -4.703125 C 1.785156 -4.078125 1.753906 -3.410156 1.421875 -2.703125 C 1.097656 -1.992188 0.609375 -1.546875 -0.046875 -1.359375 C -0.703125 -1.179688 -1.429688 -1.285156 -2.234375 -1.671875 C -3.046875 -2.046875 -3.582031 -2.539062 -3.84375 -3.15625 C -4.113281 -3.769531 -4.085938 -4.429688 -3.765625 -5.140625 Z M -3.765625 -5.140625 "
+ id="path126" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph8-0">
+ <path
+ style="stroke:none;"
+ d="M 1.8125 0.296875 L -6.15625 -3.453125 L -4.03125 -7.96875 L 3.9375 -4.21875 Z M 1.5625 -0.453125 L 3.21875 -3.953125 L -3.75 -7.234375 L -5.40625 -3.734375 Z M 1.5625 -0.453125 "
+ id="path129" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph8-1">
+ <path
+ style="stroke:none;"
+ d="M -4.71875 -2.828125 L -2.90625 -6.6875 L -2.171875 -6.34375 L -0.046875 -1.609375 L 1.390625 -4.671875 L 2.046875 -4.359375 L 0.1875 -0.390625 L -0.5625 -0.75 L -2.671875 -5.46875 L -4.0625 -2.515625 Z M -4.71875 -2.828125 "
+ id="path132" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph9-0">
+ <path
+ style="stroke:none;"
+ d="M 1.8125 0.296875 L -6.15625 -3.453125 L -4.03125 -7.96875 L 3.9375 -4.21875 Z M 1.5625 -0.453125 L 3.21875 -3.953125 L -3.75 -7.234375 L -5.40625 -3.734375 Z M 1.5625 -0.453125 "
+ id="path135" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph9-1">
+ <path
+ style="stroke:none;"
+ d="M -5.5625 -4.640625 L -4.171875 -3.984375 L -3.375 -5.671875 L -2.734375 -5.375 L -3.53125 -3.6875 L -0.84375 -2.421875 C -0.445312 -2.234375 -0.164062 -2.164062 0 -2.21875 C 0.175781 -2.28125 0.34375 -2.476562 0.5 -2.8125 L 0.90625 -3.65625 L 1.578125 -3.34375 L 1.171875 -2.5 C 0.878906 -1.875 0.554688 -1.492188 0.203125 -1.359375 C -0.140625 -1.222656 -0.617188 -1.300781 -1.234375 -1.59375 L -3.921875 -2.859375 L -4.203125 -2.265625 L -4.84375 -2.5625 L -4.5625 -3.15625 L -5.953125 -3.8125 Z M -5.5625 -4.640625 "
+ id="path138" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph10-0">
+ <path
+ style="stroke:none;"
+ d="M 1.8125 0.296875 L -6.15625 -3.453125 L -4.03125 -7.96875 L 3.9375 -4.21875 Z M 1.5625 -0.453125 L 3.21875 -3.953125 L -3.75 -7.234375 L -5.40625 -3.734375 Z M 1.5625 -0.453125 "
+ id="path141" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph10-1">
+ <path
+ style="stroke:none;"
+ d="M -3.078125 -4.828125 C -3.273438 -4.398438 -3.265625 -3.976562 -3.046875 -3.5625 C -2.828125 -3.144531 -2.421875 -2.800781 -1.828125 -2.53125 C -1.234375 -2.25 -0.707031 -2.148438 -0.25 -2.234375 C 0.195312 -2.328125 0.523438 -2.59375 0.734375 -3.03125 C 0.941406 -3.46875 0.9375 -3.894531 0.71875 -4.3125 C 0.5 -4.726562 0.09375 -5.078125 -0.5 -5.359375 C -1.082031 -5.628906 -1.601562 -5.71875 -2.0625 -5.625 C -2.53125 -5.53125 -2.867188 -5.265625 -3.078125 -4.828125 Z M -3.765625 -5.140625 C -3.429688 -5.847656 -2.9375 -6.296875 -2.28125 -6.484375 C -1.632812 -6.679688 -0.90625 -6.59375 -0.09375 -6.21875 C 0.707031 -5.832031 1.242188 -5.328125 1.515625 -4.703125 C 1.785156 -4.078125 1.753906 -3.410156 1.421875 -2.703125 C 1.097656 -1.992188 0.609375 -1.546875 -0.046875 -1.359375 C -0.703125 -1.179688 -1.429688 -1.285156 -2.234375 -1.671875 C -3.046875 -2.046875 -3.582031 -2.539062 -3.84375 -3.15625 C -4.113281 -3.769531 -4.085938 -4.429688 -3.765625 -5.140625 Z M -3.765625 -5.140625 "
+ id="path144" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph11-0">
+ <path
+ style="stroke:none;"
+ d="M 1.8125 0.296875 L -6.15625 -3.453125 L -4.03125 -7.96875 L 3.9375 -4.21875 Z M 1.5625 -0.453125 L 3.21875 -3.953125 L -3.75 -7.234375 L -5.40625 -3.734375 Z M 1.5625 -0.453125 "
+ id="path147" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph11-1">
+ <path
+ style="stroke:none;"
+ d="M -5.015625 -4.546875 L -2.53125 -3.375 L -2.015625 -4.484375 C -1.816406 -4.898438 -1.769531 -5.273438 -1.875 -5.609375 C -1.988281 -5.941406 -2.242188 -6.203125 -2.640625 -6.390625 C -3.035156 -6.578125 -3.394531 -6.601562 -3.71875 -6.46875 C -4.039062 -6.34375 -4.300781 -6.070312 -4.5 -5.65625 Z M -6.1875 -4 L -5.25 -6 C -4.894531 -6.75 -4.457031 -7.234375 -3.9375 -7.453125 C -3.425781 -7.671875 -2.847656 -7.625 -2.203125 -7.3125 C -1.546875 -7.007812 -1.140625 -6.59375 -0.984375 -6.0625 C -0.835938 -5.53125 -0.941406 -4.890625 -1.296875 -4.140625 L -1.8125 -3.03125 L 0.84375 -1.78125 L 0.421875 -0.890625 Z M -6.1875 -4 "
+ id="path150" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph12-0">
+ <path
+ style="stroke:none;"
+ d="M 1.8125 0.296875 L -6.15625 -3.453125 L -4.03125 -7.96875 L 3.9375 -4.21875 Z M 1.5625 -0.453125 L 3.21875 -3.953125 L -3.75 -7.234375 L -5.40625 -3.734375 Z M 1.5625 -0.453125 "
+ id="path153" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph12-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path156" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph12-2">
+ <path
+ style="stroke:none;"
+ d="M -3.359375 -8.703125 L -2.40625 -8.25 C -2.820312 -8.082031 -3.179688 -7.859375 -3.484375 -7.578125 C -3.785156 -7.304688 -4.023438 -6.976562 -4.203125 -6.59375 C -4.554688 -5.84375 -4.59375 -5.15625 -4.3125 -4.53125 C -4.039062 -3.914062 -3.472656 -3.40625 -2.609375 -3 C -1.742188 -2.59375 -0.984375 -2.476562 -0.328125 -2.65625 C 0.316406 -2.84375 0.816406 -3.3125 1.171875 -4.0625 C 1.347656 -4.445312 1.445312 -4.84375 1.46875 -5.25 C 1.5 -5.65625 1.441406 -6.070312 1.296875 -6.5 L 2.21875 -6.0625 C 2.289062 -5.65625 2.296875 -5.25 2.234375 -4.84375 C 2.179688 -4.445312 2.0625 -4.054688 1.875 -3.671875 C 1.40625 -2.671875 0.734375 -2.03125 -0.140625 -1.75 C -1.023438 -1.46875 -2 -1.570312 -3.0625 -2.0625 C -4.113281 -2.5625 -4.8125 -3.238281 -5.15625 -4.09375 C -5.5 -4.957031 -5.4375 -5.890625 -4.96875 -6.890625 C -4.78125 -7.285156 -4.550781 -7.632812 -4.28125 -7.9375 C -4.007812 -8.238281 -3.703125 -8.492188 -3.359375 -8.703125 Z M -3.359375 -8.703125 "
+ id="path159" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph13-0">
+ <path
+ style="stroke:none;"
+ d="M 1.8125 0.296875 L -6.15625 -3.453125 L -4.03125 -7.96875 L 3.9375 -4.21875 Z M 1.5625 -0.453125 L 3.21875 -3.953125 L -3.75 -7.234375 L -5.40625 -3.734375 Z M 1.5625 -0.453125 "
+ id="path162" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph13-1">
+ <path
+ style="stroke:none;"
+ d="M -2.921875 -6.265625 L -2.140625 -5.890625 C -2.378906 -5.722656 -2.582031 -5.53125 -2.75 -5.3125 C -2.914062 -5.09375 -3.0625 -4.847656 -3.1875 -4.578125 C -3.375 -4.179688 -3.453125 -3.851562 -3.421875 -3.59375 C -3.398438 -3.332031 -3.265625 -3.144531 -3.015625 -3.03125 C -2.828125 -2.9375 -2.648438 -2.9375 -2.484375 -3.03125 C -2.316406 -3.125 -2.078125 -3.367188 -1.765625 -3.765625 L -1.578125 -4 C -1.171875 -4.53125 -0.796875 -4.859375 -0.453125 -4.984375 C -0.117188 -5.117188 0.242188 -5.09375 0.640625 -4.90625 C 1.109375 -4.6875 1.390625 -4.332031 1.484375 -3.84375 C 1.578125 -3.363281 1.472656 -2.804688 1.171875 -2.171875 C 1.046875 -1.898438 0.890625 -1.632812 0.703125 -1.375 C 0.515625 -1.113281 0.296875 -0.851562 0.046875 -0.59375 L -0.78125 -0.984375 C -0.488281 -1.210938 -0.234375 -1.453125 -0.015625 -1.703125 C 0.203125 -1.953125 0.378906 -2.222656 0.515625 -2.515625 C 0.691406 -2.890625 0.757812 -3.210938 0.71875 -3.484375 C 0.675781 -3.753906 0.539062 -3.941406 0.3125 -4.046875 C 0.0820312 -4.148438 -0.125 -4.15625 -0.3125 -4.0625 C -0.5 -3.976562 -0.765625 -3.707031 -1.109375 -3.25 L -1.296875 -3 C -1.640625 -2.550781 -1.972656 -2.265625 -2.296875 -2.140625 C -2.628906 -2.015625 -2.984375 -2.039062 -3.359375 -2.21875 C -3.828125 -2.4375 -4.109375 -2.769531 -4.203125 -3.21875 C -4.296875 -3.664062 -4.203125 -4.195312 -3.921875 -4.8125 C -3.785156 -5.101562 -3.628906 -5.375 -3.453125 -5.625 C -3.285156 -5.875 -3.109375 -6.085938 -2.921875 -6.265625 Z M -2.921875 -6.265625 "
+ id="path165" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph14-0">
+ <path
+ style="stroke:none;"
+ d="M 1.8125 0.296875 L -6.15625 -3.453125 L -4.03125 -7.96875 L 3.9375 -4.21875 Z M 1.5625 -0.453125 L 3.21875 -3.953125 L -3.75 -7.234375 L -5.40625 -3.734375 Z M 1.5625 -0.453125 "
+ id="path168" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph14-1">
+ <path
+ style="stroke:none;"
+ d="M -2.4375 -5.6875 C -2.53125 -5.625 -2.613281 -5.546875 -2.6875 -5.453125 C -2.769531 -5.359375 -2.84375 -5.242188 -2.90625 -5.109375 C -3.113281 -4.648438 -3.128906 -4.226562 -2.953125 -3.84375 C -2.773438 -3.457031 -2.398438 -3.128906 -1.828125 -2.859375 L 0.765625 -1.640625 L 0.390625 -0.8125 L -4.5625 -3.140625 L -4.1875 -3.96875 L -3.421875 -3.609375 C -3.640625 -3.921875 -3.753906 -4.242188 -3.765625 -4.578125 C -3.773438 -4.921875 -3.6875 -5.289062 -3.5 -5.6875 C -3.476562 -5.738281 -3.445312 -5.796875 -3.40625 -5.859375 C -3.375 -5.929688 -3.328125 -6.003906 -3.265625 -6.078125 Z M -2.4375 -5.6875 "
+ id="path171" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph15-0">
+ <path
+ style="stroke:none;"
+ d="M 1.8125 0.296875 L -6.15625 -3.453125 L -4.03125 -7.96875 L 3.9375 -4.21875 Z M 1.5625 -0.453125 L 3.21875 -3.953125 L -3.75 -7.234375 L -5.40625 -3.734375 Z M 1.5625 -0.453125 "
+ id="path174" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph15-1">
+ <path
+ style="stroke:none;"
+ d="M -3.078125 -4.828125 C -3.273438 -4.398438 -3.265625 -3.976562 -3.046875 -3.5625 C -2.828125 -3.144531 -2.421875 -2.800781 -1.828125 -2.53125 C -1.234375 -2.25 -0.707031 -2.148438 -0.25 -2.234375 C 0.195312 -2.328125 0.523438 -2.59375 0.734375 -3.03125 C 0.941406 -3.46875 0.9375 -3.894531 0.71875 -4.3125 C 0.5 -4.726562 0.09375 -5.078125 -0.5 -5.359375 C -1.082031 -5.628906 -1.601562 -5.71875 -2.0625 -5.625 C -2.53125 -5.53125 -2.867188 -5.265625 -3.078125 -4.828125 Z M -3.765625 -5.140625 C -3.429688 -5.847656 -2.9375 -6.296875 -2.28125 -6.484375 C -1.632812 -6.679688 -0.90625 -6.59375 -0.09375 -6.21875 C 0.707031 -5.832031 1.242188 -5.328125 1.515625 -4.703125 C 1.785156 -4.078125 1.753906 -3.410156 1.421875 -2.703125 C 1.097656 -1.992188 0.609375 -1.546875 -0.046875 -1.359375 C -0.703125 -1.179688 -1.429688 -1.285156 -2.234375 -1.671875 C -3.046875 -2.046875 -3.582031 -2.539062 -3.84375 -3.15625 C -4.113281 -3.769531 -4.085938 -4.429688 -3.765625 -5.140625 Z M -3.765625 -5.140625 "
+ id="path177" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph16-0">
+ <path
+ style="stroke:none;"
+ d="M 1.59375 -0.4375 L -6.34375 -0.546875 L -6.265625 -5.046875 L 1.671875 -4.9375 Z M 1.109375 -0.9375 L 1.15625 -4.4375 L -5.78125 -4.53125 L -5.828125 -1.03125 Z M 1.109375 -0.9375 "
+ id="path180" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph16-1">
+ <path
+ style="stroke:none;"
+ d="M -4.125 -3.765625 C -4.175781 -3.671875 -4.210938 -3.570312 -4.234375 -3.46875 C -4.253906 -3.363281 -4.265625 -3.242188 -4.265625 -3.109375 C -4.273438 -2.648438 -4.128906 -2.296875 -3.828125 -2.046875 C -3.535156 -1.796875 -3.113281 -1.664062 -2.5625 -1.65625 L 0.03125 -1.625 L 0.015625 -0.8125 L -4.90625 -0.890625 L -4.890625 -1.703125 L -4.125 -1.6875 C -4.425781 -1.863281 -4.644531 -2.085938 -4.78125 -2.359375 C -4.925781 -2.640625 -5 -2.972656 -5 -3.359375 C -5 -3.421875 -4.992188 -3.484375 -4.984375 -3.546875 C -4.972656 -3.617188 -4.960938 -3.695312 -4.953125 -3.78125 Z M -4.125 -3.765625 "
+ id="path183" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph17-0">
+ <path
+ style="stroke:none;"
+ d="M 1.59375 -0.4375 L -6.34375 -0.546875 L -6.265625 -5.046875 L 1.671875 -4.9375 Z M 1.109375 -0.9375 L 1.15625 -4.4375 L -5.78125 -4.53125 L -5.828125 -1.03125 Z M 1.109375 -0.9375 "
+ id="path186" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph17-1">
+ <path
+ style="stroke:none;"
+ d="M -2.421875 -3.109375 C -2.429688 -2.460938 -2.363281 -2.007812 -2.21875 -1.75 C -2.082031 -1.5 -1.832031 -1.367188 -1.46875 -1.359375 C -1.1875 -1.359375 -0.957031 -1.453125 -0.78125 -1.640625 C -0.601562 -1.835938 -0.515625 -2.097656 -0.515625 -2.421875 C -0.503906 -2.867188 -0.65625 -3.226562 -0.96875 -3.5 C -1.28125 -3.769531 -1.703125 -3.910156 -2.234375 -3.921875 L -2.40625 -3.921875 Z M -2.75 -4.75 L 0.0625 -4.703125 L 0.0625 -3.890625 L -0.6875 -3.90625 C -0.394531 -3.707031 -0.175781 -3.46875 -0.03125 -3.1875 C 0.101562 -2.914062 0.164062 -2.582031 0.15625 -2.1875 C 0.144531 -1.6875 0 -1.289062 -0.28125 -1 C -0.5625 -0.707031 -0.941406 -0.5625 -1.421875 -0.5625 C -1.972656 -0.570312 -2.382812 -0.765625 -2.65625 -1.140625 C -2.9375 -1.515625 -3.070312 -2.066406 -3.0625 -2.796875 L -3.046875 -3.9375 L -3.125 -3.9375 C -3.5 -3.945312 -3.789062 -3.828125 -4 -3.578125 C -4.207031 -3.335938 -4.316406 -2.992188 -4.328125 -2.546875 C -4.328125 -2.265625 -4.296875 -1.988281 -4.234375 -1.71875 C -4.171875 -1.457031 -4.070312 -1.207031 -3.9375 -0.96875 L -4.6875 -0.96875 C -4.800781 -1.269531 -4.882812 -1.5625 -4.9375 -1.84375 C -4.988281 -2.125 -5.015625 -2.394531 -5.015625 -2.65625 C -5.003906 -3.363281 -4.8125 -3.890625 -4.4375 -4.234375 C -4.0625 -4.585938 -3.5 -4.757812 -2.75 -4.75 Z M -2.75 -4.75 "
+ id="path189" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph17-2">
+ <path
+ style="stroke:none;"
+ d="M -2.453125 -4.125 C -3.035156 -4.132812 -3.488281 -4.019531 -3.8125 -3.78125 C -4.144531 -3.539062 -4.3125 -3.203125 -4.3125 -2.765625 C -4.320312 -2.335938 -4.164062 -2 -3.84375 -1.75 C -3.53125 -1.5 -3.082031 -1.367188 -2.5 -1.359375 C -1.914062 -1.359375 -1.457031 -1.476562 -1.125 -1.71875 C -0.800781 -1.957031 -0.632812 -2.289062 -0.625 -2.71875 C -0.625 -3.15625 -0.78125 -3.5 -1.09375 -3.75 C -1.414062 -4 -1.867188 -4.125 -2.453125 -4.125 Z M -0.53125 -4.90625 C 0.300781 -4.882812 0.921875 -4.6875 1.328125 -4.3125 C 1.734375 -3.9375 1.925781 -3.363281 1.90625 -2.59375 C 1.90625 -2.3125 1.878906 -2.046875 1.828125 -1.796875 C 1.785156 -1.546875 1.71875 -1.300781 1.625 -1.0625 L 0.84375 -1.078125 C 0.96875 -1.316406 1.0625 -1.550781 1.125 -1.78125 C 1.195312 -2.007812 1.234375 -2.242188 1.234375 -2.484375 C 1.242188 -3.015625 1.113281 -3.414062 0.84375 -3.6875 C 0.570312 -3.957031 0.15625 -4.09375 -0.40625 -4.09375 L -0.796875 -4.109375 C -0.515625 -3.929688 -0.300781 -3.707031 -0.15625 -3.4375 C -0.0195312 -3.175781 0.0390625 -2.867188 0.03125 -2.515625 C 0.03125 -1.910156 -0.203125 -1.425781 -0.671875 -1.0625 C -1.140625 -0.695312 -1.753906 -0.519531 -2.515625 -0.53125 C -3.273438 -0.539062 -3.878906 -0.734375 -4.328125 -1.109375 C -4.785156 -1.492188 -5.015625 -1.988281 -5.015625 -2.59375 C -5.003906 -2.945312 -4.921875 -3.253906 -4.765625 -3.515625 C -4.617188 -3.773438 -4.398438 -3.988281 -4.109375 -4.15625 L -4.859375 -4.171875 L -4.84375 -4.96875 Z M -0.53125 -4.90625 "
+ id="path192" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph17-3">
+ <path
+ style="stroke:none;"
+ d="M -4.3125 -2.8125 C -4.320312 -2.382812 -4.160156 -2.039062 -3.828125 -1.78125 C -3.492188 -1.519531 -3.03125 -1.382812 -2.4375 -1.375 C -1.851562 -1.363281 -1.390625 -1.484375 -1.046875 -1.734375 C -0.703125 -1.984375 -0.523438 -2.328125 -0.515625 -2.765625 C -0.515625 -3.203125 -0.679688 -3.546875 -1.015625 -3.796875 C -1.347656 -4.046875 -1.804688 -4.175781 -2.390625 -4.1875 C -2.972656 -4.195312 -3.4375 -4.078125 -3.78125 -3.828125 C -4.132812 -3.585938 -4.3125 -3.25 -4.3125 -2.8125 Z M -5 -2.828125 C -4.988281 -3.535156 -4.75 -4.082031 -4.28125 -4.46875 C -3.820312 -4.863281 -3.1875 -5.054688 -2.375 -5.046875 C -1.570312 -5.035156 -0.941406 -4.828125 -0.484375 -4.421875 C -0.0351562 -4.015625 0.179688 -3.457031 0.171875 -2.75 C 0.160156 -2.050781 -0.078125 -1.503906 -0.546875 -1.109375 C -1.015625 -0.710938 -1.648438 -0.519531 -2.453125 -0.53125 C -3.265625 -0.539062 -3.894531 -0.75 -4.34375 -1.15625 C -4.789062 -1.570312 -5.007812 -2.128906 -5 -2.828125 Z M -5 -2.828125 "
+ id="path195" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph18-0">
+ <path
+ style="stroke:none;"
+ d="M 1.59375 -0.4375 L -6.34375 -0.546875 L -6.265625 -5.046875 L 1.671875 -4.9375 Z M 1.109375 -0.9375 L 1.15625 -4.4375 L -5.78125 -4.53125 L -5.828125 -1.03125 Z M 1.109375 -0.9375 "
+ id="path198" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph18-1">
+ <path
+ style="stroke:none;"
+ d="M -4.125 -3.765625 C -4.175781 -3.671875 -4.210938 -3.570312 -4.234375 -3.46875 C -4.253906 -3.363281 -4.265625 -3.242188 -4.265625 -3.109375 C -4.273438 -2.648438 -4.128906 -2.296875 -3.828125 -2.046875 C -3.535156 -1.796875 -3.113281 -1.664062 -2.5625 -1.65625 L 0.03125 -1.625 L 0.015625 -0.8125 L -4.90625 -0.890625 L -4.890625 -1.703125 L -4.125 -1.6875 C -4.425781 -1.863281 -4.644531 -2.085938 -4.78125 -2.359375 C -4.925781 -2.640625 -5 -2.972656 -5 -3.359375 C -5 -3.421875 -4.992188 -3.484375 -4.984375 -3.546875 C -4.972656 -3.617188 -4.960938 -3.695312 -4.953125 -3.78125 Z M -4.125 -3.765625 "
+ id="path201" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph19-0">
+ <path
+ style="stroke:none;"
+ d="M 1.59375 -0.4375 L -6.34375 -0.546875 L -6.265625 -5.046875 L 1.671875 -4.9375 Z M 1.109375 -0.9375 L 1.15625 -4.4375 L -5.78125 -4.53125 L -5.828125 -1.03125 Z M 1.109375 -0.9375 "
+ id="path204" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph19-1">
+ <path
+ style="stroke:none;"
+ d="M -3.109375 -1.8125 L -0.703125 -1.78125 L -0.6875 -3.203125 C -0.675781 -3.679688 -0.769531 -4.035156 -0.96875 -4.265625 C -1.164062 -4.492188 -1.46875 -4.613281 -1.875 -4.625 C -2.28125 -4.625 -2.582031 -4.507812 -2.78125 -4.28125 C -2.976562 -4.0625 -3.082031 -3.710938 -3.09375 -3.234375 Z M -5.796875 -1.84375 L -3.828125 -1.828125 L -3.8125 -3.140625 C -3.800781 -3.578125 -3.875 -3.898438 -4.03125 -4.109375 C -4.195312 -4.328125 -4.445312 -4.441406 -4.78125 -4.453125 C -5.113281 -4.453125 -5.359375 -4.34375 -5.515625 -4.125 C -5.679688 -3.914062 -5.769531 -3.59375 -5.78125 -3.15625 Z M -6.546875 -0.984375 L -6.515625 -3.25 C -6.503906 -3.925781 -6.351562 -4.441406 -6.0625 -4.796875 C -5.78125 -5.160156 -5.378906 -5.34375 -4.859375 -5.34375 C -4.460938 -5.332031 -4.144531 -5.226562 -3.90625 -5.03125 C -3.675781 -4.84375 -3.53125 -4.566406 -3.46875 -4.203125 C -3.363281 -4.640625 -3.160156 -4.972656 -2.859375 -5.203125 C -2.566406 -5.441406 -2.203125 -5.5625 -1.765625 -5.5625 C -1.171875 -5.550781 -0.71875 -5.34375 -0.40625 -4.9375 C -0.09375 -4.539062 0.0546875 -3.972656 0.046875 -3.234375 L 0.015625 -0.890625 Z M -6.546875 -0.984375 "
+ id="path207" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph19-2">
+ <path
+ style="stroke:none;"
+ d="M 0.03125 -2.578125 L -6.5625 -0.171875 L -6.546875 -1.09375 L -0.984375 -3.09375 L -6.484375 -5.25 L -6.46875 -6.171875 L 0.046875 -3.578125 Z M 0.03125 -2.578125 "
+ id="path210" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph20-0">
+ <path
+ style="stroke:none;"
+ d="M 1.59375 -0.4375 L -6.34375 -0.546875 L -6.265625 -5.046875 L 1.671875 -4.9375 Z M 1.109375 -0.9375 L 1.15625 -4.4375 L -5.78125 -4.53125 L -5.828125 -1.03125 Z M 1.109375 -0.9375 "
+ id="path213" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph20-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path216" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph20-2">
+ <path
+ style="stroke:none;"
+ d="M -4.90625 -0.921875 L -4.890625 -1.734375 L 0.03125 -1.65625 L 0.015625 -0.84375 Z M -6.828125 -0.9375 L -6.8125 -1.75 L -5.78125 -1.734375 L -5.796875 -0.921875 Z M -6.828125 -0.9375 "
+ id="path219" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph21-0">
+ <path
+ style="stroke:none;"
+ d="M 1.59375 -0.4375 L -6.34375 -0.546875 L -6.265625 -5.046875 L 1.671875 -4.9375 Z M 1.109375 -0.9375 L 1.15625 -4.4375 L -5.78125 -4.53125 L -5.828125 -1.03125 Z M 1.109375 -0.9375 "
+ id="path222" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph21-1">
+ <path
+ style="stroke:none;"
+ d="M -2.421875 -3.109375 C -2.429688 -2.460938 -2.363281 -2.007812 -2.21875 -1.75 C -2.082031 -1.5 -1.832031 -1.367188 -1.46875 -1.359375 C -1.1875 -1.359375 -0.957031 -1.453125 -0.78125 -1.640625 C -0.601562 -1.835938 -0.515625 -2.097656 -0.515625 -2.421875 C -0.503906 -2.867188 -0.65625 -3.226562 -0.96875 -3.5 C -1.28125 -3.769531 -1.703125 -3.910156 -2.234375 -3.921875 L -2.40625 -3.921875 Z M -2.75 -4.75 L 0.0625 -4.703125 L 0.0625 -3.890625 L -0.6875 -3.90625 C -0.394531 -3.707031 -0.175781 -3.46875 -0.03125 -3.1875 C 0.101562 -2.914062 0.164062 -2.582031 0.15625 -2.1875 C 0.144531 -1.6875 0 -1.289062 -0.28125 -1 C -0.5625 -0.707031 -0.941406 -0.5625 -1.421875 -0.5625 C -1.972656 -0.570312 -2.382812 -0.765625 -2.65625 -1.140625 C -2.9375 -1.515625 -3.070312 -2.066406 -3.0625 -2.796875 L -3.046875 -3.9375 L -3.125 -3.9375 C -3.5 -3.945312 -3.789062 -3.828125 -4 -3.578125 C -4.207031 -3.335938 -4.316406 -2.992188 -4.328125 -2.546875 C -4.328125 -2.265625 -4.296875 -1.988281 -4.234375 -1.71875 C -4.171875 -1.457031 -4.070312 -1.207031 -3.9375 -0.96875 L -4.6875 -0.96875 C -4.800781 -1.269531 -4.882812 -1.5625 -4.9375 -1.84375 C -4.988281 -2.125 -5.015625 -2.394531 -5.015625 -2.65625 C -5.003906 -3.363281 -4.8125 -3.890625 -4.4375 -4.234375 C -4.0625 -4.585938 -3.5 -4.757812 -2.75 -4.75 Z M -2.75 -4.75 "
+ id="path225" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph22-0">
+ <path
+ style="stroke:none;"
+ d="M -1.578125 0.53125 L 6.359375 0.171875 L 6.5625 4.671875 L -1.375 5.03125 Z M -1.046875 1 L -0.890625 4.5 L 6.046875 4.1875 L 5.890625 0.6875 Z M -1.046875 1 "
+ id="path228" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph22-1">
+ <path
+ style="stroke:none;"
+ d="M 2.609375 2.96875 C 2.578125 2.320312 2.484375 1.875 2.328125 1.625 C 2.171875 1.375 1.910156 1.257812 1.546875 1.28125 C 1.265625 1.289062 1.039062 1.394531 0.875 1.59375 C 0.707031 1.789062 0.632812 2.050781 0.65625 2.375 C 0.675781 2.820312 0.847656 3.175781 1.171875 3.4375 C 1.503906 3.695312 1.9375 3.8125 2.46875 3.78125 L 2.640625 3.78125 Z M 3.015625 4.578125 L 0.203125 4.703125 L 0.171875 3.890625 L 0.921875 3.859375 C 0.609375 3.679688 0.375 3.457031 0.21875 3.1875 C 0.0703125 2.914062 -0.0078125 2.582031 -0.03125 2.1875 C -0.0507812 1.6875 0.0703125 1.28125 0.34375 0.96875 C 0.613281 0.664062 0.988281 0.503906 1.46875 0.484375 C 2.019531 0.460938 2.441406 0.628906 2.734375 0.984375 C 3.035156 1.335938 3.203125 1.878906 3.234375 2.609375 L 3.28125 3.75 L 3.359375 3.75 C 3.734375 3.726562 4.015625 3.59375 4.203125 3.34375 C 4.398438 3.09375 4.488281 2.742188 4.46875 2.296875 C 4.457031 2.015625 4.410156 1.738281 4.328125 1.46875 C 4.253906 1.207031 4.144531 0.960938 4 0.734375 L 4.75 0.703125 C 4.875 0.984375 4.96875 1.265625 5.03125 1.546875 C 5.101562 1.828125 5.144531 2.097656 5.15625 2.359375 C 5.1875 3.066406 5.023438 3.601562 4.671875 3.96875 C 4.316406 4.34375 3.765625 4.546875 3.015625 4.578125 Z M 3.015625 4.578125 "
+ id="path231" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph22-2">
+ <path
+ style="stroke:none;"
+ d="M 2.640625 4.265625 C 3.234375 4.242188 3.691406 4.101562 4.015625 3.84375 C 4.347656 3.582031 4.507812 3.238281 4.5 2.8125 C 4.476562 2.382812 4.289062 2.054688 3.9375 1.828125 C 3.59375 1.597656 3.125 1.492188 2.53125 1.515625 C 1.9375 1.546875 1.472656 1.6875 1.140625 1.9375 C 0.816406 2.195312 0.664062 2.539062 0.6875 2.96875 C 0.695312 3.394531 0.875 3.722656 1.21875 3.953125 C 1.570312 4.191406 2.046875 4.296875 2.640625 4.265625 Z M 4.25 1.4375 C 4.539062 1.601562 4.765625 1.8125 4.921875 2.0625 C 5.085938 2.3125 5.175781 2.617188 5.1875 2.984375 C 5.21875 3.578125 5 4.070312 4.53125 4.46875 C 4.070312 4.863281 3.457031 5.078125 2.6875 5.109375 C 1.914062 5.140625 1.285156 4.976562 0.796875 4.625 C 0.304688 4.269531 0.046875 3.796875 0.015625 3.203125 C 0.00390625 2.835938 0.0625 2.523438 0.1875 2.265625 C 0.3125 2.003906 0.519531 1.78125 0.8125 1.59375 L 0.078125 1.625 L 0.03125 0.8125 L 6.875 0.515625 L 6.921875 1.328125 Z M 4.25 1.4375 "
+ id="path234" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph22-3">
+ <path
+ style="stroke:none;"
+ d="M 4.484375 2.5625 C 4.460938 2.132812 4.273438 1.800781 3.921875 1.5625 C 3.578125 1.320312 3.109375 1.210938 2.515625 1.234375 C 1.929688 1.265625 1.472656 1.410156 1.140625 1.671875 C 0.816406 1.929688 0.664062 2.28125 0.6875 2.71875 C 0.707031 3.15625 0.890625 3.492188 1.234375 3.734375 C 1.585938 3.972656 2.054688 4.078125 2.640625 4.046875 C 3.222656 4.023438 3.679688 3.878906 4.015625 3.609375 C 4.347656 3.347656 4.503906 3 4.484375 2.5625 Z M 5.171875 2.53125 C 5.203125 3.238281 4.992188 3.800781 4.546875 4.21875 C 4.109375 4.644531 3.484375 4.875 2.671875 4.90625 C 1.867188 4.9375 1.226562 4.757812 0.75 4.375 C 0.28125 4 0.03125 3.457031 0 2.75 C -0.03125 2.050781 0.171875 1.488281 0.609375 1.0625 C 1.046875 0.644531 1.664062 0.421875 2.46875 0.390625 C 3.28125 0.359375 3.925781 0.53125 4.40625 0.90625 C 4.882812 1.289062 5.140625 1.832031 5.171875 2.53125 Z M 5.171875 2.53125 "
+ id="path237" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph23-0">
+ <path
+ style="stroke:none;"
+ d="M -1.578125 0.53125 L 6.359375 0.171875 L 6.5625 4.671875 L -1.375 5.03125 Z M -1.046875 1 L -0.890625 4.5 L 6.046875 4.1875 L 5.890625 0.6875 Z M -1.046875 1 "
+ id="path240" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph23-1">
+ <path
+ style="stroke:none;"
+ d="M 4.953125 0.625 L 5 1.4375 L 0.078125 1.65625 L 0.03125 0.84375 Z M 6.875 0.546875 L 6.921875 1.359375 L 5.890625 1.390625 L 5.84375 0.578125 Z M 6.875 0.546875 "
+ id="path243" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph23-2">
+ <path
+ style="stroke:none;"
+ d="M 4.1875 4.515625 C 4.550781 4.691406 4.828125 4.914062 5.015625 5.1875 C 5.210938 5.46875 5.316406 5.800781 5.328125 6.1875 C 5.347656 6.695312 5.1875 7.09375 4.84375 7.375 C 4.5 7.664062 3.992188 7.828125 3.328125 7.859375 L 0.359375 7.984375 L 0.3125 7.1875 L 3.25 7.0625 C 3.726562 7.039062 4.078125 6.941406 4.296875 6.765625 C 4.523438 6.585938 4.632812 6.328125 4.625 5.984375 C 4.601562 5.566406 4.445312 5.238281 4.15625 5 C 3.863281 4.769531 3.476562 4.664062 3 4.6875 L 0.21875 4.8125 L 0.171875 4 L 3.109375 3.875 C 3.585938 3.851562 3.9375 3.753906 4.15625 3.578125 C 4.382812 3.398438 4.488281 3.140625 4.46875 2.796875 C 4.457031 2.378906 4.304688 2.050781 4.015625 1.8125 C 3.722656 1.582031 3.335938 1.476562 2.859375 1.5 L 0.078125 1.625 L 0.03125 0.8125 L 4.953125 0.59375 L 5 1.40625 L 4.234375 1.4375 C 4.535156 1.613281 4.765625 1.828125 4.921875 2.078125 C 5.085938 2.335938 5.175781 2.644531 5.1875 3 C 5.207031 3.351562 5.128906 3.65625 4.953125 3.90625 C 4.785156 4.164062 4.53125 4.367188 4.1875 4.515625 Z M 4.1875 4.515625 "
+ id="path246" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph23-3">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path249" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph23-4">
+ <path
+ style="stroke:none;"
+ d="M 4.953125 3.765625 L 4.1875 3.8125 C 4.289062 3.570312 4.363281 3.328125 4.40625 3.078125 C 4.457031 2.835938 4.476562 2.585938 4.46875 2.328125 C 4.445312 1.921875 4.375 1.617188 4.25 1.421875 C 4.125 1.234375 3.9375 1.144531 3.6875 1.15625 C 3.5 1.164062 3.351562 1.238281 3.25 1.375 C 3.15625 1.519531 3.066406 1.816406 2.984375 2.265625 L 2.9375 2.53125 C 2.832031 3.125 2.671875 3.539062 2.453125 3.78125 C 2.242188 4.03125 1.941406 4.164062 1.546875 4.1875 C 1.085938 4.207031 0.71875 4.039062 0.4375 3.6875 C 0.15625 3.34375 0 2.851562 -0.03125 2.21875 C -0.0390625 1.945312 -0.0234375 1.671875 0.015625 1.390625 C 0.0546875 1.109375 0.117188 0.800781 0.203125 0.46875 L 1.03125 0.4375 C 0.894531 0.75 0.789062 1.050781 0.71875 1.34375 C 0.65625 1.632812 0.628906 1.921875 0.640625 2.203125 C 0.660156 2.578125 0.738281 2.863281 0.875 3.0625 C 1.019531 3.269531 1.210938 3.367188 1.453125 3.359375 C 1.671875 3.347656 1.832031 3.265625 1.9375 3.109375 C 2.050781 2.953125 2.148438 2.625 2.234375 2.125 L 2.296875 1.84375 C 2.367188 1.332031 2.507812 0.957031 2.71875 0.71875 C 2.925781 0.488281 3.222656 0.367188 3.609375 0.359375 C 4.066406 0.335938 4.429688 0.484375 4.703125 0.796875 C 4.972656 1.117188 5.125 1.582031 5.15625 2.1875 C 5.164062 2.488281 5.148438 2.769531 5.109375 3.03125 C 5.078125 3.300781 5.023438 3.546875 4.953125 3.765625 Z M 4.953125 3.765625 "
+ id="path252" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph24-0">
+ <path
+ style="stroke:none;"
+ d="M -1.578125 0.53125 L 6.359375 0.171875 L 6.5625 4.671875 L -1.375 5.03125 Z M -1.046875 1 L -0.890625 4.5 L 6.046875 4.1875 L 5.890625 0.6875 Z M -1.046875 1 "
+ id="path255" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph24-1">
+ <path
+ style="stroke:none;"
+ d="M 4.34375 3.515625 C 4.382812 3.421875 4.410156 3.320312 4.421875 3.21875 C 4.441406 3.113281 4.453125 2.992188 4.453125 2.859375 C 4.429688 2.398438 4.265625 2.050781 3.953125 1.8125 C 3.648438 1.582031 3.222656 1.484375 2.671875 1.515625 L 0.078125 1.625 L 0.03125 0.8125 L 4.953125 0.59375 L 5 1.40625 L 4.234375 1.4375 C 4.535156 1.601562 4.765625 1.816406 4.921875 2.078125 C 5.085938 2.347656 5.175781 2.675781 5.1875 3.0625 C 5.195312 3.125 5.195312 3.1875 5.1875 3.25 C 5.175781 3.320312 5.171875 3.398438 5.171875 3.484375 Z M 4.34375 3.515625 "
+ id="path258" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph25-0">
+ <path
+ style="stroke:none;"
+ d="M -1.578125 0.53125 L 6.359375 0.171875 L 6.5625 4.671875 L -1.375 5.03125 Z M -1.046875 1 L -0.890625 4.5 L 6.046875 4.1875 L 5.890625 0.6875 Z M -1.046875 1 "
+ id="path261" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph25-1">
+ <path
+ style="stroke:none;"
+ d="M 6.59375 0.484375 L 6.640625 1.375 L 2.65625 1.5625 C 1.945312 1.59375 1.441406 1.738281 1.140625 2 C 0.847656 2.269531 0.710938 2.691406 0.734375 3.265625 C 0.765625 3.835938 0.9375 4.242188 1.25 4.484375 C 1.570312 4.722656 2.085938 4.828125 2.796875 4.796875 L 6.78125 4.609375 L 6.828125 5.515625 L 2.734375 5.703125 C 1.878906 5.742188 1.222656 5.554688 0.765625 5.140625 C 0.304688 4.734375 0.0546875 4.117188 0.015625 3.296875 C -0.015625 2.460938 0.175781 1.828125 0.59375 1.390625 C 1.007812 0.953125 1.644531 0.710938 2.5 0.671875 Z M 6.59375 0.484375 "
+ id="path264" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph26-0">
+ <path
+ style="stroke:none;"
+ d="M -1.578125 0.515625 L 6.359375 0.171875 L 6.5625 4.671875 L -1.375 5.015625 Z M -1.046875 1 L -0.90625 4.5 L 6.03125 4.203125 L 5.890625 0.703125 Z M -1.046875 1 "
+ id="path267" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph26-1">
+ <path
+ style="stroke:none;"
+ d="M 4.484375 2.5625 C 4.460938 2.132812 4.273438 1.800781 3.921875 1.5625 C 3.578125 1.320312 3.109375 1.210938 2.515625 1.234375 C 1.929688 1.265625 1.472656 1.410156 1.140625 1.671875 C 0.816406 1.929688 0.664062 2.28125 0.6875 2.71875 C 0.707031 3.15625 0.890625 3.492188 1.234375 3.734375 C 1.585938 3.972656 2.054688 4.078125 2.640625 4.046875 C 3.222656 4.023438 3.679688 3.878906 4.015625 3.609375 C 4.347656 3.347656 4.503906 3 4.484375 2.5625 Z M 5.171875 2.53125 C 5.203125 3.238281 4.992188 3.800781 4.546875 4.21875 C 4.109375 4.644531 3.484375 4.875 2.671875 4.90625 C 1.867188 4.945312 1.226562 4.773438 0.75 4.390625 C 0.28125 4.003906 0.03125 3.457031 0 2.75 C -0.03125 2.050781 0.171875 1.492188 0.609375 1.078125 C 1.046875 0.660156 1.664062 0.429688 2.46875 0.390625 C 3.28125 0.359375 3.925781 0.53125 4.40625 0.90625 C 4.882812 1.289062 5.140625 1.832031 5.171875 2.53125 Z M 5.171875 2.53125 "
+ id="path270" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph27-0">
+ <path
+ style="stroke:none;"
+ d="M -1.609375 0.421875 L 6.328125 0.5625 L 6.25 5.0625 L -1.6875 4.921875 Z M -1.109375 0.9375 L -1.171875 4.4375 L 5.765625 4.5625 L 5.828125 1.0625 Z M -1.109375 0.9375 "
+ id="path273" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph27-1">
+ <path
+ style="stroke:none;"
+ d="M 5.953125 5.90625 L 5.015625 5.890625 C 5.296875 5.597656 5.507812 5.28125 5.65625 4.9375 C 5.800781 4.601562 5.878906 4.25 5.890625 3.875 C 5.898438 3.125 5.675781 2.539062 5.21875 2.125 C 4.769531 1.71875 4.113281 1.507812 3.25 1.5 C 2.382812 1.476562 1.71875 1.664062 1.25 2.0625 C 0.789062 2.457031 0.554688 3.03125 0.546875 3.78125 C 0.535156 4.15625 0.59375 4.507812 0.71875 4.84375 C 0.851562 5.1875 1.054688 5.515625 1.328125 5.828125 L 0.390625 5.8125 C 0.191406 5.488281 0.046875 5.15625 -0.046875 4.8125 C -0.148438 4.46875 -0.195312 4.097656 -0.1875 3.703125 C -0.175781 2.710938 0.132812 1.9375 0.75 1.375 C 1.375 0.8125 2.210938 0.539062 3.265625 0.5625 C 4.316406 0.582031 5.140625 0.882812 5.734375 1.46875 C 6.335938 2.050781 6.632812 2.835938 6.625 3.828125 C 6.613281 4.222656 6.550781 4.59375 6.4375 4.9375 C 6.332031 5.289062 6.171875 5.613281 5.953125 5.90625 Z M 5.953125 5.90625 "
+ id="path276" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph28-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.21875 L 0.4375 -5.90625 Z M 1.046875 1.015625 "
+ id="path279" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph28-1">
+ <path
+ style="stroke:none;"
+ d="M 2.5625 -0.234375 L -0.5 -6.53125 L 0.421875 -6.625 L 2.96875 -1.3125 L 4.5625 -6.984375 L 5.46875 -7.078125 L 3.5625 -0.3125 Z M 2.5625 -0.234375 "
+ id="path282" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph29-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.21875 L 0.4375 -5.90625 Z M 1.046875 1.015625 "
+ id="path285" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph29-1">
+ <path
+ style="stroke:none;"
+ d="M 0.40625 -4.984375 L 1.21875 -5.046875 L 1.65625 -0.140625 L 0.84375 -0.078125 Z M 0.234375 -6.890625 L 1.046875 -6.953125 L 1.140625 -5.9375 L 0.328125 -5.875 Z M 0.234375 -6.890625 "
+ id="path288" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph30-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.21875 L 0.4375 -5.90625 Z M 1.046875 1.015625 "
+ id="path291" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph30-1">
+ <path
+ style="stroke:none;"
+ d="M 2.84375 -2.734375 C 2.195312 -2.671875 1.753906 -2.554688 1.515625 -2.390625 C 1.273438 -2.222656 1.175781 -1.960938 1.21875 -1.609375 C 1.238281 -1.328125 1.351562 -1.109375 1.5625 -0.953125 C 1.769531 -0.796875 2.03125 -0.734375 2.34375 -0.765625 C 2.789062 -0.804688 3.132812 -0.992188 3.375 -1.328125 C 3.613281 -1.671875 3.710938 -2.101562 3.671875 -2.625 L 3.65625 -2.796875 Z M 4.4375 -3.21875 L 4.6875 -0.421875 L 3.875 -0.34375 L 3.8125 -1.09375 C 3.644531 -0.78125 3.429688 -0.539062 3.171875 -0.375 C 2.910156 -0.207031 2.582031 -0.101562 2.1875 -0.0625 C 1.695312 -0.0195312 1.289062 -0.125 0.96875 -0.375 C 0.644531 -0.632812 0.460938 -1.003906 0.421875 -1.484375 C 0.367188 -2.023438 0.515625 -2.453125 0.859375 -2.765625 C 1.203125 -3.078125 1.734375 -3.269531 2.453125 -3.34375 L 3.59375 -3.4375 L 3.59375 -3.515625 C 3.5625 -3.890625 3.410156 -4.164062 3.140625 -4.34375 C 2.878906 -4.53125 2.523438 -4.601562 2.078125 -4.5625 C 1.796875 -4.539062 1.523438 -4.484375 1.265625 -4.390625 C 1.015625 -4.296875 0.773438 -4.171875 0.546875 -4.015625 L 0.484375 -4.765625 C 0.765625 -4.910156 1.039062 -5.019531 1.3125 -5.09375 C 1.582031 -5.175781 1.847656 -5.234375 2.109375 -5.265625 C 2.816406 -5.328125 3.363281 -5.1875 3.75 -4.84375 C 4.144531 -4.507812 4.375 -3.96875 4.4375 -3.21875 Z M 4.4375 -3.21875 "
+ id="path294" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph31-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.21875 L 0.4375 -5.90625 Z M 1.046875 1.015625 "
+ id="path297" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph31-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path300" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph32-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.21875 L 0.4375 -5.90625 Z M 1.046875 1.015625 "
+ id="path303" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph32-1">
+ <path
+ style="stroke:none;"
+ d="M 1.25 -5.96875 L 1.46875 -3.5 L 2.578125 -3.609375 C 2.984375 -3.640625 3.289062 -3.773438 3.5 -4.015625 C 3.707031 -4.253906 3.796875 -4.566406 3.765625 -4.953125 C 3.722656 -5.347656 3.578125 -5.640625 3.328125 -5.828125 C 3.085938 -6.023438 2.765625 -6.109375 2.359375 -6.078125 Z M 0.3125 -6.609375 L 2.296875 -6.796875 C 3.023438 -6.859375 3.59375 -6.738281 4 -6.4375 C 4.40625 -6.144531 4.640625 -5.675781 4.703125 -5.03125 C 4.753906 -4.382812 4.601562 -3.878906 4.25 -3.515625 C 3.90625 -3.160156 3.367188 -2.953125 2.640625 -2.890625 L 1.53125 -2.78125 L 1.765625 -0.15625 L 0.890625 -0.078125 Z M 0.3125 -6.609375 "
+ id="path306" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph33-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.203125 L 0.4375 -5.890625 Z M 1.046875 1.015625 "
+ id="path309" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph33-1">
+ <path
+ style="stroke:none;"
+ d="M 4.8125 -3.09375 L 4.84375 -2.703125 L 1.140625 -2.375 C 1.222656 -1.832031 1.425781 -1.425781 1.75 -1.15625 C 2.070312 -0.894531 2.5 -0.789062 3.03125 -0.84375 C 3.34375 -0.863281 3.640625 -0.921875 3.921875 -1.015625 C 4.210938 -1.117188 4.492188 -1.265625 4.765625 -1.453125 L 4.84375 -0.6875 C 4.5625 -0.53125 4.269531 -0.40625 3.96875 -0.3125 C 3.664062 -0.226562 3.359375 -0.171875 3.046875 -0.140625 C 2.273438 -0.078125 1.640625 -0.253906 1.140625 -0.671875 C 0.640625 -1.085938 0.351562 -1.675781 0.28125 -2.4375 C 0.207031 -3.25 0.363281 -3.910156 0.75 -4.421875 C 1.144531 -4.929688 1.707031 -5.222656 2.4375 -5.296875 C 3.101562 -5.347656 3.644531 -5.175781 4.0625 -4.78125 C 4.488281 -4.394531 4.738281 -3.832031 4.8125 -3.09375 Z M 3.96875 -3.265625 C 3.925781 -3.703125 3.769531 -4.039062 3.5 -4.28125 C 3.238281 -4.53125 2.910156 -4.640625 2.515625 -4.609375 C 2.054688 -4.566406 1.703125 -4.40625 1.453125 -4.125 C 1.210938 -3.84375 1.09375 -3.46875 1.09375 -3 Z M 3.96875 -3.265625 "
+ id="path312" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph34-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.203125 L 0.4375 -5.890625 Z M 1.046875 1.015625 "
+ id="path315" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph34-1">
+ <path
+ style="stroke:none;"
+ d="M 3.546875 -5.125 L 3.609375 -4.359375 C 3.367188 -4.453125 3.125 -4.515625 2.875 -4.546875 C 2.625 -4.585938 2.367188 -4.59375 2.109375 -4.5625 C 1.710938 -4.53125 1.421875 -4.445312 1.234375 -4.3125 C 1.046875 -4.175781 0.960938 -3.984375 0.984375 -3.734375 C 1.003906 -3.546875 1.085938 -3.40625 1.234375 -3.3125 C 1.390625 -3.21875 1.6875 -3.140625 2.125 -3.078125 L 2.390625 -3.03125 C 2.984375 -2.957031 3.410156 -2.816406 3.671875 -2.609375 C 3.929688 -2.410156 4.078125 -2.117188 4.109375 -1.734375 C 4.148438 -1.273438 4.003906 -0.894531 3.671875 -0.59375 C 3.335938 -0.300781 2.851562 -0.128906 2.21875 -0.078125 C 1.957031 -0.046875 1.679688 -0.046875 1.390625 -0.078125 C 1.109375 -0.109375 0.800781 -0.160156 0.46875 -0.234375 L 0.390625 -1.0625 C 0.710938 -0.925781 1.019531 -0.832031 1.3125 -0.78125 C 1.613281 -0.726562 1.898438 -0.71875 2.171875 -0.75 C 2.546875 -0.78125 2.832031 -0.867188 3.03125 -1.015625 C 3.226562 -1.171875 3.316406 -1.367188 3.296875 -1.609375 C 3.273438 -1.828125 3.179688 -1.984375 3.015625 -2.078125 C 2.859375 -2.179688 2.523438 -2.265625 2.015625 -2.328125 L 1.734375 -2.359375 C 1.234375 -2.421875 0.859375 -2.550781 0.609375 -2.75 C 0.367188 -2.945312 0.226562 -3.238281 0.1875 -3.625 C 0.15625 -4.082031 0.289062 -4.453125 0.59375 -4.734375 C 0.894531 -5.023438 1.34375 -5.195312 1.9375 -5.25 C 2.238281 -5.269531 2.523438 -5.269531 2.796875 -5.25 C 3.066406 -5.226562 3.316406 -5.1875 3.546875 -5.125 Z M 3.546875 -5.125 "
+ id="path318" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph35-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.203125 L 0.4375 -5.890625 Z M 1.046875 1.015625 "
+ id="path321" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph35-1">
+ <path
+ style="stroke:none;"
+ d="M 3.546875 -5.125 L 3.609375 -4.359375 C 3.367188 -4.453125 3.125 -4.515625 2.875 -4.546875 C 2.625 -4.585938 2.367188 -4.59375 2.109375 -4.5625 C 1.710938 -4.53125 1.421875 -4.445312 1.234375 -4.3125 C 1.046875 -4.175781 0.960938 -3.984375 0.984375 -3.734375 C 1.003906 -3.546875 1.085938 -3.40625 1.234375 -3.3125 C 1.390625 -3.21875 1.6875 -3.140625 2.125 -3.078125 L 2.390625 -3.03125 C 2.984375 -2.957031 3.410156 -2.816406 3.671875 -2.609375 C 3.929688 -2.410156 4.078125 -2.117188 4.109375 -1.734375 C 4.148438 -1.273438 4.003906 -0.894531 3.671875 -0.59375 C 3.335938 -0.300781 2.851562 -0.128906 2.21875 -0.078125 C 1.957031 -0.046875 1.679688 -0.046875 1.390625 -0.078125 C 1.109375 -0.109375 0.800781 -0.160156 0.46875 -0.234375 L 0.390625 -1.0625 C 0.710938 -0.925781 1.019531 -0.832031 1.3125 -0.78125 C 1.613281 -0.726562 1.898438 -0.71875 2.171875 -0.75 C 2.546875 -0.78125 2.832031 -0.867188 3.03125 -1.015625 C 3.226562 -1.171875 3.316406 -1.367188 3.296875 -1.609375 C 3.273438 -1.828125 3.179688 -1.984375 3.015625 -2.078125 C 2.859375 -2.179688 2.523438 -2.265625 2.015625 -2.328125 L 1.734375 -2.359375 C 1.234375 -2.421875 0.859375 -2.550781 0.609375 -2.75 C 0.367188 -2.945312 0.226562 -3.238281 0.1875 -3.625 C 0.15625 -4.082031 0.289062 -4.453125 0.59375 -4.734375 C 0.894531 -5.023438 1.34375 -5.195312 1.9375 -5.25 C 2.238281 -5.269531 2.523438 -5.269531 2.796875 -5.25 C 3.066406 -5.226562 3.316406 -5.1875 3.546875 -5.125 Z M 3.546875 -5.125 "
+ id="path324" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph36-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.203125 L 0.4375 -5.890625 Z M 1.046875 1.015625 "
+ id="path327" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph36-1">
+ <path
+ style="stroke:none;"
+ d="M 0.40625 -4.984375 L 1.21875 -5.046875 L 1.65625 -0.140625 L 0.84375 -0.078125 Z M 0.234375 -6.890625 L 1.046875 -6.953125 L 1.140625 -5.9375 L 0.328125 -5.875 Z M 0.234375 -6.890625 "
+ id="path330" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph37-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.203125 L 0.4375 -5.890625 Z M 1.046875 1.015625 "
+ id="path333" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph37-1">
+ <path
+ style="stroke:none;"
+ d="M 4.65625 -3.390625 L 4.921875 -0.4375 L 4.109375 -0.375 L 3.84375 -3.296875 C 3.800781 -3.765625 3.679688 -4.109375 3.484375 -4.328125 C 3.285156 -4.546875 3.003906 -4.632812 2.640625 -4.59375 C 2.203125 -4.5625 1.867188 -4.390625 1.640625 -4.078125 C 1.421875 -3.773438 1.332031 -3.382812 1.375 -2.90625 L 1.625 -0.140625 L 0.8125 -0.078125 L 0.375 -4.984375 L 1.1875 -5.046875 L 1.25 -4.28125 C 1.425781 -4.59375 1.632812 -4.832031 1.875 -5 C 2.113281 -5.175781 2.40625 -5.28125 2.75 -5.3125 C 3.3125 -5.363281 3.753906 -5.222656 4.078125 -4.890625 C 4.398438 -4.566406 4.59375 -4.066406 4.65625 -3.390625 Z M 4.65625 -3.390625 "
+ id="path336" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph38-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.203125 L 0.4375 -5.890625 Z M 1.046875 1.015625 "
+ id="path339" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph38-1">
+ <path
+ style="stroke:none;"
+ d="M 4.8125 -3.09375 L 4.84375 -2.703125 L 1.140625 -2.375 C 1.222656 -1.832031 1.425781 -1.425781 1.75 -1.15625 C 2.070312 -0.894531 2.5 -0.789062 3.03125 -0.84375 C 3.34375 -0.863281 3.640625 -0.921875 3.921875 -1.015625 C 4.210938 -1.117188 4.492188 -1.265625 4.765625 -1.453125 L 4.84375 -0.6875 C 4.5625 -0.53125 4.269531 -0.40625 3.96875 -0.3125 C 3.664062 -0.226562 3.359375 -0.171875 3.046875 -0.140625 C 2.273438 -0.078125 1.640625 -0.253906 1.140625 -0.671875 C 0.640625 -1.085938 0.351562 -1.675781 0.28125 -2.4375 C 0.207031 -3.25 0.363281 -3.910156 0.75 -4.421875 C 1.144531 -4.929688 1.707031 -5.222656 2.4375 -5.296875 C 3.101562 -5.347656 3.644531 -5.175781 4.0625 -4.78125 C 4.488281 -4.394531 4.738281 -3.832031 4.8125 -3.09375 Z M 3.96875 -3.265625 C 3.925781 -3.703125 3.769531 -4.039062 3.5 -4.28125 C 3.238281 -4.53125 2.910156 -4.640625 2.515625 -4.609375 C 2.054688 -4.566406 1.703125 -4.40625 1.453125 -4.125 C 1.210938 -3.84375 1.09375 -3.46875 1.09375 -3 Z M 3.96875 -3.265625 "
+ id="path342" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph38-2">
+ <path
+ style="stroke:none;"
+ d="M 2.34375 -4.59375 C 1.914062 -4.550781 1.59375 -4.347656 1.375 -3.984375 C 1.15625 -3.628906 1.070312 -3.15625 1.125 -2.5625 C 1.175781 -1.988281 1.335938 -1.539062 1.609375 -1.21875 C 1.890625 -0.90625 2.25 -0.769531 2.6875 -0.8125 C 3.125 -0.84375 3.453125 -1.039062 3.671875 -1.40625 C 3.890625 -1.769531 3.972656 -2.238281 3.921875 -2.8125 C 3.867188 -3.394531 3.703125 -3.84375 3.421875 -4.15625 C 3.140625 -4.476562 2.78125 -4.625 2.34375 -4.59375 Z M 2.28125 -5.28125 C 2.988281 -5.34375 3.5625 -5.160156 4 -4.734375 C 4.445312 -4.316406 4.707031 -3.703125 4.78125 -2.890625 C 4.851562 -2.097656 4.707031 -1.453125 4.34375 -0.953125 C 3.988281 -0.460938 3.457031 -0.1875 2.75 -0.125 C 2.0625 -0.0625 1.492188 -0.238281 1.046875 -0.65625 C 0.609375 -1.082031 0.351562 -1.691406 0.28125 -2.484375 C 0.207031 -3.296875 0.347656 -3.945312 0.703125 -4.4375 C 1.066406 -4.9375 1.59375 -5.21875 2.28125 -5.28125 Z M 2.28125 -5.28125 "
+ id="path345" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph39-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.203125 L 0.4375 -5.890625 Z M 1.046875 1.015625 "
+ id="path348" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph39-1">
+ <path
+ style="stroke:none;"
+ d="M 1.078125 -6.421875 L 1.203125 -5.046875 L 2.859375 -5.203125 L 2.90625 -4.578125 L 1.25 -4.421875 L 1.5 -1.765625 C 1.53125 -1.359375 1.601562 -1.101562 1.71875 -1 C 1.84375 -0.894531 2.070312 -0.859375 2.40625 -0.890625 L 3.234375 -0.96875 L 3.296875 -0.296875 L 2.46875 -0.21875 C 1.851562 -0.164062 1.414062 -0.242188 1.15625 -0.453125 C 0.894531 -0.671875 0.738281 -1.085938 0.6875 -1.703125 L 0.4375 -4.359375 L -0.15625 -4.296875 L -0.203125 -4.921875 L 0.390625 -4.984375 L 0.265625 -6.359375 Z M 1.078125 -6.421875 "
+ id="path351" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph40-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 1.546875 L -0.109375 -6.359375 L 4.375 -6.75 L 5.078125 1.15625 Z M 1.046875 1.015625 L 4.53125 0.703125 L 3.921875 -6.203125 L 0.4375 -5.890625 Z M 1.046875 1.015625 "
+ id="path354" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph40-1">
+ <path
+ style="stroke:none;"
+ d="M 1.078125 -6.421875 L 1.203125 -5.046875 L 2.859375 -5.203125 L 2.90625 -4.578125 L 1.25 -4.421875 L 1.5 -1.765625 C 1.53125 -1.359375 1.601562 -1.101562 1.71875 -1 C 1.84375 -0.894531 2.070312 -0.859375 2.40625 -0.890625 L 3.234375 -0.96875 L 3.296875 -0.296875 L 2.46875 -0.21875 C 1.851562 -0.164062 1.414062 -0.242188 1.15625 -0.453125 C 0.894531 -0.671875 0.738281 -1.085938 0.6875 -1.703125 L 0.4375 -4.359375 L -0.15625 -4.296875 L -0.203125 -4.921875 L 0.390625 -4.984375 L 0.265625 -6.359375 Z M 1.078125 -6.421875 "
+ id="path357" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph41-0">
+ <path
+ style="stroke:none;"
+ d="M -1.125 1.21875 L 5.65625 -2.90625 L 8 0.9375 L 1.21875 5.0625 Z M -0.4375 1.375 L 1.375 4.359375 L 7.296875 0.75 L 5.484375 -2.234375 Z M -0.4375 1.375 "
+ id="path360" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph41-1">
+ <path
+ style="stroke:none;"
+ d="M 3.71875 1.34375 C 3.375 0.789062 3.070312 0.441406 2.8125 0.296875 C 2.5625 0.148438 2.28125 0.175781 1.96875 0.375 C 1.726562 0.519531 1.582031 0.71875 1.53125 0.96875 C 1.488281 1.226562 1.550781 1.492188 1.71875 1.765625 C 1.957031 2.148438 2.28125 2.375 2.6875 2.4375 C 3.101562 2.507812 3.535156 2.40625 3.984375 2.125 L 4.140625 2.046875 Z M 4.859375 2.546875 L 2.453125 4.015625 L 2.03125 3.328125 L 2.671875 2.9375 C 2.304688 2.925781 1.992188 2.835938 1.734375 2.671875 C 1.472656 2.515625 1.238281 2.269531 1.03125 1.9375 C 0.769531 1.507812 0.679688 1.09375 0.765625 0.6875 C 0.847656 0.289062 1.097656 -0.03125 1.515625 -0.28125 C 1.984375 -0.570312 2.429688 -0.632812 2.859375 -0.46875 C 3.296875 -0.300781 3.707031 0.09375 4.09375 0.71875 L 4.6875 1.703125 L 4.75 1.671875 C 5.070312 1.472656 5.253906 1.210938 5.296875 0.890625 C 5.335938 0.578125 5.242188 0.234375 5.015625 -0.140625 C 4.867188 -0.378906 4.695312 -0.597656 4.5 -0.796875 C 4.300781 -0.992188 4.082031 -1.15625 3.84375 -1.28125 L 4.484375 -1.671875 C 4.734375 -1.484375 4.957031 -1.28125 5.15625 -1.0625 C 5.351562 -0.851562 5.519531 -0.640625 5.65625 -0.421875 C 6.019531 0.179688 6.132812 0.726562 6 1.21875 C 5.875 1.71875 5.492188 2.160156 4.859375 2.546875 Z M 4.859375 2.546875 "
+ id="path363" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph41-2">
+ <path
+ style="stroke:none;"
+ d="M 4.375 2.453125 C 4.882812 2.148438 5.21875 1.804688 5.375 1.421875 C 5.53125 1.035156 5.5 0.660156 5.28125 0.296875 C 5.0625 -0.0664062 4.742188 -0.265625 4.328125 -0.296875 C 3.910156 -0.328125 3.445312 -0.191406 2.9375 0.109375 C 2.425781 0.421875 2.09375 0.769531 1.9375 1.15625 C 1.78125 1.539062 1.8125 1.914062 2.03125 2.28125 C 2.25 2.644531 2.566406 2.84375 2.984375 2.875 C 3.398438 2.90625 3.863281 2.765625 4.375 2.453125 Z M 4.40625 -0.78125 C 4.75 -0.789062 5.050781 -0.722656 5.3125 -0.578125 C 5.570312 -0.429688 5.796875 -0.203125 5.984375 0.109375 C 6.285156 0.617188 6.328125 1.15625 6.109375 1.71875 C 5.898438 2.289062 5.46875 2.773438 4.8125 3.171875 C 4.15625 3.578125 3.523438 3.742188 2.921875 3.671875 C 2.316406 3.597656 1.863281 3.304688 1.5625 2.796875 C 1.375 2.484375 1.269531 2.179688 1.25 1.890625 C 1.238281 1.597656 1.3125 1.304688 1.46875 1.015625 L 0.84375 1.390625 L 0.421875 0.6875 L 6.265625 -2.875 L 6.6875 -2.171875 Z M 4.40625 -0.78125 "
+ id="path366" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph41-3">
+ <path
+ style="stroke:none;"
+ d="M 5.15625 0.078125 C 4.925781 -0.285156 4.601562 -0.488281 4.1875 -0.53125 C 3.769531 -0.570312 3.304688 -0.441406 2.796875 -0.140625 C 2.296875 0.160156 1.96875 0.503906 1.8125 0.890625 C 1.65625 1.285156 1.691406 1.671875 1.921875 2.046875 C 2.148438 2.421875 2.472656 2.625 2.890625 2.65625 C 3.304688 2.695312 3.765625 2.566406 4.265625 2.265625 C 4.765625 1.960938 5.09375 1.613281 5.25 1.21875 C 5.414062 0.832031 5.382812 0.453125 5.15625 0.078125 Z M 5.75 -0.28125 C 6.113281 0.320312 6.203125 0.914062 6.015625 1.5 C 5.835938 2.082031 5.398438 2.582031 4.703125 3 C 4.015625 3.414062 3.367188 3.570312 2.765625 3.46875 C 2.171875 3.363281 1.691406 3.007812 1.328125 2.40625 C 0.960938 1.8125 0.867188 1.222656 1.046875 0.640625 C 1.234375 0.0546875 1.671875 -0.441406 2.359375 -0.859375 C 3.054688 -1.273438 3.703125 -1.429688 4.296875 -1.328125 C 4.898438 -1.222656 5.382812 -0.875 5.75 -0.28125 Z M 5.75 -0.28125 "
+ id="path369" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph42-0">
+ <path
+ style="stroke:none;"
+ d="M -1.125 1.21875 L 5.65625 -2.90625 L 8 0.9375 L 1.21875 5.0625 Z M -0.4375 1.375 L 1.375 4.359375 L 7.296875 0.75 L 5.484375 -2.234375 Z M -0.4375 1.375 "
+ id="path372" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph42-1">
+ <path
+ style="stroke:none;"
+ d="M 4.640625 -1.84375 L 5.0625 -1.15625 L 0.859375 1.40625 L 0.4375 0.71875 Z M 6.28125 -2.84375 L 6.703125 -2.15625 L 5.828125 -1.625 L 5.40625 -2.3125 Z M 6.28125 -2.84375 "
+ id="path375" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph43-0">
+ <path
+ style="stroke:none;"
+ d="M -1.125 1.21875 L 5.65625 -2.90625 L 8 0.9375 L 1.21875 5.0625 Z M -0.4375 1.375 L 1.375 4.359375 L 7.296875 0.75 L 5.484375 -2.234375 Z M -0.4375 1.375 "
+ id="path378" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph43-1">
+ <path
+ style="stroke:none;"
+ d="M 5.484375 0.984375 C 5.484375 0.878906 5.460938 0.773438 5.421875 0.671875 C 5.390625 0.578125 5.34375 0.46875 5.28125 0.34375 C 5.039062 -0.0390625 4.726562 -0.257812 4.34375 -0.3125 C 3.957031 -0.363281 3.53125 -0.242188 3.0625 0.046875 L 0.84375 1.390625 L 0.421875 0.6875 L 4.625 -1.875 L 5.046875 -1.171875 L 4.390625 -0.78125 C 4.742188 -0.789062 5.050781 -0.710938 5.3125 -0.546875 C 5.582031 -0.390625 5.816406 -0.148438 6.015625 0.171875 C 6.046875 0.222656 6.070312 0.28125 6.09375 0.34375 C 6.125 0.414062 6.15625 0.484375 6.1875 0.546875 Z M 5.484375 0.984375 "
+ id="path381" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph44-0">
+ <path
+ style="stroke:none;"
+ d="M -1.125 1.21875 L 5.65625 -2.90625 L 8 0.9375 L 1.21875 5.0625 Z M -0.4375 1.375 L 1.375 4.359375 L 7.296875 0.75 L 5.484375 -2.234375 Z M -0.4375 1.375 "
+ id="path384" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph44-1">
+ <path
+ style="stroke:none;"
+ d="M 5.84375 1.921875 C 6.25 1.910156 6.597656 1.976562 6.890625 2.125 C 7.191406 2.269531 7.441406 2.507812 7.640625 2.84375 C 7.910156 3.28125 7.960938 3.707031 7.796875 4.125 C 7.640625 4.550781 7.273438 4.9375 6.703125 5.28125 L 4.171875 6.828125 L 3.75 6.140625 L 6.265625 4.609375 C 6.671875 4.359375 6.925781 4.097656 7.03125 3.828125 C 7.132812 3.566406 7.097656 3.289062 6.921875 3 C 6.703125 2.644531 6.40625 2.4375 6.03125 2.375 C 5.664062 2.3125 5.28125 2.40625 4.875 2.65625 L 2.5 4.109375 L 2.078125 3.421875 L 4.59375 1.890625 C 5 1.640625 5.253906 1.378906 5.359375 1.109375 C 5.472656 0.847656 5.4375 0.570312 5.25 0.28125 C 5.039062 -0.0703125 4.75 -0.28125 4.375 -0.34375 C 4.007812 -0.40625 3.625 -0.3125 3.21875 -0.0625 L 0.84375 1.390625 L 0.421875 0.6875 L 4.625 -1.875 L 5.046875 -1.171875 L 4.390625 -0.78125 C 4.753906 -0.78125 5.066406 -0.703125 5.328125 -0.546875 C 5.585938 -0.398438 5.804688 -0.175781 5.984375 0.125 C 6.171875 0.425781 6.25 0.726562 6.21875 1.03125 C 6.195312 1.34375 6.070312 1.640625 5.84375 1.921875 Z M 5.84375 1.921875 "
+ id="path387" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph45-0">
+ <path
+ style="stroke:none;"
+ d="M -1.125 1.21875 L 5.65625 -2.90625 L 8 0.9375 L 1.21875 5.0625 Z M -0.4375 1.375 L 1.375 4.359375 L 7.296875 0.75 L 5.484375 -2.234375 Z M -0.4375 1.375 "
+ id="path390" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph45-1">
+ <path
+ style="stroke:none;"
+ d="M 6.015625 -2.75 L 6.484375 -2 L 3.078125 0.078125 C 2.472656 0.441406 2.101562 0.8125 1.96875 1.1875 C 1.832031 1.570312 1.914062 2.007812 2.21875 2.5 C 2.519531 2.988281 2.863281 3.257812 3.25 3.3125 C 3.644531 3.363281 4.144531 3.207031 4.75 2.84375 L 8.15625 0.765625 L 8.640625 1.546875 L 5.140625 3.6875 C 4.410156 4.125 3.742188 4.273438 3.140625 4.140625 C 2.546875 4.003906 2.035156 3.582031 1.609375 2.875 C 1.171875 2.164062 1.03125 1.515625 1.1875 0.921875 C 1.34375 0.335938 1.785156 -0.171875 2.515625 -0.609375 Z M 6.015625 -2.75 "
+ id="path393" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph46-0">
+ <path
+ style="stroke:none;"
+ d="M -1.125 1.21875 L 5.65625 -2.90625 L 8 0.9375 L 1.21875 5.0625 Z M -0.4375 1.375 L 1.375 4.359375 L 7.296875 0.75 L 5.484375 -2.234375 Z M -0.4375 1.375 "
+ id="path396" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph46-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path399" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph47-0">
+ <path
+ style="stroke:none;"
+ d="M -1.125 1.21875 L 5.65625 -2.90625 L 8 0.9375 L 1.21875 5.0625 Z M -0.4375 1.375 L 1.375 4.359375 L 7.296875 0.75 L 5.484375 -2.234375 Z M -0.4375 1.375 "
+ id="path402" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph47-1">
+ <path
+ style="stroke:none;"
+ d="M 5.15625 0.078125 C 4.925781 -0.285156 4.601562 -0.488281 4.1875 -0.53125 C 3.769531 -0.570312 3.304688 -0.441406 2.796875 -0.140625 C 2.296875 0.160156 1.96875 0.503906 1.8125 0.890625 C 1.65625 1.285156 1.691406 1.671875 1.921875 2.046875 C 2.148438 2.421875 2.472656 2.625 2.890625 2.65625 C 3.304688 2.695312 3.765625 2.566406 4.265625 2.265625 C 4.765625 1.960938 5.09375 1.613281 5.25 1.21875 C 5.414062 0.832031 5.382812 0.453125 5.15625 0.078125 Z M 5.75 -0.28125 C 6.113281 0.320312 6.203125 0.914062 6.015625 1.5 C 5.835938 2.082031 5.398438 2.582031 4.703125 3 C 4.015625 3.414062 3.367188 3.570312 2.765625 3.46875 C 2.171875 3.363281 1.691406 3.007812 1.328125 2.40625 C 0.960938 1.8125 0.867188 1.222656 1.046875 0.640625 C 1.234375 0.0546875 1.671875 -0.441406 2.359375 -0.859375 C 3.054688 -1.273438 3.703125 -1.429688 4.296875 -1.328125 C 4.898438 -1.222656 5.382812 -0.875 5.75 -0.28125 Z M 5.75 -0.28125 "
+ id="path405" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph48-0">
+ <path
+ style="stroke:none;"
+ d="M -1.125 1.21875 L 5.65625 -2.90625 L 8 0.9375 L 1.21875 5.0625 Z M -0.4375 1.375 L 1.375 4.359375 L 7.296875 0.75 L 5.484375 -2.234375 Z M -0.4375 1.375 "
+ id="path408" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph48-1">
+ <path
+ style="stroke:none;"
+ d="M 6.15625 0.921875 L 5.5 1.3125 C 5.476562 1.050781 5.425781 0.800781 5.34375 0.5625 C 5.269531 0.332031 5.164062 0.101562 5.03125 -0.125 C 4.820312 -0.46875 4.613281 -0.691406 4.40625 -0.796875 C 4.207031 -0.898438 4 -0.890625 3.78125 -0.765625 C 3.625 -0.660156 3.535156 -0.519531 3.515625 -0.34375 C 3.503906 -0.175781 3.566406 0.117188 3.703125 0.546875 L 3.796875 0.796875 C 3.984375 1.367188 4.046875 1.8125 3.984375 2.125 C 3.921875 2.445312 3.71875 2.710938 3.375 2.921875 C 2.988281 3.160156 2.585938 3.191406 2.171875 3.015625 C 1.753906 2.847656 1.378906 2.492188 1.046875 1.953125 C 0.898438 1.722656 0.773438 1.472656 0.671875 1.203125 C 0.578125 0.941406 0.488281 0.644531 0.40625 0.3125 L 1.109375 -0.125 C 1.140625 0.21875 1.195312 0.535156 1.28125 0.828125 C 1.363281 1.117188 1.476562 1.382812 1.625 1.625 C 1.820312 1.945312 2.03125 2.160156 2.25 2.265625 C 2.46875 2.378906 2.679688 2.375 2.890625 2.25 C 3.078125 2.132812 3.179688 1.976562 3.203125 1.78125 C 3.222656 1.59375 3.148438 1.257812 2.984375 0.78125 L 2.890625 0.515625 C 2.722656 0.0234375 2.671875 -0.367188 2.734375 -0.671875 C 2.804688 -0.972656 3.003906 -1.226562 3.328125 -1.4375 C 3.722656 -1.675781 4.113281 -1.71875 4.5 -1.5625 C 4.894531 -1.414062 5.25 -1.085938 5.5625 -0.578125 C 5.71875 -0.316406 5.84375 -0.0625 5.9375 0.1875 C 6.039062 0.445312 6.113281 0.691406 6.15625 0.921875 Z M 6.15625 0.921875 "
+ id="path411" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph49-0">
+ <path
+ style="stroke:none;"
+ d="M -1.125 1.21875 L 5.65625 -2.90625 L 8 0.9375 L 1.21875 5.0625 Z M -0.4375 1.375 L 1.375 4.359375 L 7.296875 0.75 L 5.484375 -2.234375 Z M -0.4375 1.375 "
+ id="path414" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph49-1">
+ <path
+ style="stroke:none;"
+ d="M 5.484375 0.984375 C 5.484375 0.878906 5.460938 0.773438 5.421875 0.671875 C 5.390625 0.578125 5.34375 0.46875 5.28125 0.34375 C 5.039062 -0.0390625 4.726562 -0.257812 4.34375 -0.3125 C 3.957031 -0.363281 3.53125 -0.242188 3.0625 0.046875 L 0.84375 1.390625 L 0.421875 0.6875 L 4.625 -1.875 L 5.046875 -1.171875 L 4.390625 -0.78125 C 4.742188 -0.789062 5.050781 -0.710938 5.3125 -0.546875 C 5.582031 -0.390625 5.816406 -0.148438 6.015625 0.171875 C 6.046875 0.222656 6.070312 0.28125 6.09375 0.34375 C 6.125 0.414062 6.15625 0.484375 6.1875 0.546875 Z M 5.484375 0.984375 "
+ id="path417" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph50-0">
+ <path
+ style="stroke:none;"
+ d="M -1.125 1.21875 L 5.65625 -2.90625 L 8 0.9375 L 1.21875 5.0625 Z M -0.4375 1.375 L 1.375 4.359375 L 7.296875 0.75 L 5.484375 -2.234375 Z M -0.4375 1.375 "
+ id="path420" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph50-1">
+ <path
+ style="stroke:none;"
+ d="M 8.1875 1.796875 L 7.390625 2.28125 C 7.460938 1.882812 7.46875 1.503906 7.40625 1.140625 C 7.351562 0.773438 7.226562 0.4375 7.03125 0.125 C 6.644531 -0.519531 6.148438 -0.894531 5.546875 -1 C 4.953125 -1.101562 4.285156 -0.925781 3.546875 -0.46875 C 2.804688 -0.0195312 2.34375 0.488281 2.15625 1.0625 C 1.976562 1.644531 2.082031 2.257812 2.46875 2.90625 C 2.664062 3.21875 2.910156 3.484375 3.203125 3.703125 C 3.492188 3.921875 3.84375 4.085938 4.25 4.203125 L 3.4375 4.6875 C 3.101562 4.53125 2.800781 4.332031 2.53125 4.09375 C 2.257812 3.851562 2.019531 3.5625 1.8125 3.21875 C 1.300781 2.375 1.15625 1.546875 1.375 0.734375 C 1.601562 -0.0664062 2.164062 -0.738281 3.0625 -1.28125 C 3.96875 -1.832031 4.828125 -2.019531 5.640625 -1.84375 C 6.453125 -1.675781 7.113281 -1.171875 7.625 -0.328125 C 7.832031 0.015625 7.984375 0.363281 8.078125 0.71875 C 8.171875 1.070312 8.207031 1.429688 8.1875 1.796875 Z M 8.1875 1.796875 "
+ id="path423" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph51-0">
+ <path
+ style="stroke:none;"
+ d="M -1.53125 0.625 L 6.359375 -0.234375 L 6.859375 4.234375 L -1.03125 5.09375 Z M -0.984375 1.078125 L -0.609375 4.546875 L 6.296875 3.78125 L 5.921875 0.3125 Z M -0.984375 1.078125 "
+ id="path426" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph51-1">
+ <path
+ style="stroke:none;"
+ d="M 0.28125 2.5625 L 6.53125 -0.640625 L 6.625 0.28125 L 1.375 2.953125 L 7.078125 4.40625 L 7.1875 5.328125 L 0.390625 3.5625 Z M 0.28125 2.5625 "
+ id="path429" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph52-0">
+ <path
+ style="stroke:none;"
+ d="M -1.53125 0.625 L 6.359375 -0.234375 L 6.859375 4.234375 L -1.03125 5.09375 Z M -0.984375 1.078125 L -0.609375 4.546875 L 6.296875 3.78125 L 5.921875 0.3125 Z M -0.984375 1.078125 "
+ id="path432" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph52-1">
+ <path
+ style="stroke:none;"
+ d="M 4.984375 0.3125 L 5.078125 1.109375 L 0.1875 1.640625 L 0.09375 0.84375 Z M 6.890625 0.09375 L 6.984375 0.890625 L 5.96875 1 L 5.875 0.203125 Z M 6.890625 0.09375 "
+ id="path435" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph52-2">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path438" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph53-0">
+ <path
+ style="stroke:none;"
+ d="M -1.53125 0.625 L 6.359375 -0.234375 L 6.859375 4.234375 L -1.03125 5.09375 Z M -0.984375 1.078125 L -0.609375 4.546875 L 6.296875 3.78125 L 5.921875 0.3125 Z M -0.984375 1.078125 "
+ id="path441" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph53-1">
+ <path
+ style="stroke:none;"
+ d="M 2.796875 2.796875 C 2.722656 2.148438 2.597656 1.707031 2.421875 1.46875 C 2.242188 1.226562 1.972656 1.128906 1.609375 1.171875 C 1.335938 1.203125 1.125 1.320312 0.96875 1.53125 C 0.820312 1.738281 0.769531 2.003906 0.8125 2.328125 C 0.863281 2.773438 1.054688 3.113281 1.390625 3.34375 C 1.734375 3.582031 2.171875 3.675781 2.703125 3.625 L 2.875 3.609375 Z M 3.3125 4.359375 L 0.515625 4.671875 L 0.421875 3.875 L 1.171875 3.796875 C 0.847656 3.640625 0.597656 3.429688 0.421875 3.171875 C 0.253906 2.910156 0.148438 2.582031 0.109375 2.1875 C 0.0546875 1.6875 0.15625 1.273438 0.40625 0.953125 C 0.65625 0.628906 1.015625 0.441406 1.484375 0.390625 C 2.035156 0.328125 2.472656 0.460938 2.796875 0.796875 C 3.117188 1.128906 3.316406 1.660156 3.390625 2.390625 L 3.515625 3.53125 L 3.59375 3.53125 C 3.96875 3.488281 4.238281 3.332031 4.40625 3.0625 C 4.582031 2.789062 4.644531 2.429688 4.59375 1.984375 C 4.5625 1.703125 4.5 1.4375 4.40625 1.1875 C 4.3125 0.9375 4.179688 0.695312 4.015625 0.46875 L 4.765625 0.390625 C 4.910156 0.660156 5.023438 0.929688 5.109375 1.203125 C 5.203125 1.484375 5.265625 1.753906 5.296875 2.015625 C 5.367188 2.722656 5.238281 3.269531 4.90625 3.65625 C 4.582031 4.039062 4.050781 4.273438 3.3125 4.359375 Z M 3.3125 4.359375 "
+ id="path444" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph54-0">
+ <path
+ style="stroke:none;"
+ d="M -1.53125 0.625 L 6.359375 -0.234375 L 6.859375 4.234375 L -1.03125 5.09375 Z M -0.984375 1.078125 L -0.609375 4.546875 L 6.296875 3.78125 L 5.921875 0.3125 Z M -0.984375 1.078125 "
+ id="path447" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph54-1">
+ <path
+ style="stroke:none;"
+ d="M 3.3125 1.40625 L 0.921875 1.671875 L 1.078125 3.09375 C 1.128906 3.5625 1.265625 3.898438 1.484375 4.109375 C 1.703125 4.316406 2.015625 4.394531 2.421875 4.34375 C 2.828125 4.300781 3.113281 4.15625 3.28125 3.90625 C 3.457031 3.65625 3.519531 3.296875 3.46875 2.828125 Z M 5.984375 1.109375 L 4.03125 1.328125 L 4.1875 2.640625 C 4.226562 3.078125 4.335938 3.390625 4.515625 3.578125 C 4.703125 3.773438 4.960938 3.851562 5.296875 3.8125 C 5.628906 3.78125 5.863281 3.648438 6 3.421875 C 6.132812 3.191406 6.179688 2.859375 6.140625 2.421875 Z M 6.609375 0.171875 L 6.859375 2.421875 C 6.929688 3.085938 6.847656 3.617188 6.609375 4.015625 C 6.378906 4.410156 6.003906 4.632812 5.484375 4.6875 C 5.085938 4.738281 4.757812 4.679688 4.5 4.515625 C 4.25 4.359375 4.070312 4.097656 3.96875 3.734375 C 3.925781 4.179688 3.769531 4.539062 3.5 4.8125 C 3.226562 5.082031 2.875 5.242188 2.4375 5.296875 C 1.851562 5.359375 1.378906 5.207031 1.015625 4.84375 C 0.648438 4.488281 0.429688 3.945312 0.359375 3.21875 L 0.09375 0.890625 Z M 6.609375 0.171875 "
+ id="path450" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph55-0">
+ <path
+ style="stroke:none;"
+ d="M -1.53125 0.625 L 6.359375 -0.234375 L 6.859375 4.234375 L -1.03125 5.09375 Z M -0.984375 1.078125 L -0.609375 4.546875 L 6.296875 3.78125 L 5.921875 0.3125 Z M -0.984375 1.078125 "
+ id="path453" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph55-1">
+ <path
+ style="stroke:none;"
+ d="M 2.796875 2.796875 C 2.722656 2.148438 2.597656 1.707031 2.421875 1.46875 C 2.242188 1.226562 1.972656 1.128906 1.609375 1.171875 C 1.335938 1.203125 1.125 1.320312 0.96875 1.53125 C 0.820312 1.738281 0.769531 2.003906 0.8125 2.328125 C 0.863281 2.773438 1.054688 3.113281 1.390625 3.34375 C 1.734375 3.582031 2.171875 3.675781 2.703125 3.625 L 2.875 3.609375 Z M 3.3125 4.359375 L 0.515625 4.671875 L 0.421875 3.875 L 1.171875 3.796875 C 0.847656 3.640625 0.597656 3.429688 0.421875 3.171875 C 0.253906 2.910156 0.148438 2.582031 0.109375 2.1875 C 0.0546875 1.6875 0.15625 1.273438 0.40625 0.953125 C 0.65625 0.628906 1.015625 0.441406 1.484375 0.390625 C 2.035156 0.328125 2.472656 0.460938 2.796875 0.796875 C 3.117188 1.128906 3.316406 1.660156 3.390625 2.390625 L 3.515625 3.53125 L 3.59375 3.53125 C 3.96875 3.488281 4.238281 3.332031 4.40625 3.0625 C 4.582031 2.789062 4.644531 2.429688 4.59375 1.984375 C 4.5625 1.703125 4.5 1.4375 4.40625 1.1875 C 4.3125 0.9375 4.179688 0.695312 4.015625 0.46875 L 4.765625 0.390625 C 4.910156 0.660156 5.023438 0.929688 5.109375 1.203125 C 5.203125 1.484375 5.265625 1.753906 5.296875 2.015625 C 5.367188 2.722656 5.238281 3.269531 4.90625 3.65625 C 4.582031 4.039062 4.050781 4.273438 3.3125 4.359375 Z M 3.3125 4.359375 "
+ id="path456" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph56-0">
+ <path
+ style="stroke:none;"
+ d="M -1.53125 0.625 L 6.359375 -0.234375 L 6.859375 4.234375 L -1.03125 5.09375 Z M -0.984375 1.078125 L -0.609375 4.546875 L 6.296875 3.78125 L 5.921875 0.3125 Z M -0.984375 1.078125 "
+ id="path459" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph56-1">
+ <path
+ style="stroke:none;"
+ d="M 6.890625 0.09375 L 6.984375 0.890625 L 0.1875 1.640625 L 0.09375 0.84375 Z M 6.890625 0.09375 "
+ id="path462" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph57-0">
+ <path
+ style="stroke:none;"
+ d="M -1.546875 0.59375 L 6.359375 -0.109375 L 6.75 4.375 L -1.15625 5.078125 Z M -1.015625 1.046875 L -0.703125 4.53125 L 6.21875 3.921875 L 5.90625 0.4375 Z M -1.015625 1.046875 "
+ id="path465" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph57-1">
+ <path
+ style="stroke:none;"
+ d="M 2.71875 2.84375 C 2.664062 2.195312 2.554688 1.753906 2.390625 1.515625 C 2.222656 1.273438 1.960938 1.175781 1.609375 1.21875 C 1.328125 1.238281 1.109375 1.351562 0.953125 1.5625 C 0.796875 1.769531 0.734375 2.03125 0.765625 2.34375 C 0.796875 2.789062 0.984375 3.132812 1.328125 3.375 C 1.671875 3.613281 2.101562 3.710938 2.625 3.671875 L 2.796875 3.65625 Z M 3.21875 4.4375 L 0.421875 4.6875 L 0.34375 3.875 L 1.09375 3.8125 C 0.769531 3.644531 0.523438 3.429688 0.359375 3.171875 C 0.203125 2.910156 0.101562 2.582031 0.0625 2.1875 C 0.0195312 1.695312 0.125 1.289062 0.375 0.96875 C 0.632812 0.644531 1.003906 0.460938 1.484375 0.421875 C 2.023438 0.367188 2.453125 0.515625 2.765625 0.859375 C 3.078125 1.203125 3.269531 1.734375 3.34375 2.453125 L 3.4375 3.59375 L 3.515625 3.59375 C 3.890625 3.5625 4.164062 3.410156 4.34375 3.140625 C 4.53125 2.878906 4.601562 2.523438 4.5625 2.078125 C 4.539062 1.796875 4.484375 1.523438 4.390625 1.265625 C 4.296875 1.015625 4.171875 0.78125 4.015625 0.5625 L 4.765625 0.484375 C 4.910156 0.765625 5.019531 1.039062 5.09375 1.3125 C 5.175781 1.582031 5.234375 1.847656 5.265625 2.109375 C 5.328125 2.816406 5.1875 3.363281 4.84375 3.75 C 4.507812 4.144531 3.96875 4.375 3.21875 4.4375 Z M 3.21875 4.4375 "
+ id="path468" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph58-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5625 0.578125 L 6.359375 -0.015625 L 6.6875 4.46875 L -1.234375 5.0625 Z M -1.015625 1.03125 L -0.765625 4.515625 L 6.15625 4 L 5.90625 0.515625 Z M -1.015625 1.03125 "
+ id="path471" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph58-1">
+ <path
+ style="stroke:none;"
+ d="M 3.3125 4.703125 L 0.359375 4.921875 L 0.296875 4.109375 L 3.21875 3.890625 C 3.6875 3.859375 4.03125 3.742188 4.25 3.546875 C 4.476562 3.347656 4.578125 3.066406 4.546875 2.703125 C 4.515625 2.273438 4.347656 1.941406 4.046875 1.703125 C 3.753906 1.472656 3.375 1.378906 2.90625 1.421875 L 0.125 1.625 L 0.0625 0.8125 L 4.96875 0.453125 L 5.03125 1.265625 L 4.265625 1.3125 C 4.566406 1.488281 4.800781 1.703125 4.96875 1.953125 C 5.144531 2.203125 5.242188 2.492188 5.265625 2.828125 C 5.304688 3.390625 5.160156 3.828125 4.828125 4.140625 C 4.492188 4.460938 3.988281 4.648438 3.3125 4.703125 Z M 3.3125 4.703125 "
+ id="path474" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph58-2">
+ <path
+ style="stroke:none;"
+ d="M 4.546875 2.421875 C 4.515625 1.992188 4.316406 1.664062 3.953125 1.4375 C 3.597656 1.207031 3.128906 1.113281 2.546875 1.15625 C 1.960938 1.207031 1.507812 1.367188 1.1875 1.640625 C 0.875 1.910156 0.734375 2.265625 0.765625 2.703125 C 0.796875 3.128906 0.988281 3.457031 1.34375 3.6875 C 1.707031 3.914062 2.179688 4.003906 2.765625 3.953125 C 3.335938 3.910156 3.785156 3.75 4.109375 3.46875 C 4.429688 3.195312 4.578125 2.847656 4.546875 2.421875 Z M 5.234375 2.375 C 5.285156 3.070312 5.097656 3.640625 4.671875 4.078125 C 4.242188 4.515625 3.628906 4.757812 2.828125 4.8125 C 2.023438 4.875 1.378906 4.722656 0.890625 4.359375 C 0.398438 3.992188 0.128906 3.460938 0.078125 2.765625 C 0.0234375 2.066406 0.210938 1.5 0.640625 1.0625 C 1.066406 0.625 1.679688 0.375 2.484375 0.3125 C 3.285156 0.257812 3.929688 0.414062 4.421875 0.78125 C 4.910156 1.144531 5.179688 1.675781 5.234375 2.375 Z M 5.234375 2.375 "
+ id="path477" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph59-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5625 0.578125 L 6.359375 -0.015625 L 6.6875 4.46875 L -1.234375 5.0625 Z M -1.015625 1.03125 L -0.765625 4.515625 L 6.15625 4 L 5.90625 0.515625 Z M -1.015625 1.03125 "
+ id="path480" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph59-1">
+ <path
+ style="stroke:none;"
+ d="M 2.8125 3.890625 C 3.382812 3.847656 3.820312 3.691406 4.125 3.421875 C 4.4375 3.148438 4.578125 2.800781 4.546875 2.375 C 4.515625 1.945312 4.328125 1.625 3.984375 1.40625 C 3.640625 1.1875 3.179688 1.097656 2.609375 1.140625 C 2.023438 1.179688 1.582031 1.335938 1.28125 1.609375 C 0.976562 1.878906 0.84375 2.226562 0.875 2.65625 C 0.90625 3.082031 1.085938 3.40625 1.421875 3.625 C 1.765625 3.84375 2.226562 3.929688 2.8125 3.890625 Z M 0.96875 4.828125 C 0.132812 4.890625 -0.5 4.75 -0.9375 4.40625 C -1.375 4.070312 -1.625 3.523438 -1.6875 2.765625 C -1.707031 2.484375 -1.703125 2.210938 -1.671875 1.953125 C -1.648438 1.703125 -1.601562 1.457031 -1.53125 1.21875 L -0.75 1.15625 C -0.851562 1.40625 -0.925781 1.644531 -0.96875 1.875 C -1.019531 2.113281 -1.035156 2.351562 -1.015625 2.59375 C -0.972656 3.113281 -0.804688 3.492188 -0.515625 3.734375 C -0.222656 3.984375 0.203125 4.085938 0.765625 4.046875 L 1.15625 4.015625 C 0.863281 3.867188 0.632812 3.664062 0.46875 3.40625 C 0.300781 3.15625 0.207031 2.859375 0.1875 2.515625 C 0.144531 1.910156 0.335938 1.40625 0.765625 1 C 1.191406 0.601562 1.785156 0.375 2.546875 0.3125 C 3.296875 0.257812 3.914062 0.398438 4.40625 0.734375 C 4.90625 1.066406 5.175781 1.535156 5.21875 2.140625 C 5.238281 2.484375 5.1875 2.789062 5.0625 3.0625 C 4.9375 3.34375 4.734375 3.578125 4.453125 3.765625 L 5.203125 3.71875 L 5.265625 4.515625 Z M 0.96875 4.828125 "
+ id="path483" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph60-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5625 0.578125 L 6.359375 -0.015625 L 6.6875 4.46875 L -1.234375 5.0625 Z M -1.015625 1.03125 L -0.765625 4.515625 L 6.15625 4 L 5.90625 0.515625 Z M -1.015625 1.03125 "
+ id="path486" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph60-1">
+ <path
+ style="stroke:none;"
+ d="M 3.03125 4.84375 L 2.640625 4.875 L 2.359375 1.171875 C 1.816406 1.242188 1.410156 1.441406 1.140625 1.765625 C 0.867188 2.085938 0.753906 2.507812 0.796875 3.03125 C 0.816406 3.34375 0.875 3.640625 0.96875 3.921875 C 1.0625 4.210938 1.195312 4.5 1.375 4.78125 L 0.609375 4.84375 C 0.460938 4.5625 0.347656 4.269531 0.265625 3.96875 C 0.179688 3.664062 0.125 3.359375 0.09375 3.046875 C 0.0390625 2.273438 0.222656 1.640625 0.640625 1.140625 C 1.066406 0.648438 1.664062 0.378906 2.4375 0.328125 C 3.238281 0.265625 3.890625 0.429688 4.390625 0.828125 C 4.898438 1.222656 5.1875 1.785156 5.25 2.515625 C 5.289062 3.179688 5.113281 3.722656 4.71875 4.140625 C 4.320312 4.554688 3.757812 4.789062 3.03125 4.84375 Z M 3.203125 4.015625 C 3.640625 3.972656 3.984375 3.820312 4.234375 3.5625 C 4.484375 3.300781 4.59375 2.972656 4.5625 2.578125 C 4.53125 2.128906 4.375 1.78125 4.09375 1.53125 C 3.820312 1.28125 3.445312 1.148438 2.96875 1.140625 Z M 3.203125 4.015625 "
+ id="path489" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph61-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5625 0.578125 L 6.359375 -0.015625 L 6.6875 4.46875 L -1.234375 5.0625 Z M -1.015625 1.03125 L -0.765625 4.515625 L 6.15625 4 L 5.90625 0.515625 Z M -1.015625 1.03125 "
+ id="path492" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph61-1">
+ <path
+ style="stroke:none;"
+ d="M 4.421875 3.375 C 4.472656 3.28125 4.503906 3.179688 4.515625 3.078125 C 4.523438 2.972656 4.523438 2.851562 4.515625 2.71875 C 4.484375 2.269531 4.3125 1.929688 4 1.703125 C 3.6875 1.484375 3.257812 1.394531 2.71875 1.4375 L 0.125 1.625 L 0.0625 0.8125 L 4.96875 0.453125 L 5.03125 1.265625 L 4.265625 1.3125 C 4.578125 1.46875 4.816406 1.675781 4.984375 1.9375 C 5.148438 2.195312 5.242188 2.515625 5.265625 2.890625 C 5.273438 2.953125 5.273438 3.015625 5.265625 3.078125 C 5.265625 3.148438 5.257812 3.226562 5.25 3.3125 Z M 4.421875 3.375 "
+ id="path495" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph62-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5625 0.578125 L 6.359375 -0.046875 L 6.71875 4.4375 L -1.203125 5.0625 Z M -1.015625 1.03125 L -0.75 4.515625 L 6.171875 3.984375 L 5.90625 0.5 Z M -1.015625 1.03125 "
+ id="path498" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph62-1">
+ <path
+ style="stroke:none;"
+ d="M 4.4375 3.359375 C 4.488281 3.265625 4.519531 3.164062 4.53125 3.0625 C 4.539062 2.957031 4.539062 2.835938 4.53125 2.703125 C 4.5 2.253906 4.320312 1.914062 4 1.6875 C 3.6875 1.46875 3.253906 1.378906 2.703125 1.421875 L 0.125 1.625 L 0.0625 0.8125 L 4.96875 0.4375 L 5.03125 1.25 L 4.265625 1.296875 C 4.578125 1.453125 4.816406 1.65625 4.984375 1.90625 C 5.148438 2.164062 5.25 2.488281 5.28125 2.875 C 5.289062 2.9375 5.289062 3 5.28125 3.0625 C 5.28125 3.132812 5.273438 3.210938 5.265625 3.296875 Z M 4.4375 3.359375 "
+ id="path501" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph62-2">
+ <path
+ style="stroke:none;"
+ d="M 3.34375 4.6875 L 0.390625 4.921875 L 0.328125 4.109375 L 3.25 3.875 C 3.71875 3.84375 4.0625 3.726562 4.28125 3.53125 C 4.5 3.332031 4.59375 3.050781 4.5625 2.6875 C 4.53125 2.257812 4.363281 1.929688 4.0625 1.703125 C 3.757812 1.472656 3.367188 1.375 2.890625 1.40625 L 0.125 1.625 L 0.0625 0.8125 L 6.890625 0.28125 L 6.953125 1.09375 L 4.265625 1.296875 C 4.578125 1.472656 4.816406 1.679688 4.984375 1.921875 C 5.148438 2.171875 5.25 2.46875 5.28125 2.8125 C 5.320312 3.375 5.175781 3.8125 4.84375 4.125 C 4.519531 4.445312 4.019531 4.632812 3.34375 4.6875 Z M 3.34375 4.6875 "
+ id="path504" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph62-3">
+ <path
+ style="stroke:none;"
+ d="M 4.5625 2.390625 C 4.519531 1.972656 4.320312 1.648438 3.96875 1.421875 C 3.613281 1.191406 3.144531 1.101562 2.5625 1.15625 C 1.976562 1.195312 1.523438 1.351562 1.203125 1.625 C 0.878906 1.90625 0.738281 2.257812 0.78125 2.6875 C 0.8125 3.125 1.003906 3.453125 1.359375 3.671875 C 1.722656 3.898438 2.195312 3.992188 2.78125 3.953125 C 3.351562 3.898438 3.800781 3.734375 4.125 3.453125 C 4.445312 3.179688 4.59375 2.828125 4.5625 2.390625 Z M 5.25 2.34375 C 5.300781 3.050781 5.113281 3.625 4.6875 4.0625 C 4.257812 4.5 3.644531 4.75 2.84375 4.8125 C 2.039062 4.875 1.394531 4.722656 0.90625 4.359375 C 0.414062 3.992188 0.144531 3.457031 0.09375 2.75 C 0.03125 2.0625 0.210938 1.5 0.640625 1.0625 C 1.066406 0.625 1.679688 0.375 2.484375 0.3125 C 3.285156 0.25 3.929688 0.398438 4.421875 0.765625 C 4.910156 1.128906 5.1875 1.65625 5.25 2.34375 Z M 5.25 2.34375 "
+ id="path507" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph62-4">
+ <path
+ style="stroke:none;"
+ d="M 6.421875 1.15625 L 5.03125 1.265625 L 5.15625 2.921875 L 4.53125 2.96875 L 4.40625 1.3125 L 1.75 1.515625 C 1.34375 1.546875 1.085938 1.625 0.984375 1.75 C 0.878906 1.875 0.835938 2.101562 0.859375 2.4375 L 0.921875 3.25 L 0.25 3.296875 L 0.1875 2.484375 C 0.144531 1.859375 0.226562 1.414062 0.4375 1.15625 C 0.65625 0.90625 1.070312 0.753906 1.6875 0.703125 L 4.34375 0.5 L 4.296875 -0.09375 L 4.921875 -0.140625 L 4.96875 0.453125 L 6.359375 0.34375 Z M 6.421875 1.15625 "
+ id="path510" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph63-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5625 0.578125 L 6.359375 -0.046875 L 6.71875 4.4375 L -1.203125 5.0625 Z M -1.015625 1.03125 L -0.75 4.515625 L 6.171875 3.984375 L 5.90625 0.5 Z M -1.015625 1.03125 "
+ id="path513" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph63-1">
+ <path
+ style="stroke:none;"
+ d="M 2.703125 2.875 C 2.648438 2.238281 2.539062 1.796875 2.375 1.546875 C 2.21875 1.304688 1.957031 1.203125 1.59375 1.234375 C 1.3125 1.253906 1.09375 1.363281 0.9375 1.5625 C 0.78125 1.769531 0.710938 2.035156 0.734375 2.359375 C 0.765625 2.796875 0.945312 3.140625 1.28125 3.390625 C 1.625 3.640625 2.0625 3.742188 2.59375 3.703125 L 2.765625 3.6875 Z M 3.15625 4.46875 L 0.359375 4.6875 L 0.296875 3.875 L 1.046875 3.8125 C 0.734375 3.65625 0.492188 3.441406 0.328125 3.171875 C 0.171875 2.910156 0.078125 2.585938 0.046875 2.203125 C 0.00390625 1.703125 0.113281 1.289062 0.375 0.96875 C 0.632812 0.644531 1.003906 0.46875 1.484375 0.4375 C 2.035156 0.394531 2.460938 0.546875 2.765625 0.890625 C 3.066406 1.242188 3.25 1.78125 3.3125 2.5 L 3.390625 3.640625 L 3.46875 3.625 C 3.84375 3.59375 4.125 3.445312 4.3125 3.1875 C 4.5 2.925781 4.570312 2.578125 4.53125 2.140625 C 4.507812 1.859375 4.453125 1.585938 4.359375 1.328125 C 4.273438 1.066406 4.160156 0.820312 4.015625 0.59375 L 4.765625 0.546875 C 4.898438 0.828125 5.003906 1.101562 5.078125 1.375 C 5.160156 1.65625 5.210938 1.921875 5.234375 2.171875 C 5.285156 2.878906 5.140625 3.421875 4.796875 3.796875 C 4.453125 4.179688 3.90625 4.40625 3.15625 4.46875 Z M 3.15625 4.46875 "
+ id="path516" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph63-2">
+ <path
+ style="stroke:none;"
+ d="M 2 0.609375 L 4.96875 0.390625 L 5.03125 1.203125 L 2.09375 1.421875 C 1.632812 1.460938 1.296875 1.582031 1.078125 1.78125 C 0.859375 1.976562 0.757812 2.25 0.78125 2.59375 C 0.8125 3.03125 0.972656 3.363281 1.265625 3.59375 C 1.566406 3.832031 1.957031 3.929688 2.4375 3.890625 L 5.21875 3.6875 L 5.28125 4.5 L 0.375 4.875 L 0.3125 4.0625 L 1.0625 4 C 0.757812 3.820312 0.523438 3.609375 0.359375 3.359375 C 0.191406 3.117188 0.09375 2.832031 0.0625 2.5 C 0.0195312 1.9375 0.160156 1.492188 0.484375 1.171875 C 0.816406 0.847656 1.320312 0.660156 2 0.609375 Z M 5.25 2.390625 Z M 5.25 2.390625 "
+ id="path519" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph63-3">
+ <path
+ style="stroke:none;"
+ d="M 4.5625 2.390625 C 4.519531 1.972656 4.320312 1.648438 3.96875 1.421875 C 3.613281 1.191406 3.144531 1.101562 2.5625 1.15625 C 1.976562 1.195312 1.523438 1.351562 1.203125 1.625 C 0.878906 1.90625 0.738281 2.257812 0.78125 2.6875 C 0.8125 3.125 1.003906 3.453125 1.359375 3.671875 C 1.722656 3.898438 2.195312 3.992188 2.78125 3.953125 C 3.351562 3.898438 3.800781 3.734375 4.125 3.453125 C 4.445312 3.179688 4.59375 2.828125 4.5625 2.390625 Z M 5.25 2.34375 C 5.300781 3.050781 5.113281 3.625 4.6875 4.0625 C 4.257812 4.5 3.644531 4.75 2.84375 4.8125 C 2.039062 4.875 1.394531 4.722656 0.90625 4.359375 C 0.414062 3.992188 0.144531 3.457031 0.09375 2.75 C 0.03125 2.0625 0.210938 1.5 0.640625 1.0625 C 1.066406 0.625 1.679688 0.375 2.484375 0.3125 C 3.285156 0.25 3.929688 0.398438 4.421875 0.765625 C 4.910156 1.128906 5.1875 1.65625 5.25 2.34375 Z M 5.25 2.34375 "
+ id="path522" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph63-4">
+ <path
+ style="stroke:none;"
+ d="M 6.546875 -0.546875 L 6.984375 5 L 6.234375 5.0625 L 6.046875 2.71875 L 0.25 3.171875 L 0.171875 2.296875 L 5.96875 1.84375 L 5.796875 -0.484375 Z M 6.546875 -0.546875 "
+ id="path525" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph63-5">
+ <path
+ style="stroke:none;"
+ d="M 3.03125 4.84375 L 2.65625 4.875 L 2.375 1.171875 C 1.820312 1.242188 1.410156 1.441406 1.140625 1.765625 C 0.867188 2.085938 0.753906 2.507812 0.796875 3.03125 C 0.828125 3.34375 0.890625 3.640625 0.984375 3.921875 C 1.078125 4.210938 1.210938 4.5 1.390625 4.78125 L 0.625 4.84375 C 0.476562 4.5625 0.359375 4.269531 0.265625 3.96875 C 0.179688 3.664062 0.128906 3.359375 0.109375 3.046875 C 0.046875 2.273438 0.222656 1.640625 0.640625 1.140625 C 1.066406 0.648438 1.664062 0.375 2.4375 0.3125 C 3.238281 0.25 3.894531 0.414062 4.40625 0.8125 C 4.914062 1.207031 5.195312 1.769531 5.25 2.5 C 5.300781 3.164062 5.128906 3.707031 4.734375 4.125 C 4.335938 4.539062 3.769531 4.78125 3.03125 4.84375 Z M 3.21875 4.015625 C 3.65625 3.960938 3.992188 3.804688 4.234375 3.546875 C 4.484375 3.285156 4.597656 2.957031 4.578125 2.5625 C 4.535156 2.113281 4.375 1.765625 4.09375 1.515625 C 3.820312 1.265625 3.453125 1.140625 2.984375 1.140625 Z M 3.21875 4.015625 "
+ id="path528" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph63-6">
+ <path
+ style="stroke:none;"
+ d="M 5.953125 1.3125 L 3.484375 1.5 L 3.5625 2.609375 C 3.59375 3.015625 3.726562 3.320312 3.96875 3.53125 C 4.207031 3.75 4.519531 3.84375 4.90625 3.8125 C 5.300781 3.78125 5.59375 3.640625 5.78125 3.390625 C 5.976562 3.148438 6.0625 2.828125 6.03125 2.421875 Z M 6.609375 0.375 L 6.765625 2.359375 C 6.828125 3.085938 6.703125 3.65625 6.390625 4.0625 C 6.085938 4.46875 5.613281 4.695312 4.96875 4.75 C 4.320312 4.800781 3.820312 4.648438 3.46875 4.296875 C 3.113281 3.941406 2.90625 3.398438 2.84375 2.671875 L 2.765625 1.5625 L 0.140625 1.765625 L 0.0625 0.890625 Z M 6.609375 0.375 "
+ id="path531" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph64-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5625 0.578125 L 6.359375 -0.046875 L 6.71875 4.4375 L -1.203125 5.0625 Z M -1.015625 1.03125 L -0.75 4.515625 L 6.171875 3.984375 L 5.90625 0.5 Z M -1.015625 1.03125 "
+ id="path534" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph64-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path537" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph65-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5625 0.578125 L 6.359375 -0.046875 L 6.71875 4.4375 L -1.203125 5.0625 Z M -1.015625 1.03125 L -0.75 4.515625 L 6.171875 3.984375 L 5.90625 0.5 Z M -1.015625 1.03125 "
+ id="path540" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph65-1">
+ <path
+ style="stroke:none;"
+ d="M 4.4375 3.359375 C 4.488281 3.265625 4.519531 3.164062 4.53125 3.0625 C 4.539062 2.957031 4.539062 2.835938 4.53125 2.703125 C 4.5 2.253906 4.320312 1.914062 4 1.6875 C 3.6875 1.46875 3.253906 1.378906 2.703125 1.421875 L 0.125 1.625 L 0.0625 0.8125 L 4.96875 0.4375 L 5.03125 1.25 L 4.265625 1.296875 C 4.578125 1.453125 4.816406 1.65625 4.984375 1.90625 C 5.148438 2.164062 5.25 2.488281 5.28125 2.875 C 5.289062 2.9375 5.289062 3 5.28125 3.0625 C 5.28125 3.132812 5.273438 3.210938 5.265625 3.296875 Z M 4.4375 3.359375 "
+ id="path543" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph66-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5625 0.578125 L 6.359375 -0.046875 L 6.71875 4.4375 L -1.203125 5.0625 Z M -1.015625 1.03125 L -0.75 4.515625 L 6.171875 3.984375 L 5.90625 0.5 Z M -1.015625 1.03125 "
+ id="path546" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph66-1">
+ <path
+ style="stroke:none;"
+ d="M 4.96875 0.46875 L 5.03125 1.28125 L 0.125 1.65625 L 0.0625 0.84375 Z M 6.890625 0.3125 L 6.953125 1.125 L 5.921875 1.203125 L 5.859375 0.390625 Z M 6.890625 0.3125 "
+ id="path549" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph67-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path552" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph67-1">
+ <path
+ style="stroke:none;"
+ d="M -0.296875 -8.390625 L 0.375 -7.734375 C -0.03125 -7.703125 -0.398438 -7.613281 -0.734375 -7.46875 C -1.078125 -7.320312 -1.378906 -7.117188 -1.640625 -6.859375 C -2.160156 -6.316406 -2.394531 -5.742188 -2.34375 -5.140625 C -2.300781 -4.535156 -1.96875 -3.929688 -1.34375 -3.328125 C -0.726562 -2.722656 -0.117188 -2.398438 0.484375 -2.359375 C 1.097656 -2.328125 1.664062 -2.582031 2.1875 -3.125 C 2.445312 -3.382812 2.644531 -3.679688 2.78125 -4.015625 C 2.925781 -4.359375 3.003906 -4.738281 3.015625 -5.15625 L 3.6875 -4.5 C 3.613281 -4.125 3.492188 -3.773438 3.328125 -3.453125 C 3.171875 -3.140625 2.953125 -2.84375 2.671875 -2.5625 C 1.984375 -1.851562 1.21875 -1.503906 0.375 -1.515625 C -0.457031 -1.535156 -1.25 -1.914062 -2 -2.65625 C -2.757812 -3.382812 -3.15625 -4.164062 -3.1875 -5 C -3.21875 -5.84375 -2.890625 -6.617188 -2.203125 -7.328125 C -1.921875 -7.609375 -1.617188 -7.835938 -1.296875 -8.015625 C -0.984375 -8.191406 -0.648438 -8.316406 -0.296875 -8.390625 Z M -0.296875 -8.390625 "
+ id="path555" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph67-2">
+ <path
+ style="stroke:none;"
+ d="M -3.1875 -3.796875 L -0.5 -6.546875 L 0.03125 -6.03125 L 0.453125 -1.375 L 2.578125 -3.5625 L 3.03125 -3.109375 L 0.265625 -0.28125 L -0.265625 -0.796875 L -0.671875 -5.4375 L -2.71875 -3.34375 Z M -3.1875 -3.796875 "
+ id="path558" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph68-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path561" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph68-1">
+ <path
+ style="stroke:none;"
+ d="M -1.203125 -5.015625 C -1.503906 -4.710938 -1.617188 -4.347656 -1.546875 -3.921875 C -1.484375 -3.503906 -1.238281 -3.09375 -0.8125 -2.6875 C -0.394531 -2.269531 0.0195312 -2.03125 0.4375 -1.96875 C 0.851562 -1.914062 1.210938 -2.046875 1.515625 -2.359375 C 1.816406 -2.671875 1.9375 -3.03125 1.875 -3.4375 C 1.8125 -3.851562 1.570312 -4.269531 1.15625 -4.6875 C 0.726562 -5.09375 0.304688 -5.328125 -0.109375 -5.390625 C -0.535156 -5.453125 -0.898438 -5.328125 -1.203125 -5.015625 Z M -1.6875 -5.484375 C -1.195312 -5.992188 -0.644531 -6.234375 -0.03125 -6.203125 C 0.570312 -6.171875 1.164062 -5.875 1.75 -5.3125 C 2.320312 -4.75 2.628906 -4.160156 2.671875 -3.546875 C 2.722656 -2.941406 2.503906 -2.382812 2.015625 -1.875 C 1.523438 -1.375 0.972656 -1.140625 0.359375 -1.171875 C -0.242188 -1.210938 -0.832031 -1.515625 -1.40625 -2.078125 C -1.988281 -2.640625 -2.300781 -3.222656 -2.34375 -3.828125 C -2.394531 -4.429688 -2.175781 -4.984375 -1.6875 -5.484375 Z M -1.6875 -5.484375 "
+ id="path564" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph68-2">
+ <path
+ style="stroke:none;"
+ d="M -1.1875 -7.875 L -0.5625 -7.28125 C -0.90625 -7.144531 -1.207031 -7 -1.46875 -6.84375 C -1.738281 -6.6875 -1.972656 -6.503906 -2.171875 -6.296875 C -2.515625 -5.953125 -2.707031 -5.617188 -2.75 -5.296875 C -2.800781 -4.984375 -2.703125 -4.707031 -2.453125 -4.46875 C -2.242188 -4.257812 -2.023438 -4.164062 -1.796875 -4.1875 C -1.566406 -4.21875 -1.253906 -4.367188 -0.859375 -4.640625 L -0.390625 -4.96875 C 0.160156 -5.34375 0.65625 -5.535156 1.09375 -5.546875 C 1.539062 -5.554688 1.957031 -5.375 2.34375 -5 C 2.800781 -4.550781 3 -4.054688 2.9375 -3.515625 C 2.875 -2.984375 2.554688 -2.425781 1.984375 -1.84375 C 1.765625 -1.613281 1.503906 -1.394531 1.203125 -1.1875 C 0.910156 -0.988281 0.582031 -0.8125 0.21875 -0.65625 L -0.421875 -1.296875 C -0.0351562 -1.398438 0.3125 -1.539062 0.625 -1.71875 C 0.945312 -1.90625 1.226562 -2.117188 1.46875 -2.359375 C 1.8125 -2.710938 2.007812 -3.054688 2.0625 -3.390625 C 2.113281 -3.722656 2.003906 -4.019531 1.734375 -4.28125 C 1.503906 -4.507812 1.253906 -4.613281 0.984375 -4.59375 C 0.722656 -4.582031 0.40625 -4.445312 0.03125 -4.1875 L -0.4375 -3.875 C -1 -3.5 -1.476562 -3.300781 -1.875 -3.28125 C -2.28125 -3.257812 -2.664062 -3.425781 -3.03125 -3.78125 C -3.4375 -4.175781 -3.617188 -4.640625 -3.578125 -5.171875 C -3.535156 -5.703125 -3.265625 -6.222656 -2.765625 -6.734375 C -2.546875 -6.960938 -2.304688 -7.171875 -2.046875 -7.359375 C -1.785156 -7.546875 -1.5 -7.71875 -1.1875 -7.875 Z M -1.1875 -7.875 "
+ id="path567" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph68-3">
+ <path
+ style="stroke:none;"
+ d="M -3.34375 -3.625 L -2.75 -4.25 L 1.28125 -2.46875 L -0.59375 -6.453125 L 0 -7.0625 L 2.25 -2.3125 L 1.46875 -1.515625 Z M -3.34375 -3.625 "
+ id="path570" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph68-4">
+ <path
+ style="stroke:none;"
+ d="M 1.625 -5.484375 L 1.90625 -5.203125 L -0.6875 -2.546875 C -0.269531 -2.179688 0.144531 -2.003906 0.5625 -2.015625 C 0.988281 -2.023438 1.382812 -2.222656 1.75 -2.609375 C 1.96875 -2.828125 2.148438 -3.066406 2.296875 -3.328125 C 2.453125 -3.585938 2.578125 -3.875 2.671875 -4.1875 L 3.234375 -3.65625 C 3.109375 -3.363281 2.960938 -3.082031 2.796875 -2.8125 C 2.628906 -2.550781 2.4375 -2.3125 2.21875 -2.09375 C 1.675781 -1.53125 1.078125 -1.242188 0.421875 -1.234375 C -0.222656 -1.234375 -0.820312 -1.5 -1.375 -2.03125 C -1.957031 -2.601562 -2.265625 -3.207031 -2.296875 -3.84375 C -2.335938 -4.476562 -2.097656 -5.0625 -1.578125 -5.59375 C -1.117188 -6.070312 -0.601562 -6.300781 -0.03125 -6.28125 C 0.539062 -6.257812 1.09375 -5.992188 1.625 -5.484375 Z M 0.890625 -5.078125 C 0.566406 -5.367188 0.226562 -5.519531 -0.125 -5.53125 C -0.488281 -5.550781 -0.804688 -5.421875 -1.078125 -5.140625 C -1.398438 -4.804688 -1.5625 -4.453125 -1.5625 -4.078125 C -1.570312 -3.710938 -1.421875 -3.347656 -1.109375 -2.984375 Z M 0.890625 -5.078125 "
+ id="path573" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph68-5">
+ <path
+ style="stroke:none;"
+ d="M 0.375 -3.921875 C -0.0703125 -3.460938 -0.332031 -3.09375 -0.40625 -2.8125 C -0.476562 -2.53125 -0.382812 -2.257812 -0.125 -2 C 0.0703125 -1.800781 0.300781 -1.707031 0.5625 -1.71875 C 0.820312 -1.738281 1.0625 -1.863281 1.28125 -2.09375 C 1.59375 -2.414062 1.726562 -2.785156 1.6875 -3.203125 C 1.65625 -3.617188 1.453125 -4.015625 1.078125 -4.390625 L 0.953125 -4.5 Z M 1.265625 -5.34375 L 3.28125 -3.375 L 2.71875 -2.78125 L 2.1875 -3.3125 C 2.257812 -2.957031 2.25 -2.628906 2.15625 -2.328125 C 2.070312 -2.035156 1.894531 -1.75 1.625 -1.46875 C 1.269531 -1.113281 0.882812 -0.925781 0.46875 -0.90625 C 0.0625 -0.894531 -0.3125 -1.054688 -0.65625 -1.390625 C -1.050781 -1.773438 -1.21875 -2.195312 -1.15625 -2.65625 C -1.101562 -3.125 -0.820312 -3.617188 -0.3125 -4.140625 L 0.484375 -4.953125 L 0.4375 -5 C 0.164062 -5.269531 -0.125 -5.390625 -0.4375 -5.359375 C -0.757812 -5.328125 -1.078125 -5.148438 -1.390625 -4.828125 C -1.585938 -4.628906 -1.75 -4.410156 -1.875 -4.171875 C -2.007812 -3.929688 -2.117188 -3.679688 -2.203125 -3.421875 L -2.75 -3.9375 C -2.613281 -4.226562 -2.46875 -4.488281 -2.3125 -4.71875 C -2.15625 -4.957031 -1.988281 -5.171875 -1.8125 -5.359375 C -1.3125 -5.867188 -0.804688 -6.125 -0.296875 -6.125 C 0.210938 -6.125 0.734375 -5.863281 1.265625 -5.34375 Z M 1.265625 -5.34375 "
+ id="path576" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph69-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path579" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph69-1">
+ <path
+ style="stroke:none;"
+ d="M -0.40625 -5.5625 C -0.507812 -5.53125 -0.601562 -5.484375 -0.6875 -5.421875 C -0.78125 -5.367188 -0.875 -5.296875 -0.96875 -5.203125 C -1.289062 -4.867188 -1.425781 -4.507812 -1.375 -4.125 C -1.332031 -3.738281 -1.113281 -3.351562 -0.71875 -2.96875 L 1.140625 -1.15625 L 0.5625 -0.578125 L -2.96875 -4.015625 L -2.390625 -4.59375 L -1.828125 -4.0625 C -1.929688 -4.40625 -1.9375 -4.722656 -1.84375 -5.015625 C -1.757812 -5.304688 -1.582031 -5.585938 -1.3125 -5.859375 C -1.269531 -5.910156 -1.222656 -5.957031 -1.171875 -6 C -1.117188 -6.039062 -1.0625 -6.085938 -1 -6.140625 Z M -0.40625 -5.5625 "
+ id="path582" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph70-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path585" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph70-1">
+ <path
+ style="stroke:none;"
+ d="M -0.640625 -6.203125 L -0.09375 -5.65625 C -0.332031 -5.570312 -0.554688 -5.460938 -0.765625 -5.328125 C -0.984375 -5.191406 -1.1875 -5.03125 -1.375 -4.84375 C -1.65625 -4.550781 -1.816406 -4.289062 -1.859375 -4.0625 C -1.910156 -3.84375 -1.847656 -3.644531 -1.671875 -3.46875 C -1.535156 -3.332031 -1.382812 -3.273438 -1.21875 -3.296875 C -1.050781 -3.328125 -0.773438 -3.46875 -0.390625 -3.71875 L -0.15625 -3.875 C 0.34375 -4.195312 0.753906 -4.363281 1.078125 -4.375 C 1.398438 -4.394531 1.707031 -4.269531 2 -4 C 2.320312 -3.675781 2.453125 -3.289062 2.390625 -2.84375 C 2.335938 -2.394531 2.085938 -1.945312 1.640625 -1.5 C 1.453125 -1.300781 1.238281 -1.117188 1 -0.953125 C 0.769531 -0.785156 0.503906 -0.625 0.203125 -0.46875 L -0.390625 -1.046875 C -0.0664062 -1.160156 0.222656 -1.289062 0.484375 -1.4375 C 0.742188 -1.59375 0.972656 -1.769531 1.171875 -1.96875 C 1.429688 -2.238281 1.585938 -2.492188 1.640625 -2.734375 C 1.691406 -2.984375 1.632812 -3.191406 1.46875 -3.359375 C 1.3125 -3.515625 1.132812 -3.578125 0.9375 -3.546875 C 0.75 -3.523438 0.441406 -3.375 0.015625 -3.09375 L -0.21875 -2.921875 C -0.644531 -2.628906 -1.015625 -2.484375 -1.328125 -2.484375 C -1.640625 -2.484375 -1.9375 -2.617188 -2.21875 -2.890625 C -2.539062 -3.203125 -2.675781 -3.5625 -2.625 -3.96875 C -2.582031 -4.382812 -2.351562 -4.804688 -1.9375 -5.234375 C -1.71875 -5.453125 -1.5 -5.640625 -1.28125 -5.796875 C -1.070312 -5.960938 -0.859375 -6.097656 -0.640625 -6.203125 Z M -0.640625 -6.203125 "
+ id="path588" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph71-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path591" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph71-1">
+ <path
+ style="stroke:none;"
+ d="M -1.203125 -5.015625 C -1.503906 -4.710938 -1.617188 -4.347656 -1.546875 -3.921875 C -1.484375 -3.503906 -1.238281 -3.09375 -0.8125 -2.6875 C -0.394531 -2.269531 0.0195312 -2.03125 0.4375 -1.96875 C 0.851562 -1.914062 1.210938 -2.046875 1.515625 -2.359375 C 1.816406 -2.671875 1.9375 -3.03125 1.875 -3.4375 C 1.8125 -3.851562 1.570312 -4.269531 1.15625 -4.6875 C 0.726562 -5.09375 0.304688 -5.328125 -0.109375 -5.390625 C -0.535156 -5.453125 -0.898438 -5.328125 -1.203125 -5.015625 Z M -1.6875 -5.484375 C -1.195312 -5.992188 -0.644531 -6.234375 -0.03125 -6.203125 C 0.570312 -6.171875 1.164062 -5.875 1.75 -5.3125 C 2.320312 -4.75 2.628906 -4.160156 2.671875 -3.546875 C 2.722656 -2.941406 2.503906 -2.382812 2.015625 -1.875 C 1.523438 -1.375 0.972656 -1.140625 0.359375 -1.171875 C -0.242188 -1.210938 -0.832031 -1.515625 -1.40625 -2.078125 C -1.988281 -2.640625 -2.300781 -3.222656 -2.34375 -3.828125 C -2.394531 -4.429688 -2.175781 -4.984375 -1.6875 -5.484375 Z M -1.6875 -5.484375 "
+ id="path594" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph72-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path597" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph72-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path600" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph72-2">
+ <path
+ style="stroke:none;"
+ d="M -3.1875 -3.796875 L -0.5 -6.546875 L 0.03125 -6.03125 L 0.453125 -1.375 L 2.578125 -3.5625 L 3.03125 -3.109375 L 0.265625 -0.28125 L -0.265625 -0.796875 L -0.671875 -5.4375 L -2.71875 -3.34375 Z M -3.1875 -3.796875 "
+ id="path603" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph73-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path606" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph73-1">
+ <path
+ style="stroke:none;"
+ d="M -2.9375 -4.046875 L -2.375 -4.625 L 1.15625 -1.1875 L 0.59375 -0.609375 Z M -4.3125 -5.390625 L -3.75 -5.96875 L -3 -5.25 L -3.5625 -4.671875 Z M -4.3125 -5.390625 "
+ id="path609" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph74-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path612" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph74-1">
+ <path
+ style="stroke:none;"
+ d="M 0.375 -3.921875 C -0.0703125 -3.460938 -0.332031 -3.09375 -0.40625 -2.8125 C -0.476562 -2.53125 -0.382812 -2.257812 -0.125 -2 C 0.0703125 -1.800781 0.300781 -1.707031 0.5625 -1.71875 C 0.820312 -1.738281 1.0625 -1.863281 1.28125 -2.09375 C 1.59375 -2.414062 1.726562 -2.785156 1.6875 -3.203125 C 1.65625 -3.617188 1.453125 -4.015625 1.078125 -4.390625 L 0.953125 -4.5 Z M 1.265625 -5.34375 L 3.28125 -3.375 L 2.71875 -2.78125 L 2.1875 -3.296875 C 2.257812 -2.960938 2.25 -2.644531 2.15625 -2.34375 C 2.070312 -2.050781 1.894531 -1.757812 1.625 -1.46875 C 1.269531 -1.113281 0.882812 -0.925781 0.46875 -0.90625 C 0.0625 -0.894531 -0.3125 -1.054688 -0.65625 -1.390625 C -1.050781 -1.773438 -1.21875 -2.195312 -1.15625 -2.65625 C -1.101562 -3.125 -0.820312 -3.617188 -0.3125 -4.140625 L 0.484375 -4.953125 L 0.4375 -5 C 0.164062 -5.257812 -0.125 -5.375 -0.4375 -5.34375 C -0.757812 -5.320312 -1.078125 -5.148438 -1.390625 -4.828125 C -1.585938 -4.628906 -1.753906 -4.410156 -1.890625 -4.171875 C -2.023438 -3.929688 -2.128906 -3.675781 -2.203125 -3.40625 L -2.75 -3.9375 C -2.625 -4.226562 -2.476562 -4.488281 -2.3125 -4.71875 C -2.15625 -4.957031 -1.988281 -5.171875 -1.8125 -5.359375 C -1.3125 -5.867188 -0.804688 -6.125 -0.296875 -6.125 C 0.203125 -6.125 0.722656 -5.863281 1.265625 -5.34375 Z M 1.265625 -5.34375 "
+ id="path615" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph74-2">
+ <path
+ style="stroke:none;"
+ d="M -0.40625 -5.5625 C -0.507812 -5.53125 -0.601562 -5.484375 -0.6875 -5.421875 C -0.78125 -5.367188 -0.875 -5.296875 -0.96875 -5.203125 C -1.289062 -4.867188 -1.425781 -4.507812 -1.375 -4.125 C -1.332031 -3.75 -1.113281 -3.367188 -0.71875 -2.984375 L 1.140625 -1.171875 L 0.5625 -0.578125 L -2.96875 -4.015625 L -2.390625 -4.609375 L -1.84375 -4.078125 C -1.9375 -4.410156 -1.9375 -4.722656 -1.84375 -5.015625 C -1.757812 -5.304688 -1.585938 -5.585938 -1.328125 -5.859375 C -1.273438 -5.910156 -1.222656 -5.957031 -1.171875 -6 C -1.117188 -6.039062 -1.0625 -6.085938 -1 -6.140625 Z M -0.40625 -5.5625 "
+ id="path618" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph75-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path621" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph75-1">
+ <path
+ style="stroke:none;"
+ d="M 1.625 -5.484375 L 1.90625 -5.203125 L -0.6875 -2.546875 C -0.269531 -2.179688 0.144531 -2.003906 0.5625 -2.015625 C 0.988281 -2.023438 1.382812 -2.222656 1.75 -2.609375 C 1.96875 -2.828125 2.148438 -3.066406 2.296875 -3.328125 C 2.453125 -3.585938 2.578125 -3.875 2.671875 -4.1875 L 3.234375 -3.65625 C 3.109375 -3.363281 2.960938 -3.082031 2.796875 -2.8125 C 2.628906 -2.550781 2.4375 -2.3125 2.21875 -2.09375 C 1.675781 -1.53125 1.078125 -1.242188 0.421875 -1.234375 C -0.222656 -1.234375 -0.820312 -1.5 -1.375 -2.03125 C -1.957031 -2.601562 -2.265625 -3.207031 -2.296875 -3.84375 C -2.335938 -4.476562 -2.097656 -5.0625 -1.578125 -5.59375 C -1.117188 -6.070312 -0.601562 -6.300781 -0.03125 -6.28125 C 0.539062 -6.257812 1.09375 -5.992188 1.625 -5.484375 Z M 0.890625 -5.078125 C 0.566406 -5.367188 0.226562 -5.519531 -0.125 -5.53125 C -0.488281 -5.550781 -0.8125 -5.421875 -1.09375 -5.140625 C -1.40625 -4.804688 -1.5625 -4.453125 -1.5625 -4.078125 C -1.570312 -3.710938 -1.425781 -3.347656 -1.125 -2.984375 Z M 0.890625 -5.078125 "
+ id="path624" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph76-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path627" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph76-1">
+ <path
+ style="stroke:none;"
+ d="M -3.1875 -3.796875 L -0.5 -6.546875 L 0.03125 -6.03125 L 0.453125 -1.375 L 2.578125 -3.5625 L 3.03125 -3.109375 L 0.265625 -0.28125 L -0.265625 -0.796875 L -0.671875 -5.4375 L -2.71875 -3.34375 Z M -3.1875 -3.796875 "
+ id="path630" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph76-2">
+ <path
+ style="stroke:none;"
+ d="M -0.640625 -6.203125 L -0.09375 -5.65625 C -0.332031 -5.570312 -0.554688 -5.460938 -0.765625 -5.328125 C -0.984375 -5.191406 -1.1875 -5.03125 -1.375 -4.84375 C -1.65625 -4.550781 -1.816406 -4.289062 -1.859375 -4.0625 C -1.910156 -3.84375 -1.847656 -3.644531 -1.671875 -3.46875 C -1.535156 -3.332031 -1.382812 -3.28125 -1.21875 -3.3125 C -1.050781 -3.34375 -0.773438 -3.476562 -0.390625 -3.71875 L -0.15625 -3.875 C 0.34375 -4.195312 0.753906 -4.363281 1.078125 -4.375 C 1.398438 -4.394531 1.707031 -4.269531 2 -4 C 2.320312 -3.675781 2.453125 -3.289062 2.390625 -2.84375 C 2.335938 -2.394531 2.085938 -1.945312 1.640625 -1.5 C 1.453125 -1.300781 1.238281 -1.117188 1 -0.953125 C 0.769531 -0.785156 0.503906 -0.625 0.203125 -0.46875 L -0.390625 -1.046875 C -0.0664062 -1.160156 0.222656 -1.289062 0.484375 -1.4375 C 0.742188 -1.59375 0.972656 -1.769531 1.171875 -1.96875 C 1.429688 -2.238281 1.585938 -2.492188 1.640625 -2.734375 C 1.691406 -2.984375 1.632812 -3.191406 1.46875 -3.359375 C 1.3125 -3.515625 1.132812 -3.578125 0.9375 -3.546875 C 0.75 -3.523438 0.441406 -3.375 0.015625 -3.09375 L -0.21875 -2.921875 C -0.644531 -2.628906 -1.015625 -2.484375 -1.328125 -2.484375 C -1.640625 -2.484375 -1.9375 -2.617188 -2.21875 -2.890625 C -2.539062 -3.203125 -2.675781 -3.5625 -2.625 -3.96875 C -2.582031 -4.382812 -2.351562 -4.804688 -1.9375 -5.234375 C -1.71875 -5.453125 -1.5 -5.640625 -1.28125 -5.796875 C -1.070312 -5.960938 -0.859375 -6.097656 -0.640625 -6.203125 Z M -0.640625 -6.203125 "
+ id="path633" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph77-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path636" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph77-1">
+ <path
+ style="stroke:none;"
+ d="M -3.1875 -3.796875 L -0.5 -6.546875 L 0.03125 -6.03125 L 0.453125 -1.375 L 2.578125 -3.5625 L 3.03125 -3.109375 L 0.265625 -0.28125 L -0.265625 -0.796875 L -0.671875 -5.4375 L -2.71875 -3.34375 Z M -3.1875 -3.796875 "
+ id="path639" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph77-2">
+ <path
+ style="stroke:none;"
+ d="M -1.203125 -5.015625 C -1.503906 -4.710938 -1.617188 -4.347656 -1.546875 -3.921875 C -1.484375 -3.503906 -1.238281 -3.09375 -0.8125 -2.6875 C -0.394531 -2.269531 0.0195312 -2.03125 0.4375 -1.96875 C 0.851562 -1.914062 1.210938 -2.046875 1.515625 -2.359375 C 1.816406 -2.671875 1.9375 -3.035156 1.875 -3.453125 C 1.8125 -3.867188 1.570312 -4.285156 1.15625 -4.703125 C 0.726562 -5.109375 0.304688 -5.335938 -0.109375 -5.390625 C -0.535156 -5.453125 -0.898438 -5.328125 -1.203125 -5.015625 Z M -1.6875 -5.484375 C -1.195312 -5.992188 -0.644531 -6.234375 -0.03125 -6.203125 C 0.570312 -6.171875 1.164062 -5.875 1.75 -5.3125 C 2.320312 -4.75 2.628906 -4.160156 2.671875 -3.546875 C 2.722656 -2.941406 2.503906 -2.382812 2.015625 -1.875 C 1.523438 -1.375 0.972656 -1.140625 0.359375 -1.171875 C -0.242188 -1.210938 -0.832031 -1.515625 -1.40625 -2.078125 C -1.988281 -2.640625 -2.300781 -3.222656 -2.34375 -3.828125 C -2.394531 -4.429688 -2.175781 -4.984375 -1.6875 -5.484375 Z M -1.6875 -5.484375 "
+ id="path642" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph77-3">
+ <path
+ style="stroke:none;"
+ d="M -0.296875 -8.390625 L 0.375 -7.734375 C -0.03125 -7.703125 -0.398438 -7.613281 -0.734375 -7.46875 C -1.078125 -7.320312 -1.378906 -7.117188 -1.640625 -6.859375 C -2.160156 -6.316406 -2.394531 -5.738281 -2.34375 -5.125 C -2.300781 -4.519531 -1.96875 -3.921875 -1.34375 -3.328125 C -0.726562 -2.722656 -0.117188 -2.398438 0.484375 -2.359375 C 1.097656 -2.328125 1.664062 -2.582031 2.1875 -3.125 C 2.445312 -3.382812 2.644531 -3.679688 2.78125 -4.015625 C 2.925781 -4.359375 3.003906 -4.738281 3.015625 -5.15625 L 3.6875 -4.5 C 3.613281 -4.125 3.492188 -3.773438 3.328125 -3.453125 C 3.171875 -3.140625 2.953125 -2.84375 2.671875 -2.5625 C 1.984375 -1.851562 1.21875 -1.503906 0.375 -1.515625 C -0.457031 -1.535156 -1.25 -1.914062 -2 -2.65625 C -2.757812 -3.382812 -3.15625 -4.164062 -3.1875 -5 C -3.226562 -5.84375 -2.90625 -6.617188 -2.21875 -7.328125 C -1.9375 -7.609375 -1.632812 -7.835938 -1.3125 -8.015625 C -0.988281 -8.191406 -0.648438 -8.316406 -0.296875 -8.390625 Z M -0.296875 -8.390625 "
+ id="path645" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph78-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path648" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph78-1">
+ <path
+ style="stroke:none;"
+ d="M -2.9375 -4.046875 L -2.375 -4.625 L 1.15625 -1.1875 L 0.59375 -0.609375 Z M -4.3125 -5.390625 L -3.75 -5.96875 L -3 -5.25 L -3.5625 -4.671875 Z M -4.3125 -5.390625 "
+ id="path651" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph79-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path654" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph79-1">
+ <path
+ style="stroke:none;"
+ d="M -3.34375 -3.625 L -2.75 -4.25 L 1.28125 -2.46875 L -0.59375 -6.453125 L 0 -7.0625 L 2.25 -2.3125 L 1.46875 -1.515625 Z M -3.34375 -3.625 "
+ id="path657" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph79-2">
+ <path
+ style="stroke:none;"
+ d="M -1.1875 -7.875 L -0.5625 -7.28125 C -0.90625 -7.144531 -1.207031 -7 -1.46875 -6.84375 C -1.738281 -6.6875 -1.972656 -6.507812 -2.171875 -6.3125 C -2.515625 -5.957031 -2.707031 -5.617188 -2.75 -5.296875 C -2.800781 -4.984375 -2.703125 -4.707031 -2.453125 -4.46875 C -2.242188 -4.257812 -2.023438 -4.164062 -1.796875 -4.1875 C -1.566406 -4.21875 -1.253906 -4.367188 -0.859375 -4.640625 L -0.390625 -4.953125 C 0.160156 -5.347656 0.65625 -5.546875 1.09375 -5.546875 C 1.539062 -5.554688 1.957031 -5.375 2.34375 -5 C 2.800781 -4.550781 3 -4.054688 2.9375 -3.515625 C 2.875 -2.984375 2.554688 -2.425781 1.984375 -1.84375 C 1.765625 -1.613281 1.503906 -1.394531 1.203125 -1.1875 C 0.910156 -0.988281 0.582031 -0.8125 0.21875 -0.65625 L -0.421875 -1.296875 C -0.0351562 -1.398438 0.3125 -1.539062 0.625 -1.71875 C 0.945312 -1.90625 1.226562 -2.117188 1.46875 -2.359375 C 1.8125 -2.710938 2.007812 -3.054688 2.0625 -3.390625 C 2.113281 -3.722656 2.003906 -4.019531 1.734375 -4.28125 C 1.503906 -4.507812 1.253906 -4.613281 0.984375 -4.59375 C 0.722656 -4.582031 0.40625 -4.445312 0.03125 -4.1875 L -0.4375 -3.875 C -1 -3.5 -1.476562 -3.300781 -1.875 -3.28125 C -2.28125 -3.257812 -2.664062 -3.425781 -3.03125 -3.78125 C -3.4375 -4.175781 -3.617188 -4.640625 -3.578125 -5.171875 C -3.546875 -5.703125 -3.28125 -6.226562 -2.78125 -6.75 C -2.5625 -6.96875 -2.316406 -7.171875 -2.046875 -7.359375 C -1.785156 -7.546875 -1.5 -7.71875 -1.1875 -7.875 Z M -1.1875 -7.875 "
+ id="path660" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph79-3">
+ <path
+ style="stroke:none;"
+ d="M -1.203125 -5.015625 C -1.503906 -4.710938 -1.617188 -4.347656 -1.546875 -3.921875 C -1.484375 -3.503906 -1.238281 -3.09375 -0.8125 -2.6875 C -0.394531 -2.269531 0.0195312 -2.03125 0.4375 -1.96875 C 0.851562 -1.914062 1.210938 -2.046875 1.515625 -2.359375 C 1.816406 -2.671875 1.9375 -3.035156 1.875 -3.453125 C 1.8125 -3.867188 1.570312 -4.285156 1.15625 -4.703125 C 0.726562 -5.109375 0.304688 -5.335938 -0.109375 -5.390625 C -0.535156 -5.453125 -0.898438 -5.328125 -1.203125 -5.015625 Z M -1.6875 -5.484375 C -1.195312 -5.992188 -0.644531 -6.234375 -0.03125 -6.203125 C 0.570312 -6.171875 1.164062 -5.875 1.75 -5.3125 C 2.320312 -4.75 2.628906 -4.160156 2.671875 -3.546875 C 2.722656 -2.941406 2.503906 -2.382812 2.015625 -1.875 C 1.523438 -1.375 0.972656 -1.140625 0.359375 -1.171875 C -0.242188 -1.210938 -0.832031 -1.515625 -1.40625 -2.078125 C -1.988281 -2.640625 -2.300781 -3.222656 -2.34375 -3.828125 C -2.394531 -4.429688 -2.175781 -4.984375 -1.6875 -5.484375 Z M -1.6875 -5.484375 "
+ id="path663" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph80-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path666" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph80-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path669" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph81-0">
+ <path
+ style="stroke:none;"
+ d="M 1.453125 0.78125 L -4.234375 -4.75 L -1.09375 -7.96875 L 4.59375 -2.4375 Z M 1.453125 0.078125 L 3.890625 -2.421875 L -1.078125 -7.265625 L -3.515625 -4.765625 Z M 1.453125 0.078125 "
+ id="path672" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph81-1">
+ <path
+ style="stroke:none;"
+ d="M -0.40625 -5.5625 C -0.507812 -5.53125 -0.601562 -5.484375 -0.6875 -5.421875 C -0.78125 -5.367188 -0.875 -5.296875 -0.96875 -5.203125 C -1.289062 -4.867188 -1.425781 -4.507812 -1.375 -4.125 C -1.332031 -3.738281 -1.113281 -3.351562 -0.71875 -2.96875 L 1.140625 -1.15625 L 0.5625 -0.578125 L -2.96875 -4.015625 L -2.390625 -4.59375 L -1.84375 -4.0625 C -1.9375 -4.40625 -1.9375 -4.722656 -1.84375 -5.015625 C -1.757812 -5.304688 -1.582031 -5.585938 -1.3125 -5.859375 C -1.269531 -5.910156 -1.222656 -5.957031 -1.171875 -6 C -1.117188 -6.039062 -1.0625 -6.085938 -1 -6.140625 Z M -0.40625 -5.5625 "
+ id="path675" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph82-0">
+ <path
+ style="stroke:none;"
+ d="M 0.578125 1.5625 L -0.046875 -6.359375 L 4.4375 -6.71875 L 5.0625 1.203125 Z M 1.03125 1.015625 L 4.515625 0.75 L 3.984375 -6.171875 L 0.5 -5.90625 Z M 1.03125 1.015625 "
+ id="path678" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph82-1">
+ <path
+ style="stroke:none;"
+ d="M 2.5625 -0.203125 L -0.4375 -6.546875 L 0.484375 -6.625 L 2.984375 -1.265625 L 4.625 -6.953125 L 5.546875 -7.015625 L 3.5625 -0.28125 Z M 2.5625 -0.203125 "
+ id="path681" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph83-0">
+ <path
+ style="stroke:none;"
+ d="M 0.578125 1.5625 L -0.046875 -6.359375 L 4.4375 -6.71875 L 5.0625 1.203125 Z M 1.03125 1.015625 L 4.515625 0.75 L 3.984375 -6.171875 L 0.5 -5.90625 Z M 1.03125 1.015625 "
+ id="path684" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph83-1">
+ <path
+ style="stroke:none;"
+ d="M 0.453125 -4.96875 L 1.265625 -5.03125 L 1.65625 -0.125 L 0.84375 -0.0625 Z M 0.3125 -6.890625 L 1.125 -6.953125 L 1.203125 -5.921875 L 0.390625 -5.859375 Z M 0.3125 -6.890625 "
+ id="path687" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph83-2">
+ <path
+ style="stroke:none;"
+ d="M 0.3125 -6.890625 L 1.125 -6.953125 L 1.65625 -0.125 L 0.84375 -0.0625 Z M 0.3125 -6.890625 "
+ id="path690" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph84-0">
+ <path
+ style="stroke:none;"
+ d="M 0.578125 1.5625 L -0.046875 -6.359375 L 4.4375 -6.71875 L 5.0625 1.203125 Z M 1.03125 1.015625 L 4.515625 0.75 L 3.984375 -6.171875 L 0.5 -5.90625 Z M 1.03125 1.015625 "
+ id="path693" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph84-1">
+ <path
+ style="stroke:none;"
+ d="M 2.875 -2.703125 C 2.238281 -2.660156 1.796875 -2.554688 1.546875 -2.390625 C 1.304688 -2.222656 1.203125 -1.957031 1.234375 -1.59375 C 1.253906 -1.3125 1.363281 -1.09375 1.5625 -0.9375 C 1.769531 -0.78125 2.035156 -0.710938 2.359375 -0.734375 C 2.796875 -0.765625 3.140625 -0.945312 3.390625 -1.28125 C 3.640625 -1.625 3.742188 -2.0625 3.703125 -2.59375 L 3.6875 -2.765625 Z M 4.46875 -3.15625 L 4.6875 -0.359375 L 3.875 -0.296875 L 3.8125 -1.046875 C 3.65625 -0.734375 3.441406 -0.492188 3.171875 -0.328125 C 2.910156 -0.171875 2.585938 -0.078125 2.203125 -0.046875 C 1.703125 -0.00390625 1.289062 -0.113281 0.96875 -0.375 C 0.644531 -0.632812 0.46875 -1.003906 0.4375 -1.484375 C 0.394531 -2.035156 0.546875 -2.460938 0.890625 -2.765625 C 1.234375 -3.066406 1.765625 -3.25 2.484375 -3.3125 L 3.625 -3.390625 L 3.625 -3.46875 C 3.59375 -3.84375 3.445312 -4.125 3.1875 -4.3125 C 2.925781 -4.5 2.578125 -4.570312 2.140625 -4.53125 C 1.859375 -4.507812 1.585938 -4.453125 1.328125 -4.359375 C 1.066406 -4.273438 0.820312 -4.160156 0.59375 -4.015625 L 0.546875 -4.765625 C 0.828125 -4.898438 1.101562 -5.003906 1.375 -5.078125 C 1.65625 -5.160156 1.921875 -5.210938 2.171875 -5.234375 C 2.878906 -5.285156 3.421875 -5.140625 3.796875 -4.796875 C 4.179688 -4.453125 4.40625 -3.90625 4.46875 -3.15625 Z M 4.46875 -3.15625 "
+ id="path696" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph84-2">
+ <path
+ style="stroke:none;"
+ d="M 4.84375 -3.03125 L 4.875 -2.65625 L 1.171875 -2.375 C 1.242188 -1.820312 1.441406 -1.410156 1.765625 -1.140625 C 2.085938 -0.867188 2.507812 -0.753906 3.03125 -0.796875 C 3.34375 -0.828125 3.640625 -0.890625 3.921875 -0.984375 C 4.210938 -1.078125 4.5 -1.210938 4.78125 -1.390625 L 4.84375 -0.625 C 4.5625 -0.476562 4.269531 -0.363281 3.96875 -0.28125 C 3.664062 -0.195312 3.359375 -0.140625 3.046875 -0.109375 C 2.273438 -0.046875 1.640625 -0.222656 1.140625 -0.640625 C 0.648438 -1.066406 0.375 -1.664062 0.3125 -2.4375 C 0.25 -3.238281 0.414062 -3.894531 0.8125 -4.40625 C 1.207031 -4.914062 1.769531 -5.203125 2.5 -5.265625 C 3.164062 -5.304688 3.707031 -5.128906 4.125 -4.734375 C 4.539062 -4.335938 4.78125 -3.769531 4.84375 -3.03125 Z M 4 -3.21875 C 3.957031 -3.65625 3.804688 -4 3.546875 -4.25 C 3.285156 -4.5 2.957031 -4.609375 2.5625 -4.578125 C 2.113281 -4.535156 1.765625 -4.375 1.515625 -4.09375 C 1.265625 -3.820312 1.140625 -3.453125 1.140625 -2.984375 Z M 4 -3.21875 "
+ id="path699" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph85-0">
+ <path
+ style="stroke:none;"
+ d="M 0.578125 1.5625 L -0.046875 -6.359375 L 4.4375 -6.71875 L 5.0625 1.203125 Z M 1.03125 1.015625 L 4.515625 0.75 L 3.984375 -6.171875 L 0.5 -5.90625 Z M 1.03125 1.015625 "
+ id="path702" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph85-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path705" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph86-0">
+ <path
+ style="stroke:none;"
+ d="M 0.578125 1.5625 L -0.046875 -6.359375 L 4.4375 -6.71875 L 5.0625 1.203125 Z M 1.03125 1.015625 L 4.515625 0.75 L 3.984375 -6.171875 L 0.5 -5.90625 Z M 1.03125 1.015625 "
+ id="path708" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph86-1">
+ <path
+ style="stroke:none;"
+ d="M 0.375 -6.609375 L 1.5625 -6.703125 L 4.890625 -1.46875 L 4.453125 -6.9375 L 5.3125 -7 L 5.828125 -0.453125 L 4.640625 -0.359375 L 1.328125 -5.609375 L 1.75 -0.140625 L 0.890625 -0.0625 Z M 0.375 -6.609375 "
+ id="path711" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph87-0">
+ <path
+ style="stroke:none;"
+ d="M 0.578125 1.5625 L -0.046875 -6.359375 L 4.4375 -6.71875 L 5.0625 1.203125 Z M 1.03125 1.015625 L 4.515625 0.75 L 3.984375 -6.171875 L 0.5 -5.90625 Z M 1.03125 1.015625 "
+ id="path714" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph87-1">
+ <path
+ style="stroke:none;"
+ d="M 2.390625 -4.5625 C 1.972656 -4.53125 1.648438 -4.332031 1.421875 -3.96875 C 1.191406 -3.613281 1.101562 -3.144531 1.15625 -2.5625 C 1.195312 -1.976562 1.351562 -1.523438 1.625 -1.203125 C 1.90625 -0.878906 2.257812 -0.738281 2.6875 -0.78125 C 3.125 -0.8125 3.453125 -1.003906 3.671875 -1.359375 C 3.898438 -1.722656 3.992188 -2.195312 3.953125 -2.78125 C 3.898438 -3.351562 3.734375 -3.800781 3.453125 -4.125 C 3.179688 -4.445312 2.828125 -4.59375 2.390625 -4.5625 Z M 2.34375 -5.25 C 3.050781 -5.300781 3.625 -5.113281 4.0625 -4.6875 C 4.5 -4.257812 4.75 -3.644531 4.8125 -2.84375 C 4.875 -2.039062 4.722656 -1.394531 4.359375 -0.90625 C 3.992188 -0.414062 3.457031 -0.144531 2.75 -0.09375 C 2.0625 -0.0390625 1.5 -0.222656 1.0625 -0.640625 C 0.625 -1.066406 0.375 -1.679688 0.3125 -2.484375 C 0.25 -3.285156 0.398438 -3.929688 0.765625 -4.421875 C 1.128906 -4.921875 1.65625 -5.195312 2.34375 -5.25 Z M 2.34375 -5.25 "
+ id="path717" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph88-0">
+ <path
+ style="stroke:none;"
+ d="M 0.640625 1.53125 L -0.3125 -6.34375 L 4.15625 -6.890625 L 5.109375 0.984375 Z M 1.078125 0.96875 L 4.546875 0.546875 L 3.71875 -6.328125 L 0.25 -5.90625 Z M 1.078125 0.96875 "
+ id="path720" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph88-1">
+ <path
+ style="stroke:none;"
+ d="M 2.5625 -0.3125 L -0.703125 -6.53125 L 0.21875 -6.640625 L 2.9375 -1.40625 L 4.34375 -7.140625 L 5.25 -7.25 L 3.546875 -0.421875 Z M 2.5625 -0.3125 "
+ id="path723" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph89-0">
+ <path
+ style="stroke:none;"
+ d="M 0.640625 1.53125 L -0.3125 -6.34375 L 4.15625 -6.890625 L 5.109375 0.984375 Z M 1.078125 0.96875 L 4.546875 0.546875 L 3.71875 -6.328125 L 0.25 -5.90625 Z M 1.078125 0.96875 "
+ id="path726" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph89-1">
+ <path
+ style="stroke:none;"
+ d="M 0.25 -4.984375 L 1.046875 -5.09375 L 1.640625 -0.203125 L 0.84375 -0.09375 Z M 0.03125 -6.890625 L 0.828125 -7 L 0.9375 -5.96875 L 0.140625 -5.859375 Z M 0.03125 -6.890625 "
+ id="path729" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph90-0">
+ <path
+ style="stroke:none;"
+ d="M 0.640625 1.53125 L -0.3125 -6.34375 L 4.15625 -6.890625 L 5.109375 0.984375 Z M 1.078125 0.96875 L 4.546875 0.546875 L 3.71875 -6.328125 L 0.25 -5.90625 Z M 1.078125 0.96875 "
+ id="path732" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph90-1">
+ <path
+ style="stroke:none;"
+ d="M 2.765625 -2.828125 C 2.117188 -2.742188 1.675781 -2.613281 1.4375 -2.4375 C 1.195312 -2.257812 1.101562 -1.988281 1.15625 -1.625 C 1.1875 -1.351562 1.304688 -1.144531 1.515625 -1 C 1.734375 -0.851562 2.003906 -0.796875 2.328125 -0.828125 C 2.773438 -0.890625 3.113281 -1.09375 3.34375 -1.4375 C 3.570312 -1.78125 3.648438 -2.21875 3.578125 -2.75 L 3.5625 -2.921875 Z M 4.328125 -3.359375 L 4.671875 -0.5625 L 3.859375 -0.46875 L 3.765625 -1.21875 C 3.617188 -0.894531 3.414062 -0.644531 3.15625 -0.46875 C 2.90625 -0.289062 2.582031 -0.179688 2.1875 -0.140625 C 1.6875 -0.078125 1.269531 -0.164062 0.9375 -0.40625 C 0.613281 -0.65625 0.425781 -1.015625 0.375 -1.484375 C 0.3125 -2.035156 0.441406 -2.472656 0.765625 -2.796875 C 1.097656 -3.128906 1.628906 -3.335938 2.359375 -3.421875 L 3.484375 -3.5625 L 3.484375 -3.640625 C 3.429688 -4.003906 3.273438 -4.269531 3.015625 -4.4375 C 2.753906 -4.613281 2.398438 -4.675781 1.953125 -4.625 C 1.671875 -4.59375 1.398438 -4.523438 1.140625 -4.421875 C 0.878906 -4.328125 0.644531 -4.195312 0.4375 -4.03125 L 0.34375 -4.78125 C 0.613281 -4.925781 0.882812 -5.046875 1.15625 -5.140625 C 1.425781 -5.234375 1.691406 -5.296875 1.953125 -5.328125 C 2.648438 -5.410156 3.195312 -5.285156 3.59375 -4.953125 C 4 -4.628906 4.242188 -4.097656 4.328125 -3.359375 Z M 4.328125 -3.359375 "
+ id="path735" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph91-0">
+ <path
+ style="stroke:none;"
+ d="M 0.640625 1.53125 L -0.3125 -6.34375 L 4.15625 -6.890625 L 5.109375 0.984375 Z M 1.078125 0.96875 L 4.546875 0.546875 L 3.71875 -6.328125 L 0.25 -5.90625 Z M 1.078125 0.96875 "
+ id="path738" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph91-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path741" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph92-0">
+ <path
+ style="stroke:none;"
+ d="M 0.640625 1.53125 L -0.3125 -6.34375 L 4.15625 -6.890625 L 5.109375 0.984375 Z M 1.078125 0.96875 L 4.546875 0.546875 L 3.71875 -6.328125 L 0.25 -5.90625 Z M 1.078125 0.96875 "
+ id="path744" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph92-1">
+ <path
+ style="stroke:none;"
+ d="M 2.5625 -0.3125 L -0.703125 -6.53125 L 0.21875 -6.640625 L 2.9375 -1.40625 L 4.34375 -7.140625 L 5.25 -7.25 L 3.546875 -0.421875 Z M 2.5625 -0.3125 "
+ id="path747" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph93-0">
+ <path
+ style="stroke:none;"
+ d="M 0.640625 1.53125 L -0.3125 -6.34375 L 4.15625 -6.890625 L 5.109375 0.984375 Z M 1.078125 0.96875 L 4.546875 0.546875 L 3.71875 -6.328125 L 0.25 -5.90625 Z M 1.078125 0.96875 "
+ id="path750" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph93-1">
+ <path
+ style="stroke:none;"
+ d="M 0.25 -4.984375 L 1.046875 -5.09375 L 1.640625 -0.203125 L 0.84375 -0.09375 Z M 0.03125 -6.890625 L 0.828125 -7 L 0.9375 -5.96875 L 0.140625 -5.859375 Z M 0.03125 -6.890625 "
+ id="path753" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph94-0">
+ <path
+ style="stroke:none;"
+ d="M 0.640625 1.53125 L -0.3125 -6.34375 L 4.15625 -6.890625 L 5.109375 0.984375 Z M 1.078125 0.96875 L 4.546875 0.546875 L 3.71875 -6.328125 L 0.25 -5.90625 Z M 1.078125 0.96875 "
+ id="path756" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph94-1">
+ <path
+ style="stroke:none;"
+ d="M 0.53125 -2.015625 L 0.171875 -4.984375 L 0.96875 -5.078125 L 1.328125 -2.140625 C 1.378906 -1.679688 1.507812 -1.347656 1.71875 -1.140625 C 1.9375 -0.929688 2.222656 -0.847656 2.578125 -0.890625 C 3.003906 -0.941406 3.328125 -1.117188 3.546875 -1.421875 C 3.765625 -1.722656 3.847656 -2.113281 3.796875 -2.59375 L 3.453125 -5.375 L 4.265625 -5.46875 L 4.859375 -0.578125 L 4.046875 -0.484375 L 3.953125 -1.234375 C 3.796875 -0.921875 3.597656 -0.675781 3.359375 -0.5 C 3.117188 -0.320312 2.828125 -0.210938 2.484375 -0.171875 C 1.921875 -0.109375 1.472656 -0.234375 1.140625 -0.546875 C 0.816406 -0.859375 0.613281 -1.347656 0.53125 -2.015625 Z M 2.171875 -5.34375 Z M 1.734375 -7.46875 L 3.15625 -5.984375 L 2.5 -5.890625 L 0.875 -7.359375 Z M 1.734375 -7.46875 "
+ id="path759" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph95-0">
+ <path
+ style="stroke:none;"
+ d="M 0.0625 1.65625 L 1.953125 -6.046875 L 6.328125 -4.96875 L 4.4375 2.734375 Z M 0.65625 1.296875 L 4.0625 2.125 L 5.71875 -4.609375 L 2.3125 -5.4375 Z M 0.65625 1.296875 "
+ id="path762" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph95-1">
+ <path
+ style="stroke:none;"
+ d="M 5.5625 -1.375 L 5.46875 -1 L 1.859375 -1.875 C 1.742188 -1.332031 1.800781 -0.882812 2.03125 -0.53125 C 2.257812 -0.175781 2.628906 0.0625 3.140625 0.1875 C 3.441406 0.257812 3.742188 0.296875 4.046875 0.296875 C 4.347656 0.296875 4.660156 0.253906 4.984375 0.171875 L 4.796875 0.90625 C 4.484375 0.96875 4.171875 0.992188 3.859375 0.984375 C 3.546875 0.972656 3.234375 0.929688 2.921875 0.859375 C 2.171875 0.671875 1.625 0.300781 1.28125 -0.25 C 0.945312 -0.8125 0.875 -1.46875 1.0625 -2.21875 C 1.25 -3 1.609375 -3.570312 2.140625 -3.9375 C 2.679688 -4.300781 3.3125 -4.394531 4.03125 -4.21875 C 4.675781 -4.050781 5.132812 -3.710938 5.40625 -3.203125 C 5.675781 -2.703125 5.726562 -2.09375 5.5625 -1.375 Z M 4.8125 -1.8125 C 4.90625 -2.226562 4.867188 -2.59375 4.703125 -2.90625 C 4.546875 -3.226562 4.273438 -3.4375 3.890625 -3.53125 C 3.441406 -3.644531 3.050781 -3.609375 2.71875 -3.421875 C 2.394531 -3.234375 2.15625 -2.921875 2 -2.484375 Z M 4.8125 -1.8125 "
+ id="path765" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph96-0">
+ <path
+ style="stroke:none;"
+ d="M 0.0625 1.65625 L 1.953125 -6.046875 L 6.328125 -4.96875 L 4.4375 2.734375 Z M 0.65625 1.296875 L 4.0625 2.125 L 5.71875 -4.609375 L 2.3125 -5.4375 Z M 0.65625 1.296875 "
+ id="path768" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph96-1">
+ <path
+ style="stroke:none;"
+ d="M 2.4375 -6.4375 L 3.234375 -6.25 L 1.609375 0.390625 L 0.8125 0.203125 Z M 2.4375 -6.4375 "
+ id="path771" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph97-0">
+ <path
+ style="stroke:none;"
+ d="M -0.390625 1.609375 L 3.5 -5.3125 L 7.421875 -3.109375 L 3.53125 3.8125 Z M 0.296875 1.421875 L 3.359375 3.125 L 6.75 -2.921875 L 3.6875 -4.625 Z M 0.296875 1.421875 "
+ id="path774" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph97-1">
+ <path
+ style="stroke:none;"
+ d="M 4.515625 -2.453125 C 4.148438 -2.660156 3.773438 -2.679688 3.390625 -2.515625 C 3.003906 -2.347656 2.664062 -2.003906 2.375 -1.484375 C 2.082031 -0.972656 1.960938 -0.503906 2.015625 -0.078125 C 2.078125 0.335938 2.296875 0.648438 2.671875 0.859375 C 3.054688 1.078125 3.4375 1.097656 3.8125 0.921875 C 4.195312 0.742188 4.535156 0.398438 4.828125 -0.109375 C 5.109375 -0.617188 5.222656 -1.082031 5.171875 -1.5 C 5.117188 -1.914062 4.898438 -2.234375 4.515625 -2.453125 Z M 4.859375 -3.0625 C 5.484375 -2.71875 5.859375 -2.242188 5.984375 -1.640625 C 6.109375 -1.046875 5.972656 -0.394531 5.578125 0.3125 C 5.179688 1.007812 4.695312 1.457031 4.125 1.65625 C 3.550781 1.863281 2.953125 1.796875 2.328125 1.453125 C 1.722656 1.109375 1.359375 0.640625 1.234375 0.046875 C 1.109375 -0.546875 1.242188 -1.191406 1.640625 -1.890625 C 2.035156 -2.597656 2.519531 -3.054688 3.09375 -3.265625 C 3.664062 -3.472656 4.253906 -3.40625 4.859375 -3.0625 Z M 4.859375 -3.0625 "
+ id="path777" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph98-0">
+ <path
+ style="stroke:none;"
+ d="M -0.625 1.53125 L 4.28125 -4.703125 L 7.8125 -1.921875 L 2.90625 4.3125 Z M 0.078125 1.453125 L 2.828125 3.609375 L 7.109375 -1.84375 L 4.359375 -4 Z M 0.078125 1.453125 "
+ id="path780" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph98-1">
+ <path
+ style="stroke:none;"
+ d="M 4.765625 -4.609375 L 5.703125 -3.875 L 4.59375 2.234375 L 7.984375 -2.078125 L 8.65625 -1.546875 L 4.59375 3.609375 L 3.65625 2.875 L 4.765625 -3.234375 L 1.375 1.078125 L 0.703125 0.546875 Z M 4.765625 -4.609375 "
+ id="path783" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph99-0">
+ <path
+ style="stroke:none;"
+ d="M -0.625 1.53125 L 4.265625 -4.71875 L 7.8125 -1.953125 L 2.921875 4.296875 Z M 0.078125 1.453125 L 2.84375 3.59375 L 7.109375 -1.875 L 4.34375 -4.015625 Z M 0.078125 1.453125 "
+ id="path786" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph99-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path789" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph100-0">
+ <path
+ style="stroke:none;"
+ d="M -0.625 1.53125 L 4.265625 -4.71875 L 7.8125 -1.953125 L 2.921875 4.296875 Z M 0.078125 1.453125 L 2.84375 3.59375 L 7.109375 -1.875 L 4.34375 -4.015625 Z M 0.078125 1.453125 "
+ id="path792" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph100-1">
+ <path
+ style="stroke:none;"
+ d="M 3.9375 -0.0625 C 3.425781 -0.457031 3.023438 -0.671875 2.734375 -0.703125 C 2.453125 -0.742188 2.195312 -0.625 1.96875 -0.34375 C 1.800781 -0.125 1.738281 0.109375 1.78125 0.359375 C 1.832031 0.617188 1.984375 0.847656 2.234375 1.046875 C 2.585938 1.316406 2.96875 1.410156 3.375 1.328125 C 3.78125 1.242188 4.144531 0.992188 4.46875 0.578125 L 4.578125 0.4375 Z M 5.4375 0.671875 L 3.703125 2.890625 L 3.0625 2.390625 L 3.53125 1.796875 C 3.195312 1.921875 2.875 1.953125 2.5625 1.890625 C 2.257812 1.828125 1.953125 1.675781 1.640625 1.4375 C 1.253906 1.132812 1.03125 0.78125 0.96875 0.375 C 0.90625 -0.0195312 1.023438 -0.410156 1.328125 -0.796875 C 1.660156 -1.222656 2.054688 -1.4375 2.515625 -1.4375 C 2.984375 -1.4375 3.503906 -1.210938 4.078125 -0.765625 L 4.96875 -0.0625 L 5.015625 -0.125 C 5.253906 -0.414062 5.335938 -0.71875 5.265625 -1.03125 C 5.203125 -1.34375 4.992188 -1.632812 4.640625 -1.90625 C 4.421875 -2.082031 4.1875 -2.222656 3.9375 -2.328125 C 3.6875 -2.441406 3.425781 -2.515625 3.15625 -2.546875 L 3.609375 -3.140625 C 3.910156 -3.054688 4.1875 -2.953125 4.4375 -2.828125 C 4.695312 -2.703125 4.929688 -2.5625 5.140625 -2.40625 C 5.703125 -1.96875 6.003906 -1.492188 6.046875 -0.984375 C 6.097656 -0.472656 5.894531 0.078125 5.4375 0.671875 Z M 5.4375 0.671875 "
+ id="path795" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph100-2">
+ <path
+ style="stroke:none;"
+ d="M 2.03125 1.578125 L 4.09375 -5.125 L 4.8125 -4.5625 L 3.0625 1.078125 L 8.09375 -2 L 8.828125 -1.4375 L 2.828125 2.203125 Z M 2.03125 1.578125 "
+ id="path798" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph101-0">
+ <path
+ style="stroke:none;"
+ d="M -0.625 1.53125 L 4.265625 -4.71875 L 7.8125 -1.953125 L 2.921875 4.296875 Z M 0.078125 1.453125 L 2.84375 3.59375 L 7.109375 -1.875 L 4.34375 -4.015625 Z M 0.078125 1.453125 "
+ id="path801" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph101-1">
+ <path
+ style="stroke:none;"
+ d="M 3.703125 -3.359375 L 4.34375 -2.859375 L 1.3125 1.015625 L 0.671875 0.515625 Z M 4.875 -4.875 L 5.515625 -4.375 L 4.890625 -3.5625 L 4.25 -4.0625 Z M 4.875 -4.875 "
+ id="path804" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph102-0">
+ <path
+ style="stroke:none;"
+ d="M -1.515625 0.671875 L 6.34375 -0.421875 L 6.96875 4.03125 L -0.890625 5.125 Z M -0.953125 1.09375 L -0.453125 4.5625 L 6.40625 3.59375 L 5.90625 0.125 Z M -0.953125 1.09375 "
+ id="path807" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph102-1">
+ <path
+ style="stroke:none;"
+ d="M 2.859375 2.703125 C 2.773438 2.066406 2.644531 1.628906 2.46875 1.390625 C 2.289062 1.160156 2.019531 1.070312 1.65625 1.125 C 1.375 1.164062 1.160156 1.289062 1.015625 1.5 C 0.878906 1.71875 0.832031 1.988281 0.875 2.3125 C 0.9375 2.75 1.144531 3.082031 1.5 3.3125 C 1.851562 3.539062 2.296875 3.617188 2.828125 3.546875 L 2.984375 3.515625 Z M 3.4375 4.265625 L 0.65625 4.65625 L 0.546875 3.859375 L 1.296875 3.75 C 0.960938 3.601562 0.707031 3.398438 0.53125 3.140625 C 0.351562 2.890625 0.234375 2.570312 0.171875 2.1875 C 0.109375 1.6875 0.195312 1.269531 0.4375 0.9375 C 0.675781 0.613281 1.03125 0.414062 1.5 0.34375 C 2.050781 0.269531 2.488281 0.394531 2.8125 0.71875 C 3.144531 1.039062 3.359375 1.5625 3.453125 2.28125 L 3.625 3.421875 L 3.703125 3.421875 C 4.078125 3.367188 4.34375 3.203125 4.5 2.921875 C 4.664062 2.648438 4.71875 2.289062 4.65625 1.84375 C 4.613281 1.570312 4.539062 1.304688 4.4375 1.046875 C 4.332031 0.796875 4.203125 0.5625 4.046875 0.34375 L 4.78125 0.234375 C 4.9375 0.515625 5.0625 0.789062 5.15625 1.0625 C 5.25 1.332031 5.316406 1.59375 5.359375 1.84375 C 5.453125 2.550781 5.34375 3.101562 5.03125 3.5 C 4.71875 3.90625 4.1875 4.160156 3.4375 4.265625 Z M 3.4375 4.265625 "
+ id="path810" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph103-0">
+ <path
+ style="stroke:none;"
+ d="M -1.515625 0.671875 L 6.34375 -0.421875 L 6.96875 4.03125 L -0.890625 5.125 Z M -0.953125 1.09375 L -0.453125 4.5625 L 6.40625 3.59375 L 5.90625 0.125 Z M -0.953125 1.09375 "
+ id="path813" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph103-1">
+ <path
+ style="stroke:none;"
+ d="M 4.9375 -0.1875 L 5.484375 3.609375 L 4.75 3.71875 L 0.828125 1.1875 L 1.25 4.203125 L 0.609375 4.296875 L 0.046875 0.390625 L 0.78125 0.28125 L 4.703125 2.796875 L 4.296875 -0.09375 Z M 4.9375 -0.1875 "
+ id="path816" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph104-0">
+ <path
+ style="stroke:none;"
+ d="M -1.515625 0.671875 L 6.34375 -0.421875 L 6.96875 4.03125 L -0.890625 5.125 Z M -0.953125 1.09375 L -0.453125 4.5625 L 6.40625 3.59375 L 5.90625 0.125 Z M -0.953125 1.09375 "
+ id="path819" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph104-1">
+ <path
+ style="stroke:none;"
+ d="M 4.9375 -0.1875 L 5.484375 3.609375 L 4.75 3.71875 L 0.828125 1.1875 L 1.25 4.203125 L 0.609375 4.296875 L 0.046875 0.390625 L 0.78125 0.28125 L 4.703125 2.796875 L 4.296875 -0.09375 Z M 4.9375 -0.1875 "
+ id="path822" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph105-0">
+ <path
+ style="stroke:none;"
+ d="M -1.515625 0.671875 L 6.34375 -0.421875 L 6.96875 4.03125 L -0.890625 5.125 Z M -0.953125 1.09375 L -0.453125 4.5625 L 6.40625 3.59375 L 5.90625 0.125 Z M -0.953125 1.09375 "
+ id="path825" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph105-1">
+ <path
+ style="stroke:none;"
+ d="M 3.328125 4.640625 L 2.953125 4.703125 L 2.4375 1.015625 C 1.882812 1.117188 1.484375 1.34375 1.234375 1.6875 C 0.992188 2.03125 0.914062 2.460938 1 2.984375 C 1.039062 3.296875 1.117188 3.585938 1.234375 3.859375 C 1.347656 4.140625 1.492188 4.414062 1.671875 4.6875 L 0.921875 4.796875 C 0.765625 4.515625 0.628906 4.226562 0.515625 3.9375 C 0.410156 3.644531 0.335938 3.34375 0.296875 3.03125 C 0.191406 2.257812 0.332031 1.613281 0.71875 1.09375 C 1.101562 0.582031 1.679688 0.273438 2.453125 0.171875 C 3.253906 0.0546875 3.921875 0.175781 4.453125 0.53125 C 4.984375 0.894531 5.300781 1.441406 5.40625 2.171875 C 5.5 2.835938 5.359375 3.390625 4.984375 3.828125 C 4.617188 4.265625 4.066406 4.535156 3.328125 4.640625 Z M 3.46875 3.796875 C 3.90625 3.722656 4.234375 3.550781 4.453125 3.28125 C 4.679688 3.007812 4.769531 2.675781 4.71875 2.28125 C 4.65625 1.832031 4.476562 1.488281 4.1875 1.25 C 3.90625 1.019531 3.523438 0.914062 3.046875 0.9375 Z M 3.46875 3.796875 "
+ id="path828" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph106-0">
+ <path
+ style="stroke:none;"
+ d="M -1.515625 0.671875 L 6.34375 -0.4375 L 6.96875 4.015625 L -0.890625 5.125 Z M -0.9375 1.09375 L -0.453125 4.5625 L 6.40625 3.59375 L 5.921875 0.125 Z M -0.9375 1.09375 "
+ id="path831" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph106-1">
+ <path
+ style="stroke:none;"
+ d="M 3.625 4.46875 L 0.6875 4.890625 L 0.578125 4.078125 L 3.484375 3.671875 C 3.953125 3.597656 4.285156 3.457031 4.484375 3.25 C 4.691406 3.050781 4.769531 2.769531 4.71875 2.40625 C 4.65625 1.96875 4.46875 1.644531 4.15625 1.4375 C 3.851562 1.226562 3.460938 1.15625 2.984375 1.21875 L 0.234375 1.609375 L 0.109375 0.796875 L 4.984375 0.109375 L 5.109375 0.921875 L 4.34375 1.03125 C 4.65625 1.1875 4.90625 1.378906 5.09375 1.609375 C 5.28125 1.847656 5.398438 2.140625 5.453125 2.484375 C 5.523438 3.035156 5.40625 3.476562 5.09375 3.8125 C 4.78125 4.15625 4.289062 4.375 3.625 4.46875 Z M 3.625 4.46875 "
+ id="path834" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph107-0">
+ <path
+ style="stroke:none;"
+ d="M -1.515625 0.6875 L 6.34375 -0.46875 L 7 3.984375 L -0.859375 5.140625 Z M -0.9375 1.09375 L -0.4375 4.5625 L 6.421875 3.5625 L 5.921875 0.09375 Z M -0.9375 1.09375 "
+ id="path837" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph107-1">
+ <path
+ style="stroke:none;"
+ d="M 2.890625 2.6875 C 2.796875 2.050781 2.65625 1.613281 2.46875 1.375 C 2.289062 1.144531 2.019531 1.054688 1.65625 1.109375 C 1.375 1.148438 1.164062 1.28125 1.03125 1.5 C 0.894531 1.71875 0.847656 1.984375 0.890625 2.296875 C 0.960938 2.742188 1.171875 3.078125 1.515625 3.296875 C 1.867188 3.515625 2.304688 3.585938 2.828125 3.515625 L 3 3.484375 Z M 3.46875 4.25 L 0.6875 4.65625 L 0.5625 3.84375 L 1.296875 3.734375 C 0.984375 3.597656 0.734375 3.398438 0.546875 3.140625 C 0.367188 2.890625 0.25 2.570312 0.1875 2.1875 C 0.113281 1.6875 0.195312 1.269531 0.4375 0.9375 C 0.675781 0.601562 1.03125 0.40625 1.5 0.34375 C 2.039062 0.257812 2.476562 0.378906 2.8125 0.703125 C 3.144531 1.023438 3.367188 1.546875 3.484375 2.265625 L 3.640625 3.390625 L 3.71875 3.375 C 4.082031 3.320312 4.347656 3.160156 4.515625 2.890625 C 4.679688 2.617188 4.734375 2.257812 4.671875 1.8125 C 4.628906 1.539062 4.554688 1.273438 4.453125 1.015625 C 4.347656 0.765625 4.207031 0.53125 4.03125 0.3125 L 4.78125 0.203125 C 4.9375 0.484375 5.0625 0.757812 5.15625 1.03125 C 5.257812 1.300781 5.332031 1.5625 5.375 1.8125 C 5.476562 2.519531 5.367188 3.070312 5.046875 3.46875 C 4.734375 3.875 4.207031 4.132812 3.46875 4.25 Z M 3.46875 4.25 "
+ id="path840" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph108-0">
+ <path
+ style="stroke:none;"
+ d="M -1.515625 0.6875 L 6.34375 -0.46875 L 7 3.984375 L -0.859375 5.140625 Z M -0.9375 1.09375 L -0.4375 4.5625 L 6.421875 3.5625 L 5.921875 0.09375 Z M -0.9375 1.09375 "
+ id="path843" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph108-1">
+ <path
+ style="stroke:none;"
+ d="M 5 0.109375 L 5.109375 0.921875 L 0.234375 1.640625 L 0.125 0.828125 Z M 6.890625 -0.171875 L 7 0.640625 L 5.984375 0.796875 L 5.875 -0.015625 Z M 6.890625 -0.171875 "
+ id="path846" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph109-0">
+ <path
+ style="stroke:none;"
+ d="M -1.515625 0.6875 L 6.34375 -0.46875 L 7 3.984375 L -0.859375 5.140625 Z M -0.9375 1.09375 L -0.4375 4.5625 L 6.421875 3.5625 L 5.921875 0.09375 Z M -0.9375 1.09375 "
+ id="path849" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph109-1">
+ <path
+ style="stroke:none;"
+ d="M 6.015625 0.90625 L 3.578125 1.265625 L 3.75 2.375 C 3.8125 2.78125 3.960938 3.078125 4.203125 3.265625 C 4.453125 3.460938 4.769531 3.53125 5.15625 3.46875 C 5.539062 3.414062 5.820312 3.257812 6 3 C 6.1875 2.75 6.25 2.421875 6.1875 2.015625 Z M 6.625 -0.078125 L 6.921875 1.90625 C 7.023438 2.625 6.9375 3.195312 6.65625 3.625 C 6.382812 4.050781 5.929688 4.3125 5.296875 4.40625 C 4.660156 4.5 4.148438 4.378906 3.765625 4.046875 C 3.378906 3.710938 3.132812 3.1875 3.03125 2.46875 L 2.859375 1.359375 L 0.25 1.75 L 0.125 0.875 Z M 6.625 -0.078125 "
+ id="path852" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph109-2">
+ <path
+ style="stroke:none;"
+ d="M 0.375 2.546875 L 6.515625 -0.875 L 6.640625 0.03125 L 1.46875 2.890625 L 7.25 4.15625 L 7.375 5.0625 L 0.515625 3.546875 Z M 0.375 2.546875 "
+ id="path855" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph110-0">
+ <path
+ style="stroke:none;"
+ d="M -1.515625 0.6875 L 6.34375 -0.46875 L 7 3.984375 L -0.859375 5.140625 Z M -0.9375 1.09375 L -0.4375 4.5625 L 6.421875 3.5625 L 5.921875 0.09375 Z M -0.9375 1.09375 "
+ id="path858" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph110-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path861" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph110-2">
+ <path
+ style="stroke:none;"
+ d="M 5 0.109375 L 5.109375 0.921875 L 0.234375 1.640625 L 0.125 0.828125 Z M 6.890625 -0.171875 L 7 0.640625 L 5.984375 0.796875 L 5.875 -0.015625 Z M 6.890625 -0.171875 "
+ id="path864" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph111-0">
+ <path
+ style="stroke:none;"
+ d="M -1.515625 0.6875 L 6.34375 -0.46875 L 7 3.984375 L -0.859375 5.140625 Z M -0.9375 1.09375 L -0.4375 4.5625 L 6.421875 3.5625 L 5.921875 0.09375 Z M -0.9375 1.09375 "
+ id="path867" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph111-1">
+ <path
+ style="stroke:none;"
+ d="M 2.890625 2.6875 C 2.796875 2.050781 2.65625 1.613281 2.46875 1.375 C 2.289062 1.144531 2.019531 1.054688 1.65625 1.109375 C 1.375 1.148438 1.164062 1.28125 1.03125 1.5 C 0.894531 1.71875 0.847656 1.984375 0.890625 2.296875 C 0.960938 2.742188 1.171875 3.078125 1.515625 3.296875 C 1.867188 3.515625 2.304688 3.585938 2.828125 3.515625 L 3 3.484375 Z M 3.46875 4.25 L 0.6875 4.65625 L 0.5625 3.84375 L 1.296875 3.734375 C 0.984375 3.597656 0.734375 3.398438 0.546875 3.140625 C 0.367188 2.890625 0.25 2.570312 0.1875 2.1875 C 0.113281 1.6875 0.195312 1.269531 0.4375 0.9375 C 0.675781 0.601562 1.03125 0.40625 1.5 0.34375 C 2.039062 0.257812 2.476562 0.378906 2.8125 0.703125 C 3.144531 1.023438 3.367188 1.546875 3.484375 2.265625 L 3.640625 3.390625 L 3.71875 3.375 C 4.082031 3.320312 4.347656 3.160156 4.515625 2.890625 C 4.679688 2.617188 4.734375 2.257812 4.671875 1.8125 C 4.628906 1.539062 4.554688 1.273438 4.453125 1.015625 C 4.347656 0.765625 4.207031 0.53125 4.03125 0.3125 L 4.78125 0.203125 C 4.9375 0.484375 5.0625 0.757812 5.15625 1.03125 C 5.257812 1.300781 5.332031 1.5625 5.375 1.8125 C 5.476562 2.519531 5.367188 3.070312 5.046875 3.46875 C 4.734375 3.875 4.207031 4.132812 3.46875 4.25 Z M 3.46875 4.25 "
+ id="path870" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph112-0">
+ <path
+ style="stroke:none;"
+ d="M -1.40625 0.875 L 6.21875 -1.296875 L 7.453125 3.03125 L -0.171875 5.203125 Z M -0.78125 1.21875 L 0.171875 4.578125 L 6.84375 2.6875 L 5.890625 -0.671875 Z M -0.78125 1.21875 "
+ id="path873" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph112-1">
+ <path
+ style="stroke:none;"
+ d="M 3.21875 2.28125 C 3.039062 1.664062 2.847656 1.253906 2.640625 1.046875 C 2.429688 0.835938 2.148438 0.785156 1.796875 0.890625 C 1.523438 0.960938 1.332031 1.113281 1.21875 1.34375 C 1.113281 1.570312 1.101562 1.84375 1.1875 2.15625 C 1.3125 2.582031 1.5625 2.882812 1.9375 3.0625 C 2.3125 3.238281 2.753906 3.253906 3.265625 3.109375 L 3.4375 3.0625 Z M 3.984375 3.765625 L 1.28125 4.53125 L 1.0625 3.734375 L 1.78125 3.53125 C 1.4375 3.4375 1.160156 3.273438 0.953125 3.046875 C 0.742188 2.816406 0.582031 2.515625 0.46875 2.140625 C 0.332031 1.648438 0.359375 1.222656 0.546875 0.859375 C 0.742188 0.503906 1.070312 0.265625 1.53125 0.140625 C 2.0625 -0.015625 2.507812 0.046875 2.875 0.328125 C 3.25 0.609375 3.535156 1.097656 3.734375 1.796875 L 4.046875 2.890625 L 4.125 2.859375 C 4.488281 2.753906 4.734375 2.554688 4.859375 2.265625 C 4.984375 1.984375 4.988281 1.628906 4.875 1.203125 C 4.789062 0.929688 4.679688 0.675781 4.546875 0.4375 C 4.410156 0.195312 4.242188 -0.015625 4.046875 -0.203125 L 4.78125 -0.40625 C 4.96875 -0.15625 5.125 0.09375 5.25 0.34375 C 5.382812 0.601562 5.488281 0.859375 5.5625 1.109375 C 5.757812 1.785156 5.722656 2.34375 5.453125 2.78125 C 5.191406 3.226562 4.703125 3.554688 3.984375 3.765625 Z M 3.984375 3.765625 "
+ id="path876" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph113-0">
+ <path
+ style="stroke:none;"
+ d="M -1.40625 0.875 L 6.21875 -1.296875 L 7.453125 3.03125 L -0.171875 5.203125 Z M -0.78125 1.21875 L 0.171875 4.578125 L 6.84375 2.6875 L 5.890625 -0.671875 Z M -0.78125 1.21875 "
+ id="path879" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph113-1">
+ <path
+ style="stroke:none;"
+ d="M 4.96875 -0.53125 L 5.1875 0.25 L 0.453125 1.59375 L 0.234375 0.8125 Z M 6.8125 -1.0625 L 7.03125 -0.28125 L 6.046875 0 L 5.828125 -0.78125 Z M 6.8125 -1.0625 "
+ id="path882" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph114-0">
+ <path
+ style="stroke:none;"
+ d="M -1.40625 0.875 L 6.21875 -1.296875 L 7.453125 3.03125 L -0.171875 5.203125 Z M -0.78125 1.21875 L 0.171875 4.578125 L 6.84375 2.6875 L 5.890625 -0.671875 Z M -0.78125 1.21875 "
+ id="path885" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph114-1">
+ <path
+ style="stroke:none;"
+ d="M 5.03125 2.421875 C 5.050781 2.316406 5.054688 2.207031 5.046875 2.09375 C 5.035156 1.988281 5.007812 1.875 4.96875 1.75 C 4.84375 1.300781 4.601562 1 4.25 0.84375 C 3.90625 0.695312 3.46875 0.703125 2.9375 0.859375 L 0.4375 1.5625 L 0.21875 0.78125 L 4.953125 -0.5625 L 5.171875 0.21875 L 4.4375 0.421875 C 4.78125 0.503906 5.054688 0.65625 5.265625 0.875 C 5.484375 1.101562 5.644531 1.40625 5.75 1.78125 C 5.769531 1.84375 5.785156 1.90625 5.796875 1.96875 C 5.804688 2.03125 5.816406 2.101562 5.828125 2.1875 Z M 5.03125 2.421875 "
+ id="path888" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph115-0">
+ <path
+ style="stroke:none;"
+ d="M -1.40625 0.875 L 6.21875 -1.296875 L 7.453125 3.03125 L -0.171875 5.203125 Z M -0.78125 1.21875 L 0.171875 4.578125 L 6.84375 2.6875 L 5.890625 -0.671875 Z M -0.78125 1.21875 "
+ id="path891" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph115-1">
+ <path
+ style="stroke:none;"
+ d="M 3.5625 3.53125 C 4.132812 3.363281 4.546875 3.117188 4.796875 2.796875 C 5.054688 2.472656 5.128906 2.109375 5.015625 1.703125 C 4.890625 1.285156 4.628906 1.003906 4.234375 0.859375 C 3.847656 0.710938 3.367188 0.722656 2.796875 0.890625 C 2.222656 1.054688 1.804688 1.300781 1.546875 1.625 C 1.296875 1.945312 1.234375 2.316406 1.359375 2.734375 C 1.472656 3.140625 1.722656 3.414062 2.109375 3.5625 C 2.503906 3.707031 2.988281 3.695312 3.5625 3.53125 Z M 4.453125 0.421875 C 4.785156 0.503906 5.054688 0.648438 5.265625 0.859375 C 5.484375 1.078125 5.640625 1.359375 5.734375 1.703125 C 5.898438 2.273438 5.800781 2.804688 5.4375 3.296875 C 5.070312 3.785156 4.519531 4.132812 3.78125 4.34375 C 3.039062 4.550781 2.390625 4.539062 1.828125 4.3125 C 1.273438 4.082031 0.914062 3.679688 0.75 3.109375 C 0.65625 2.765625 0.640625 2.445312 0.703125 2.15625 C 0.765625 1.875 0.910156 1.609375 1.140625 1.359375 L 0.4375 1.5625 L 0.21875 0.78125 L 6.796875 -1.09375 L 7.015625 -0.3125 Z M 4.453125 0.421875 "
+ id="path894" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph116-0">
+ <path
+ style="stroke:none;"
+ d="M -1.40625 0.875 L 6.21875 -1.296875 L 7.453125 3.03125 L -0.171875 5.203125 Z M -0.78125 1.21875 L 0.171875 4.578125 L 6.84375 2.6875 L 5.890625 -0.671875 Z M -0.78125 1.21875 "
+ id="path897" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph116-1">
+ <path
+ style="stroke:none;"
+ d="M 5.109375 3.421875 C 5.503906 3.515625 5.828125 3.671875 6.078125 3.890625 C 6.328125 4.117188 6.503906 4.414062 6.609375 4.78125 C 6.753906 5.269531 6.6875 5.691406 6.40625 6.046875 C 6.132812 6.410156 5.679688 6.6875 5.046875 6.875 L 2.1875 7.6875 L 1.96875 6.90625 L 4.796875 6.109375 C 5.253906 5.972656 5.566406 5.796875 5.734375 5.578125 C 5.910156 5.359375 5.953125 5.082031 5.859375 4.75 C 5.742188 4.34375 5.515625 4.0625 5.171875 3.90625 C 4.835938 3.75 4.441406 3.734375 3.984375 3.859375 L 1.3125 4.625 L 1.09375 3.84375 L 3.921875 3.046875 C 4.378906 2.910156 4.691406 2.726562 4.859375 2.5 C 5.035156 2.28125 5.078125 2.007812 4.984375 1.6875 C 4.867188 1.28125 4.640625 1 4.296875 0.84375 C 3.960938 0.6875 3.566406 0.671875 3.109375 0.796875 L 0.4375 1.5625 L 0.21875 0.78125 L 4.953125 -0.5625 L 5.171875 0.21875 L 4.4375 0.421875 C 4.78125 0.515625 5.054688 0.664062 5.265625 0.875 C 5.484375 1.09375 5.640625 1.375 5.734375 1.71875 C 5.835938 2.0625 5.832031 2.375 5.71875 2.65625 C 5.613281 2.945312 5.410156 3.203125 5.109375 3.421875 Z M 5.109375 3.421875 "
+ id="path900" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph117-0">
+ <path
+ style="stroke:none;"
+ d="M -1.4375 0.8125 L 6.28125 -1.046875 L 7.328125 3.328125 L -0.390625 5.1875 Z M -0.84375 1.171875 L -0.015625 4.578125 L 6.734375 2.96875 L 5.90625 -0.4375 Z M -0.84375 1.171875 "
+ id="path903" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph117-1">
+ <path
+ style="stroke:none;"
+ d="M 6.5625 -0.765625 L 6.765625 0.09375 L 2.890625 1.015625 C 2.203125 1.179688 1.738281 1.425781 1.5 1.75 C 1.257812 2.070312 1.207031 2.507812 1.34375 3.0625 C 1.476562 3.625 1.722656 3.988281 2.078125 4.15625 C 2.429688 4.320312 2.953125 4.320312 3.640625 4.15625 L 7.515625 3.234375 L 7.734375 4.125 L 3.765625 5.078125 C 2.929688 5.273438 2.25 5.21875 1.71875 4.90625 C 1.195312 4.59375 0.835938 4.035156 0.640625 3.234375 C 0.453125 2.421875 0.519531 1.757812 0.84375 1.25 C 1.175781 0.738281 1.757812 0.382812 2.59375 0.1875 Z M 6.5625 -0.765625 "
+ id="path906" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph118-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5 0.71875 L 6.328125 -0.625 L 7.09375 3.796875 L -0.734375 5.140625 Z M -0.921875 1.125 L -0.328125 4.578125 L 6.515625 3.40625 L 5.921875 -0.046875 Z M -0.921875 1.125 "
+ id="path909" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph118-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path912" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph119-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5 0.71875 L 6.328125 -0.625 L 7.09375 3.796875 L -0.734375 5.140625 Z M -0.921875 1.125 L -0.328125 4.578125 L 6.515625 3.40625 L 5.921875 -0.046875 Z M -0.921875 1.125 "
+ id="path915" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph119-1">
+ <path
+ style="stroke:none;"
+ d="M 4.765625 1.96875 C 4.691406 1.550781 4.46875 1.242188 4.09375 1.046875 C 3.71875 0.859375 3.238281 0.8125 2.65625 0.90625 C 2.082031 1.007812 1.644531 1.210938 1.34375 1.515625 C 1.050781 1.816406 0.941406 2.179688 1.015625 2.609375 C 1.085938 3.046875 1.3125 3.359375 1.6875 3.546875 C 2.070312 3.734375 2.550781 3.773438 3.125 3.671875 C 3.695312 3.578125 4.128906 3.378906 4.421875 3.078125 C 4.722656 2.773438 4.835938 2.40625 4.765625 1.96875 Z M 5.4375 1.84375 C 5.550781 2.539062 5.414062 3.125 5.03125 3.59375 C 4.65625 4.070312 4.066406 4.378906 3.265625 4.515625 C 2.472656 4.648438 1.816406 4.554688 1.296875 4.234375 C 0.773438 3.921875 0.457031 3.414062 0.34375 2.71875 C 0.21875 2.03125 0.347656 1.453125 0.734375 0.984375 C 1.117188 0.515625 1.707031 0.210938 2.5 0.078125 C 3.300781 -0.0546875 3.957031 0.03125 4.46875 0.34375 C 4.988281 0.65625 5.3125 1.15625 5.4375 1.84375 Z M 5.4375 1.84375 "
+ id="path918" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph120-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5 0.71875 L 6.328125 -0.625 L 7.09375 3.796875 L -0.734375 5.140625 Z M -0.921875 1.125 L -0.328125 4.578125 L 6.515625 3.40625 L 5.921875 -0.046875 Z M -0.921875 1.125 "
+ id="path921" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph120-1">
+ <path
+ style="stroke:none;"
+ d="M 5.390625 3.109375 L 4.625 3.25 C 4.695312 3.007812 4.738281 2.757812 4.75 2.5 C 4.769531 2.25 4.757812 2 4.71875 1.75 C 4.65625 1.34375 4.546875 1.050781 4.390625 0.875 C 4.234375 0.707031 4.035156 0.644531 3.796875 0.6875 C 3.609375 0.71875 3.472656 0.804688 3.390625 0.953125 C 3.316406 1.109375 3.265625 1.414062 3.234375 1.875 L 3.21875 2.15625 C 3.195312 2.75 3.09375 3.179688 2.90625 3.453125 C 2.726562 3.722656 2.445312 3.890625 2.0625 3.953125 C 1.601562 4.035156 1.210938 3.921875 0.890625 3.609375 C 0.566406 3.296875 0.351562 2.828125 0.25 2.203125 C 0.207031 1.929688 0.1875 1.65625 0.1875 1.375 C 0.1875 1.09375 0.210938 0.785156 0.265625 0.453125 L 1.078125 0.3125 C 0.972656 0.632812 0.90625 0.941406 0.875 1.234375 C 0.851562 1.535156 0.863281 1.828125 0.90625 2.109375 C 0.96875 2.472656 1.082031 2.75 1.25 2.9375 C 1.414062 3.125 1.617188 3.195312 1.859375 3.15625 C 2.078125 3.113281 2.226562 3.007812 2.3125 2.84375 C 2.40625 2.675781 2.460938 2.335938 2.484375 1.828125 L 2.5 1.53125 C 2.519531 1.03125 2.617188 0.648438 2.796875 0.390625 C 2.972656 0.128906 3.253906 -0.03125 3.640625 -0.09375 C 4.085938 -0.164062 4.460938 -0.0664062 4.765625 0.203125 C 5.066406 0.484375 5.269531 0.921875 5.375 1.515625 C 5.425781 1.804688 5.453125 2.085938 5.453125 2.359375 C 5.453125 2.640625 5.429688 2.890625 5.390625 3.109375 Z M 5.390625 3.109375 "
+ id="path924" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph121-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5 0.71875 L 6.328125 -0.625 L 7.09375 3.796875 L -0.734375 5.140625 Z M -0.921875 1.125 L -0.328125 4.578125 L 6.515625 3.40625 L 5.921875 -0.046875 Z M -0.921875 1.125 "
+ id="path927" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph121-1">
+ <path
+ style="stroke:none;"
+ d="M 4.734375 2.953125 C 4.765625 2.847656 4.78125 2.738281 4.78125 2.625 C 4.789062 2.519531 4.785156 2.398438 4.765625 2.265625 C 4.679688 1.816406 4.472656 1.5 4.140625 1.3125 C 3.816406 1.125 3.382812 1.078125 2.84375 1.171875 L 0.28125 1.609375 L 0.140625 0.796875 L 4.984375 -0.03125 L 5.125 0.78125 L 4.375 0.90625 C 4.695312 1.019531 4.953125 1.195312 5.140625 1.4375 C 5.328125 1.6875 5.453125 2 5.515625 2.375 C 5.523438 2.4375 5.53125 2.503906 5.53125 2.578125 C 5.539062 2.648438 5.546875 2.726562 5.546875 2.8125 Z M 4.734375 2.953125 "
+ id="path930" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph122-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5 0.71875 L 6.328125 -0.625 L 7.09375 3.796875 L -0.734375 5.140625 Z M -0.921875 1.125 L -0.328125 4.578125 L 6.515625 3.40625 L 5.921875 -0.046875 Z M -0.921875 1.125 "
+ id="path933" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph122-1">
+ <path
+ style="stroke:none;"
+ d="M 4.765625 1.96875 C 4.691406 1.550781 4.46875 1.242188 4.09375 1.046875 C 3.71875 0.859375 3.238281 0.8125 2.65625 0.90625 C 2.082031 1.007812 1.644531 1.210938 1.34375 1.515625 C 1.050781 1.816406 0.941406 2.179688 1.015625 2.609375 C 1.085938 3.046875 1.3125 3.359375 1.6875 3.546875 C 2.070312 3.734375 2.550781 3.773438 3.125 3.671875 C 3.695312 3.578125 4.128906 3.378906 4.421875 3.078125 C 4.722656 2.773438 4.835938 2.40625 4.765625 1.96875 Z M 5.4375 1.84375 C 5.550781 2.539062 5.414062 3.125 5.03125 3.59375 C 4.65625 4.070312 4.066406 4.378906 3.265625 4.515625 C 2.472656 4.648438 1.816406 4.554688 1.296875 4.234375 C 0.773438 3.921875 0.457031 3.414062 0.34375 2.71875 C 0.21875 2.03125 0.347656 1.453125 0.734375 0.984375 C 1.117188 0.515625 1.707031 0.210938 2.5 0.078125 C 3.300781 -0.0546875 3.957031 0.03125 4.46875 0.34375 C 4.988281 0.65625 5.3125 1.15625 5.4375 1.84375 Z M 5.4375 1.84375 "
+ id="path936" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph123-0">
+ <path
+ style="stroke:none;"
+ d="M -1.5 0.71875 L 6.328125 -0.625 L 7.09375 3.796875 L -0.734375 5.140625 Z M -0.921875 1.125 L -0.328125 4.578125 L 6.515625 3.40625 L 5.921875 -0.046875 Z M -0.921875 1.125 "
+ id="path939" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph123-1">
+ <path
+ style="stroke:none;"
+ d="M 6.953125 4.6875 L 6.03125 4.859375 C 6.25 4.503906 6.398438 4.148438 6.484375 3.796875 C 6.566406 3.441406 6.578125 3.082031 6.515625 2.71875 C 6.390625 1.976562 6.066406 1.445312 5.546875 1.125 C 5.023438 0.8125 4.335938 0.726562 3.484375 0.875 C 2.628906 1.019531 2.007812 1.328125 1.625 1.796875 C 1.238281 2.265625 1.109375 2.867188 1.234375 3.609375 C 1.296875 3.972656 1.421875 4.3125 1.609375 4.625 C 1.804688 4.9375 2.070312 5.21875 2.40625 5.46875 L 1.484375 5.640625 C 1.222656 5.359375 1.007812 5.054688 0.84375 4.734375 C 0.675781 4.410156 0.5625 4.054688 0.5 3.671875 C 0.332031 2.691406 0.5 1.867188 1 1.203125 C 1.5 0.546875 2.269531 0.128906 3.3125 -0.046875 C 4.351562 -0.234375 5.222656 -0.0976562 5.921875 0.359375 C 6.617188 0.828125 7.050781 1.550781 7.21875 2.53125 C 7.28125 2.914062 7.289062 3.285156 7.25 3.640625 C 7.207031 4.003906 7.109375 4.351562 6.953125 4.6875 Z M 6.953125 4.6875 "
+ id="path942" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph124-0">
+ <path
+ style="stroke:none;"
+ d="M 0.046875 1.65625 L 2 -6.046875 L 6.359375 -4.9375 L 4.40625 2.765625 Z M 0.65625 1.296875 L 4.046875 2.15625 L 5.75 -4.578125 L 2.359375 -5.4375 Z M 0.65625 1.296875 "
+ id="path945" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph124-1">
+ <path
+ style="stroke:none;"
+ d="M 2.484375 -6.4375 L 3.28125 -6.234375 L 1.609375 0.40625 L 0.8125 0.203125 Z M 2.484375 -6.4375 "
+ id="path948" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph124-2">
+ <path
+ style="stroke:none;"
+ d="M 1.5625 -4.671875 L 2.359375 -4.46875 L 2.40625 -0.5 L 4.3125 -3.984375 L 5.234375 -3.75 L 5.28125 0.21875 L 7.1875 -3.25 L 7.96875 -3.046875 L 5.53125 1.40625 L 4.59375 1.15625 L 4.5625 -3 L 2.546875 0.640625 L 1.625 0.40625 Z M 1.5625 -4.671875 "
+ id="path951" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph125-0">
+ <path
+ style="stroke:none;"
+ d="M 0.046875 1.65625 L 2 -6.046875 L 6.359375 -4.9375 L 4.40625 2.765625 Z M 0.65625 1.296875 L 4.046875 2.15625 L 5.75 -4.578125 L 2.359375 -5.4375 Z M 0.65625 1.296875 "
+ id="path954" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph125-1">
+ <path
+ style="stroke:none;"
+ d="M 2.484375 -6.4375 L 3.28125 -6.234375 L 1.609375 0.40625 L 0.8125 0.203125 Z M 2.484375 -6.4375 "
+ id="path957" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph126-0">
+ <path
+ style="stroke:none;"
+ d="M 0.046875 1.65625 L 2 -6.046875 L 6.359375 -4.9375 L 4.40625 2.765625 Z M 0.65625 1.296875 L 4.046875 2.15625 L 5.75 -4.578125 L 2.359375 -5.4375 Z M 0.65625 1.296875 "
+ id="path960" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph126-1">
+ <path
+ style="stroke:none;"
+ d="M 5.5625 -1.34375 L 5.46875 -0.96875 L 1.859375 -1.875 C 1.753906 -1.320312 1.8125 -0.867188 2.03125 -0.515625 C 2.257812 -0.160156 2.628906 0.0820312 3.140625 0.21875 C 3.441406 0.289062 3.738281 0.328125 4.03125 0.328125 C 4.332031 0.335938 4.644531 0.300781 4.96875 0.21875 L 4.78125 0.953125 C 4.46875 1.003906 4.15625 1.019531 3.84375 1 C 3.53125 0.988281 3.222656 0.945312 2.921875 0.875 C 2.160156 0.675781 1.613281 0.300781 1.28125 -0.25 C 0.957031 -0.8125 0.890625 -1.460938 1.078125 -2.203125 C 1.273438 -2.992188 1.640625 -3.566406 2.171875 -3.921875 C 2.703125 -4.273438 3.328125 -4.359375 4.046875 -4.171875 C 4.691406 -4.015625 5.148438 -3.679688 5.421875 -3.171875 C 5.691406 -2.671875 5.738281 -2.0625 5.5625 -1.34375 Z M 4.84375 -1.765625 C 4.9375 -2.203125 4.894531 -2.578125 4.71875 -2.890625 C 4.550781 -3.203125 4.273438 -3.40625 3.890625 -3.5 C 3.453125 -3.613281 3.066406 -3.582031 2.734375 -3.40625 C 2.410156 -3.226562 2.171875 -2.914062 2.015625 -2.46875 Z M 4.84375 -1.765625 "
+ id="path963" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph127-0">
+ <path
+ style="stroke:none;"
+ d="M 0.046875 1.65625 L 2 -6.046875 L 6.359375 -4.9375 L 4.40625 2.765625 Z M 0.65625 1.296875 L 4.046875 2.15625 L 5.75 -4.578125 L 2.359375 -5.4375 Z M 0.65625 1.296875 "
+ id="path966" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph127-1">
+ <path
+ style="stroke:none;"
+ d="M 3.734375 -3.546875 C 3.316406 -3.648438 2.941406 -3.566406 2.609375 -3.296875 C 2.273438 -3.035156 2.039062 -2.617188 1.90625 -2.046875 C 1.757812 -1.484375 1.765625 -1.003906 1.921875 -0.609375 C 2.085938 -0.222656 2.382812 0.0195312 2.8125 0.125 C 3.226562 0.226562 3.597656 0.148438 3.921875 -0.109375 C 4.253906 -0.378906 4.492188 -0.796875 4.640625 -1.359375 C 4.773438 -1.921875 4.757812 -2.398438 4.59375 -2.796875 C 4.4375 -3.191406 4.148438 -3.441406 3.734375 -3.546875 Z M 3.90625 -4.21875 C 4.59375 -4.039062 5.070312 -3.679688 5.34375 -3.140625 C 5.625 -2.597656 5.664062 -1.929688 5.46875 -1.140625 C 5.269531 -0.367188 4.921875 0.1875 4.421875 0.53125 C 3.921875 0.882812 3.328125 0.972656 2.640625 0.796875 C 1.960938 0.628906 1.484375 0.273438 1.203125 -0.265625 C 0.929688 -0.816406 0.894531 -1.476562 1.09375 -2.25 C 1.289062 -3.039062 1.640625 -3.609375 2.140625 -3.953125 C 2.640625 -4.296875 3.226562 -4.382812 3.90625 -4.21875 Z M 3.90625 -4.21875 "
+ id="path969" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph128-0">
+ <path
+ style="stroke:none;"
+ d="M -0.296875 1.640625 L 3.1875 -5.5 L 7.234375 -3.53125 L 3.75 3.609375 Z M 0.375 1.40625 L 3.515625 2.9375 L 6.5625 -3.296875 L 3.421875 -4.828125 Z M 0.375 1.40625 "
+ id="path972" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph128-1">
+ <path
+ style="stroke:none;"
+ d="M 4.140625 -4.46875 L 3.0625 -2.25 L 4.0625 -1.75 C 4.425781 -1.570312 4.757812 -1.53125 5.0625 -1.625 C 5.363281 -1.726562 5.601562 -1.953125 5.78125 -2.296875 C 5.945312 -2.660156 5.972656 -2.984375 5.859375 -3.265625 C 5.742188 -3.554688 5.503906 -3.789062 5.140625 -3.96875 Z M 3.671875 -5.515625 L 5.46875 -4.640625 C 6.125 -4.316406 6.550781 -3.921875 6.75 -3.453125 C 6.945312 -2.992188 6.90625 -2.472656 6.625 -1.890625 C 6.332031 -1.316406 5.941406 -0.960938 5.453125 -0.828125 C 4.972656 -0.691406 4.40625 -0.785156 3.75 -1.109375 L 2.75 -1.609375 L 1.59375 0.765625 L 0.796875 0.390625 Z M 3.671875 -5.515625 "
+ id="path975" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph129-0">
+ <path
+ style="stroke:none;"
+ d="M -0.34375 1.625 L 3.375 -5.390625 L 7.34375 -3.28125 L 3.625 3.734375 Z M 0.328125 1.421875 L 3.421875 3.0625 L 6.671875 -3.0625 L 3.578125 -4.703125 Z M 0.328125 1.421875 "
+ id="path978" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph129-1">
+ <path
+ style="stroke:none;"
+ d="M 1.71875 -2.296875 L 3.8125 -1.1875 L 3.46875 -0.546875 L 1.375 -1.65625 Z M 1.71875 -2.296875 "
+ id="path981" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph130-0">
+ <path
+ style="stroke:none;"
+ d="M -0.34375 1.625 L 3.375 -5.390625 L 7.34375 -3.28125 L 3.625 3.734375 Z M 0.328125 1.421875 L 3.421875 3.0625 L 6.671875 -3.0625 L 3.578125 -4.703125 Z M 0.328125 1.421875 "
+ id="path984" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph130-1">
+ <path
+ style="stroke:none;"
+ d="M 5.75 -0.3125 L 4.359375 2.3125 L 3.640625 1.9375 L 5.015625 -0.65625 C 5.234375 -1.070312 5.316406 -1.425781 5.265625 -1.71875 C 5.222656 -2.007812 5.039062 -2.242188 4.71875 -2.421875 C 4.332031 -2.617188 3.960938 -2.648438 3.609375 -2.515625 C 3.253906 -2.390625 2.960938 -2.113281 2.734375 -1.6875 L 1.4375 0.765625 L 0.71875 0.375 L 3.03125 -3.96875 L 3.75 -3.578125 L 3.390625 -2.90625 C 3.703125 -3.070312 4.003906 -3.160156 4.296875 -3.171875 C 4.597656 -3.179688 4.898438 -3.101562 5.203125 -2.9375 C 5.703125 -2.675781 6 -2.320312 6.09375 -1.875 C 6.1875 -1.425781 6.070312 -0.90625 5.75 -0.3125 Z M 5.75 -0.3125 "
+ id="path987" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph130-2">
+ <path
+ style="stroke:none;"
+ d="M 5.5625 -1.765625 L 6.8125 -4.125 L 7.515625 -3.75 L 4.3125 2.296875 L 3.609375 1.921875 L 3.953125 1.265625 C 3.660156 1.441406 3.363281 1.53125 3.0625 1.53125 C 2.769531 1.53125 2.46875 1.445312 2.15625 1.28125 C 1.632812 1.007812 1.316406 0.578125 1.203125 -0.015625 C 1.097656 -0.609375 1.226562 -1.25 1.59375 -1.9375 C 1.945312 -2.613281 2.398438 -3.070312 2.953125 -3.3125 C 3.515625 -3.5625 4.054688 -3.550781 4.578125 -3.28125 C 4.890625 -3.113281 5.125 -2.90625 5.28125 -2.65625 C 5.445312 -2.40625 5.539062 -2.109375 5.5625 -1.765625 Z M 2.328125 -1.546875 C 2.046875 -1.015625 1.929688 -0.539062 1.984375 -0.125 C 2.046875 0.28125 2.265625 0.582031 2.640625 0.78125 C 3.015625 0.976562 3.390625 0.988281 3.765625 0.8125 C 4.148438 0.632812 4.484375 0.28125 4.765625 -0.25 C 5.035156 -0.769531 5.140625 -1.238281 5.078125 -1.65625 C 5.023438 -2.070312 4.8125 -2.378906 4.4375 -2.578125 C 4.0625 -2.773438 3.679688 -2.78125 3.296875 -2.59375 C 2.921875 -2.414062 2.597656 -2.066406 2.328125 -1.546875 Z M 2.328125 -1.546875 "
+ id="path990" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph131-0">
+ <path
+ style="stroke:none;"
+ d="M -0.34375 1.625 L 3.375 -5.390625 L 7.34375 -3.28125 L 3.625 3.734375 Z M 0.328125 1.421875 L 3.421875 3.0625 L 6.671875 -3.0625 L 3.578125 -4.703125 Z M 0.328125 1.421875 "
+ id="path993" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph131-1">
+ <path
+ style="stroke:none;"
+ d="M 5.71875 0.03125 L 5.53125 0.375 L 2.25 -1.375 C 2.019531 -0.863281 1.96875 -0.410156 2.09375 -0.015625 C 2.226562 0.378906 2.53125 0.703125 3 0.953125 C 3.269531 1.097656 3.550781 1.207031 3.84375 1.28125 C 4.132812 1.351562 4.445312 1.390625 4.78125 1.390625 L 4.4375 2.0625 C 4.113281 2.03125 3.800781 1.972656 3.5 1.890625 C 3.195312 1.804688 2.90625 1.6875 2.625 1.53125 C 1.9375 1.164062 1.5 0.671875 1.3125 0.046875 C 1.125 -0.566406 1.207031 -1.210938 1.5625 -1.890625 C 1.945312 -2.609375 2.441406 -3.070312 3.046875 -3.28125 C 3.648438 -3.5 4.273438 -3.4375 4.921875 -3.09375 C 5.515625 -2.78125 5.878906 -2.34375 6.015625 -1.78125 C 6.160156 -1.226562 6.0625 -0.625 5.71875 0.03125 Z M 5.109375 -0.5625 C 5.304688 -0.957031 5.363281 -1.328125 5.28125 -1.671875 C 5.195312 -2.015625 4.976562 -2.28125 4.625 -2.46875 C 4.21875 -2.6875 3.832031 -2.742188 3.46875 -2.640625 C 3.113281 -2.546875 2.8125 -2.300781 2.5625 -1.90625 Z M 5.109375 -0.5625 "
+ id="path996" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph132-0">
+ <path
+ style="stroke:none;"
+ d="M -0.34375 1.625 L 3.375 -5.390625 L 7.34375 -3.28125 L 3.625 3.734375 Z M 0.328125 1.421875 L 3.421875 3.0625 L 6.671875 -3.0625 L 3.578125 -4.703125 Z M 0.328125 1.421875 "
+ id="path999" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph132-1">
+ <path
+ style="stroke:none;"
+ d="M 3.875 -0.75 C 3.300781 -1.050781 2.867188 -1.195312 2.578125 -1.1875 C 2.285156 -1.175781 2.054688 -1.007812 1.890625 -0.6875 C 1.753906 -0.4375 1.726562 -0.191406 1.8125 0.046875 C 1.90625 0.296875 2.09375 0.492188 2.375 0.640625 C 2.769531 0.847656 3.160156 0.875 3.546875 0.71875 C 3.941406 0.570312 4.265625 0.265625 4.515625 -0.203125 L 4.59375 -0.359375 Z M 5.46875 -0.28125 L 4.15625 2.203125 L 3.4375 1.828125 L 3.796875 1.171875 C 3.484375 1.335938 3.171875 1.414062 2.859375 1.40625 C 2.546875 1.40625 2.21875 1.316406 1.875 1.140625 C 1.425781 0.898438 1.140625 0.582031 1.015625 0.1875 C 0.890625 -0.195312 0.9375 -0.597656 1.15625 -1.015625 C 1.414062 -1.503906 1.773438 -1.785156 2.234375 -1.859375 C 2.691406 -1.929688 3.238281 -1.796875 3.875 -1.453125 L 4.890625 -0.921875 L 4.9375 -0.984375 C 5.113281 -1.316406 5.140625 -1.628906 5.015625 -1.921875 C 4.890625 -2.210938 4.628906 -2.460938 4.234375 -2.671875 C 3.992188 -2.804688 3.738281 -2.90625 3.46875 -2.96875 C 3.207031 -3.039062 2.9375 -3.070312 2.65625 -3.0625 L 3 -3.734375 C 3.3125 -3.703125 3.601562 -3.640625 3.875 -3.546875 C 4.15625 -3.460938 4.410156 -3.363281 4.640625 -3.25 C 5.265625 -2.914062 5.644531 -2.503906 5.78125 -2.015625 C 5.925781 -1.523438 5.820312 -0.945312 5.46875 -0.28125 Z M 5.46875 -0.28125 "
+ id="path1002" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph133-0">
+ <path
+ style="stroke:none;"
+ d="M -0.34375 1.625 L 3.375 -5.390625 L 7.34375 -3.28125 L 3.625 3.734375 Z M 0.328125 1.421875 L 3.421875 3.0625 L 6.671875 -3.0625 L 3.578125 -4.703125 Z M 0.328125 1.421875 "
+ id="path1005" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph133-1">
+ <path
+ style="stroke:none;"
+ d="M 3.03125 -1.953125 L 1.90625 0.171875 L 3.15625 0.84375 C 3.582031 1.0625 3.941406 1.140625 4.234375 1.078125 C 4.535156 1.015625 4.78125 0.800781 4.96875 0.4375 C 5.15625 0.0820312 5.191406 -0.234375 5.078125 -0.515625 C 4.972656 -0.804688 4.707031 -1.0625 4.28125 -1.28125 Z M 4.296875 -4.3125 L 3.375 -2.578125 L 4.53125 -1.96875 C 4.914062 -1.757812 5.238281 -1.675781 5.5 -1.71875 C 5.757812 -1.769531 5.96875 -1.941406 6.125 -2.234375 C 6.28125 -2.523438 6.300781 -2.789062 6.1875 -3.03125 C 6.082031 -3.269531 5.835938 -3.492188 5.453125 -3.703125 Z M 3.859375 -5.375 L 5.859375 -4.3125 C 6.460938 -4 6.859375 -3.628906 7.046875 -3.203125 C 7.242188 -2.785156 7.21875 -2.347656 6.96875 -1.890625 C 6.78125 -1.546875 6.546875 -1.3125 6.265625 -1.1875 C 5.992188 -1.0625 5.679688 -1.054688 5.328125 -1.171875 C 5.671875 -0.890625 5.878906 -0.554688 5.953125 -0.171875 C 6.023438 0.203125 5.957031 0.582031 5.75 0.96875 C 5.476562 1.488281 5.09375 1.796875 4.59375 1.890625 C 4.09375 1.984375 3.515625 1.859375 2.859375 1.515625 L 0.78125 0.421875 Z M 3.859375 -5.375 "
+ id="path1008" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph134-0">
+ <path
+ style="stroke:none;"
+ d="M -0.34375 1.625 L 3.375 -5.390625 L 7.34375 -3.28125 L 3.625 3.734375 Z M 0.328125 1.421875 L 3.421875 3.0625 L 6.671875 -3.0625 L 3.578125 -4.703125 Z M 0.328125 1.421875 "
+ id="path1011" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph134-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path1014" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph135-0">
+ <path
+ style="stroke:none;"
+ d="M -0.34375 1.625 L 3.375 -5.390625 L 7.34375 -3.28125 L 3.625 3.734375 Z M 0.328125 1.421875 L 3.421875 3.0625 L 6.671875 -3.0625 L 3.578125 -4.703125 Z M 0.328125 1.421875 "
+ id="path1017" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph135-1">
+ <path
+ style="stroke:none;"
+ d="M 4.40625 -4.8125 L 3.765625 -3.578125 L 5.234375 -2.796875 L 4.9375 -2.25 L 3.46875 -3.03125 L 2.21875 -0.671875 C 2.019531 -0.304688 1.941406 -0.046875 1.984375 0.109375 C 2.035156 0.265625 2.207031 0.421875 2.5 0.578125 L 3.234375 0.953125 L 2.921875 1.546875 L 2.1875 1.171875 C 1.632812 0.867188 1.304688 0.554688 1.203125 0.234375 C 1.109375 -0.078125 1.207031 -0.503906 1.5 -1.046875 L 2.75 -3.40625 L 2.21875 -3.6875 L 2.515625 -4.234375 L 3.046875 -3.953125 L 3.6875 -5.1875 Z M 4.40625 -4.8125 "
+ id="path1020" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph136-0">
+ <path
+ style="stroke:none;"
+ d="M -0.390625 1.609375 L 3.484375 -5.3125 L 7.421875 -3.109375 L 3.546875 3.8125 Z M 0.296875 1.421875 L 3.359375 3.125 L 6.75 -2.921875 L 3.6875 -4.625 Z M 0.296875 1.421875 "
+ id="path1023" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph136-1">
+ <path
+ style="stroke:none;"
+ d="M 5.8125 -2.21875 L 5.4375 -1.546875 C 5.289062 -1.765625 5.125 -1.957031 4.9375 -2.125 C 4.75 -2.289062 4.539062 -2.4375 4.3125 -2.5625 C 3.957031 -2.757812 3.664062 -2.851562 3.4375 -2.84375 C 3.207031 -2.84375 3.03125 -2.734375 2.90625 -2.515625 C 2.820312 -2.359375 2.816406 -2.195312 2.890625 -2.03125 C 2.960938 -1.875 3.160156 -1.644531 3.484375 -1.34375 L 3.6875 -1.15625 C 4.132812 -0.769531 4.40625 -0.414062 4.5 -0.09375 C 4.601562 0.21875 4.5625 0.546875 4.375 0.890625 C 4.144531 1.285156 3.804688 1.507812 3.359375 1.5625 C 2.921875 1.625 2.425781 1.5 1.875 1.1875 C 1.632812 1.0625 1.40625 0.90625 1.1875 0.71875 C 0.96875 0.53125 0.742188 0.316406 0.515625 0.078125 L 0.921875 -0.65625 C 1.097656 -0.375 1.296875 -0.128906 1.515625 0.078125 C 1.734375 0.296875 1.96875 0.472656 2.21875 0.609375 C 2.539062 0.785156 2.820312 0.867188 3.0625 0.859375 C 3.3125 0.859375 3.5 0.753906 3.625 0.546875 C 3.726562 0.347656 3.742188 0.160156 3.671875 -0.015625 C 3.597656 -0.191406 3.367188 -0.453125 2.984375 -0.796875 L 2.765625 -0.96875 C 2.378906 -1.3125 2.140625 -1.628906 2.046875 -1.921875 C 1.960938 -2.222656 2.015625 -2.546875 2.203125 -2.890625 C 2.429688 -3.285156 2.75 -3.515625 3.15625 -3.578125 C 3.570312 -3.640625 4.039062 -3.523438 4.5625 -3.234375 C 4.832031 -3.085938 5.066406 -2.925781 5.265625 -2.75 C 5.472656 -2.582031 5.65625 -2.40625 5.8125 -2.21875 Z M 5.8125 -2.21875 "
+ id="path1026" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph137-0">
+ <path
+ style="stroke:none;"
+ d="M -0.5 1.578125 L 3.875 -5.046875 L 7.625 -2.5625 L 3.25 4.0625 Z M 0.1875 1.4375 L 3.109375 3.359375 L 6.9375 -2.421875 L 4.015625 -4.34375 Z M 0.1875 1.4375 "
+ id="path1029" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph137-1">
+ <path
+ style="stroke:none;"
+ d="M 3.421875 -3.640625 L 4.09375 -3.203125 L 1.375 0.90625 L 0.703125 0.46875 Z M 4.484375 -5.234375 L 5.15625 -4.796875 L 4.578125 -3.9375 L 3.90625 -4.375 Z M 4.484375 -5.234375 "
+ id="path1032" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph138-0">
+ <path
+ style="stroke:none;"
+ d="M -0.5 1.578125 L 3.875 -5.046875 L 7.625 -2.5625 L 3.25 4.0625 Z M 0.1875 1.4375 L 3.109375 3.359375 L 6.9375 -2.421875 L 4.015625 -4.34375 Z M 0.1875 1.4375 "
+ id="path1035" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph138-1">
+ <path
+ style="stroke:none;"
+ d="M 4.6875 -3.890625 L 3.328125 -1.828125 L 4.265625 -1.203125 C 4.609375 -0.972656 4.9375 -0.882812 5.25 -0.9375 C 5.5625 -1 5.820312 -1.191406 6.03125 -1.515625 C 6.25 -1.847656 6.320312 -2.164062 6.25 -2.46875 C 6.175781 -2.769531 5.96875 -3.035156 5.625 -3.265625 Z M 4.375 -4.984375 L 6.03125 -3.875 C 6.644531 -3.46875 7.015625 -3.019531 7.140625 -2.53125 C 7.273438 -2.050781 7.164062 -1.539062 6.8125 -1 C 6.457031 -0.457031 6.03125 -0.15625 5.53125 -0.09375 C 5.03125 -0.03125 4.472656 -0.203125 3.859375 -0.609375 L 2.921875 -1.234375 L 1.46875 0.96875 L 0.75 0.484375 Z M 4.375 -4.984375 "
+ id="path1038" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph139-0">
+ <path
+ style="stroke:none;"
+ d="M -0.859375 1.40625 L 4.96875 -3.984375 L 8.03125 -0.6875 L 2.203125 4.703125 Z M -0.15625 1.453125 L 2.234375 4.015625 L 7.3125 -0.703125 L 4.921875 -3.265625 Z M -0.15625 1.453125 "
+ id="path1041" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph139-1">
+ <path
+ style="stroke:none;"
+ d="M 5.59375 -4.03125 L 6.140625 -3.4375 L 1.125 1.21875 L 0.578125 0.625 Z M 5.59375 -4.03125 "
+ id="path1044" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph139-2">
+ <path
+ style="stroke:none;"
+ d="M 5.390625 1.90625 L 5.09375 2.171875 L 2.5625 -0.5625 C 2.1875 -0.164062 1.992188 0.242188 1.984375 0.671875 C 1.972656 1.097656 2.148438 1.503906 2.515625 1.890625 C 2.722656 2.117188 2.953125 2.3125 3.203125 2.46875 C 3.460938 2.632812 3.75 2.773438 4.0625 2.890625 L 3.5 3.40625 C 3.207031 3.269531 2.929688 3.109375 2.671875 2.921875 C 2.421875 2.742188 2.191406 2.539062 1.984375 2.3125 C 1.453125 1.738281 1.195312 1.128906 1.21875 0.484375 C 1.25 -0.160156 1.546875 -0.75 2.109375 -1.28125 C 2.703125 -1.832031 3.316406 -2.109375 3.953125 -2.109375 C 4.597656 -2.117188 5.171875 -1.851562 5.671875 -1.3125 C 6.128906 -0.820312 6.332031 -0.289062 6.28125 0.28125 C 6.226562 0.863281 5.929688 1.40625 5.390625 1.90625 Z M 5.015625 1.140625 C 5.328125 0.835938 5.5 0.503906 5.53125 0.140625 C 5.570312 -0.210938 5.457031 -0.535156 5.1875 -0.828125 C 4.875 -1.160156 4.53125 -1.335938 4.15625 -1.359375 C 3.789062 -1.378906 3.421875 -1.25 3.046875 -0.96875 Z M 5.015625 1.140625 "
+ id="path1047" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph139-3">
+ <path
+ style="stroke:none;"
+ d="M 5.078125 -0.953125 C 4.785156 -1.265625 4.425781 -1.394531 4 -1.34375 C 3.570312 -1.300781 3.140625 -1.082031 2.703125 -0.6875 C 2.273438 -0.289062 2.019531 0.113281 1.9375 0.53125 C 1.863281 0.945312 1.976562 1.316406 2.28125 1.640625 C 2.570312 1.960938 2.925781 2.097656 3.34375 2.046875 C 3.769531 1.992188 4.195312 1.769531 4.625 1.375 C 5.050781 0.976562 5.304688 0.570312 5.390625 0.15625 C 5.472656 -0.257812 5.367188 -0.628906 5.078125 -0.953125 Z M 5.578125 -1.421875 C 6.054688 -0.898438 6.257812 -0.335938 6.1875 0.265625 C 6.125 0.867188 5.796875 1.445312 5.203125 2 C 4.617188 2.550781 4.019531 2.832031 3.40625 2.84375 C 2.800781 2.863281 2.257812 2.613281 1.78125 2.09375 C 1.300781 1.582031 1.09375 1.023438 1.15625 0.421875 C 1.226562 -0.179688 1.554688 -0.757812 2.140625 -1.3125 C 2.734375 -1.863281 3.332031 -2.144531 3.9375 -2.15625 C 4.550781 -2.175781 5.097656 -1.929688 5.578125 -1.421875 Z M 5.578125 -1.421875 "
+ id="path1050" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph139-4">
+ <path
+ style="stroke:none;"
+ d="M 5.484375 -2.671875 L 3.671875 -0.984375 L 4.4375 -0.15625 C 4.707031 0.132812 5 0.289062 5.3125 0.3125 C 5.625 0.332031 5.925781 0.210938 6.21875 -0.046875 C 6.5 -0.316406 6.640625 -0.609375 6.640625 -0.921875 C 6.648438 -1.242188 6.519531 -1.550781 6.25 -1.84375 Z M 5.421875 -3.8125 L 6.78125 -2.34375 C 7.269531 -1.8125 7.519531 -1.289062 7.53125 -0.78125 C 7.550781 -0.269531 7.328125 0.203125 6.859375 0.640625 C 6.378906 1.078125 5.890625 1.265625 5.390625 1.203125 C 4.890625 1.148438 4.394531 0.859375 3.90625 0.328125 L 3.140625 -0.5 L 1.203125 1.296875 L 0.609375 0.65625 Z M 5.421875 -3.8125 "
+ id="path1053" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph140-0">
+ <path
+ style="stroke:none;"
+ d="M -0.859375 1.40625 L 4.96875 -3.984375 L 8.03125 -0.6875 L 2.203125 4.703125 Z M -0.15625 1.453125 L 2.234375 4.015625 L 7.3125 -0.703125 L 4.921875 -3.265625 Z M -0.15625 1.453125 "
+ id="path1056" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph140-1">
+ <path
+ style="stroke:none;"
+ d="M 5.59375 -4.03125 L 6.140625 -3.4375 L 1.125 1.21875 L 0.578125 0.625 Z M 5.59375 -4.03125 "
+ id="path1059" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph141-0">
+ <path
+ style="stroke:none;"
+ d="M -0.859375 1.40625 L 4.96875 -3.984375 L 8.03125 -0.6875 L 2.203125 4.703125 Z M -0.15625 1.453125 L 2.234375 4.015625 L 7.3125 -0.703125 L 4.921875 -3.265625 Z M -0.15625 1.453125 "
+ id="path1062" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph141-1">
+ <path
+ style="stroke:none;"
+ d="M 3.859375 -3.0625 L 4.421875 -2.46875 L 2.296875 0.875 L 5.78125 -1 L 6.4375 -0.296875 L 4.3125 3.0625 L 7.8125 1.1875 L 8.359375 1.78125 L 3.875 4.1875 L 3.21875 3.46875 L 5.453125 -0.03125 L 1.78125 1.921875 L 1.140625 1.21875 Z M 3.859375 -3.0625 "
+ id="path1065" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph142-0">
+ <path
+ style="stroke:none;"
+ d="M -0.859375 1.40625 L 4.96875 -3.984375 L 8.03125 -0.6875 L 2.203125 4.703125 Z M -0.15625 1.453125 L 2.234375 4.015625 L 7.3125 -0.703125 L 4.921875 -3.265625 Z M -0.15625 1.453125 "
+ id="path1068" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph142-1">
+ <path
+ style="stroke:none;"
+ d="M 2.375 -1.59375 L 3.984375 0.140625 L 3.453125 0.625 L 1.84375 -1.109375 Z M 2.375 -1.59375 "
+ id="path1071" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph143-0">
+ <path
+ style="stroke:none;"
+ d="M -0.859375 1.40625 L 4.96875 -3.984375 L 8.03125 -0.6875 L 2.203125 4.703125 Z M -0.15625 1.453125 L 2.234375 4.015625 L 7.3125 -0.703125 L 4.921875 -3.265625 Z M -0.15625 1.453125 "
+ id="path1074" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph143-1">
+ <path
+ style="stroke:none;"
+ d="M 5.53125 1.609375 L 3.359375 3.625 L 2.796875 3.03125 L 4.953125 1.03125 C 5.296875 0.71875 5.492188 0.414062 5.546875 0.125 C 5.597656 -0.164062 5.503906 -0.445312 5.265625 -0.71875 C 4.960938 -1.039062 4.617188 -1.195312 4.234375 -1.1875 C 3.859375 -1.1875 3.5 -1.023438 3.15625 -0.703125 L 1.109375 1.1875 L 0.546875 0.59375 L 4.15625 -2.75 L 4.71875 -2.15625 L 4.15625 -1.640625 C 4.507812 -1.691406 4.828125 -1.671875 5.109375 -1.578125 C 5.398438 -1.492188 5.660156 -1.328125 5.890625 -1.078125 C 6.273438 -0.660156 6.4375 -0.222656 6.375 0.234375 C 6.3125 0.691406 6.03125 1.148438 5.53125 1.609375 Z M 5.53125 1.609375 "
+ id="path1077" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph144-0">
+ <path
+ style="stroke:none;"
+ d="M -0.828125 1.4375 L 4.875 -4.078125 L 8 -0.84375 L 2.296875 4.671875 Z M -0.125 1.453125 L 2.3125 3.96875 L 7.296875 -0.859375 L 4.859375 -3.375 Z M -0.125 1.453125 "
+ id="path1080" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph144-1">
+ <path
+ style="stroke:none;"
+ d="M 5.84375 0.03125 L 7.765625 -1.828125 L 8.328125 -1.25 L 3.40625 3.515625 L 2.84375 2.9375 L 3.375 2.421875 C 3.039062 2.503906 2.734375 2.5 2.453125 2.40625 C 2.171875 2.320312 1.90625 2.15625 1.65625 1.90625 C 1.238281 1.476562 1.070312 0.960938 1.15625 0.359375 C 1.238281 -0.242188 1.554688 -0.8125 2.109375 -1.34375 C 2.660156 -1.882812 3.238281 -2.1875 3.84375 -2.25 C 4.445312 -2.3125 4.957031 -2.128906 5.375 -1.703125 C 5.625 -1.453125 5.785156 -1.179688 5.859375 -0.890625 C 5.929688 -0.597656 5.925781 -0.289062 5.84375 0.03125 Z M 2.6875 -0.75 C 2.257812 -0.34375 2.007812 0.0664062 1.9375 0.484375 C 1.863281 0.898438 1.972656 1.257812 2.265625 1.5625 C 2.566406 1.875 2.925781 2 3.34375 1.9375 C 3.757812 1.875 4.179688 1.640625 4.609375 1.234375 C 5.035156 0.816406 5.285156 0.40625 5.359375 0 C 5.429688 -0.414062 5.316406 -0.78125 5.015625 -1.09375 C 4.722656 -1.394531 4.367188 -1.515625 3.953125 -1.453125 C 3.535156 -1.398438 3.113281 -1.164062 2.6875 -0.75 Z M 2.6875 -0.75 "
+ id="path1083" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph145-0">
+ <path
+ style="stroke:none;"
+ d="M -0.671875 1.515625 L 4.375 -4.625 L 7.859375 -1.765625 L 2.8125 4.375 Z M 0.046875 1.453125 L 2.75 3.671875 L 7.140625 -1.6875 L 4.4375 -3.90625 Z M 0.046875 1.453125 "
+ id="path1086" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph145-1">
+ <path
+ style="stroke:none;"
+ d="M 3.9375 0.046875 C 3.4375 -0.359375 3.039062 -0.582031 2.75 -0.625 C 2.46875 -0.675781 2.207031 -0.5625 1.96875 -0.28125 C 1.789062 -0.0703125 1.722656 0.15625 1.765625 0.40625 C 1.804688 0.664062 1.953125 0.898438 2.203125 1.109375 C 2.546875 1.390625 2.921875 1.492188 3.328125 1.421875 C 3.742188 1.347656 4.117188 1.101562 4.453125 0.6875 L 4.5625 0.5625 Z M 5.421875 0.8125 L 3.640625 2.984375 L 3 2.46875 L 3.46875 1.890625 C 3.132812 2.003906 2.816406 2.023438 2.515625 1.953125 C 2.222656 1.890625 1.921875 1.734375 1.609375 1.484375 C 1.222656 1.160156 1.003906 0.796875 0.953125 0.390625 C 0.898438 -0.015625 1.023438 -0.398438 1.328125 -0.765625 C 1.679688 -1.191406 2.085938 -1.394531 2.546875 -1.375 C 3.015625 -1.363281 3.53125 -1.125 4.09375 -0.65625 L 4.96875 0.0625 L 5.03125 0 C 5.257812 -0.28125 5.34375 -0.578125 5.28125 -0.890625 C 5.226562 -1.210938 5.03125 -1.515625 4.6875 -1.796875 C 4.46875 -1.972656 4.234375 -2.117188 3.984375 -2.234375 C 3.742188 -2.359375 3.488281 -2.4375 3.21875 -2.46875 L 3.6875 -3.0625 C 3.976562 -2.957031 4.25 -2.835938 4.5 -2.703125 C 4.757812 -2.578125 4.988281 -2.429688 5.1875 -2.265625 C 5.738281 -1.816406 6.035156 -1.335938 6.078125 -0.828125 C 6.117188 -0.316406 5.898438 0.226562 5.421875 0.8125 Z M 5.421875 0.8125 "
+ id="path1089" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph146-0">
+ <path
+ style="stroke:none;"
+ d="M -0.671875 1.515625 L 4.375 -4.625 L 7.859375 -1.765625 L 2.8125 4.375 Z M 0.046875 1.453125 L 2.75 3.671875 L 7.140625 -1.6875 L 4.4375 -3.90625 Z M 0.046875 1.453125 "
+ id="path1092" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph146-1">
+ <path
+ style="stroke:none;"
+ d="M 3.359375 -1.296875 L 1.828125 0.5625 L 2.9375 1.46875 C 3.300781 1.769531 3.632812 1.914062 3.9375 1.90625 C 4.238281 1.894531 4.519531 1.734375 4.78125 1.421875 C 5.03125 1.109375 5.128906 0.800781 5.078125 0.5 C 5.035156 0.207031 4.832031 -0.0859375 4.46875 -0.390625 Z M 5.0625 -3.375 L 3.8125 -1.859375 L 4.828125 -1.03125 C 5.171875 -0.75 5.472656 -0.601562 5.734375 -0.59375 C 5.992188 -0.582031 6.234375 -0.707031 6.453125 -0.96875 C 6.660156 -1.21875 6.734375 -1.472656 6.671875 -1.734375 C 6.617188 -1.992188 6.421875 -2.265625 6.078125 -2.546875 Z M 4.859375 -4.5 L 6.609375 -3.0625 C 7.128906 -2.625 7.4375 -2.179688 7.53125 -1.734375 C 7.632812 -1.296875 7.523438 -0.875 7.203125 -0.46875 C 6.941406 -0.164062 6.664062 0.015625 6.375 0.078125 C 6.082031 0.148438 5.773438 0.09375 5.453125 -0.09375 C 5.734375 0.257812 5.875 0.625 5.875 1 C 5.875 1.382812 5.734375 1.75 5.453125 2.09375 C 5.078125 2.550781 4.632812 2.773438 4.125 2.765625 C 3.613281 2.753906 3.070312 2.515625 2.5 2.046875 L 0.6875 0.5625 Z M 4.859375 -4.5 "
+ id="path1095" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph146-2">
+ <path
+ style="stroke:none;"
+ d="M 3.9375 0.046875 C 3.4375 -0.359375 3.039062 -0.582031 2.75 -0.625 C 2.46875 -0.675781 2.207031 -0.5625 1.96875 -0.28125 C 1.789062 -0.0703125 1.722656 0.15625 1.765625 0.40625 C 1.804688 0.664062 1.953125 0.898438 2.203125 1.109375 C 2.546875 1.390625 2.921875 1.492188 3.328125 1.421875 C 3.742188 1.347656 4.117188 1.101562 4.453125 0.6875 L 4.5625 0.5625 Z M 5.421875 0.8125 L 3.640625 2.984375 L 3 2.46875 L 3.46875 1.890625 C 3.132812 2.003906 2.816406 2.023438 2.515625 1.953125 C 2.222656 1.890625 1.921875 1.734375 1.609375 1.484375 C 1.222656 1.160156 1.003906 0.796875 0.953125 0.390625 C 0.898438 -0.015625 1.023438 -0.398438 1.328125 -0.765625 C 1.679688 -1.191406 2.085938 -1.394531 2.546875 -1.375 C 3.015625 -1.363281 3.53125 -1.125 4.09375 -0.65625 L 4.96875 0.0625 L 5.03125 0 C 5.257812 -0.28125 5.34375 -0.578125 5.28125 -0.890625 C 5.226562 -1.210938 5.03125 -1.515625 4.6875 -1.796875 C 4.46875 -1.972656 4.234375 -2.117188 3.984375 -2.234375 C 3.742188 -2.359375 3.488281 -2.4375 3.21875 -2.46875 L 3.6875 -3.0625 C 3.976562 -2.957031 4.25 -2.835938 4.5 -2.703125 C 4.757812 -2.578125 4.988281 -2.429688 5.1875 -2.265625 C 5.738281 -1.816406 6.035156 -1.335938 6.078125 -0.828125 C 6.117188 -0.316406 5.898438 0.226562 5.421875 0.8125 Z M 5.421875 0.8125 "
+ id="path1098" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph147-0">
+ <path
+ style="stroke:none;"
+ d="M -0.671875 1.515625 L 4.375 -4.625 L 7.859375 -1.765625 L 2.8125 4.375 Z M 0.046875 1.453125 L 2.75 3.671875 L 7.140625 -1.6875 L 4.4375 -3.90625 Z M 0.046875 1.453125 "
+ id="path1101" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph147-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path1104" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph148-0">
+ <path
+ style="stroke:none;"
+ d="M -0.671875 1.515625 L 4.375 -4.625 L 7.859375 -1.765625 L 2.8125 4.375 Z M 0.046875 1.453125 L 2.75 3.671875 L 7.140625 -1.6875 L 4.4375 -3.90625 Z M 0.046875 1.453125 "
+ id="path1107" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph148-1">
+ <path
+ style="stroke:none;"
+ d="M 5.265625 -3.828125 L 4.390625 -2.75 L 5.6875 -1.6875 L 5.296875 -1.203125 L 4 -2.265625 L 2.296875 -0.203125 C 2.035156 0.109375 1.910156 0.34375 1.921875 0.5 C 1.941406 0.664062 2.082031 0.851562 2.34375 1.0625 L 2.984375 1.59375 L 2.5625 2.109375 L 1.921875 1.578125 C 1.429688 1.179688 1.171875 0.816406 1.140625 0.484375 C 1.109375 0.148438 1.285156 -0.25 1.671875 -0.71875 L 3.375 -2.78125 L 2.921875 -3.15625 L 3.3125 -3.640625 L 3.765625 -3.265625 L 4.640625 -4.34375 Z M 5.265625 -3.828125 "
+ id="path1110" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph149-0">
+ <path
+ style="stroke:none;"
+ d="M -0.625 1.53125 L 4.265625 -4.71875 L 7.8125 -1.953125 L 2.921875 4.296875 Z M 0.078125 1.453125 L 2.828125 3.609375 L 7.09375 -1.859375 L 4.34375 -4.015625 Z M 0.078125 1.453125 "
+ id="path1113" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph149-1">
+ <path
+ style="stroke:none;"
+ d="M 6.09375 -1.3125 L 5.609375 -0.703125 C 5.492188 -0.929688 5.359375 -1.144531 5.203125 -1.34375 C 5.046875 -1.539062 4.867188 -1.722656 4.671875 -1.890625 C 4.347656 -2.140625 4.070312 -2.273438 3.84375 -2.296875 C 3.613281 -2.328125 3.421875 -2.242188 3.265625 -2.046875 C 3.148438 -1.898438 3.113281 -1.742188 3.15625 -1.578125 C 3.207031 -1.410156 3.367188 -1.148438 3.640625 -0.796875 L 3.828125 -0.578125 C 4.210938 -0.117188 4.425781 0.269531 4.46875 0.59375 C 4.519531 0.925781 4.425781 1.242188 4.1875 1.546875 C 3.90625 1.910156 3.539062 2.082031 3.09375 2.0625 C 2.644531 2.050781 2.171875 1.851562 1.671875 1.46875 C 1.453125 1.289062 1.25 1.09375 1.0625 0.875 C 0.875 0.664062 0.679688 0.425781 0.484375 0.15625 L 1 -0.5 C 1.144531 -0.1875 1.304688 0.0820312 1.484375 0.3125 C 1.671875 0.550781 1.878906 0.757812 2.109375 0.9375 C 2.398438 1.164062 2.664062 1.296875 2.90625 1.328125 C 3.144531 1.359375 3.335938 1.28125 3.484375 1.09375 C 3.617188 0.914062 3.664062 0.734375 3.625 0.546875 C 3.582031 0.359375 3.394531 0.0703125 3.0625 -0.3125 L 2.890625 -0.546875 C 2.554688 -0.929688 2.367188 -1.28125 2.328125 -1.59375 C 2.285156 -1.90625 2.382812 -2.210938 2.625 -2.515625 C 2.90625 -2.878906 3.253906 -3.054688 3.671875 -3.046875 C 4.085938 -3.046875 4.53125 -2.859375 5 -2.484375 C 5.238281 -2.296875 5.445312 -2.101562 5.625 -1.90625 C 5.8125 -1.707031 5.96875 -1.507812 6.09375 -1.3125 Z M 6.09375 -1.3125 "
+ id="path1116" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph150-0">
+ <path
+ style="stroke:none;"
+ d="M -0.515625 1.578125 L 3.921875 -5.015625 L 7.65625 -2.5 L 3.21875 4.09375 Z M 0.1875 1.4375 L 3.078125 3.390625 L 6.953125 -2.359375 L 4.0625 -4.3125 Z M 0.1875 1.4375 "
+ id="path1119" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph150-1">
+ <path
+ style="stroke:none;"
+ d="M 3.453125 -3.609375 L 4.125 -3.15625 L 1.375 0.921875 L 0.703125 0.46875 Z M 4.53125 -5.203125 L 5.203125 -4.75 L 4.625 -3.890625 L 3.953125 -4.34375 Z M 4.53125 -5.203125 "
+ id="path1122" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph151-0">
+ <path
+ style="stroke:none;"
+ d="M -0.515625 1.578125 L 3.921875 -5.015625 L 7.65625 -2.5 L 3.21875 4.09375 Z M 0.1875 1.4375 L 3.078125 3.390625 L 6.953125 -2.359375 L 4.0625 -4.3125 Z M 0.1875 1.4375 "
+ id="path1125" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph151-1">
+ <path
+ style="stroke:none;"
+ d="M 4.734375 -3.84375 L 3.34375 -1.796875 L 4.265625 -1.171875 C 4.609375 -0.941406 4.9375 -0.851562 5.25 -0.90625 C 5.5625 -0.957031 5.820312 -1.144531 6.03125 -1.46875 C 6.257812 -1.789062 6.335938 -2.101562 6.265625 -2.40625 C 6.203125 -2.71875 6 -2.988281 5.65625 -3.21875 Z M 4.40625 -4.9375 L 6.0625 -3.828125 C 6.664062 -3.410156 7.03125 -2.957031 7.15625 -2.46875 C 7.289062 -1.988281 7.175781 -1.484375 6.8125 -0.953125 C 6.457031 -0.410156 6.03125 -0.109375 5.53125 -0.046875 C 5.03125 0.015625 4.476562 -0.160156 3.875 -0.578125 L 2.953125 -1.203125 L 1.46875 0.984375 L 0.734375 0.5 Z M 4.40625 -4.9375 "
+ id="path1128" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-0">
+ <path
+ style="stroke:none;"
+ d="M 0.75 2.65625 L 0.75 -10.578125 L 8.25 -10.578125 L 8.25 2.65625 Z M 1.59375 1.8125 L 7.40625 1.8125 L 7.40625 -9.734375 L 1.59375 -9.734375 Z M 1.59375 1.8125 "
+ id="path1131" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-1">
+ <path
+ style="stroke:none;"
+ d="M 10.421875 -10.09375 L 10.125 -8.53125 C 9.65625 -9.007812 9.15625 -9.363281 8.625 -9.59375 C 8.101562 -9.820312 7.535156 -9.9375 6.921875 -9.9375 C 6.085938 -9.9375 5.351562 -9.734375 4.71875 -9.328125 C 4.09375 -8.929688 3.550781 -8.320312 3.09375 -7.5 C 2.800781 -6.96875 2.578125 -6.40625 2.421875 -5.8125 C 2.265625 -5.226562 2.1875 -4.640625 2.1875 -4.046875 C 2.1875 -3.054688 2.441406 -2.296875 2.953125 -1.765625 C 3.472656 -1.242188 4.222656 -0.984375 5.203125 -0.984375 C 5.878906 -0.984375 6.53125 -1.09375 7.15625 -1.3125 C 7.78125 -1.53125 8.390625 -1.859375 8.984375 -2.296875 L 8.640625 -0.546875 C 8.054688 -0.296875 7.46875 -0.109375 6.875 0.015625 C 6.28125 0.148438 5.6875 0.21875 5.09375 0.21875 C 3.695312 0.21875 2.601562 -0.160156 1.8125 -0.921875 C 1.019531 -1.691406 0.625 -2.753906 0.625 -4.109375 C 0.625 -4.972656 0.773438 -5.828125 1.078125 -6.671875 C 1.378906 -7.515625 1.8125 -8.28125 2.375 -8.96875 C 2.96875 -9.707031 3.644531 -10.253906 4.40625 -10.609375 C 5.175781 -10.960938 6.066406 -11.140625 7.078125 -11.140625 C 7.703125 -11.140625 8.296875 -11.050781 8.859375 -10.875 C 9.421875 -10.695312 9.941406 -10.4375 10.421875 -10.09375 Z M 10.421875 -10.09375 "
+ id="path1134" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-2">
+ <path
+ style="stroke:none;"
+ d="M 7.21875 -4.828125 C 7.226562 -4.910156 7.238281 -4.992188 7.25 -5.078125 C 7.257812 -5.160156 7.265625 -5.242188 7.265625 -5.328125 C 7.265625 -5.921875 7.085938 -6.390625 6.734375 -6.734375 C 6.390625 -7.085938 5.914062 -7.265625 5.3125 -7.265625 C 4.644531 -7.265625 4.050781 -7.050781 3.53125 -6.625 C 3.019531 -6.195312 2.632812 -5.597656 2.375 -4.828125 Z M 8.390625 -3.78125 L 2.109375 -3.78125 C 2.085938 -3.59375 2.070312 -3.441406 2.0625 -3.328125 C 2.050781 -3.222656 2.046875 -3.132812 2.046875 -3.0625 C 2.046875 -2.382812 2.253906 -1.859375 2.671875 -1.484375 C 3.085938 -1.117188 3.675781 -0.9375 4.4375 -0.9375 C 5.019531 -0.9375 5.570312 -1 6.09375 -1.125 C 6.625 -1.257812 7.113281 -1.453125 7.5625 -1.703125 L 7.296875 -0.375 C 6.816406 -0.175781 6.316406 -0.03125 5.796875 0.0625 C 5.285156 0.164062 4.765625 0.21875 4.234375 0.21875 C 3.097656 0.21875 2.222656 -0.0507812 1.609375 -0.59375 C 0.992188 -1.144531 0.6875 -1.921875 0.6875 -2.921875 C 0.6875 -3.773438 0.835938 -4.566406 1.140625 -5.296875 C 1.453125 -6.035156 1.898438 -6.691406 2.484375 -7.265625 C 2.867188 -7.628906 3.320312 -7.910156 3.84375 -8.109375 C 4.375 -8.304688 4.929688 -8.40625 5.515625 -8.40625 C 6.453125 -8.40625 7.191406 -8.125 7.734375 -7.5625 C 8.285156 -7.007812 8.5625 -6.265625 8.5625 -5.328125 C 8.5625 -5.097656 8.546875 -4.851562 8.515625 -4.59375 C 8.484375 -4.34375 8.441406 -4.070312 8.390625 -3.78125 Z M 8.390625 -3.78125 "
+ id="path1137" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-3">
+ <path
+ style="stroke:none;"
+ d="M 8.359375 -4.953125 L 7.390625 0 L 6.046875 0 L 7 -4.90625 C 7.039062 -5.132812 7.070312 -5.332031 7.09375 -5.5 C 7.125 -5.675781 7.140625 -5.816406 7.140625 -5.921875 C 7.140625 -6.335938 7.007812 -6.660156 6.75 -6.890625 C 6.488281 -7.117188 6.128906 -7.234375 5.671875 -7.234375 C 4.941406 -7.234375 4.316406 -6.988281 3.796875 -6.5 C 3.273438 -6.019531 2.9375 -5.367188 2.78125 -4.546875 L 1.875 0 L 0.53125 0 L 2.109375 -8.203125 L 3.46875 -8.203125 L 3.1875 -6.921875 C 3.5625 -7.390625 4.015625 -7.753906 4.546875 -8.015625 C 5.078125 -8.273438 5.632812 -8.40625 6.21875 -8.40625 C 6.9375 -8.40625 7.492188 -8.207031 7.890625 -7.8125 C 8.285156 -7.425781 8.484375 -6.878906 8.484375 -6.171875 C 8.484375 -5.992188 8.472656 -5.800781 8.453125 -5.59375 C 8.429688 -5.394531 8.398438 -5.179688 8.359375 -4.953125 Z M 8.359375 -4.953125 "
+ id="path1140" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-4">
+ <path
+ style="stroke:none;"
+ d="M 6.34375 -8.203125 L 6.140625 -7.15625 L 3.453125 -7.15625 L 2.578125 -2.703125 C 2.546875 -2.535156 2.519531 -2.394531 2.5 -2.28125 C 2.488281 -2.164062 2.484375 -2.078125 2.484375 -2.015625 C 2.484375 -1.703125 2.578125 -1.472656 2.765625 -1.328125 C 2.953125 -1.191406 3.253906 -1.125 3.671875 -1.125 L 5.046875 -1.125 L 4.8125 0 L 3.515625 0 C 2.722656 0 2.128906 -0.15625 1.734375 -0.46875 C 1.335938 -0.78125 1.140625 -1.253906 1.140625 -1.890625 C 1.140625 -2.003906 1.144531 -2.128906 1.15625 -2.265625 C 1.175781 -2.398438 1.203125 -2.546875 1.234375 -2.703125 L 2.109375 -7.15625 L 0.953125 -7.15625 L 1.171875 -8.203125 L 2.296875 -8.203125 L 2.75 -10.53125 L 4.09375 -10.53125 L 3.640625 -8.203125 Z M 6.34375 -8.203125 "
+ id="path1143" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-5">
+ <path
+ style="stroke:none;"
+ d="M 6.6875 -6.953125 C 6.550781 -7.023438 6.394531 -7.082031 6.21875 -7.125 C 6.039062 -7.164062 5.851562 -7.1875 5.65625 -7.1875 C 4.9375 -7.1875 4.304688 -6.910156 3.765625 -6.359375 C 3.234375 -5.816406 2.878906 -5.09375 2.703125 -4.1875 L 1.875 0 L 0.53125 0 L 2.125 -8.203125 L 3.484375 -8.203125 L 3.21875 -6.921875 C 3.570312 -7.398438 4 -7.765625 4.5 -8.015625 C 5 -8.273438 5.53125 -8.40625 6.09375 -8.40625 C 6.238281 -8.40625 6.378906 -8.394531 6.515625 -8.375 C 6.660156 -8.351562 6.800781 -8.328125 6.9375 -8.296875 Z M 6.6875 -6.953125 "
+ id="path1146" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-6">
+ <path
+ style="stroke:none;"
+ d="M 3.8125 0.21875 C 2.84375 0.21875 2.078125 -0.078125 1.515625 -0.671875 C 0.960938 -1.265625 0.6875 -2.078125 0.6875 -3.109375 C 0.6875 -3.703125 0.78125 -4.304688 0.96875 -4.921875 C 1.164062 -5.546875 1.421875 -6.066406 1.734375 -6.484375 C 2.210938 -7.140625 2.75 -7.625 3.34375 -7.9375 C 3.9375 -8.25 4.613281 -8.40625 5.375 -8.40625 C 6.300781 -8.40625 7.050781 -8.113281 7.625 -7.53125 C 8.195312 -6.945312 8.484375 -6.1875 8.484375 -5.25 C 8.484375 -4.601562 8.390625 -3.957031 8.203125 -3.3125 C 8.015625 -2.664062 7.765625 -2.128906 7.453125 -1.703125 C 6.972656 -1.046875 6.4375 -0.5625 5.84375 -0.25 C 5.25 0.0625 4.570312 0.21875 3.8125 0.21875 Z M 2.09375 -3.15625 C 2.09375 -2.40625 2.242188 -1.847656 2.546875 -1.484375 C 2.859375 -1.117188 3.332031 -0.9375 3.96875 -0.9375 C 4.863281 -0.9375 5.609375 -1.328125 6.203125 -2.109375 C 6.796875 -2.898438 7.09375 -3.898438 7.09375 -5.109375 C 7.09375 -5.816406 6.929688 -6.351562 6.609375 -6.71875 C 6.296875 -7.082031 5.832031 -7.265625 5.21875 -7.265625 C 4.707031 -7.265625 4.253906 -7.144531 3.859375 -6.90625 C 3.472656 -6.664062 3.125 -6.304688 2.8125 -5.828125 C 2.582031 -5.460938 2.40625 -5.046875 2.28125 -4.578125 C 2.15625 -4.117188 2.09375 -3.644531 2.09375 -3.15625 Z M 2.09375 -3.15625 "
+ id="path1149" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-7">
+ <path
+ style="stroke:none;"
+ d="M 2.53125 -10.9375 L 5.953125 -10.9375 C 6.953125 -10.9375 7.710938 -10.703125 8.234375 -10.234375 C 8.753906 -9.773438 9.015625 -9.097656 9.015625 -8.203125 C 9.015625 -7.003906 8.628906 -6.066406 7.859375 -5.390625 C 7.085938 -4.722656 6.003906 -4.390625 4.609375 -4.390625 L 2.75 -4.390625 L 1.890625 0 L 0.40625 0 Z M 3.78125 -9.71875 L 2.984375 -5.609375 L 4.84375 -5.609375 C 5.6875 -5.609375 6.332031 -5.820312 6.78125 -6.25 C 7.226562 -6.6875 7.453125 -7.300781 7.453125 -8.09375 C 7.453125 -8.613281 7.300781 -9.015625 7 -9.296875 C 6.695312 -9.578125 6.269531 -9.71875 5.71875 -9.71875 Z M 3.78125 -9.71875 "
+ id="path1152" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-8">
+ <path
+ style="stroke:none;"
+ d="M 2.75 -11.390625 L 4.09375 -11.390625 L 3.765625 -9.6875 L 2.421875 -9.6875 Z M 2.125 -8.203125 L 3.484375 -8.203125 L 1.875 0 L 0.53125 0 Z M 2.125 -8.203125 "
+ id="path1155" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-9">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path1158" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-10">
+ <path
+ style="stroke:none;"
+ d="M 6.265625 -1.234375 C 5.910156 -0.753906 5.484375 -0.390625 4.984375 -0.140625 C 4.492188 0.0976562 3.945312 0.21875 3.34375 0.21875 C 2.519531 0.21875 1.867188 -0.0625 1.390625 -0.625 C 0.921875 -1.1875 0.6875 -1.953125 0.6875 -2.921875 C 0.6875 -3.734375 0.828125 -4.503906 1.109375 -5.234375 C 1.398438 -5.972656 1.820312 -6.632812 2.375 -7.21875 C 2.738281 -7.601562 3.144531 -7.894531 3.59375 -8.09375 C 4.050781 -8.300781 4.53125 -8.40625 5.03125 -8.40625 C 5.550781 -8.40625 6.015625 -8.273438 6.421875 -8.015625 C 6.828125 -7.765625 7.140625 -7.398438 7.359375 -6.921875 L 8.234375 -11.390625 L 9.59375 -11.390625 L 7.375 0 L 6.015625 0 Z M 2.09375 -3.171875 C 2.09375 -2.460938 2.25 -1.910156 2.5625 -1.515625 C 2.882812 -1.117188 3.328125 -0.921875 3.890625 -0.921875 C 4.316406 -0.921875 4.707031 -1.019531 5.0625 -1.21875 C 5.425781 -1.425781 5.742188 -1.722656 6.015625 -2.109375 C 6.304688 -2.523438 6.53125 -3 6.6875 -3.53125 C 6.851562 -4.070312 6.9375 -4.601562 6.9375 -5.125 C 6.9375 -5.800781 6.773438 -6.328125 6.453125 -6.703125 C 6.140625 -7.085938 5.703125 -7.28125 5.140625 -7.28125 C 4.710938 -7.28125 4.316406 -7.179688 3.953125 -6.984375 C 3.585938 -6.785156 3.273438 -6.5 3.015625 -6.125 C 2.734375 -5.71875 2.507812 -5.242188 2.34375 -4.703125 C 2.175781 -4.171875 2.09375 -3.660156 2.09375 -3.171875 Z M 2.09375 -3.171875 "
+ id="path1161" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-11">
+ <path
+ style="stroke:none;"
+ d="M 2.75 -11.390625 L 4.09375 -11.390625 L 1.875 0 L 0.53125 0 Z M 2.75 -11.390625 "
+ id="path1164" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-12">
+ <path
+ style="stroke:none;"
+ d="M 8.0625 -4.6875 L 7.140625 0 L 5.796875 0 L 6.046875 -1.25 C 5.648438 -0.757812 5.195312 -0.390625 4.6875 -0.140625 C 4.1875 0.0976562 3.625 0.21875 3 0.21875 C 2.300781 0.21875 1.726562 0.00390625 1.28125 -0.421875 C 0.832031 -0.847656 0.609375 -1.398438 0.609375 -2.078125 C 0.609375 -3.035156 0.988281 -3.789062 1.75 -4.34375 C 2.519531 -4.894531 3.578125 -5.171875 4.921875 -5.171875 L 6.796875 -5.171875 L 6.875 -5.53125 C 6.882812 -5.570312 6.890625 -5.613281 6.890625 -5.65625 C 6.898438 -5.707031 6.90625 -5.78125 6.90625 -5.875 C 6.90625 -6.3125 6.726562 -6.648438 6.375 -6.890625 C 6.019531 -7.140625 5.519531 -7.265625 4.875 -7.265625 C 4.4375 -7.265625 3.984375 -7.207031 3.515625 -7.09375 C 3.054688 -6.976562 2.585938 -6.804688 2.109375 -6.578125 L 2.34375 -7.828125 C 2.84375 -8.015625 3.335938 -8.15625 3.828125 -8.25 C 4.316406 -8.351562 4.785156 -8.40625 5.234375 -8.40625 C 6.203125 -8.40625 6.9375 -8.191406 7.4375 -7.765625 C 7.945312 -7.347656 8.203125 -6.738281 8.203125 -5.9375 C 8.203125 -5.78125 8.1875 -5.59375 8.15625 -5.375 C 8.132812 -5.15625 8.101562 -4.925781 8.0625 -4.6875 Z M 6.59375 -4.125 L 5.25 -4.125 C 4.144531 -4.125 3.328125 -3.972656 2.796875 -3.671875 C 2.265625 -3.378906 2 -2.925781 2 -2.3125 C 2 -1.875 2.132812 -1.535156 2.40625 -1.296875 C 2.675781 -1.054688 3.050781 -0.9375 3.53125 -0.9375 C 4.269531 -0.9375 4.910156 -1.195312 5.453125 -1.71875 C 6.003906 -2.238281 6.367188 -2.941406 6.546875 -3.828125 Z M 6.59375 -4.125 "
+ id="path1167" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-13">
+ <path
+ style="stroke:none;"
+ d="M 2.53125 -10.9375 L 8.796875 -10.9375 L 8.5625 -9.6875 L 3.765625 -9.6875 L 3.140625 -6.46875 L 7.46875 -6.46875 L 7.234375 -5.21875 L 2.890625 -5.21875 L 1.875 0 L 0.40625 0 Z M 2.53125 -10.9375 "
+ id="path1170" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-14">
+ <path
+ style="stroke:none;"
+ d="M 8.046875 -7.890625 L 7.765625 -6.5625 C 7.441406 -6.789062 7.097656 -6.960938 6.734375 -7.078125 C 6.378906 -7.203125 6.003906 -7.265625 5.609375 -7.265625 C 5.179688 -7.265625 4.769531 -7.1875 4.375 -7.03125 C 3.988281 -6.875 3.664062 -6.660156 3.40625 -6.390625 C 2.988281 -5.960938 2.664062 -5.460938 2.4375 -4.890625 C 2.207031 -4.316406 2.09375 -3.726562 2.09375 -3.125 C 2.09375 -2.382812 2.273438 -1.832031 2.640625 -1.46875 C 3.003906 -1.113281 3.566406 -0.9375 4.328125 -0.9375 C 4.691406 -0.9375 5.082031 -0.988281 5.5 -1.09375 C 5.914062 -1.207031 6.351562 -1.378906 6.8125 -1.609375 L 6.5625 -0.265625 C 6.164062 -0.109375 5.757812 0.0078125 5.34375 0.09375 C 4.9375 0.175781 4.515625 0.21875 4.078125 0.21875 C 2.992188 0.21875 2.15625 -0.0507812 1.5625 -0.59375 C 0.976562 -1.144531 0.6875 -1.925781 0.6875 -2.9375 C 0.6875 -3.789062 0.835938 -4.570312 1.140625 -5.28125 C 1.453125 -6 1.90625 -6.644531 2.5 -7.21875 C 2.914062 -7.601562 3.398438 -7.894531 3.953125 -8.09375 C 4.503906 -8.300781 5.101562 -8.40625 5.75 -8.40625 C 6.132812 -8.40625 6.515625 -8.359375 6.890625 -8.265625 C 7.265625 -8.179688 7.648438 -8.054688 8.046875 -7.890625 Z M 8.046875 -7.890625 "
+ id="path1173" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph152-15">
+ <path
+ style="stroke:none;"
+ d="M 7.5 -7.96875 L 7.25 -6.6875 C 6.882812 -6.882812 6.503906 -7.03125 6.109375 -7.125 C 5.710938 -7.21875 5.304688 -7.265625 4.890625 -7.265625 C 4.179688 -7.265625 3.625 -7.144531 3.21875 -6.90625 C 2.8125 -6.664062 2.609375 -6.335938 2.609375 -5.921875 C 2.609375 -5.441406 3.082031 -5.070312 4.03125 -4.8125 C 4.101562 -4.789062 4.15625 -4.773438 4.1875 -4.765625 L 4.625 -4.640625 C 5.519531 -4.390625 6.117188 -4.125 6.421875 -3.84375 C 6.722656 -3.570312 6.875 -3.203125 6.875 -2.734375 C 6.875 -1.859375 6.523438 -1.144531 5.828125 -0.59375 C 5.140625 -0.0507812 4.238281 0.21875 3.125 0.21875 C 2.6875 0.21875 2.226562 0.175781 1.75 0.09375 C 1.269531 0.0078125 0.742188 -0.117188 0.171875 -0.296875 L 0.4375 -1.6875 C 0.925781 -1.4375 1.410156 -1.242188 1.890625 -1.109375 C 2.367188 -0.984375 2.828125 -0.921875 3.265625 -0.921875 C 3.921875 -0.921875 4.457031 -1.0625 4.875 -1.34375 C 5.289062 -1.625 5.5 -1.984375 5.5 -2.421875 C 5.5 -2.890625 4.957031 -3.265625 3.875 -3.546875 L 3.734375 -3.59375 L 3.265625 -3.703125 C 2.578125 -3.890625 2.078125 -4.128906 1.765625 -4.421875 C 1.453125 -4.710938 1.296875 -5.085938 1.296875 -5.546875 C 1.296875 -6.421875 1.625 -7.113281 2.28125 -7.625 C 2.9375 -8.144531 3.828125 -8.40625 4.953125 -8.40625 C 5.398438 -8.40625 5.832031 -8.367188 6.25 -8.296875 C 6.675781 -8.222656 7.09375 -8.113281 7.5 -7.96875 Z M 7.5 -7.96875 "
+ id="path1176" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-0">
+ <path
+ style="stroke:none;"
+ d="M 0.59375 2.125 L 0.59375 -8.46875 L 6.59375 -8.46875 L 6.59375 2.125 Z M 1.265625 1.453125 L 5.9375 1.453125 L 5.9375 -7.78125 L 1.265625 -7.78125 Z M 1.265625 1.453125 "
+ id="path1179" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-1">
+ <path
+ style="stroke:none;"
+ d="M 2.03125 -8.75 L 4.765625 -8.75 C 5.554688 -8.75 6.160156 -8.5625 6.578125 -8.1875 C 7.003906 -7.820312 7.21875 -7.28125 7.21875 -6.5625 C 7.21875 -5.601562 6.90625 -4.851562 6.28125 -4.3125 C 5.664062 -3.78125 4.800781 -3.515625 3.6875 -3.515625 L 2.203125 -3.515625 L 1.515625 0 L 0.328125 0 Z M 3.03125 -7.78125 L 2.390625 -4.484375 L 3.875 -4.484375 C 4.550781 -4.484375 5.066406 -4.65625 5.421875 -5 C 5.785156 -5.34375 5.96875 -5.835938 5.96875 -6.484375 C 5.96875 -6.890625 5.84375 -7.207031 5.59375 -7.4375 C 5.351562 -7.664062 5.015625 -7.78125 4.578125 -7.78125 Z M 3.03125 -7.78125 "
+ id="path1182" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-2">
+ <path
+ style="stroke:none;"
+ d="M 6.453125 -3.75 L 5.71875 0 L 4.640625 0 L 4.828125 -1 C 4.515625 -0.601562 4.15625 -0.304688 3.75 -0.109375 C 3.34375 0.078125 2.894531 0.171875 2.40625 0.171875 C 1.84375 0.171875 1.382812 0 1.03125 -0.34375 C 0.675781 -0.6875 0.5 -1.125 0.5 -1.65625 C 0.5 -2.425781 0.800781 -3.03125 1.40625 -3.46875 C 2.019531 -3.914062 2.863281 -4.140625 3.9375 -4.140625 L 5.4375 -4.140625 L 5.5 -4.4375 C 5.507812 -4.46875 5.515625 -4.5 5.515625 -4.53125 C 5.515625 -4.570312 5.515625 -4.628906 5.515625 -4.703125 C 5.515625 -5.054688 5.375 -5.328125 5.09375 -5.515625 C 4.8125 -5.710938 4.414062 -5.8125 3.90625 -5.8125 C 3.550781 -5.8125 3.1875 -5.765625 2.8125 -5.671875 C 2.445312 -5.578125 2.070312 -5.441406 1.6875 -5.265625 L 1.875 -6.265625 C 2.28125 -6.421875 2.675781 -6.535156 3.0625 -6.609375 C 3.445312 -6.679688 3.820312 -6.71875 4.1875 -6.71875 C 4.957031 -6.71875 5.546875 -6.550781 5.953125 -6.21875 C 6.359375 -5.882812 6.5625 -5.394531 6.5625 -4.75 C 6.5625 -4.625 6.550781 -4.472656 6.53125 -4.296875 C 6.507812 -4.117188 6.484375 -3.9375 6.453125 -3.75 Z M 5.28125 -3.296875 L 4.203125 -3.296875 C 3.316406 -3.296875 2.660156 -3.175781 2.234375 -2.9375 C 1.816406 -2.707031 1.609375 -2.34375 1.609375 -1.84375 C 1.609375 -1.5 1.710938 -1.226562 1.921875 -1.03125 C 2.140625 -0.84375 2.441406 -0.75 2.828125 -0.75 C 3.410156 -0.75 3.921875 -0.957031 4.359375 -1.375 C 4.796875 -1.789062 5.085938 -2.351562 5.234375 -3.0625 Z M 5.28125 -3.296875 "
+ id="path1185" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-3">
+ <path
+ style="stroke:none;"
+ d="M 5.34375 -5.5625 C 5.238281 -5.625 5.113281 -5.671875 4.96875 -5.703125 C 4.832031 -5.734375 4.6875 -5.75 4.53125 -5.75 C 3.945312 -5.75 3.441406 -5.53125 3.015625 -5.09375 C 2.585938 -4.65625 2.300781 -4.070312 2.15625 -3.34375 L 1.5 0 L 0.421875 0 L 1.703125 -6.5625 L 2.78125 -6.5625 L 2.578125 -5.546875 C 2.859375 -5.921875 3.195312 -6.207031 3.59375 -6.40625 C 4 -6.613281 4.425781 -6.71875 4.875 -6.71875 C 4.988281 -6.71875 5.101562 -6.710938 5.21875 -6.703125 C 5.332031 -6.691406 5.445312 -6.671875 5.5625 -6.640625 Z M 5.34375 -5.5625 "
+ id="path1188" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-4">
+ <path
+ style="stroke:none;"
+ d="M 6.4375 -6.3125 L 6.21875 -5.25 C 5.957031 -5.4375 5.679688 -5.578125 5.390625 -5.671875 C 5.097656 -5.765625 4.796875 -5.8125 4.484375 -5.8125 C 4.140625 -5.8125 3.8125 -5.75 3.5 -5.625 C 3.195312 -5.5 2.9375 -5.328125 2.71875 -5.109375 C 2.382812 -4.765625 2.125 -4.363281 1.9375 -3.90625 C 1.757812 -3.457031 1.671875 -2.988281 1.671875 -2.5 C 1.671875 -1.90625 1.816406 -1.460938 2.109375 -1.171875 C 2.410156 -0.890625 2.859375 -0.75 3.453125 -0.75 C 3.753906 -0.75 4.070312 -0.789062 4.40625 -0.875 C 4.738281 -0.96875 5.085938 -1.101562 5.453125 -1.28125 L 5.25 -0.21875 C 4.9375 -0.09375 4.613281 0 4.28125 0.0625 C 3.945312 0.132812 3.609375 0.171875 3.265625 0.171875 C 2.390625 0.171875 1.71875 -0.046875 1.25 -0.484375 C 0.78125 -0.921875 0.546875 -1.539062 0.546875 -2.34375 C 0.546875 -3.03125 0.664062 -3.660156 0.90625 -4.234375 C 1.15625 -4.804688 1.519531 -5.316406 2 -5.765625 C 2.332031 -6.078125 2.71875 -6.3125 3.15625 -6.46875 C 3.601562 -6.632812 4.085938 -6.71875 4.609375 -6.71875 C 4.910156 -6.71875 5.210938 -6.679688 5.515625 -6.609375 C 5.816406 -6.546875 6.125 -6.445312 6.4375 -6.3125 Z M 6.4375 -6.3125 "
+ id="path1191" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-5">
+ <path
+ style="stroke:none;"
+ d="M 3.046875 0.171875 C 2.273438 0.171875 1.664062 -0.0625 1.21875 -0.53125 C 0.769531 -1.007812 0.546875 -1.660156 0.546875 -2.484375 C 0.546875 -2.960938 0.625 -3.445312 0.78125 -3.9375 C 0.9375 -4.4375 1.140625 -4.851562 1.390625 -5.1875 C 1.773438 -5.707031 2.203125 -6.09375 2.671875 -6.34375 C 3.148438 -6.59375 3.691406 -6.71875 4.296875 -6.71875 C 5.046875 -6.71875 5.648438 -6.484375 6.109375 -6.015625 C 6.566406 -5.554688 6.796875 -4.953125 6.796875 -4.203125 C 6.796875 -3.679688 6.71875 -3.160156 6.5625 -2.640625 C 6.40625 -2.128906 6.207031 -1.703125 5.96875 -1.359375 C 5.582031 -0.835938 5.148438 -0.453125 4.671875 -0.203125 C 4.203125 0.046875 3.660156 0.171875 3.046875 0.171875 Z M 1.671875 -2.515625 C 1.671875 -1.921875 1.796875 -1.476562 2.046875 -1.1875 C 2.296875 -0.894531 2.671875 -0.75 3.171875 -0.75 C 3.890625 -0.75 4.484375 -1.0625 4.953125 -1.6875 C 5.429688 -2.320312 5.671875 -3.125 5.671875 -4.09375 C 5.671875 -4.65625 5.546875 -5.082031 5.296875 -5.375 C 5.046875 -5.664062 4.671875 -5.8125 4.171875 -5.8125 C 3.765625 -5.8125 3.40625 -5.710938 3.09375 -5.515625 C 2.78125 -5.328125 2.5 -5.039062 2.25 -4.65625 C 2.0625 -4.363281 1.914062 -4.03125 1.8125 -3.65625 C 1.71875 -3.289062 1.671875 -2.910156 1.671875 -2.515625 Z M 1.671875 -2.515625 "
+ id="path1194" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-6">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path1197" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-7">
+ <path
+ style="stroke:none;"
+ d="M 2.03125 -8.75 L 4.578125 -8.75 C 5.921875 -8.75 6.9375 -8.460938 7.625 -7.890625 C 8.320312 -7.316406 8.671875 -6.46875 8.671875 -5.34375 C 8.671875 -4.59375 8.535156 -3.875 8.265625 -3.1875 C 8.003906 -2.5 7.644531 -1.914062 7.1875 -1.4375 C 6.726562 -0.957031 6.140625 -0.597656 5.421875 -0.359375 C 4.703125 -0.117188 3.859375 0 2.890625 0 L 0.328125 0 Z M 3.03125 -7.78125 L 1.703125 -0.96875 L 3.25 -0.96875 C 4.570312 -0.96875 5.597656 -1.347656 6.328125 -2.109375 C 7.054688 -2.878906 7.421875 -3.957031 7.421875 -5.34375 C 7.421875 -6.175781 7.1875 -6.789062 6.71875 -7.1875 C 6.25 -7.582031 5.515625 -7.78125 4.515625 -7.78125 Z M 3.03125 -7.78125 "
+ id="path1200" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-8">
+ <path
+ style="stroke:none;"
+ d="M 5.125 -9.109375 C 4.082031 -7.816406 3.304688 -6.585938 2.796875 -5.421875 C 2.296875 -4.265625 2.046875 -3.144531 2.046875 -2.0625 C 2.046875 -1.445312 2.117188 -0.832031 2.265625 -0.21875 C 2.410156 0.382812 2.632812 0.984375 2.9375 1.578125 L 2 1.578125 C 1.632812 0.910156 1.363281 0.257812 1.1875 -0.375 C 1.007812 -1.007812 0.921875 -1.632812 0.921875 -2.25 C 0.921875 -3.40625 1.1875 -4.550781 1.71875 -5.6875 C 2.257812 -6.832031 3.078125 -7.972656 4.171875 -9.109375 Z M 5.125 -9.109375 "
+ id="path1203" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-9">
+ <path
+ style="stroke:none;"
+ d="M 5.765625 -3.875 C 5.785156 -3.9375 5.796875 -4 5.796875 -4.0625 C 5.804688 -4.125 5.8125 -4.191406 5.8125 -4.265625 C 5.8125 -4.734375 5.671875 -5.109375 5.390625 -5.390625 C 5.109375 -5.671875 4.726562 -5.8125 4.25 -5.8125 C 3.71875 -5.8125 3.242188 -5.640625 2.828125 -5.296875 C 2.421875 -4.960938 2.113281 -4.484375 1.90625 -3.859375 Z M 6.703125 -3.03125 L 1.6875 -3.03125 C 1.664062 -2.875 1.648438 -2.753906 1.640625 -2.671875 C 1.640625 -2.585938 1.640625 -2.515625 1.640625 -2.453125 C 1.640625 -1.910156 1.804688 -1.488281 2.140625 -1.1875 C 2.472656 -0.894531 2.941406 -0.75 3.546875 -0.75 C 4.015625 -0.75 4.457031 -0.800781 4.875 -0.90625 C 5.300781 -1.007812 5.691406 -1.160156 6.046875 -1.359375 L 5.84375 -0.296875 C 5.457031 -0.140625 5.054688 -0.0234375 4.640625 0.046875 C 4.234375 0.128906 3.816406 0.171875 3.390625 0.171875 C 2.472656 0.171875 1.769531 -0.046875 1.28125 -0.484375 C 0.789062 -0.921875 0.546875 -1.539062 0.546875 -2.34375 C 0.546875 -3.019531 0.664062 -3.648438 0.90625 -4.234375 C 1.15625 -4.828125 1.519531 -5.351562 2 -5.8125 C 2.300781 -6.101562 2.660156 -6.328125 3.078125 -6.484375 C 3.492188 -6.640625 3.941406 -6.71875 4.421875 -6.71875 C 5.160156 -6.71875 5.75 -6.492188 6.1875 -6.046875 C 6.625 -5.609375 6.84375 -5.015625 6.84375 -4.265625 C 6.84375 -4.078125 6.832031 -3.878906 6.8125 -3.671875 C 6.789062 -3.472656 6.753906 -3.257812 6.703125 -3.03125 Z M 6.703125 -3.03125 "
+ id="path1206" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-10">
+ <path
+ style="stroke:none;"
+ d="M 2.03125 -8.75 L 3.21875 -8.75 L 1.515625 0 L 0.328125 0 Z M 2.03125 -8.75 "
+ id="path1209" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-11">
+ <path
+ style="stroke:none;"
+ d="M 6.6875 -3.96875 L 5.921875 0 L 4.828125 0 L 5.609375 -3.921875 C 5.640625 -4.109375 5.664062 -4.269531 5.6875 -4.40625 C 5.707031 -4.550781 5.71875 -4.660156 5.71875 -4.734375 C 5.71875 -5.066406 5.613281 -5.320312 5.40625 -5.5 C 5.195312 -5.6875 4.90625 -5.78125 4.53125 -5.78125 C 3.957031 -5.78125 3.460938 -5.585938 3.046875 -5.203125 C 2.628906 -4.816406 2.351562 -4.296875 2.21875 -3.640625 L 1.5 0 L 0.421875 0 L 1.6875 -6.5625 L 2.765625 -6.5625 L 2.5625 -5.53125 C 2.851562 -5.90625 3.207031 -6.195312 3.625 -6.40625 C 4.050781 -6.613281 4.5 -6.71875 4.96875 -6.71875 C 5.550781 -6.71875 6 -6.5625 6.3125 -6.25 C 6.632812 -5.9375 6.796875 -5.5 6.796875 -4.9375 C 6.796875 -4.789062 6.785156 -4.640625 6.765625 -4.484375 C 6.742188 -4.328125 6.71875 -4.15625 6.6875 -3.96875 Z M 6.6875 -3.96875 "
+ id="path1212" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-12">
+ <path
+ style="stroke:none;"
+ d="M 7.15625 -6.5625 L 6.03125 -0.8125 C 5.820312 0.300781 5.410156 1.128906 4.796875 1.671875 C 4.191406 2.222656 3.375 2.5 2.34375 2.5 C 1.96875 2.5 1.617188 2.46875 1.296875 2.40625 C 0.972656 2.351562 0.671875 2.269531 0.390625 2.15625 L 0.59375 1.109375 C 0.851562 1.273438 1.128906 1.398438 1.421875 1.484375 C 1.722656 1.566406 2.039062 1.609375 2.375 1.609375 C 3.0625 1.609375 3.625 1.421875 4.0625 1.046875 C 4.5 0.671875 4.789062 0.132812 4.9375 -0.5625 L 5.03125 -1.0625 C 4.726562 -0.71875 4.375 -0.453125 3.96875 -0.265625 C 3.570312 -0.0859375 3.144531 0 2.6875 0 C 2.019531 0 1.492188 -0.21875 1.109375 -0.65625 C 0.734375 -1.09375 0.546875 -1.695312 0.546875 -2.46875 C 0.546875 -3.070312 0.660156 -3.664062 0.890625 -4.25 C 1.128906 -4.832031 1.457031 -5.347656 1.875 -5.796875 C 2.144531 -6.085938 2.460938 -6.3125 2.828125 -6.46875 C 3.203125 -6.632812 3.59375 -6.71875 4 -6.71875 C 4.4375 -6.71875 4.816406 -6.613281 5.140625 -6.40625 C 5.472656 -6.207031 5.722656 -5.921875 5.890625 -5.546875 L 6.078125 -6.5625 Z M 5.53125 -4.15625 C 5.53125 -4.6875 5.40625 -5.09375 5.15625 -5.375 C 4.90625 -5.664062 4.550781 -5.8125 4.09375 -5.8125 C 3.800781 -5.8125 3.523438 -5.753906 3.265625 -5.640625 C 3.015625 -5.535156 2.796875 -5.378906 2.609375 -5.171875 C 2.316406 -4.835938 2.085938 -4.441406 1.921875 -3.984375 C 1.753906 -3.535156 1.671875 -3.066406 1.671875 -2.578125 C 1.671875 -2.035156 1.796875 -1.617188 2.046875 -1.328125 C 2.296875 -1.046875 2.660156 -0.90625 3.140625 -0.90625 C 3.816406 -0.90625 4.382812 -1.210938 4.84375 -1.828125 C 5.300781 -2.453125 5.53125 -3.226562 5.53125 -4.15625 Z M 5.53125 -4.15625 "
+ id="path1215" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-13">
+ <path
+ style="stroke:none;"
+ d="M 6 -6.375 L 5.796875 -5.34375 C 5.515625 -5.5 5.210938 -5.613281 4.890625 -5.6875 C 4.578125 -5.769531 4.253906 -5.8125 3.921875 -5.8125 C 3.347656 -5.8125 2.898438 -5.710938 2.578125 -5.515625 C 2.253906 -5.328125 2.09375 -5.066406 2.09375 -4.734375 C 2.09375 -4.347656 2.46875 -4.050781 3.21875 -3.84375 C 3.28125 -3.832031 3.328125 -3.820312 3.359375 -3.8125 L 3.703125 -3.703125 C 4.421875 -3.503906 4.898438 -3.296875 5.140625 -3.078125 C 5.378906 -2.859375 5.5 -2.5625 5.5 -2.1875 C 5.5 -1.488281 5.222656 -0.921875 4.671875 -0.484375 C 4.117188 -0.046875 3.394531 0.171875 2.5 0.171875 C 2.144531 0.171875 1.773438 0.132812 1.390625 0.0625 C 1.015625 0 0.597656 -0.0976562 0.140625 -0.234375 L 0.34375 -1.359375 C 0.738281 -1.148438 1.128906 -0.992188 1.515625 -0.890625 C 1.898438 -0.785156 2.265625 -0.734375 2.609375 -0.734375 C 3.140625 -0.734375 3.566406 -0.84375 3.890625 -1.0625 C 4.222656 -1.289062 4.390625 -1.582031 4.390625 -1.9375 C 4.390625 -2.3125 3.957031 -2.613281 3.09375 -2.84375 L 2.984375 -2.875 L 2.609375 -2.96875 C 2.066406 -3.113281 1.664062 -3.300781 1.40625 -3.53125 C 1.15625 -3.769531 1.03125 -4.070312 1.03125 -4.4375 C 1.03125 -5.132812 1.289062 -5.6875 1.8125 -6.09375 C 2.34375 -6.507812 3.0625 -6.71875 3.96875 -6.71875 C 4.320312 -6.71875 4.664062 -6.6875 5 -6.625 C 5.34375 -6.570312 5.675781 -6.488281 6 -6.375 Z M 6 -6.375 "
+ id="path1218" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-14">
+ <path
+ style="stroke:none;"
+ d="M 5.078125 -6.5625 L 4.90625 -5.71875 L 2.765625 -5.71875 L 2.0625 -2.15625 C 2.039062 -2.03125 2.023438 -1.921875 2.015625 -1.828125 C 2.003906 -1.734375 2 -1.664062 2 -1.625 C 2 -1.375 2.070312 -1.191406 2.21875 -1.078125 C 2.363281 -0.960938 2.601562 -0.90625 2.9375 -0.90625 L 4.03125 -0.90625 L 3.84375 0 L 2.8125 0 C 2.175781 0 1.703125 -0.125 1.390625 -0.375 C 1.078125 -0.625 0.921875 -1.003906 0.921875 -1.515625 C 0.921875 -1.597656 0.925781 -1.691406 0.9375 -1.796875 C 0.945312 -1.910156 0.960938 -2.03125 0.984375 -2.15625 L 1.6875 -5.71875 L 0.765625 -5.71875 L 0.9375 -6.5625 L 1.828125 -6.5625 L 2.203125 -8.421875 L 3.28125 -8.421875 L 2.921875 -6.5625 Z M 5.078125 -6.5625 "
+ id="path1221" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-15">
+ <path
+ style="stroke:none;"
+ d="M -0.75 1.578125 C 0.289062 0.285156 1.066406 -0.9375 1.578125 -2.09375 C 2.085938 -3.257812 2.34375 -4.382812 2.34375 -5.46875 C 2.34375 -6.082031 2.269531 -6.691406 2.125 -7.296875 C 1.976562 -7.898438 1.753906 -8.503906 1.453125 -9.109375 L 2.390625 -9.109375 C 2.753906 -8.429688 3.019531 -7.773438 3.1875 -7.140625 C 3.363281 -6.515625 3.453125 -5.898438 3.453125 -5.296875 C 3.453125 -4.128906 3.179688 -2.972656 2.640625 -1.828125 C 2.097656 -0.679688 1.289062 0.453125 0.21875 1.578125 Z M -0.75 1.578125 "
+ id="path1224" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-16">
+ <path
+ style="stroke:none;"
+ d="M 7.234375 -8.46875 L 7.015625 -7.3125 C 6.617188 -7.519531 6.222656 -7.675781 5.828125 -7.78125 C 5.441406 -7.894531 5.066406 -7.953125 4.703125 -7.953125 C 3.992188 -7.953125 3.429688 -7.796875 3.015625 -7.484375 C 2.597656 -7.171875 2.390625 -6.757812 2.390625 -6.25 C 2.390625 -5.96875 2.46875 -5.75 2.625 -5.59375 C 2.78125 -5.445312 3.175781 -5.289062 3.8125 -5.125 L 4.53125 -4.953125 C 5.320312 -4.742188 5.875 -4.476562 6.1875 -4.15625 C 6.5 -3.84375 6.65625 -3.394531 6.65625 -2.8125 C 6.65625 -1.9375 6.304688 -1.21875 5.609375 -0.65625 C 4.921875 -0.101562 4.015625 0.171875 2.890625 0.171875 C 2.421875 0.171875 1.953125 0.125 1.484375 0.03125 C 1.015625 -0.0625 0.546875 -0.203125 0.078125 -0.390625 L 0.3125 -1.609375 C 0.75 -1.335938 1.179688 -1.132812 1.609375 -1 C 2.046875 -0.863281 2.484375 -0.796875 2.921875 -0.796875 C 3.660156 -0.796875 4.25 -0.957031 4.6875 -1.28125 C 5.132812 -1.613281 5.359375 -2.039062 5.359375 -2.5625 C 5.359375 -2.914062 5.269531 -3.179688 5.09375 -3.359375 C 4.914062 -3.546875 4.535156 -3.710938 3.953125 -3.859375 L 3.234375 -4.046875 C 2.429688 -4.253906 1.878906 -4.492188 1.578125 -4.765625 C 1.285156 -5.046875 1.140625 -5.4375 1.140625 -5.9375 C 1.140625 -6.800781 1.472656 -7.507812 2.140625 -8.0625 C 2.816406 -8.625 3.691406 -8.90625 4.765625 -8.90625 C 5.179688 -8.90625 5.59375 -8.867188 6 -8.796875 C 6.414062 -8.722656 6.828125 -8.613281 7.234375 -8.46875 Z M 7.234375 -8.46875 "
+ id="path1227" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-17">
+ <path
+ style="stroke:none;"
+ d="M 5.953125 -4.046875 C 5.953125 -4.617188 5.828125 -5.054688 5.578125 -5.359375 C 5.328125 -5.660156 4.96875 -5.8125 4.5 -5.8125 C 4.175781 -5.8125 3.867188 -5.726562 3.578125 -5.5625 C 3.285156 -5.40625 3.03125 -5.171875 2.8125 -4.859375 C 2.582031 -4.546875 2.398438 -4.171875 2.265625 -3.734375 C 2.140625 -3.296875 2.078125 -2.863281 2.078125 -2.4375 C 2.078125 -1.894531 2.203125 -1.472656 2.453125 -1.171875 C 2.703125 -0.878906 3.054688 -0.734375 3.515625 -0.734375 C 3.859375 -0.734375 4.175781 -0.8125 4.46875 -0.96875 C 4.757812 -1.132812 5.003906 -1.367188 5.203125 -1.671875 C 5.429688 -1.992188 5.613281 -2.367188 5.75 -2.796875 C 5.882812 -3.234375 5.953125 -3.648438 5.953125 -4.046875 Z M 2.609375 -5.5625 C 2.898438 -5.945312 3.238281 -6.234375 3.625 -6.421875 C 4.019531 -6.617188 4.460938 -6.71875 4.953125 -6.71875 C 5.617188 -6.71875 6.132812 -6.5 6.5 -6.0625 C 6.875 -5.625 7.0625 -5.007812 7.0625 -4.21875 C 7.0625 -3.5625 6.945312 -2.941406 6.71875 -2.359375 C 6.488281 -1.773438 6.15625 -1.25 5.71875 -0.78125 C 5.4375 -0.46875 5.113281 -0.226562 4.75 -0.0625 C 4.382812 0.09375 4 0.171875 3.59375 0.171875 C 3.132812 0.171875 2.742188 0.078125 2.421875 -0.109375 C 2.109375 -0.304688 1.875 -0.597656 1.71875 -0.984375 L 1.046875 2.5 L -0.03125 2.5 L 1.734375 -6.5625 L 2.8125 -6.5625 Z M 2.609375 -5.5625 "
+ id="path1230" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph153-18">
+ <path
+ style="stroke:none;"
+ d="M 2.203125 -9.125 L 3.28125 -9.125 L 3.015625 -7.75 L 1.9375 -7.75 Z M 1.703125 -6.5625 L 2.78125 -6.5625 L 1.5 0 L 0.421875 0 Z M 1.703125 -6.5625 "
+ id="path1233" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph154-0">
+ <path
+ style="stroke:none;"
+ d="M 0.171875 2.1875 L 2.203125 -8.203125 L 8.09375 -7.046875 L 6.0625 3.34375 Z M 0.953125 1.671875 L 5.546875 2.5625 L 7.328125 -6.5 L 2.734375 -7.390625 Z M 0.953125 1.671875 "
+ id="path1236" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph154-1">
+ <path
+ style="stroke:none;"
+ d="M 7.046875 -2.4375 L 5.609375 1.09375 L 4.546875 0.890625 L 4.921875 -0.046875 C 4.546875 0.273438 4.140625 0.492188 3.703125 0.609375 C 3.265625 0.722656 2.804688 0.734375 2.328125 0.640625 C 1.773438 0.523438 1.359375 0.265625 1.078125 -0.140625 C 0.796875 -0.546875 0.703125 -1.007812 0.796875 -1.53125 C 0.953125 -2.289062 1.367188 -2.828125 2.046875 -3.140625 C 2.734375 -3.453125 3.601562 -3.503906 4.65625 -3.296875 L 6.125 -3.015625 L 6.25 -3.296875 C 6.257812 -3.328125 6.269531 -3.359375 6.28125 -3.390625 C 6.289062 -3.421875 6.300781 -3.472656 6.3125 -3.546875 C 6.382812 -3.898438 6.300781 -4.195312 6.0625 -4.4375 C 5.820312 -4.675781 5.453125 -4.847656 4.953125 -4.953125 C 4.609375 -5.015625 4.242188 -5.035156 3.859375 -5.015625 C 3.472656 -4.992188 3.078125 -4.9375 2.671875 -4.84375 L 3.046875 -5.78125 C 3.472656 -5.851562 3.882812 -5.890625 4.28125 -5.890625 C 4.675781 -5.890625 5.050781 -5.851562 5.40625 -5.78125 C 6.164062 -5.632812 6.707031 -5.359375 7.03125 -4.953125 C 7.363281 -4.546875 7.472656 -4.023438 7.359375 -3.390625 C 7.328125 -3.273438 7.285156 -3.128906 7.234375 -2.953125 C 7.179688 -2.785156 7.117188 -2.613281 7.046875 -2.4375 Z M 5.828125 -2.21875 L 4.765625 -2.421875 C 3.898438 -2.597656 3.234375 -2.609375 2.765625 -2.453125 C 2.304688 -2.304688 2.03125 -1.988281 1.9375 -1.5 C 1.863281 -1.15625 1.910156 -0.867188 2.078125 -0.640625 C 2.253906 -0.410156 2.535156 -0.257812 2.921875 -0.1875 C 3.492188 -0.0703125 4.035156 -0.175781 4.546875 -0.5 C 5.054688 -0.832031 5.453125 -1.328125 5.734375 -1.984375 Z M 5.828125 -2.21875 "
+ id="path1239" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph154-2">
+ <path
+ style="stroke:none;"
+ d="M 2.953125 0.765625 C 2.203125 0.609375 1.648438 0.253906 1.296875 -0.296875 C 0.941406 -0.847656 0.847656 -1.523438 1.015625 -2.328125 C 1.097656 -2.796875 1.265625 -3.253906 1.515625 -3.703125 C 1.773438 -4.160156 2.054688 -4.535156 2.359375 -4.828125 C 2.847656 -5.265625 3.347656 -5.554688 3.859375 -5.703125 C 4.367188 -5.859375 4.921875 -5.878906 5.515625 -5.765625 C 6.253906 -5.617188 6.800781 -5.273438 7.15625 -4.734375 C 7.519531 -4.191406 7.628906 -3.550781 7.484375 -2.8125 C 7.378906 -2.300781 7.195312 -1.804688 6.9375 -1.328125 C 6.6875 -0.859375 6.414062 -0.472656 6.125 -0.171875 C 5.644531 0.253906 5.144531 0.546875 4.625 0.703125 C 4.113281 0.859375 3.554688 0.878906 2.953125 0.765625 Z M 2.125 -2.140625 C 2.007812 -1.554688 2.046875 -1.097656 2.234375 -0.765625 C 2.421875 -0.429688 2.757812 -0.21875 3.25 -0.125 C 3.957031 0.0078125 4.601562 -0.179688 5.1875 -0.703125 C 5.78125 -1.234375 6.164062 -1.972656 6.34375 -2.921875 C 6.457031 -3.472656 6.421875 -3.914062 6.234375 -4.25 C 6.046875 -4.582031 5.707031 -4.800781 5.21875 -4.90625 C 4.820312 -4.976562 4.453125 -4.953125 4.109375 -4.828125 C 3.765625 -4.703125 3.425781 -4.46875 3.09375 -4.125 C 2.863281 -3.882812 2.660156 -3.585938 2.484375 -3.234375 C 2.316406 -2.890625 2.195312 -2.523438 2.125 -2.140625 Z M 2.125 -2.140625 "
+ id="path1242" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph155-0">
+ <path
+ style="stroke:none;"
+ d="M 0.171875 2.1875 L 2.203125 -8.203125 L 8.09375 -7.046875 L 6.0625 3.34375 Z M 0.953125 1.671875 L 5.546875 2.5625 L 7.328125 -6.5 L 2.734375 -7.390625 Z M 0.953125 1.671875 "
+ id="path1245" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph155-1">
+ <path
+ style="stroke:none;"
+ d="M 3.90625 -8.53125 L 4.96875 -8.328125 L 4.453125 -7.03125 L 3.40625 -7.234375 Z M 2.9375 -6.109375 L 4 -5.90625 L 1.46875 0.28125 L 0.40625 0.078125 Z M 2.9375 -6.109375 "
+ id="path1248" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph155-2">
+ <path
+ style="stroke:none;"
+ d="M 4.46875 -7.0625 L 3.28125 -4.109375 L 4.78125 -3.8125 C 5.363281 -3.695312 5.867188 -3.765625 6.296875 -4.015625 C 6.722656 -4.273438 6.988281 -4.664062 7.09375 -5.1875 C 7.164062 -5.601562 7.101562 -5.945312 6.90625 -6.21875 C 6.707031 -6.5 6.382812 -6.679688 5.9375 -6.765625 Z M 5.921875 -3.125 C 6.148438 -3.007812 6.320312 -2.820312 6.4375 -2.5625 C 6.5625 -2.3125 6.660156 -1.828125 6.734375 -1.109375 L 7 1.375 L 5.78125 1.140625 L 5.546875 -1.203125 C 5.484375 -1.796875 5.359375 -2.210938 5.171875 -2.453125 C 4.984375 -2.703125 4.660156 -2.867188 4.203125 -2.953125 L 2.90625 -3.203125 L 1.484375 0.296875 L 0.328125 0.0625 L 3.6875 -8.203125 L 6.28125 -7.6875 C 7.082031 -7.53125 7.65625 -7.226562 8 -6.78125 C 8.351562 -6.34375 8.46875 -5.785156 8.34375 -5.109375 C 8.21875 -4.503906 7.929688 -4.019531 7.484375 -3.65625 C 7.046875 -3.300781 6.523438 -3.125 5.921875 -3.125 Z M 5.921875 -3.125 "
+ id="path1251" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph156-0">
+ <path
+ style="stroke:none;"
+ d="M 0.171875 2.1875 L 2.203125 -8.203125 L 8.09375 -7.046875 L 6.0625 3.34375 Z M 0.953125 1.671875 L 5.546875 2.5625 L 7.328125 -6.5 L 2.734375 -7.390625 Z M 0.953125 1.671875 "
+ id="path1254" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph156-1">
+ <path
+ style="stroke:none;"
+ d="M 6.328125 -4.421875 C 6.234375 -4.503906 6.117188 -4.570312 5.984375 -4.625 C 5.847656 -4.6875 5.707031 -4.734375 5.5625 -4.765625 C 4.988281 -4.878906 4.445312 -4.765625 3.9375 -4.421875 C 3.4375 -4.078125 3.039062 -3.554688 2.75 -2.859375 L 1.46875 0.28125 L 0.40625 0.078125 L 2.9375 -6.109375 L 4 -5.90625 L 3.59375 -4.9375 C 3.9375 -5.257812 4.328125 -5.476562 4.765625 -5.59375 C 5.203125 -5.71875 5.640625 -5.738281 6.078125 -5.65625 C 6.191406 -5.632812 6.300781 -5.609375 6.40625 -5.578125 C 6.519531 -5.546875 6.628906 -5.5 6.734375 -5.4375 Z M 6.328125 -4.421875 "
+ id="path1257" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph157-0">
+ <path
+ style="stroke:none;"
+ d="M 0.171875 2.1875 L 2.203125 -8.203125 L 8.09375 -7.046875 L 6.0625 3.34375 Z M 0.953125 1.671875 L 5.546875 2.5625 L 7.328125 -6.5 L 2.734375 -7.390625 Z M 0.953125 1.671875 "
+ id="path1260" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph157-1">
+ <path
+ style="stroke:none;"
+ d="M 6.625 -2.828125 C 6.726562 -3.390625 6.6875 -3.84375 6.5 -4.1875 C 6.320312 -4.53125 6.003906 -4.75 5.546875 -4.84375 C 5.222656 -4.90625 4.898438 -4.882812 4.578125 -4.78125 C 4.265625 -4.675781 3.972656 -4.488281 3.703125 -4.21875 C 3.410156 -3.96875 3.160156 -3.632812 2.953125 -3.21875 C 2.742188 -2.8125 2.597656 -2.398438 2.515625 -1.984375 C 2.410156 -1.453125 2.453125 -1.015625 2.640625 -0.671875 C 2.828125 -0.335938 3.144531 -0.128906 3.59375 -0.046875 C 3.925781 0.0234375 4.25 0.0078125 4.5625 -0.09375 C 4.882812 -0.207031 5.175781 -0.390625 5.4375 -0.640625 C 5.71875 -0.910156 5.96875 -1.242188 6.1875 -1.640625 C 6.40625 -2.046875 6.550781 -2.441406 6.625 -2.828125 Z M 3.640625 -4.953125 C 3.992188 -5.273438 4.378906 -5.492188 4.796875 -5.609375 C 5.222656 -5.722656 5.675781 -5.734375 6.15625 -5.640625 C 6.8125 -5.515625 7.28125 -5.203125 7.5625 -4.703125 C 7.84375 -4.203125 7.90625 -3.5625 7.75 -2.78125 C 7.625 -2.132812 7.390625 -1.546875 7.046875 -1.015625 C 6.703125 -0.484375 6.273438 -0.0351562 5.765625 0.328125 C 5.429688 0.578125 5.066406 0.75 4.671875 0.84375 C 4.285156 0.9375 3.894531 0.941406 3.5 0.859375 C 3.050781 0.773438 2.6875 0.601562 2.40625 0.34375 C 2.132812 0.09375 1.957031 -0.234375 1.875 -0.640625 L 0.546875 2.65625 L -0.515625 2.453125 L 2.96875 -6.109375 L 4.03125 -5.890625 Z M 3.640625 -4.953125 "
+ id="path1263" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph157-2">
+ <path
+ style="stroke:none;"
+ d="M 3.6875 -8.203125 L 6.1875 -7.71875 C 7.5 -7.457031 8.441406 -6.976562 9.015625 -6.28125 C 9.585938 -5.582031 9.765625 -4.679688 9.546875 -3.578125 C 9.398438 -2.835938 9.128906 -2.15625 8.734375 -1.53125 C 8.347656 -0.90625 7.878906 -0.398438 7.328125 -0.015625 C 6.785156 0.359375 6.140625 0.59375 5.390625 0.6875 C 4.640625 0.789062 3.789062 0.75 2.84375 0.5625 L 0.328125 0.0625 Z M 4.46875 -7.0625 L 1.859375 -0.625 L 3.375 -0.328125 C 4.675781 -0.0664062 5.753906 -0.242188 6.609375 -0.859375 C 7.472656 -1.472656 8.039062 -2.460938 8.3125 -3.828125 C 8.46875 -4.640625 8.351562 -5.285156 7.96875 -5.765625 C 7.59375 -6.242188 6.914062 -6.578125 5.9375 -6.765625 Z M 4.46875 -7.0625 "
+ id="path1266" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph158-0">
+ <path
+ style="stroke:none;"
+ d="M 0.171875 2.1875 L 2.203125 -8.203125 L 8.09375 -7.046875 L 6.0625 3.34375 Z M 0.953125 1.671875 L 5.546875 2.5625 L 7.328125 -6.5 L 2.734375 -7.390625 Z M 0.953125 1.671875 "
+ id="path1269" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph158-1">
+ <path
+ style="stroke:none;"
+ d="M 3.90625 -8.53125 L 4.96875 -8.328125 L 4.453125 -7.03125 L 3.40625 -7.234375 Z M 2.9375 -6.109375 L 4 -5.90625 L 1.46875 0.28125 L 0.40625 0.078125 Z M 2.9375 -6.109375 "
+ id="path1272" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph159-0">
+ <path
+ style="stroke:none;"
+ d="M 0.171875 2.1875 L 2.203125 -8.203125 L 8.09375 -7.046875 L 6.0625 3.34375 Z M 0.953125 1.671875 L 5.546875 2.5625 L 7.328125 -6.5 L 2.734375 -7.390625 Z M 0.953125 1.671875 "
+ id="path1275" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph159-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path1278" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph160-0">
+ <path
+ style="stroke:none;"
+ d="M 0.171875 2.1875 L 2.203125 -8.203125 L 8.09375 -7.046875 L 6.0625 3.34375 Z M 0.953125 1.671875 L 5.546875 2.5625 L 7.328125 -6.5 L 2.734375 -7.390625 Z M 0.953125 1.671875 "
+ id="path1281" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph160-1">
+ <path
+ style="stroke:none;"
+ d="M 7.046875 -2.4375 L 5.609375 1.09375 L 4.546875 0.890625 L 4.921875 -0.046875 C 4.546875 0.273438 4.140625 0.492188 3.703125 0.609375 C 3.265625 0.722656 2.804688 0.734375 2.328125 0.640625 C 1.773438 0.523438 1.359375 0.265625 1.078125 -0.140625 C 0.796875 -0.546875 0.703125 -1.007812 0.796875 -1.53125 C 0.953125 -2.289062 1.367188 -2.828125 2.046875 -3.140625 C 2.734375 -3.453125 3.601562 -3.503906 4.65625 -3.296875 L 6.125 -3.015625 L 6.25 -3.296875 C 6.257812 -3.328125 6.269531 -3.359375 6.28125 -3.390625 C 6.289062 -3.421875 6.300781 -3.472656 6.3125 -3.546875 C 6.382812 -3.898438 6.300781 -4.195312 6.0625 -4.4375 C 5.820312 -4.675781 5.453125 -4.847656 4.953125 -4.953125 C 4.609375 -5.015625 4.242188 -5.035156 3.859375 -5.015625 C 3.472656 -4.992188 3.078125 -4.9375 2.671875 -4.84375 L 3.046875 -5.78125 C 3.472656 -5.851562 3.882812 -5.890625 4.28125 -5.890625 C 4.675781 -5.890625 5.050781 -5.851562 5.40625 -5.78125 C 6.164062 -5.632812 6.707031 -5.359375 7.03125 -4.953125 C 7.363281 -4.546875 7.472656 -4.023438 7.359375 -3.390625 C 7.328125 -3.273438 7.285156 -3.128906 7.234375 -2.953125 C 7.179688 -2.785156 7.117188 -2.613281 7.046875 -2.4375 Z M 5.828125 -2.21875 L 4.765625 -2.421875 C 3.898438 -2.597656 3.234375 -2.609375 2.765625 -2.453125 C 2.304688 -2.304688 2.03125 -1.988281 1.9375 -1.5 C 1.863281 -1.15625 1.910156 -0.867188 2.078125 -0.640625 C 2.253906 -0.410156 2.535156 -0.257812 2.921875 -0.1875 C 3.492188 -0.0703125 4.035156 -0.175781 4.546875 -0.5 C 5.054688 -0.832031 5.453125 -1.328125 5.734375 -1.984375 Z M 5.828125 -2.21875 "
+ id="path1284" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph161-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.515625 L 5.640625 1.265625 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1287" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph161-1">
+ <path
+ style="stroke:none;"
+ d="M 0.421875 -7.359375 L 4.28125 -7.703125 L 4.359375 -6.859375 L 1.390625 -6.59375 L 1.546875 -4.828125 C 1.691406 -4.898438 1.832031 -4.953125 1.96875 -4.984375 C 2.101562 -5.015625 2.242188 -5.035156 2.390625 -5.046875 C 3.203125 -5.117188 3.863281 -4.953125 4.375 -4.546875 C 4.894531 -4.148438 5.191406 -3.570312 5.265625 -2.8125 C 5.328125 -2.03125 5.132812 -1.398438 4.6875 -0.921875 C 4.25 -0.453125 3.582031 -0.175781 2.6875 -0.09375 C 2.382812 -0.0703125 2.070312 -0.0703125 1.75 -0.09375 C 1.4375 -0.113281 1.101562 -0.160156 0.75 -0.234375 L 0.65625 -1.21875 C 0.976562 -1.09375 1.296875 -1.003906 1.609375 -0.953125 C 1.921875 -0.898438 2.25 -0.890625 2.59375 -0.921875 C 3.15625 -0.972656 3.585938 -1.160156 3.890625 -1.484375 C 4.191406 -1.816406 4.320312 -2.234375 4.28125 -2.734375 C 4.226562 -3.234375 4.023438 -3.613281 3.671875 -3.875 C 3.316406 -4.144531 2.859375 -4.253906 2.296875 -4.203125 C 2.035156 -4.179688 1.773438 -4.128906 1.515625 -4.046875 C 1.265625 -3.972656 1.007812 -3.859375 0.75 -3.703125 Z M 0.421875 -7.359375 "
+ id="path1290" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph162-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.5 L 5.640625 1.28125 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1293" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph162-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path1296" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph163-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.5 L 5.640625 1.28125 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1299" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph163-1">
+ <path
+ style="stroke:none;"
+ d="M 5.34375 -3.4375 L 5.390625 -3 L 1.265625 -2.625 C 1.359375 -2.03125 1.582031 -1.582031 1.9375 -1.28125 C 2.289062 -0.988281 2.765625 -0.867188 3.359375 -0.921875 C 3.703125 -0.953125 4.035156 -1.023438 4.359375 -1.140625 C 4.679688 -1.253906 4.992188 -1.410156 5.296875 -1.609375 L 5.359375 -0.765625 C 5.054688 -0.597656 4.738281 -0.460938 4.40625 -0.359375 C 4.070312 -0.253906 3.734375 -0.1875 3.390625 -0.15625 C 2.515625 -0.0820312 1.800781 -0.273438 1.25 -0.734375 C 0.695312 -1.191406 0.382812 -1.851562 0.3125 -2.71875 C 0.226562 -3.613281 0.398438 -4.34375 0.828125 -4.90625 C 1.265625 -5.46875 1.894531 -5.785156 2.71875 -5.859375 C 3.457031 -5.929688 4.0625 -5.75 4.53125 -5.3125 C 5 -4.882812 5.269531 -4.257812 5.34375 -3.4375 Z M 4.421875 -3.625 C 4.378906 -4.113281 4.207031 -4.492188 3.90625 -4.765625 C 3.613281 -5.035156 3.25 -5.148438 2.8125 -5.109375 C 2.300781 -5.066406 1.910156 -4.890625 1.640625 -4.578125 C 1.367188 -4.265625 1.234375 -3.851562 1.234375 -3.34375 Z M 4.421875 -3.625 "
+ id="path1302" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph164-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.5 L 5.640625 1.28125 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1305" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph164-1">
+ <path
+ style="stroke:none;"
+ d="M 5.171875 -3.765625 L 5.46875 -0.484375 L 4.578125 -0.40625 L 4.296875 -3.65625 C 4.242188 -4.175781 4.101562 -4.554688 3.875 -4.796875 C 3.65625 -5.035156 3.34375 -5.132812 2.9375 -5.09375 C 2.457031 -5.050781 2.09375 -4.863281 1.84375 -4.53125 C 1.59375 -4.195312 1.488281 -3.765625 1.53125 -3.234375 L 1.8125 -0.15625 L 0.90625 -0.078125 L 0.421875 -5.53125 L 1.328125 -5.609375 L 1.40625 -4.765625 C 1.582031 -5.109375 1.804688 -5.375 2.078125 -5.5625 C 2.359375 -5.75 2.6875 -5.859375 3.0625 -5.890625 C 3.6875 -5.953125 4.175781 -5.800781 4.53125 -5.4375 C 4.894531 -5.082031 5.109375 -4.523438 5.171875 -3.765625 Z M 5.171875 -3.765625 "
+ id="path1308" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph165-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.5 L 5.640625 1.28125 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1311" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph165-1">
+ <path
+ style="stroke:none;"
+ d="M 2.625 -5.09375 C 2.144531 -5.050781 1.78125 -4.828125 1.53125 -4.421875 C 1.289062 -4.023438 1.203125 -3.5 1.265625 -2.84375 C 1.316406 -2.195312 1.492188 -1.695312 1.796875 -1.34375 C 2.097656 -1 2.492188 -0.847656 2.984375 -0.890625 C 3.460938 -0.929688 3.828125 -1.148438 4.078125 -1.546875 C 4.328125 -1.953125 4.425781 -2.476562 4.375 -3.125 C 4.3125 -3.769531 4.125 -4.269531 3.8125 -4.625 C 3.5 -4.976562 3.101562 -5.132812 2.625 -5.09375 Z M 2.546875 -5.84375 C 3.328125 -5.914062 3.960938 -5.71875 4.453125 -5.25 C 4.953125 -4.789062 5.242188 -4.113281 5.328125 -3.21875 C 5.398438 -2.332031 5.234375 -1.613281 4.828125 -1.0625 C 4.429688 -0.507812 3.84375 -0.195312 3.0625 -0.125 C 2.289062 -0.0625 1.65625 -0.265625 1.15625 -0.734375 C 0.664062 -1.203125 0.382812 -1.878906 0.3125 -2.765625 C 0.226562 -3.660156 0.382812 -4.378906 0.78125 -4.921875 C 1.1875 -5.472656 1.773438 -5.78125 2.546875 -5.84375 Z M 2.546875 -5.84375 "
+ id="path1314" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph166-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.5 L 5.640625 1.28125 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1317" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph166-1">
+ <path
+ style="stroke:none;"
+ d="M 0.453125 -5.53125 L 1.359375 -5.609375 L 1.84375 -0.15625 L 0.9375 -0.078125 Z M 0.265625 -7.640625 L 1.171875 -7.71875 L 1.265625 -6.578125 L 0.359375 -6.5 Z M 0.265625 -7.640625 "
+ id="path1320" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph167-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1323" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph167-1">
+ <path
+ style="stroke:none;"
+ d="M 0.078125 -5.5 L 4.328125 -5.859375 L 4.40625 -5.046875 L 1.375 -0.84375 L 4.734375 -1.125 L 4.796875 -0.40625 L 0.4375 -0.03125 L 0.359375 -0.859375 L 3.390625 -5.0625 L 0.140625 -4.78125 Z M 0.078125 -5.5 "
+ id="path1326" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph167-2">
+ <path
+ style="stroke:none;"
+ d="M 4.40625 -5.671875 L 4.484375 -4.828125 C 4.222656 -4.941406 3.960938 -5.019531 3.703125 -5.0625 C 3.441406 -5.113281 3.179688 -5.128906 2.921875 -5.109375 C 2.335938 -5.054688 1.898438 -4.832031 1.609375 -4.4375 C 1.328125 -4.039062 1.210938 -3.507812 1.265625 -2.84375 C 1.328125 -2.1875 1.53125 -1.6875 1.875 -1.34375 C 2.226562 -1 2.695312 -0.851562 3.28125 -0.90625 C 3.539062 -0.925781 3.789062 -0.984375 4.03125 -1.078125 C 4.28125 -1.171875 4.523438 -1.300781 4.765625 -1.46875 L 4.84375 -0.625 C 4.601562 -0.488281 4.351562 -0.378906 4.09375 -0.296875 C 3.832031 -0.210938 3.550781 -0.160156 3.25 -0.140625 C 2.425781 -0.0664062 1.75 -0.265625 1.21875 -0.734375 C 0.6875 -1.210938 0.382812 -1.890625 0.3125 -2.765625 C 0.238281 -3.648438 0.421875 -4.367188 0.859375 -4.921875 C 1.304688 -5.472656 1.953125 -5.785156 2.796875 -5.859375 C 3.078125 -5.878906 3.347656 -5.875 3.609375 -5.84375 C 3.878906 -5.820312 4.144531 -5.765625 4.40625 -5.671875 Z M 4.40625 -5.671875 "
+ id="path1329" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph168-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1332" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph168-1">
+ <path
+ style="stroke:none;"
+ d="M 0.46875 -5.53125 L 1.375 -5.609375 L 1.84375 -0.15625 L 0.9375 -0.078125 Z M 0.296875 -7.640625 L 1.203125 -7.71875 L 1.296875 -6.578125 L 0.390625 -6.5 Z M 0.296875 -7.640625 "
+ id="path1335" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph169-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1338" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph169-1">
+ <path
+ style="stroke:none;"
+ d="M 3.703125 -4.953125 C 3.585938 -5.015625 3.472656 -5.050781 3.359375 -5.0625 C 3.242188 -5.082031 3.113281 -5.085938 2.96875 -5.078125 C 2.457031 -5.023438 2.082031 -4.820312 1.84375 -4.46875 C 1.601562 -4.125 1.507812 -3.640625 1.5625 -3.015625 L 1.8125 -0.15625 L 0.90625 -0.078125 L 0.4375 -5.53125 L 1.34375 -5.609375 L 1.421875 -4.765625 C 1.578125 -5.109375 1.796875 -5.367188 2.078125 -5.546875 C 2.359375 -5.734375 2.71875 -5.847656 3.15625 -5.890625 C 3.21875 -5.890625 3.285156 -5.890625 3.359375 -5.890625 C 3.441406 -5.898438 3.53125 -5.894531 3.625 -5.875 Z M 3.703125 -4.953125 "
+ id="path1341" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph170-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1344" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph170-1">
+ <path
+ style="stroke:none;"
+ d="M 3.953125 -5.671875 L 4.03125 -4.8125 C 3.769531 -4.925781 3.5 -5.003906 3.21875 -5.046875 C 2.945312 -5.085938 2.660156 -5.09375 2.359375 -5.0625 C 1.929688 -5.03125 1.609375 -4.9375 1.390625 -4.78125 C 1.179688 -4.625 1.085938 -4.410156 1.109375 -4.140625 C 1.128906 -3.929688 1.222656 -3.769531 1.390625 -3.65625 C 1.554688 -3.550781 1.882812 -3.472656 2.375 -3.421875 L 2.671875 -3.359375 C 3.328125 -3.273438 3.796875 -3.117188 4.078125 -2.890625 C 4.367188 -2.671875 4.535156 -2.347656 4.578125 -1.921875 C 4.617188 -1.410156 4.453125 -0.988281 4.078125 -0.65625 C 3.703125 -0.320312 3.164062 -0.125 2.46875 -0.0625 C 2.175781 -0.0390625 1.867188 -0.046875 1.546875 -0.078125 C 1.222656 -0.109375 0.882812 -0.164062 0.53125 -0.25 L 0.453125 -1.171875 C 0.796875 -1.035156 1.128906 -0.9375 1.453125 -0.875 C 1.785156 -0.8125 2.109375 -0.796875 2.421875 -0.828125 C 2.835938 -0.859375 3.148438 -0.957031 3.359375 -1.125 C 3.578125 -1.289062 3.675781 -1.503906 3.65625 -1.765625 C 3.632812 -2.015625 3.535156 -2.191406 3.359375 -2.296875 C 3.191406 -2.410156 2.820312 -2.5 2.25 -2.5625 L 1.9375 -2.625 C 1.382812 -2.6875 0.972656 -2.828125 0.703125 -3.046875 C 0.429688 -3.273438 0.273438 -3.597656 0.234375 -4.015625 C 0.191406 -4.535156 0.335938 -4.945312 0.671875 -5.25 C 1.015625 -5.5625 1.519531 -5.75 2.1875 -5.8125 C 2.507812 -5.832031 2.820312 -5.832031 3.125 -5.8125 C 3.425781 -5.789062 3.703125 -5.742188 3.953125 -5.671875 Z M 3.953125 -5.671875 "
+ id="path1347" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph170-2">
+ <path
+ style="stroke:none;"
+ d="M 4.40625 -5.671875 L 4.484375 -4.828125 C 4.222656 -4.941406 3.960938 -5.019531 3.703125 -5.0625 C 3.441406 -5.113281 3.179688 -5.128906 2.921875 -5.109375 C 2.335938 -5.054688 1.898438 -4.832031 1.609375 -4.4375 C 1.328125 -4.039062 1.210938 -3.507812 1.265625 -2.84375 C 1.328125 -2.1875 1.53125 -1.6875 1.875 -1.34375 C 2.226562 -1 2.695312 -0.851562 3.28125 -0.90625 C 3.539062 -0.925781 3.789062 -0.984375 4.03125 -1.078125 C 4.28125 -1.171875 4.523438 -1.300781 4.765625 -1.46875 L 4.84375 -0.625 C 4.601562 -0.488281 4.351562 -0.378906 4.09375 -0.296875 C 3.832031 -0.210938 3.550781 -0.160156 3.25 -0.140625 C 2.425781 -0.0664062 1.75 -0.265625 1.21875 -0.734375 C 0.6875 -1.210938 0.382812 -1.890625 0.3125 -2.765625 C 0.238281 -3.648438 0.421875 -4.367188 0.859375 -4.921875 C 1.304688 -5.472656 1.953125 -5.785156 2.796875 -5.859375 C 3.078125 -5.878906 3.347656 -5.875 3.609375 -5.84375 C 3.878906 -5.820312 4.144531 -5.765625 4.40625 -5.671875 Z M 4.40625 -5.671875 "
+ id="path1350" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph171-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1353" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph171-1">
+ <path
+ style="stroke:none;"
+ d="M 2.640625 -5.09375 C 2.160156 -5.050781 1.796875 -4.828125 1.546875 -4.421875 C 1.304688 -4.023438 1.210938 -3.5 1.265625 -2.84375 C 1.316406 -2.195312 1.492188 -1.695312 1.796875 -1.34375 C 2.109375 -1 2.507812 -0.847656 3 -0.890625 C 3.476562 -0.929688 3.835938 -1.148438 4.078125 -1.546875 C 4.328125 -1.941406 4.425781 -2.460938 4.375 -3.109375 C 4.320312 -3.753906 4.140625 -4.253906 3.828125 -4.609375 C 3.515625 -4.972656 3.117188 -5.132812 2.640625 -5.09375 Z M 2.5625 -5.84375 C 3.34375 -5.90625 3.976562 -5.703125 4.46875 -5.234375 C 4.96875 -4.765625 5.253906 -4.082031 5.328125 -3.1875 C 5.398438 -2.300781 5.234375 -1.582031 4.828125 -1.03125 C 4.429688 -0.488281 3.84375 -0.1875 3.0625 -0.125 C 2.289062 -0.0507812 1.65625 -0.25 1.15625 -0.71875 C 0.664062 -1.195312 0.382812 -1.878906 0.3125 -2.765625 C 0.238281 -3.660156 0.398438 -4.378906 0.796875 -4.921875 C 1.203125 -5.460938 1.789062 -5.769531 2.5625 -5.84375 Z M 2.5625 -5.84375 "
+ id="path1356" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph172-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1359" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph172-1">
+ <path
+ style="stroke:none;"
+ d="M 3.703125 -4.953125 C 3.585938 -5.015625 3.472656 -5.050781 3.359375 -5.0625 C 3.242188 -5.082031 3.113281 -5.085938 2.96875 -5.078125 C 2.457031 -5.023438 2.082031 -4.820312 1.84375 -4.46875 C 1.601562 -4.125 1.507812 -3.640625 1.5625 -3.015625 L 1.8125 -0.15625 L 0.90625 -0.078125 L 0.4375 -5.53125 L 1.34375 -5.609375 L 1.421875 -4.765625 C 1.578125 -5.109375 1.796875 -5.367188 2.078125 -5.546875 C 2.359375 -5.734375 2.71875 -5.847656 3.15625 -5.890625 C 3.21875 -5.890625 3.285156 -5.890625 3.359375 -5.890625 C 3.441406 -5.898438 3.53125 -5.894531 3.625 -5.875 Z M 3.703125 -4.953125 "
+ id="path1362" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph173-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1365" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph173-1">
+ <path
+ style="stroke:none;"
+ d="M 5.828125 -7.25 L 5.921875 -6.21875 C 5.566406 -6.5 5.195312 -6.695312 4.8125 -6.8125 C 4.425781 -6.925781 4.023438 -6.96875 3.609375 -6.9375 C 2.773438 -6.863281 2.160156 -6.554688 1.765625 -6.015625 C 1.367188 -5.472656 1.210938 -4.722656 1.296875 -3.765625 C 1.378906 -2.804688 1.660156 -2.09375 2.140625 -1.625 C 2.617188 -1.15625 3.273438 -0.957031 4.109375 -1.03125 C 4.523438 -1.0625 4.914062 -1.164062 5.28125 -1.34375 C 5.644531 -1.53125 5.972656 -1.796875 6.265625 -2.140625 L 6.359375 -1.109375 C 6.046875 -0.835938 5.703125 -0.628906 5.328125 -0.484375 C 4.953125 -0.335938 4.550781 -0.25 4.125 -0.21875 C 3.019531 -0.113281 2.125 -0.375 1.4375 -1 C 0.75 -1.625 0.351562 -2.515625 0.25 -3.671875 C 0.15625 -4.835938 0.390625 -5.78125 0.953125 -6.5 C 1.523438 -7.226562 2.363281 -7.644531 3.46875 -7.75 C 3.90625 -7.78125 4.320312 -7.753906 4.71875 -7.671875 C 5.113281 -7.585938 5.484375 -7.445312 5.828125 -7.25 Z M 5.828125 -7.25 "
+ id="path1368" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph174-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1371" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph174-1">
+ <path
+ style="stroke:none;"
+ d="M 5.828125 -7.25 L 5.921875 -6.21875 C 5.566406 -6.5 5.195312 -6.695312 4.8125 -6.8125 C 4.425781 -6.925781 4.023438 -6.96875 3.609375 -6.9375 C 2.773438 -6.863281 2.160156 -6.554688 1.765625 -6.015625 C 1.367188 -5.472656 1.210938 -4.722656 1.296875 -3.765625 C 1.378906 -2.804688 1.660156 -2.09375 2.140625 -1.625 C 2.617188 -1.15625 3.273438 -0.957031 4.109375 -1.03125 C 4.523438 -1.0625 4.914062 -1.164062 5.28125 -1.34375 C 5.644531 -1.53125 5.972656 -1.796875 6.265625 -2.140625 L 6.359375 -1.109375 C 6.046875 -0.835938 5.703125 -0.628906 5.328125 -0.484375 C 4.953125 -0.335938 4.550781 -0.25 4.125 -0.21875 C 3.019531 -0.113281 2.125 -0.375 1.4375 -1 C 0.75 -1.625 0.351562 -2.515625 0.25 -3.671875 C 0.15625 -4.835938 0.390625 -5.78125 0.953125 -6.5 C 1.523438 -7.226562 2.363281 -7.644531 3.46875 -7.75 C 3.90625 -7.78125 4.320312 -7.753906 4.71875 -7.671875 C 5.113281 -7.585938 5.484375 -7.445312 5.828125 -7.25 Z M 5.828125 -7.25 "
+ id="path1374" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph174-2">
+ <path
+ style="stroke:none;"
+ d="M 0.46875 -5.53125 L 1.375 -5.609375 L 1.84375 -0.15625 L 0.9375 -0.078125 Z M 0.296875 -7.640625 L 1.203125 -7.71875 L 1.296875 -6.578125 L 0.390625 -6.5 Z M 0.296875 -7.640625 "
+ id="path1377" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph175-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1380" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph175-1">
+ <path
+ style="stroke:none;"
+ d="M 0.46875 -5.53125 L 1.375 -5.609375 L 1.84375 -0.15625 L 0.9375 -0.078125 Z M 0.296875 -7.640625 L 1.203125 -7.71875 L 1.296875 -6.578125 L 0.390625 -6.5 Z M 0.296875 -7.640625 "
+ id="path1383" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph176-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1386" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph176-1">
+ <path
+ style="stroke:none;"
+ d="M 3.703125 -4.953125 C 3.585938 -5.015625 3.472656 -5.050781 3.359375 -5.0625 C 3.242188 -5.082031 3.113281 -5.085938 2.96875 -5.078125 C 2.457031 -5.023438 2.082031 -4.820312 1.84375 -4.46875 C 1.601562 -4.125 1.507812 -3.640625 1.5625 -3.015625 L 1.8125 -0.15625 L 0.90625 -0.078125 L 0.4375 -5.53125 L 1.34375 -5.609375 L 1.421875 -4.765625 C 1.578125 -5.109375 1.796875 -5.367188 2.078125 -5.546875 C 2.359375 -5.734375 2.71875 -5.847656 3.15625 -5.890625 C 3.21875 -5.890625 3.285156 -5.890625 3.359375 -5.890625 C 3.441406 -5.898438 3.53125 -5.894531 3.625 -5.875 Z M 3.703125 -4.953125 "
+ id="path1389" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph177-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1392" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph177-1">
+ <path
+ style="stroke:none;"
+ d="M 4.40625 -5.671875 L 4.484375 -4.828125 C 4.222656 -4.941406 3.960938 -5.019531 3.703125 -5.0625 C 3.441406 -5.113281 3.179688 -5.128906 2.921875 -5.109375 C 2.335938 -5.054688 1.898438 -4.832031 1.609375 -4.4375 C 1.328125 -4.039062 1.210938 -3.507812 1.265625 -2.84375 C 1.328125 -2.1875 1.53125 -1.6875 1.875 -1.34375 C 2.226562 -1 2.695312 -0.851562 3.28125 -0.90625 C 3.539062 -0.925781 3.789062 -0.984375 4.03125 -1.078125 C 4.28125 -1.171875 4.523438 -1.300781 4.765625 -1.46875 L 4.84375 -0.625 C 4.601562 -0.488281 4.351562 -0.378906 4.09375 -0.296875 C 3.832031 -0.210938 3.550781 -0.160156 3.25 -0.140625 C 2.425781 -0.0664062 1.75 -0.265625 1.21875 -0.734375 C 0.6875 -1.210938 0.382812 -1.890625 0.3125 -2.765625 C 0.238281 -3.648438 0.421875 -4.367188 0.859375 -4.921875 C 1.304688 -5.472656 1.953125 -5.785156 2.796875 -5.859375 C 3.078125 -5.878906 3.347656 -5.875 3.609375 -5.84375 C 3.878906 -5.820312 4.144531 -5.765625 4.40625 -5.671875 Z M 4.40625 -5.671875 "
+ id="path1395" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph177-2">
+ <path
+ style="stroke:none;"
+ d="M 3.953125 -5.671875 L 4.03125 -4.8125 C 3.769531 -4.925781 3.5 -5.003906 3.21875 -5.046875 C 2.945312 -5.085938 2.660156 -5.09375 2.359375 -5.0625 C 1.929688 -5.03125 1.609375 -4.9375 1.390625 -4.78125 C 1.179688 -4.625 1.085938 -4.410156 1.109375 -4.140625 C 1.128906 -3.929688 1.222656 -3.769531 1.390625 -3.65625 C 1.554688 -3.550781 1.882812 -3.472656 2.375 -3.421875 L 2.671875 -3.359375 C 3.328125 -3.273438 3.796875 -3.117188 4.078125 -2.890625 C 4.367188 -2.671875 4.535156 -2.347656 4.578125 -1.921875 C 4.617188 -1.410156 4.453125 -0.988281 4.078125 -0.65625 C 3.703125 -0.320312 3.164062 -0.125 2.46875 -0.0625 C 2.175781 -0.0390625 1.867188 -0.046875 1.546875 -0.078125 C 1.222656 -0.109375 0.882812 -0.164062 0.53125 -0.25 L 0.453125 -1.171875 C 0.796875 -1.035156 1.128906 -0.9375 1.453125 -0.875 C 1.785156 -0.8125 2.109375 -0.796875 2.421875 -0.828125 C 2.835938 -0.859375 3.148438 -0.957031 3.359375 -1.125 C 3.578125 -1.289062 3.675781 -1.503906 3.65625 -1.765625 C 3.632812 -2.015625 3.535156 -2.191406 3.359375 -2.296875 C 3.191406 -2.410156 2.820312 -2.5 2.25 -2.5625 L 1.9375 -2.625 C 1.382812 -2.6875 0.972656 -2.828125 0.703125 -3.046875 C 0.429688 -3.273438 0.273438 -3.597656 0.234375 -4.015625 C 0.191406 -4.535156 0.335938 -4.945312 0.671875 -5.25 C 1.015625 -5.5625 1.519531 -5.75 2.1875 -5.8125 C 2.507812 -5.832031 2.820312 -5.832031 3.125 -5.8125 C 3.425781 -5.789062 3.703125 -5.742188 3.953125 -5.671875 Z M 3.953125 -5.671875 "
+ id="path1398" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph177-3">
+ <path
+ style="stroke:none;"
+ d="M 0.078125 -5.5 L 4.328125 -5.859375 L 4.40625 -5.046875 L 1.375 -0.84375 L 4.734375 -1.125 L 4.796875 -0.40625 L 0.4375 -0.03125 L 0.359375 -0.859375 L 3.390625 -5.0625 L 0.140625 -4.78125 Z M 0.078125 -5.5 "
+ id="path1401" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph178-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.09375 -7.0625 L 4.890625 -7.484375 L 5.640625 1.296875 Z M 1.171875 1.125 L 5.03125 0.796875 L 4.375 -6.875 L 0.515625 -6.546875 Z M 1.171875 1.125 "
+ id="path1404" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph178-1">
+ <path
+ style="stroke:none;"
+ d="M 2.640625 -5.09375 C 2.160156 -5.050781 1.796875 -4.828125 1.546875 -4.421875 C 1.304688 -4.023438 1.210938 -3.5 1.265625 -2.84375 C 1.316406 -2.195312 1.492188 -1.695312 1.796875 -1.34375 C 2.109375 -1 2.507812 -0.847656 3 -0.890625 C 3.476562 -0.929688 3.835938 -1.148438 4.078125 -1.546875 C 4.328125 -1.941406 4.425781 -2.460938 4.375 -3.109375 C 4.320312 -3.753906 4.140625 -4.253906 3.828125 -4.609375 C 3.515625 -4.972656 3.117188 -5.132812 2.640625 -5.09375 Z M 2.5625 -5.84375 C 3.34375 -5.90625 3.976562 -5.703125 4.46875 -5.234375 C 4.96875 -4.765625 5.253906 -4.082031 5.328125 -3.1875 C 5.398438 -2.300781 5.234375 -1.582031 4.828125 -1.03125 C 4.429688 -0.488281 3.84375 -0.1875 3.0625 -0.125 C 2.289062 -0.0507812 1.65625 -0.25 1.15625 -0.71875 C 0.664062 -1.195312 0.382812 -1.878906 0.3125 -2.765625 C 0.238281 -3.660156 0.398438 -4.378906 0.796875 -4.921875 C 1.203125 -5.460938 1.789062 -5.769531 2.5625 -5.84375 Z M 2.5625 -5.84375 "
+ id="path1407" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph179-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.5 L 5.640625 1.28125 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1410" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph179-1">
+ <path
+ style="stroke:none;"
+ d="M 0.453125 -5.53125 L 1.359375 -5.609375 L 1.84375 -0.15625 L 0.9375 -0.078125 Z M 0.265625 -7.640625 L 1.171875 -7.71875 L 1.265625 -6.578125 L 0.359375 -6.5 Z M 0.265625 -7.640625 "
+ id="path1413" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph180-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.5 L 5.640625 1.28125 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1416" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph180-1">
+ <path
+ style="stroke:none;"
+ d="M 2.625 -5.09375 C 2.144531 -5.050781 1.78125 -4.828125 1.53125 -4.421875 C 1.289062 -4.023438 1.203125 -3.5 1.265625 -2.84375 C 1.316406 -2.195312 1.492188 -1.695312 1.796875 -1.34375 C 2.097656 -1 2.492188 -0.847656 2.984375 -0.890625 C 3.460938 -0.929688 3.828125 -1.148438 4.078125 -1.546875 C 4.328125 -1.953125 4.425781 -2.476562 4.375 -3.125 C 4.3125 -3.769531 4.125 -4.269531 3.8125 -4.625 C 3.5 -4.976562 3.101562 -5.132812 2.625 -5.09375 Z M 2.546875 -5.84375 C 3.328125 -5.914062 3.960938 -5.71875 4.453125 -5.25 C 4.953125 -4.789062 5.242188 -4.113281 5.328125 -3.21875 C 5.398438 -2.332031 5.234375 -1.613281 4.828125 -1.0625 C 4.429688 -0.507812 3.84375 -0.195312 3.0625 -0.125 C 2.289062 -0.0625 1.65625 -0.265625 1.15625 -0.734375 C 0.664062 -1.203125 0.382812 -1.878906 0.3125 -2.765625 C 0.226562 -3.660156 0.382812 -4.378906 0.78125 -4.921875 C 1.1875 -5.472656 1.773438 -5.78125 2.546875 -5.84375 Z M 2.546875 -5.84375 "
+ id="path1419" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph181-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.5 L 5.640625 1.28125 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1422" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph181-1">
+ <path
+ style="stroke:none;"
+ d="M 5.171875 -3.765625 L 5.46875 -0.484375 L 4.578125 -0.40625 L 4.296875 -3.65625 C 4.242188 -4.175781 4.101562 -4.554688 3.875 -4.796875 C 3.65625 -5.035156 3.34375 -5.132812 2.9375 -5.09375 C 2.457031 -5.050781 2.09375 -4.863281 1.84375 -4.53125 C 1.59375 -4.195312 1.488281 -3.765625 1.53125 -3.234375 L 1.8125 -0.15625 L 0.90625 -0.078125 L 0.421875 -5.53125 L 1.328125 -5.609375 L 1.40625 -4.765625 C 1.582031 -5.109375 1.804688 -5.375 2.078125 -5.5625 C 2.359375 -5.75 2.6875 -5.859375 3.0625 -5.890625 C 3.6875 -5.953125 4.175781 -5.800781 4.53125 -5.4375 C 4.894531 -5.082031 5.109375 -4.523438 5.171875 -3.765625 Z M 5.171875 -3.765625 "
+ id="path1425" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph181-2">
+ <path
+ style="stroke:none;"
+ d="M 5.34375 -3.4375 L 5.390625 -3 L 1.265625 -2.625 C 1.359375 -2.03125 1.582031 -1.582031 1.9375 -1.28125 C 2.289062 -0.988281 2.765625 -0.867188 3.359375 -0.921875 C 3.703125 -0.953125 4.035156 -1.023438 4.359375 -1.140625 C 4.679688 -1.253906 4.992188 -1.410156 5.296875 -1.609375 L 5.359375 -0.765625 C 5.054688 -0.597656 4.738281 -0.460938 4.40625 -0.359375 C 4.070312 -0.253906 3.734375 -0.1875 3.390625 -0.15625 C 2.515625 -0.0820312 1.800781 -0.273438 1.25 -0.734375 C 0.695312 -1.191406 0.382812 -1.851562 0.3125 -2.71875 C 0.226562 -3.613281 0.398438 -4.34375 0.828125 -4.90625 C 1.265625 -5.46875 1.894531 -5.785156 2.71875 -5.859375 C 3.457031 -5.929688 4.0625 -5.75 4.53125 -5.3125 C 5 -4.882812 5.269531 -4.257812 5.34375 -3.4375 Z M 4.421875 -3.625 C 4.378906 -4.113281 4.207031 -4.492188 3.90625 -4.765625 C 3.613281 -5.035156 3.25 -5.148438 2.8125 -5.109375 C 2.300781 -5.066406 1.910156 -4.890625 1.640625 -4.578125 C 1.367188 -4.265625 1.234375 -3.851562 1.234375 -3.34375 Z M 4.421875 -3.625 "
+ id="path1428" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph182-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.5 L 5.640625 1.28125 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1431" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph182-1">
+ <path
+ style="stroke:none;"
+ d=""
+ id="path1434" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph183-0">
+ <path
+ style="stroke:none;"
+ d="M 0.65625 1.71875 L -0.125 -7.0625 L 4.859375 -7.515625 L 5.640625 1.265625 Z M 1.171875 1.125 L 5.03125 0.78125 L 4.34375 -6.890625 L 0.484375 -6.546875 Z M 1.171875 1.125 "
+ id="path1437" />
+ </symbol>
+ <symbol
+ overflow="visible"
+ id="glyph183-1">
+ <path
+ style="stroke:none;"
+ d="M 3.1875 -6.75 L 1.0625 -2.640625 L 3.53125 -2.875 Z M 2.84375 -7.578125 L 4.09375 -7.6875 L 4.515625 -2.953125 L 5.546875 -3.046875 L 5.625 -2.234375 L 4.59375 -2.140625 L 4.75 -0.421875 L 3.765625 -0.34375 L 3.609375 -2.0625 L 0.328125 -1.765625 L 0.25 -2.703125 Z M 2.84375 -7.578125 "
+ id="path1440" />
+ </symbol>
+ </g>
+ </defs>
+ <g
+ id="surface1"
+ transform="translate(-16.011917,5.7518538)">
+ <rect
+ x="0"
+ y="0"
+ width="691"
+ height="587"
+ style="fill:#b3cfcf;fill-opacity:1;stroke:none"
+ id="rect1443" />
+ <path
+ style="fill:#f0eee8;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 0,587 0,-371.52734 691,0 L 691,587 z m 0,0"
+ id="path1445"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#f0eee8;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 0,0 691,0 0,285.38672 -691,0 z m 0,0"
+ id="path1447"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#c7facc;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="M 642.39062,96.652344 691,105.75781 l 0,146.5 -19.28906,10.38281 -11.07422,-25.43359 -15.35938,-57.32422 z m 0,0"
+ id="path1449"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#f0f0d7;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 251.42187,587 18.23829,-16.99219 -34.61329,-33.30078 103.54297,-105.625 9.9336,-0.37891 5.23047,5.09766 49.35156,-50.72266 -4.08985,-3.97656 2.1875,-15.57812 36.78907,-36.11719 79.27343,81.17187 73.90625,34.82422 15.23829,6.00391 25.54687,9.99609 -8.77344,113.10547 L 607.57031,587 z m 0,0"
+ id="path1451"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#a32828;stroke-width:0.30000001;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 250.34766,588 19.3125,-17.99219 -34.61329,-33.30078 103.54297,-105.625 9.9336,-0.37891 5.23047,5.09766 49.35156,-50.72266 -4.08985,-3.97656 2.1875,-15.57812 36.78907,-36.11719 79.27343,81.17187 73.90625,34.82422 15.23829,6.00391 25.54687,9.99609 -8.77344,113.10547 L 606.32031,588"
+ id="path1453"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#c7facc;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="M 642.39062,96.652344 644.26562,0 691,0 l 0,105.75781 z m 0,0"
+ id="path1455"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#f0d9d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 199.55859,147.64062 12.13672,-14.10156 367.96094,-30.49609 4.22266,12.91406 -6.67579,12.23438 -177.85937,182.3125 -182.30859,16.91015 z m 0,0"
+ id="path1457"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#cfb0b0;stroke-width:0.69999999;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 199.55859,147.64062 12.13672,-14.10156 367.96094,-30.49609 4.22266,12.91406 -6.67579,12.23438 -177.85937,182.3125 -182.30859,16.91015 -17.47657,-179.77344"
+ id="path1459"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#c7facc;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="M 179.38281,43.328125 495.85156,15.8125 l 6.32813,72.757812 -134.26953,11.675778 -16.78125,1.45313 -88.16407,7.67578 -77.25781,6.71484 z m 0,0"
+ id="path1461"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#33cc99;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 548.39062,315.66406 2.14063,-23.375 L 569.625,273.34375 629.39844,250.86719 691,355.50391 l 0,63.97265 -16.10156,-4.67187 -14.10157,-3.98438 -14.52734,-2 -24.36719,-1.97656 -22.22265,-5.28516 -15.95703,-9.25781 -18.9375,-17.23437 -13.96875,-27.50391 -1.41797,-9.11328 z m 0,0"
+ id="path1463"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#c7facc;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="M 356.47266,44.519531 489.02734,33.863281 491.73828,70.398438 359.60547,81.25 z m 0,0"
+ id="path1465"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#c7facc;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 255.13281,52.949219 95.01172,-7.726563 3.28516,36.125 -95.63282,7.3125 z m 0,0"
+ id="path1467"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#c7facc;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 160.74219,60.96875 81.47656,-7.1875 2.92187,36.109375 -60.25,4.929687 -21.36328,1.75 -1.73047,-22.113281 z m 0,0"
+ id="path1469"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#f5eeb5;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 104.72266,242.59766 66.45703,-7.10547 3.64453,24.80468 -16.96875,2.69141 4.53906,31.08594 -40.83203,5.23047 -1.45312,-17.22657 -0.91016,-5.07812 -1.01953,-4.15234 -2.05469,-5.57813 -1.875,-5.29297 -1.59375,-4.09765 z m 0,0"
+ id="path1471"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#e1c500;stroke-width:0.30000001;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 104.72266,242.59766 66.45703,-7.10547 3.64453,24.80468 -16.96875,2.69141 4.53906,31.08594 -40.83203,5.23047 -1.45312,-17.22657 -0.91016,-5.07812 -1.01953,-4.15234 -2.05469,-5.57813 -1.875,-5.29297 -1.59375,-4.09765 -7.93359,-15.28125"
+ id="path1473"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#f0d9d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="M 98.132812,0 97.988281,0.0117188 97.988281,0 z m 0,0"
+ id="path1475"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#f0f0d7;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 94.164062,35.28125 50.617188,-5.535156 1.25391,12.117187 -35.76172,3.558594 5.39062,60.199215 24.94531,-1.87109 1.30469,12.28125 -40.09375,3.60938 z m 0,0"
+ id="path1479"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#a32828;stroke-width:0.30000001;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 94.164062,35.28125 50.617188,-5.535156 1.25391,12.117187 -35.76172,3.558594 5.39062,60.199215 24.94531,-1.87109 1.30469,12.28125 -40.09375,3.60938 -7.656248,-84.35938"
+ id="path1481"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 366.42578,84.265625 126.08203,-10.027344 0.67969,6.628907 0.92969,9.117187 -126.20703,10.261715 z m 0,0"
+ id="path1483"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccccc7;fill-opacity:1;fill-rule:nonzero;stroke:#0f0f0f;stroke-width:0.30000001;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 539.72656,-0.253906 2.26172,0.355468 3.58984,-8.984374 -1.8789,-1.292969 4.03515,-3.746094 0.25,0.265625 0.9375,-0.894531 -0.23828,-0.253907 4.04297,-3.757812 1.14453,1.976562 2.80469,-0.859374 3.55078,-1.097657 2.875,-0.882812 -0.16406,-2.269531 12.16797,1.867187 -0.84766,2.125 8.01172,5.492187 1.67969,-1.542968 6.07422,10.71875 -2.17969,0.65625 0.69141,9.746094 2.25781,0.34375 -4.50781,11.574218 -1.88282,-1.296875 -7.13672,6.429688 1.13282,1.984375 -11.79688,3.609375 -0.16015,-2.273438 -9.48829,-1.46875 -0.84375,2.132813 -10.1875,-7.011719 1.67969,-1.542969 -4.80469,-8.425781 -2.17968,0.664063 -0.23047,-3.265626 -0.42188,-5.832031 z m 0,0"
+ id="path1485"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 496.03906,51.839844 101.41797,-7.585938 1.40234,17.105469 -18.91015,1.546875 -1,-10.171875 -6.3125,0.558594 0.8125,9.535156 -75.95703,6.550781 z m 0,0"
+ id="path1487"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 493.1875,80.867188 3.05469,-0.01563 -0.6211,-6.675781 92.04688,-7.941406 1.01172,16.21875 -94.5625,7.53125 z m 0,0"
+ id="path1489"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#f5eeb5;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 338.75391,421.20312 49.35546,-50.72265 10.90625,10.62109 4.08985,3.97656 -49.35156,50.72266 -5.23047,-5.09766 z m 0,0"
+ id="path1491"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#e1c500;stroke-width:0.30000001;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 338.75391,421.20312 49.35546,-50.72265 10.90625,10.62109 4.08985,3.97656 -49.35156,50.72266 -5.23047,-5.09766 -9.76953,-9.5"
+ id="path1493"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#c7facc;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 154.75,63.382812 1.19141,-0.121093 2.92968,37.773441 86.48047,-6.75391 1.46094,15.86328 -87.67188,6.88672 z m 0,0"
+ id="path1495"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 486.38672,0 2.33984,26.789062 -10.64062,1.042969 L 475.99609,0 z m 0,0"
+ id="path1497"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 496.58984,0 3.44922,45.414062 -4,-0.257812 L 492.33203,0 z m 0,0"
+ id="path1499"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#f0f0d7;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 364.88281,424.81641 30.88672,-31.7461 16.94922,16.49219 -9.46094,9.71094 -8.27734,-8.0586 -12.23438,12.57032 7.60547,7.41015 -9.20703,9.44531 z m 0,0"
+ id="path1505"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#a32828;stroke-width:0.30000001;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 364.88281,424.81641 30.88672,-31.7461 16.94922,16.49219 -9.46094,9.71094 -8.27734,-8.0586 -12.23438,12.57032 7.60547,7.41015 -9.20703,9.44531 -16.26172,-15.82421"
+ id="path1507"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccfff0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 161.79687,74.457031 21.57032,-1.359375 1.52343,21.722656 -21.36328,1.75 z m 0,0"
+ id="path1509"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#00996e;stroke-width:0.30000001;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 161.79687,74.457031 21.57032,-1.359375 1.52343,21.722656 -21.36328,1.75 -1.73047,-22.113281"
+ id="path1511"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 257.64453,93.171875 96.23438,-7.3125 0.62109,7.3125 -3.95703,0.207031 -0.45313,-4.613281 -88.27343,7.320313 0.59375,6.972652 0.44921,5.34766 -3.95703,0.41797 z m 0,0"
+ id="path1513"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 398.55078,41.398438 37.36328,-2.921876 0.6211,4.804688 -37.64844,3.105469 z m 0,0"
+ id="path1515"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 282.39062,19.351562 17.3125,-1.324218 0.78907,10.1875 -17.3086,1.335937 z m 0,0"
+ id="path1517"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 362.37109,43.890625 31.37891,-2.492187 0.41016,5.015624 -31.30469,2.292969 z m 0,0"
+ id="path1519"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 363.06641,53.292969 8.96875,-0.824219 1.25,11.261719 -4.375,0.417969 0.97656,9.574218 -4.7461,0.242188 z m 0,0"
+ id="path1521"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 603.71875,43.832031 9.17969,-0.835937 0,17.953125 -3.75391,-0.625 -4.35547,0.07031 z m 0,0"
+ id="path1523"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ccebb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 287.76172,6.597656 11.32031,-0.875 0.80078,10.390625 -11.3164,0.867188 z m 0,0"
+ id="path1525"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#b3cfcf;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="M 0,0 0,587 0,0 0,587 0,0 l 0,249.92969 41.660156,37.53515 16.484375,23.57032 15.675781,55.61328 6.535157,67.53125 6.910156,56.44922 6.675781,35.62109 16.484374,34.17969 19.03125,19.51172 8.89063,7.05859 545.50781,0 7.14453,-10.33203 0,-124.63672 -24.18359,-8.57422 -93.45313,-18.05078 -23.26172,-12.80859 -21.80469,-23.58204 -24.52343,-61.48046 4.26953,-29.62891 7.72656,-26.49219 13.6875,-21.5625 21.6875,-21.14844 32.73438,-20.98828 35.0664,-11.77343 40.46875,-6.33204 L 691,190.42578 691,587 l 0,-360.82422 -13.03906,0.11719 -59.91407,12.40234 -49.19921,25.07813 -30.31641,28.30859 -7.3125,24.83984 4.74219,24.65625 22.36328,45.05469 24.96094,18.57422 28.80859,7.99219 44.38281,2.28515 L 691,426.14062 691,587 101.625,587 77.085938,542.21484 62.128906,476.98047 57.195312,427.67578 51.882812,397.95703 49.628906,358.03125 40.5,326.33203 22.769531,299.76562 1.898438,277.22266 0,275.64844 0,0 0,587 0,0 0,587 z m 0,0"
+ id="path1527"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#b3cfcf;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="M 0,0 0,587 0,0 0,587 0,0 l 0,249.92969 41.660156,37.53515 16.484375,23.57032 15.675781,55.61328 6.535157,67.53125 6.910156,56.44922 6.675781,35.62109 16.484374,34.17969 19.03125,19.51172 8.89063,7.05859 545.50781,0 7.14453,-10.33203 0,-124.63672 -24.18359,-8.57422 -93.45313,-18.05078 -23.26172,-12.80859 -21.80469,-23.58204 -24.52343,-61.48046 4.26953,-29.62891 7.72656,-26.49219 13.6875,-21.5625 21.6875,-21.14844 32.73438,-20.98828 35.0664,-11.77343 40.46875,-6.33204 L 691,190.42578 691,587 l 0,-360.82422 -13.03906,0.11719 -59.91407,12.40234 -49.19921,25.07813 -30.31641,28.30859 -7.3125,24.83984 4.74219,24.65625 22.36328,45.05469 24.96094,18.57422 28.80859,7.99219 44.38281,2.28515 L 691,426.14062 691,587 101.625,587 77.085938,542.21484 62.128906,476.98047 57.195312,427.67578 51.882812,397.95703 49.628906,358.03125 40.5,326.33203 22.769531,299.76562 1.898438,277.22266 0,275.64844 0,0 0,587 0,0 0,587 z m 0,0"
+ id="path1529"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 279.43359,212.33984 116.875,-9.46093 7.55078,94.93359 -81.65234,6.40625 -35.25781,3.43359 -1.90235,-24.13672 -3.86328,-49.07812 z m 42.04688,27.90625 2.21484,28.39453 38.20313,-2.98046 -2.22266,-28.39844 z m 0,0"
+ id="path1535"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 273.52734,137.07812 116.71094,-9.51562 2.05859,25.91406 0.57813,7.41406 0.72656,9.05079 0.0859,1.13281 -116.72266,9.7539 -2.66015,-34.01953 -0.63672,-7.91406 z m 0,0"
+ id="path1537"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 422.36412,588.76498 5.92104,-3.79623 3.03515,2.69141 5.66406,-6.01172 -2.51171,-2.45703 7.23046,-7.00391 -0.0508,-2.79688 9.74219,-9.97656 3.03906,-0.0547 6.58594,-7.11718 2.62891,2.16015 4.02734,-4.08984 -1.16797,-0.99219 8.92969,-9.74609 5.89062,4.83594 13.42579,-0.28516 4.66796,-4.01953 -0.11718,-2.11328 2.09765,-2.33203 -0.99218,-0.92579 0.0625,-3.03906 3.84375,-4.08203 2.92187,0 1.22656,0.99219 1.69141,-1.98828 2.10156,-0.23047 5.25391,-5.36719 L 516.86719,508 l -5.19532,-5.36719 9.39844,-9.62109 2.85938,2.33594 5.59765,-5.48829 -2.45312,-2.6914 7.125,-7.17578 -0.0586,-2.26953 9.97657,-10.50782 2.39453,-0.12109 7.11719,-7.05469 2.57031,2.08985 5.53906,-5.64844 -2.74219,-2.57031 9.04688,-9.85157 5.77344,5.24219 13.01171,-0.17578 12.78125,12.54297 -5.30859,4.91015 -2.86328,0 -8.51563,-8.11718 -10.32812,0.125 -3.15234,3.14062 0.17578,2.04688 -37.92969,39.62109 -2.44531,0.11719 -3.32813,2.98047 0.28516,10.33203 8.29297,8.22265 0.11718,3.61329 -1.98437,1.98437 0,1.16797 -4.03516,4.55078 -1.80078,0 -16.63281,16.57031 0.11719,2.21485 -4.08985,4.14843 -1.68359,0.0625 -1.58203,2.04297 -4.19531,0.17188 -7.35157,-7.9336 -11.09765,0.0547 -4.36328,4.23047 0.39843,1.94531 -28.58666,27.78698 c -16.84201,16.37087 -23.04655,7.38276 -24.49803,3.44151 z"
+ id="path1539"
+ inkscape:connector-curvature="0"
+ sodipodi:nodetypes="cccccccccccccccccccccccccccccccccccccccccccccccccccccccccccccccccccccccssc" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 402.0625,126.60156 80.54687,-6.55078 0.39844,4.96485 0.59375,7.08984 0.48828,5.71094 1.67969,-0.125 0.55078,7.86718 -1.62109,0.10157 1.32031,16.25781 0.12891,1.59375 -59.38672,4.76172 -21.09375,1.73047 -0.0899,-1.08985 -0.82421,-9.05469 -0.60938,-7.28906 z m 0,0"
+ id="path1541"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 276.96484,180.82812 116.72266,-9.7539 -0.0859,-1.13281 11.97656,-1.02735 0.0899,1.08985 21.09375,-1.73047 1.51172,17.1914 -1.15625,0.082 -10.82032,0.88282 -5.41015,0.39843 -15.76563,1.16797 1.1875,14.88282 -116.875,9.46093 -2.22265,-28.4375 z m 20.92578,5.20704 0.50391,6.01953 29.35156,-2.46094 -0.49218,1.83984 -0.20313,2.09766 0.0937,1.92969 3.84375,-0.34375 -0.0547,0.83984 0.24219,1.70703 0.51172,1.50391 0.83203,1.29687 0.80469,0.71485 1.52344,0.85937 1.57421,0.38672 1.08985,-0.043 1.60937,-0.30859 1.41016,-0.76953 0.92187,-0.85938 0.83985,-1.21484 0.45312,-1.37891 0.1836,-1.92969 -0.0547,-1.08984 -0.15625,-0.68359 4.08984,-0.33203 0,-0.82422 -0.24218,-1.73438 -0.51172,-1.62109 -0.83203,-1.50781 38.17187,-3.19532 -0.50391,-6.01953 z m 96.46875,-9.41407 0.70313,9.57032 12.125,-0.89454 -0.69922,-9.55859 z m 0,0"
+ id="path1543"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="M -18.578125,201.85156 17.75,167.62109 60.542969,208.73828 26.515625,244.85547 z m 0,0"
+ id="path1545"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 416.29687,186.42969 10.82032,-0.88282 0.71484,9.13672 10.73047,-0.88672 -0.60156,-7.22265 -1.71875,0.0977 -0.0781,-1.8789 30.07031,-2.50391 0.74219,9.63281 3.83203,-0.30468 -0.14062,-1.69532 5.10937,-0.36328 -0.62109,-7.98828 29.8125,-2.29297 0.0117,0.32032 -38.96094,39.98437 -2.75391,2.83203 -43.6914,3.72656 z m 42.67969,14.23437 0.51172,6.15235 8.29297,-0.72266 -0.52344,-6.16016 z m -20.45312,1.66406 0.52343,6.16407 9.82032,-0.83203 -0.52344,-6.16016 z m 0,0"
+ id="path1549"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 94.164062,35.28125 50.617188,-5.535156 1.25391,12.117187 -35.76172,3.558594 5.39062,60.199215 24.94531,-1.87109 1.30469,12.28125 -40.09375,3.60938 z m 0,0"
+ id="path1553"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 539.72656,-0.253906 2.26172,0.355468 3.58984,-8.984374 -1.8789,-1.292969 4.03515,-3.746094 0.25,0.265625 0.9375,-0.894531 -0.23828,-0.253907 4.04297,-3.757812 1.14453,1.976562 2.80469,-0.859374 3.55078,-1.097657 2.875,-0.882812 -0.16406,-2.269531 12.16797,1.867187 -0.84766,2.125 8.01172,5.492187 1.67969,-1.542968 6.07422,10.71875 -2.17969,0.65625 0.69141,9.746094 2.25781,0.34375 -4.50781,11.574218 -1.88282,-1.296875 -7.13672,6.429688 1.13282,1.984375 -11.79688,3.609375 -0.16015,-2.273438 -9.48829,-1.46875 -0.84375,2.132813 -10.1875,-7.011719 1.67969,-1.542969 -4.80469,-8.425781 -2.17968,0.664063 -0.23047,-3.265626 -0.42188,-5.832031 z m 0,0"
+ id="path1555"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 508.70703,155.28906 39.15234,-40.30468 9.00391,-0.6875 2.01953,23.82812 -39.67969,40.52344 -5.88671,0.39843 -2.8125,0.17188 -1.4336,-19.09766 z m 0,0"
+ id="path1557"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 319.69922,279.29297 58.90625,-5.92188 2.51172,24.91797 -58.91016,5.92969 z m 0,0"
+ id="path1559"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 294.19141,580.73047 7.44921,-7.52735 -5.49609,-5.43359 6.86328,-6.94141 6.34375,6.26954 9.82813,-9.94141 -5.88672,-5.83203 6.91406,-7.00391 6,5.9375 10.52734,-10.66406 -6.70312,-6.62891 7.00391,-7.08203 6.23046,6.14844 6.84375,-6.92969 10.52344,10.40235 -55.45703,56.08593 z m 0,0"
+ id="path1561"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 261.81641,96.085938 88.27343,-7.320313 1.03907,12.933595 -88.16407,7.67578 -0.55468,-6.31641 z m 0,0"
+ id="path1563"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 426.76172,168.27344 59.38672,-4.76172 -0.12891,-1.59375 23.05078,-1.79688 1.4336,19.09766 -5.52344,0.37891 -0.0117,-0.32032 -29.8125,2.29297 -8.92188,0.71875 -30.07031,2.50391 -7.89062,0.67187 z m 43.5,0.0898 0.71484,9.07422 17.67188,-1.37891 -0.70313,-9.08593 z m -38.78516,3.03906 0.71094,9.10938 33.36328,-2.61328 -0.71484,-9.10157 z m 0,0"
+ id="path1565"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 451.69922,518.39844 39.07422,-41.10938 12.46093,11.84766 -39.0664,41.10937 z m 0,0"
+ id="path1567"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 53.292969,87.976562 78.644531,86.296875 83.035156,123.875 57.25,125.96094 z m 0,0"
+ id="path1569"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 364.88281,424.81641 30.88672,-31.7461 16.94922,16.49219 -9.46094,9.71094 -8.27734,-8.0586 -12.23438,12.57032 7.60547,7.41015 -9.20703,9.44531 z m 0,0"
+ id="path1575"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 259.73437,536.47656 7.1211,-7.23047 4.30078,4.23047 11.00391,-11.15625 -3.58594,-3.53906 6.96484,-7.0625 3.89844,3.84766 13.36328,-13.5625 11.38672,11.22656 -7.40234,7.5 -4.34375,-4.26953 -24.07813,24.42578 4.39844,4.32812 -6.81641,6.92188 -4.53125,-4.47266 -2.13672,2.17188 -8.57422,-8.44532 1.97266,-2.0039 z m 0,0"
+ id="path1577"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 468.59766,463.92578 10.49609,-11.8125 2.48047,2.20703 17.48437,-19.66015 -2.73828,-2.42969 4.60547,-5.19531 3.67969,3.26953 2.25781,-2.54297 7.90625,7.02734 -2.67187,2.99219 2.76953,2.46094 -4.3086,4.83593 -3.75781,-3.33984 -18.54297,20.86719 1.125,1.00781 -9.33984,10.5 z m 0,0"
+ id="path1579"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 432.24219,433.76562 2.0625,-2.22265 -2.02735,-1.88672 3.64453,-3.9375 2.71875,2.53125 28.69922,-30.97266 -2.05468,-1.89843 3.55078,-3.82422 2.07031,1.91406 2.23047,-2.39063 7.74609,7.1875 -4.11719,4.4375 1.94141,1.79688 -2.10937,2.27344 -2.15625,-2.00782 -28.27735,30.49219 1.71094,1.58594 -3.90625,4.21484 -2.16797,-2.01953 -1.78906,1.92969 z m 0,0"
+ id="path1581"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 365.41406,503.96094 2.07031,-2.23047 -2.03515,-1.88672 3.64062,-3.92578 2.72266,2.51953 28.69922,-30.95703 -2.0586,-1.91016 3.5586,-3.83203 2.07031,1.91797 2.22266,-2.39063 7.74609,7.1836 -4.11719,4.4414 1.94532,1.79688 -2.10547,2.27344 -2.16016,-2.00782 -28.28125,30.50391 1.71484,1.58594 -3.89453,4.20312 -2.17968,-2.02343 -1.79297,1.92968 z m 0,0"
+ id="path1583"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 402.70703,534.35937 2.75391,-2.94531 -2.69141,-2.50781 4.41797,-4.73438 3.70312,3.46094 19.08204,-20.3789 -1.14063,-1.0586 8.48047,-9.05859 11.1875,10.48047 -9.69922,10.35156 -2.38281,-2.24219 -17.98828,19.20313 2.65625,2.48437 -4.75391,5.06641 -3.59375,-3.36719 -2.32031,2.47266 z m 0,0"
+ id="path1585"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 323.625,479.08594 34.78516,-38.44141 9.12109,8.25 -34.78125,38.44141 z m 0,0"
+ id="path1587"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 286.94922,307.65234 35.25781,-3.43359 81.65234,-6.40625 0.32813,3.88281 -64.1875,5.40235 -52.72656,4.43359 z m 0,0"
+ id="path1591"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 273.21094,133.14062 116.70703,-9.51562 0.32031,3.9375 -116.71094,9.51562 z m 0,0"
+ id="path1593"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 316.29297,385.14062 34.30469,-34.46484 6.01953,5.99609 -4.94922,4.97266 -12.1211,12.17969 -11.59375,11.64062 -5.64062,5.67578 z m 0,0"
+ id="path1595"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 136.75,138.13281 14.82031,-1.35156 4.44141,4.84766 5.78515,6.32031 -5.58984,9.95312 -2.02344,3.61719 -10.02343,-4.69922 2.71093,-5.74219 L 138,152.22656 z m 0,0"
+ id="path1597"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 401.74219,122.625 80.54687,-6.55859 0.32031,3.98437 -80.54687,6.55078 z m 0,0"
+ id="path1599"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 144.47266,191.22266 20.76562,-2.60547 2.19531,14.92578 -20.76953,3.02734 z m 0,0"
+ id="path1601"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 180.97656,316.13672 18.77735,-1.7461 1.4414,15.625 -18.77734,1.72657 z m 0,0"
+ id="path1603"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 128.40234,156.30078 5.94922,-0.62891 1.03906,9.39844 8.98047,-0.6289 -0.21093,-4.1836 9.17968,4.8125 -1.66406,4.17188 -21.71484,2.5039 z m 0,0"
+ id="path1605"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 170.35547,174.97656 2.5039,-7.09765 13.36719,3.13281 0.28125,3.39062 0.76172,9.34766 -11.48047,1.45312 -1.04297,-7.51562 z m 0,0"
+ id="path1607"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 187.28906,246.55469 11.58594,-1.35938 2.19531,13.78125 -12.73828,0.9375 z m 0,0"
+ id="path1609"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 483.00781,125.01563 23.25391,-1.98438 0.63672,6.99609 -23.29688,2.07813 z m 0,0"
+ id="path1611"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 255.85937,446.60937 8.8711,-9.98828 7.76953,6.89063 -8.87109,10 z m 0,0"
+ id="path1613"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 427.11719,185.54687 1.15625,-0.082 7.89062,-0.67187 0.0781,1.8789 1.71875,-0.0977 0.60156,7.22265 -10.73047,0.88672 z m 0,0"
+ id="path1615"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 392.29687,153.47656 11.84766,-0.90625 0.60938,7.28906 -11.87891,1.03125 z m 0,0"
+ id="path1617"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 525.74609,4.003906 14.21875,-1.015625 0.42188,5.832031 -14.22266,1.015626 z m 0,0"
+ id="path1619"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 466.23437,182.28906 8.92188,-0.71875 0.62109,7.98828 -5.10937,0.36328 0.14062,1.69532 -3.83203,0.30468 z m 0,0"
+ id="path1621"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#d9cfc7;fill-opacity:1;fill-rule:nonzero;stroke:#b8a89c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 271.70312,139.04687 1.96485,-0.15234 0.63672,7.91406 -1.97266,0.15235 z m 0,0"
+ id="path1623"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ae9c8c;fill-opacity:1;fill-rule:nonzero;stroke:#6e5c4c;stroke-width:0.75;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 539.72656,-0.253906 2.26172,0.355468 3.58984,-8.984374 -1.8789,-1.292969 4.03515,-3.746094 0.25,0.265625 0.9375,-0.894531 -0.23828,-0.253907 4.04297,-3.757812 1.14453,1.976562 2.80469,-0.859374 3.55078,-1.097657 2.875,-0.882812 -0.16406,-2.269531 12.16797,1.867187 -0.84766,2.125 8.01172,5.492187 1.67969,-1.542968 6.07422,10.71875 -2.17969,0.65625 0.69141,9.746094 2.25781,0.34375 -4.50781,11.574218 -1.88282,-1.296875 -7.13672,6.429688 1.13282,1.984375 -11.79688,3.609375 -0.16015,-2.273438 -9.48829,-1.46875 -0.84375,2.132813 -10.1875,-7.011719 1.67969,-1.542969 -4.80469,-8.425781 -2.17968,0.664063 -0.23047,-3.265626 -0.42188,-5.832031 z m 0,0"
+ id="path1625"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#7f7f7f;stroke-width:1;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 615.28125,-1 614.50781,37.5 500.03906,45.414062 496.51562,-1 m 43.21094,0.746094 0.23828,3.242187 0.42188,5.832031 0.23047,3.265626 2.17968,-0.664063 4.80469,8.425781 -1.67969,1.542969 10.1875,7.011719 0.84375,-2.132813 9.48829,1.46875 0.16015,2.273438 11.79688,-3.609375 -1.13282,-1.984375 7.13672,-6.429688 1.88282,1.296875 4.50781,-11.574218 -2.25781,-0.34375 L 587.94141,-1 m -45.51563,0 -0.4375,1.101562 -2.26172,-0.355468 M 512.78516,-1 513.99219,16.078125 526.52734,15.195312 525.38281,-1 m 0.36328,5.003906 0.41797,5.832032 14.22266,-1.015626 -0.42188,-5.832031 -14.21875,1.015625"
+ id="path1631"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:3.5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 89.71875,132.79687 82.371094,38.519531"
+ id="path1633"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:3.5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 403.53125,435.71094 35.34766,34.0039 28.6289,27.17578"
+ id="path1635"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 475.21875,246.95312 457.48047,228.3125"
+ id="path1637"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:3.5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 385.64062,453.54687 17.89063,-17.83593 64.73828,-64.53125"
+ id="path1639"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 275.40234,284.32031 -20.60547,1.71875"
+ id="path1641"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 270.66797,230.78906 -20.3086,1.95703"
+ id="path1643"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 102.72266,252.43359 43.84375,-5.23047 3.95703,39.46094 -33.39063,5.625"
+ id="path1645"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 484.71484,237.20703 -16.375,-15.45312 -2.32031,-2.17188"
+ id="path1647"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:3.5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 344.59375,412.25391 41.04687,41.29296 -50.18359,53.99219 34.71875,33.45313 1.26953,28.64453 11.1211,19.11328"
+ id="path1649"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 254.79687,286.03906 3.76954,45.25781"
+ id="path1651"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:3.5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 425.93359,588.75 563.57031,443.14844"
+ id="path1653"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 246.43359,185.63672 3.92578,47.10937 4.4375,53.29297"
+ id="path1655"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:3.5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 468.26953,371.17969 34.86719,34.0625 60.43359,37.90625"
+ id="path1657"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 246.43359,185.63672 242.61719,139.73437 241.03906,120.75"
+ id="path1659"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 267.42187,184.55469 -20.98828,1.08203"
+ id="path1661"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:3.5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 370.17578,540.99219 68.70313,-71.27735 64.25781,-64.47265"
+ id="path1663"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#8f8f8f;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 541.25391,210.13672 40.75,-20.58203 48.35156,-19.41797"
+ id="path1665"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 124.65234,343.53125 86.96094,-8.02734 46.95313,-4.20704 135.3789,-12.15234 12.03906,-1.07812"
+ id="path1667"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 192.26172,162.78516 187.8125,125.03125"
+ id="path1671"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 192.26172,162.78516 5.12109,43.47656 14.23047,129.24219 12.51953,169.1914"
+ id="path1673"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 80.984375,220.30859 197.38281,206.26172"
+ id="path1675"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m -3,149.60937 8.269531,-1.15625 8.703125,-5.02734 8.644532,-5.58203"
+ id="path1677"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 159.60937,127.26953 14.19141,27.21484 3.55469,8.45313 14.90625,-0.15234"
+ id="path1679"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 163.99219,170.87891 9.80859,-16.39454"
+ id="path1681"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 628.22266,94.269531 -9.13672,-0.363281 -11.50782,-3.042969 -18.74218,0.175781 -19.4375,4.234376"
+ id="path1683"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 22.617188,137.84375 12.800781,135.43359 5.703125,129.85547 -3,123.0625"
+ id="path1685"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 16.210938,158.55469 -2.027344,-8.10547 -0.210938,-7.02344 -1.171875,-7.99219"
+ id="path1687"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 87.808594,590 72.734375,562.21875 55.746094,524.55469 31.816406,516.08203 -3,505.54687"
+ id="path1689"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 184.22656,590 10.32031,-23.79688"
+ id="path1691"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 569.39844,95.273438 15.58593,1.671874 4.17188,6.132818 1.45312,9.39453 -1.0625,17.0664"
+ id="path1693"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M -3,108.73828 50.6875,-3"
+ id="path1695"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 584.98437,96.945312 6.84375,3.187498 10.4375,6.55078 7.97657,4 2.51172,1.25782 6.83593,3.42578 6.07422,3.05078 2.44922,1.21484"
+ id="path1697"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 22.617188,137.84375 13.226562,-1.68359 53.875,-3.36329 69.89062,-5.52734 28.20313,-2.23828 53.22656,-4.28125 15.89063,-1.25781 103.83593,-8.1211 20.46094,-1.82031 188.17188,-14.277342"
+ id="path1699"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#8f8f8f;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 631.76172,186.76562 -0.85156,-5.28906 -0.55469,-11.33984 -2.24219,-50.50391 0.1875,-10.25 -0.11719,-5.23437 0.0391,-9.878909"
+ id="path1701"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#8f8f8f;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 628.22266,94.269531 -12.48438,11.402349 -5.49609,5.01171 -20.69532,18.85547 -104.83203,107.66797 -9.49609,9.74609 -69.23438,71.11329 -70.28906,72.14453 -18.17969,18.66797 -93.38281,95.8164 -67.15625,68.91797"
+ id="path1703"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#8f8f8f;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 156.97656,573.61328 -10.17969,9.46094"
+ id="path1705"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#8f8f8f;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 629.68359,-5 -1.46093,99.269531"
+ id="path1707"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#8f8f8f;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 171.13281,590.31641 23.41406,-24.11329 150.04688,-153.94921 98.95312,-101.52735 65,-66.68359 32.70704,-33.90625 86.85937,-90.50391"
+ id="path1709"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#8f8f8f;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 696,337.46094 665.20703,286.97656 645.57031,247.63672"
+ id="path1711"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#8f8f8f;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 5.269531,148.45312 -5,138.09375"
+ id="path1713"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#8f8f8f;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 171.13281,590.31641 -6.0625,-7.16016 -2.21094,-2.60156 -5.88281,-6.94141"
+ id="path1715"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#8f8f8f;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 156.97656,573.61328 -27.0664,-192.66406 -5.25782,-37.41797 -7.51953,-51.24219 -4.18359,-13.76562 -10.22656,-26.08985 -21.738285,-32.125 L 69.679688,207.89062 16.210938,158.55469 5.269531,148.45312"
+ id="path1717"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#9e6800;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 23.472656,-5 -5,55.480469"
+ id="path1719"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#9e6800;stroke-width:10;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M -5,83.65625 36.785156,-5"
+ id="path1721"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 322.94141,199.87109 -37.65625,3.02735 -2.36719,-19.56641 -5.70703,0.57031 -9.78907,0.65235 3.2461,46.23437"
+ id="path1723"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 285.04687,283.51562 -9.64453,0.80469"
+ id="path1725"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 281.18359,234.4375 -9.43359,0.67969 3.65234,49.20312"
+ id="path1727"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#bababa;stroke-width:2;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 457.48047,228.3125 414.75,231.79297 410.88672,186.82812"
+ id="path1729"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#dcdce6;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="M 615.26172,0 614.50781,37.5 500.03906,45.414062 496.58984,0 z m 0,0 z m -75.51563,0 0.21875,2.988281 0.42188,5.832031 0.23047,3.265626 2.17968,-0.664063 4.80469,8.425781 -1.67969,1.542969 10.1875,7.011719 0.84375,-2.132813 9.48829,1.46875 0.16015,2.273438 11.79688,-3.609375 -1.13282,-1.984375 7.13672,-6.429688 1.88282,1.296875 4.50781,-11.574218 -2.25781,-0.34375 L 588.01172,0 542.02734,0 541.98828,0.101562 541.33594,0 z m 0,0 z m -26.89062,0 1.13672,16.078125 12.53515,-0.882813 L 525.45312,0 z m 0,0 z m 12.89062,4.003906 0.41797,5.832032 14.22266,-1.015626 -0.42188,-5.832031 z m 0,0"
+ id="path1731"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2.9000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 509.27344,371.68359 475.12891,334.85547 455.98437,319.125 443.54687,310.72656"
+ id="path1733"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#0000ff;stroke-width:0.89999998;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4"
+ d="M 509.27344,371.68359 475.12891,334.85547 455.98437,319.125 443.54687,310.72656"
+ id="path1735"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2.9000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 651.07031,588.44922 22.8086,-13.9336 18.57031,-26.24609 m 0,-68.29687 -18.72656,-11.61329 -58.76172,-14.875 -40.92578,-21.73046 -47.79297,-31.62891 -16.96875,-28.44141 -9.88672,-38.57812 0.39453,-36.04688 8.76562,-53.01562"
+ id="path1737"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#0000ff;stroke-width:0.89999998;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4"
+ d="M 651.80859,588 673.87891,574.51562 692,548.90625 m 0,-69.21484 -18.27734,-11.33204 -58.76172,-14.875 -40.92578,-21.73046 -47.79297,-31.62891 -16.96875,-28.44141 -9.88672,-38.57812 0.39453,-36.04688 8.76562,-53.01562"
+ id="path1739"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 277.625,34.449219 305.83203,31.921875 473.51953,17.53125"
+ id="path1741"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 277.625,34.449219 305.83203,31.921875 473.51953,17.53125"
+ id="path1743"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 190.41406,54.265625 -0.32812,-3.917969 -1.58203,0.15625"
+ id="path1749"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 190.41406,54.265625 -0.32812,-3.917969 -1.58203,0.15625"
+ id="path1751"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 353.71875,41.863281 70.4375,-5.449219 67.72266,-4.90625"
+ id="path1753"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 353.71875,41.863281 70.4375,-5.449219 67.72266,-4.90625"
+ id="path1755"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 251.42578,49.511719 67.0625,-5.113281 35.23047,-2.535157 3.93359,41.96875 31.67188,-2.671875 L 495.5,72.226562 577.34766,65.332031 602.14062,63.25 600.58203,41.996094 493.56641,50.761719"
+ id="path1757"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 251.42578,49.511719 67.0625,-5.113281 35.23047,-2.535157 3.93359,41.96875 31.67188,-2.671875 L 495.5,72.226562 577.34766,65.332031 602.14062,63.25 600.58203,41.996094 493.56641,50.761719"
+ id="path1759"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 579.46875,59.480469 -2.78516,0.0625 0.66407,5.789062"
+ id="path1761"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 579.46875,59.480469 -2.78516,0.0625 0.66407,5.789062"
+ id="path1763"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 181.70312,51.300781 -4.74609,0.320313 -0.69531,-8.578125 -3.10156,-38.410157 -1.27344,0.152344"
+ id="path1765"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 181.70312,51.300781 -4.74609,0.320313 -0.69531,-8.578125 -3.10156,-38.410157 -1.27344,0.152344"
+ id="path1767"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 53.390625,11.113281 68.414062,10.636719"
+ id="path1769"
+ inkscape:connector-curvature="0"
+ sodipodi:nodetypes="cc" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 53.390625,11.113281 68.414062,10.636719"
+ id="path1771"
+ inkscape:connector-curvature="0"
+ sodipodi:nodetypes="cc" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 474.18359,26.824219 473.51953,17.53125 472.15625,-1.648438"
+ id="path1777"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 474.18359,26.824219 473.51953,17.53125 472.20312,-1"
+ id="path1779"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2.9000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 156.97656,573.61328 130.90234,574.10937 112.53906,559.09375 94.625,513.44141 85.011719,448.53125 77.847656,374.90625 67.652344,331.96094 49.699219,291.87109 10.871094,247.83203 -1.449219,238.01953"
+ id="path1781"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#0000ff;stroke-width:0.89999998;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 156.97656,573.61328 130.90234,574.10937 112.53906,559.09375 94.625,513.44141 85.011719,448.53125 77.847656,374.90625 67.652344,331.96094 49.699219,291.87109 10.871094,247.83203 -1,238.37891"
+ id="path1783"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 424.15625,36.414062 -0.38672,-5.710937"
+ id="path1785"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 424.15625,36.414062 -0.38672,-5.710937"
+ id="path1787"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 423.76953,30.703125 50.41406,-3.878906"
+ id="path1789"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 423.76953,30.703125 50.41406,-3.878906"
+ id="path1791"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 171.88672,4.785156 -8.22656,0.796875"
+ id="path1793"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:3;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:2, 1"
+ d="m 171.88672,4.785156 -8.22656,0.796875"
+ id="path1795"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 254.80469,91.019531 -94,7.429688 -3.59766,-41.101563 33.20703,-3.082031 35.3125,-2.890625 25.69922,-1.863281 3.37891,41.507812"
+ id="path1797"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 254.80469,91.019531 -94,7.429688 -3.59766,-41.101563 33.20703,-3.082031 35.3125,-2.890625 25.69922,-1.863281 3.37891,41.507812"
+ id="path1799"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 308.99219,39.945312 -2.57032,0.183594 -0.58984,-8.207031 -1.77344,-33.570313"
+ id="path1801"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 308.99219,39.945312 -2.57032,0.183594 -0.58984,-8.207031 L 304.08984,-1"
+ id="path1803"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 176.26172,43.042969 277.625,34.449219"
+ id="path1805"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 176.26172,43.042969 277.625,34.449219"
+ id="path1807"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 357.65234,83.832031 -102.84765,7.1875"
+ id="path1813"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 357.65234,83.832031 -102.84765,7.1875"
+ id="path1815"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 225.72656,51.375 225.1875,47.253906"
+ id="path1817"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 225.72656,51.375 225.1875,47.253906"
+ id="path1819"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 277.625,34.449219 274.84375,-1.648438"
+ id="path1821"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 277.625,34.449219 274.89453,-1"
+ id="path1823"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 495.5,72.226562 -1.93359,-21.464843 -1.6875,-19.253907 -2.71485,-33.15625"
+ id="path1825"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 495.5,72.226562 493.56641,50.761719 491.87891,31.507812 489.21875,-1"
+ id="path1827"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 612.04687,65.476562 -3.55078,-0.738281"
+ id="path1829"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:3;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:2, 1"
+ d="m 612.04687,65.476562 -3.55078,-0.738281"
+ id="path1831"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 579.46875,59.480469 590.52734,58.65625"
+ id="path1833"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:3;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:2, 1"
+ d="M 579.46875,59.480469 590.52734,58.65625"
+ id="path1835"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 614.68359,40.792969 -1.00781,25.265625 -1.62891,-0.582032"
+ id="path1837"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 614.68359,40.792969 -1.00781,25.265625 -1.62891,-0.582032"
+ id="path1839"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 68.414062,10.636719 68.027348,-6.15625 4.10937,-2.539063 33.58984,-3.589844"
+ id="path1841"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 68.414062,10.636719 136.44141,4.480469 140.55078,1.941406 168.05859,-1"
+ id="path1843"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 318.16016,39.296875 -9.16797,0.648437"
+ id="path1845"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:3;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:2, 1"
+ d="m 318.16016,39.296875 -9.16797,0.648437"
+ id="path1847"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 590.52734,58.65625 -0.45312,-1.671875"
+ id="path1849"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 590.52734,58.65625 -0.45312,-1.671875"
+ id="path1851"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 188.50391,50.503906 -6.80079,0.796875"
+ id="path1853"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:3;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:2, 1"
+ d="m 188.50391,50.503906 -6.80079,0.796875"
+ id="path1855"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 225.1875,47.253906 278.10547,42.707031 277.625,34.449219"
+ id="path1857"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 225.1875,47.253906 278.10547,42.707031 277.625,34.449219"
+ id="path1859"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 360.76562,111.37109 357.65234,83.832031"
+ id="path1861"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 360.76562,111.37109 357.65234,83.832031"
+ id="path1863"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 84.355469,387.06641 67.652344,331.96094"
+ id="path1865"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 648.61719,16.40625 10.39843,2.203125"
+ id="path1869"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:3;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:2, 1"
+ d="m 648.61719,16.40625 10.39843,2.203125"
+ id="path1871"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 254.80469,91.019531 2.125,28.472659"
+ id="path1873"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 254.80469,91.019531 2.125,28.472659"
+ id="path1875"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 16.210938,158.55469 -10.144532,-0.89453 -7.714844,0.3164 m 0,69.08594 20.042969,14.93359 13.769531,12.94141 22.128907,28.38281 17.121093,32.98438 7.097657,28.59375 5.84375,42.16797 45.554691,-6.11719"
+ id="path1877"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m -1,227.54687 19.394531,14.44922 13.769531,12.94141 22.128907,28.38281 17.121093,32.98438 7.097657,28.59375 5.84375,42.16797 45.554691,-6.11719"
+ id="path1879"
+ inkscape:connector-curvature="0"
+ sodipodi:nodetypes="cccccccc" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 318.16016,39.296875 0.32812,5.101563"
+ id="path1881"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 318.16016,39.296875 0.32812,5.101563"
+ id="path1883"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="M 608.49609,64.738281 602.14062,63.25"
+ id="path1885"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 608.49609,64.738281 602.14062,63.25"
+ id="path1887"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 391.60937,76.859375 -2.79687,0.28125 0.51172,4.019531"
+ id="path1889"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 391.60937,76.859375 -2.79687,0.28125 0.51172,4.019531"
+ id="path1891"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 692.64844,172.58984 -49.76953,3.07813 -0.92969,4.96484 -11.03906,0.84375 -15.89063,1.82813 -23.96094,8.26172 -21.64453,9.76171 -26.34375,15.61719 -18.07422,17.15625 -16.44922,9.94141"
+ id="path1897"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 692,172.62891 -49.12109,3.03906 -0.92969,4.96484 -11.03906,0.84375 -15.89063,1.82813 -23.96094,8.26172 -21.64453,9.76171 -26.34375,15.61719 -18.07422,17.15625 -16.44922,9.94141"
+ id="path1899"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 600.58203,41.996094 14.10156,-1.203125 0.85938,-42.441407"
+ id="path1901"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="M 600.58203,41.996094 614.68359,40.792969 615.53125,-1"
+ id="path1903"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.4"
+ d="m 35.84375,136.16016 0.628906,-11.45313 6.78125,-30.195311 23.175782,-64.984375 11.066406,-15.8125 76.367186,-6.621094 3.34375,50.253906"
+ id="path1905"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 35.84375,136.16016 0.628906,-11.45313 6.78125,-30.195311 23.175782,-64.984375 11.066406,-15.8125 76.367186,-6.621094 3.34375,50.253906"
+ id="path1907"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 89.71875,132.79687 82.371094,38.519531"
+ id="path1909"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#eea8a8;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:0.5;stroke-dasharray:6, 8"
+ d="M 89.71875,132.79687 82.371094,38.519531"
+ id="path1911"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 403.53125,435.71094 35.34766,34.0039 28.6289,27.17578"
+ id="path1913"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 475.21875,246.95312 457.48047,228.3125"
+ id="path1915"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 385.64062,453.54687 17.89063,-17.83593 64.73828,-64.53125"
+ id="path1917"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 275.40234,284.32031 -20.60547,1.71875"
+ id="path1919"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 270.66797,230.78906 -20.3086,1.95703"
+ id="path1921"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 102.72266,252.43359 43.84375,-5.23047 3.95703,39.46094 -33.39063,5.625"
+ id="path1923"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 484.71484,237.20703 -16.375,-15.45312 -2.32031,-2.17188"
+ id="path1925"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 344.59375,412.25391 41.04687,41.29296 -50.18359,53.99219 34.71875,33.45313 1.26953,28.64453 10.76953,18.51172"
+ id="path1927"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 254.79687,286.03906 3.76954,45.25781"
+ id="path1929"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 426.5,588.14844 137.07031,-145"
+ id="path1931"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 246.43359,185.63672 3.92578,47.10937 4.4375,53.29297"
+ id="path1933"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 468.26953,371.17969 34.86719,34.0625 60.43359,37.90625"
+ id="path1935"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 246.43359,185.63672 242.61719,139.73437 241.03906,120.75"
+ id="path1937"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 267.42187,184.55469 -20.98828,1.08203"
+ id="path1939"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 370.17578,540.99219 68.70313,-71.27735 64.25781,-64.47265"
+ id="path1941"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 541.25391,210.13672 40.75,-20.58203 48.35156,-19.41797"
+ id="path1943"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 124.65234,343.53125 86.96094,-8.02734 46.95313,-4.20704 135.3789,-12.15234 12.03906,-1.07812"
+ id="path1945"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 192.26172,162.78516 187.8125,125.03125"
+ id="path1949"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 192.26172,162.78516 5.12109,43.47656 14.23047,129.24219 12.51953,169.1914"
+ id="path1951"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 80.984375,220.30859 197.38281,206.26172"
+ id="path1953"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m -2.398438,149.52344 7.667969,-1.07032 8.703125,-5.02734 8.644532,-5.58203"
+ id="path1955"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 159.60937,127.26953 14.19141,27.21484 3.55469,8.45313 14.90625,-0.15234"
+ id="path1957"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 163.99219,170.87891 9.80859,-16.39454"
+ id="path1959"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 628.22266,94.269531 -9.13672,-0.363281 -11.50782,-3.042969 -18.74218,0.175781 -19.4375,4.234376"
+ id="path1961"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 22.617188,137.84375 -9.816407,-2.41016 -7.097656,-5.57812 -8.101563,-6.32422"
+ id="path1963"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 16.210938,158.55469 -2.027344,-8.10547 -0.210938,-7.02344 -1.171875,-7.99219"
+ id="path1965"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 87.484375,589.39844 -14.75,-27.17969 -16.988281,-37.66406 -23.929688,-8.47266 -34.214844,-10.35156"
+ id="path1967"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 184.48437,589.39844 10.0625,-23.19532"
+ id="path1969"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 569.39844,95.273438 15.58593,1.671874 4.17188,6.132818 1.45312,9.39453 -1.0625,17.0664"
+ id="path1971"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M -2.398438,107.48828 50.398438,-2.398438"
+ id="path1973"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 584.98437,96.945312 6.84375,3.187498 10.4375,6.55078 7.97657,4 2.51172,1.25782 6.83593,3.42578 6.07422,3.05078 2.44922,1.21484"
+ id="path1975"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:4.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 22.617188,137.84375 13.226562,-1.68359 53.875,-3.36329 69.89062,-5.52734 28.20313,-2.23828 53.22656,-4.28125 15.89063,-1.25781 103.83593,-8.1211 20.46094,-1.82031 188.17188,-14.277342"
+ id="path1977"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 631.76172,186.76562 -0.85156,-5.28906 -0.55469,-11.33984 -2.24219,-50.50391 0.1875,-10.25 -0.11719,-5.23437 0.0391,-9.878909"
+ id="path1979"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 628.22266,94.269531 -12.48438,11.402349 -5.49609,5.01171 -20.69532,18.85547 -104.83203,107.66797 -9.49609,9.74609 -69.23438,71.11329 -70.28906,72.14453 -18.17969,18.66797 -93.38281,95.8164 -67.15625,68.91797"
+ id="path1981"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 156.97656,573.61328 -10.17969,9.46094"
+ id="path1983"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 629.67578,-4.398438 -1.45312,98.667969"
+ id="path1985"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 171.13281,590.31641 23.41406,-24.11329 150.04688,-153.94921 98.95312,-101.52735 65,-66.68359 32.70704,-33.90625 86.85937,-90.50391"
+ id="path1987"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 695.39844,336.47656 -30.19141,-49.5 -19.63672,-39.33984"
+ id="path1989"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 5.269531,148.45312 -9.667969,-9.7539"
+ id="path1991"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 171.13281,590.31641 -6.0625,-7.16016 -2.21094,-2.60156 -5.88281,-6.94141"
+ id="path1993"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.80000019;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 156.97656,573.61328 -27.0664,-192.66406 -5.25782,-37.41797 -7.51953,-51.24219 -4.18359,-13.76562 -10.22656,-26.08985 -21.738285,-32.125 L 69.679688,207.89062 16.210938,158.55469 5.269531,148.45312"
+ id="path1995"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:8.60000038;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 23.140625,-4.300781 -4.300781,53.992188"
+ id="path1997"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:8.60000038;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M -4.300781,82.171875 36.457031,-4.300781"
+ id="path1999"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#424242;stroke-width:1.5;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 160.45703,588 4.61328,-4.84375 158.75391,-162.60156 271.07422,-277.66797 6.34765,-6.50391 9.01172,-10.33203 9.33203,-10.68359 2.8125,-3.21485 5.78125,-8.0039 4.61328,-6.406252 0.70704,-2.425782 L 636.72656,84.25 638.80859,-1"
+ id="path2001"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#424242;stroke-width:1.5;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 621.11328,81.308594 0.49219,5.632812 0.59765,4.363282 0.61719,4.832031 1.83985,6.445311 5.46484,7.22266 6.54297,4.88672 8.24609,3.54297 10.7461,2.61718 L 692,127.30078"
+ id="path2003"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#424242;stroke-width:1.5;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 655.66016,120.85156 -17.60547,-3.42578 -5.84375,-0.21094 -6.54688,1.20313 -6.28906,1.92187 -5.00781,2.61329 -4.10938,3.09765"
+ id="path2005"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#424242;stroke-width:1.5;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 622.65625,-1 -1.40234,74.734375 -0.14063,7.574219 -2.02734,12.597656 -3.34766,11.76563 -0.66406,2.23828 -2.32031,4.03125 -5,8.71875 -9.5625,12.86328 L 346.33594,391.37109 162.85937,580.55469 155.51172,588"
+ id="path2007"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 322.94141,199.87109 -37.65625,3.02735 -2.36719,-19.56641 -5.70703,0.57031 -9.78907,0.65235 3.2461,46.23437"
+ id="path2009"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 285.04687,283.51562 -9.64453,0.80469"
+ id="path2011"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 281.18359,234.4375 -9.43359,0.67969 3.65234,49.20312"
+ id="path2013"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:0.80000001;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 457.48047,228.3125 414.75,231.79297 410.88672,186.82812"
+ id="path2015"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#424242;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 617.40234,174.80078 6.4961,-2.60937 -0.7461,-1.85547 5.57032,0.45703 -3.70704,4.18359 -0.74609,-1.85547 -6.49609,2.60938 z m 0,0"
+ id="path2017"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#545454;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 202.28125,246.1875 0.76562,6.95703 1.98829,-0.21875 -1.9375,5.24219 -3.03125,-4.69531 1.98828,-0.21875 -0.76563,-6.95704 z m 0,0"
+ id="path2019"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#545454;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 218.76562,425.41797 0.51954,6.98047 1.99218,-0.14453 -2.12109,5.16796 -2.86328,-4.80078 1.99219,-0.14843 -0.51563,-6.98047 z m 0,0"
+ id="path2021"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#545454;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 27.921875,43.226562 3.03125,-6.308593 -1.804687,-0.867188 4.421874,-3.421875 0.08594,5.589844 -1.800781,-0.867188 -3.03125,6.308594 z m 0,0"
+ id="path2023"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#424242;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 567.82422,152.57031 -4.88672,5.01563 1.43359,1.39453 -5.27734,1.83594 1.69531,-5.32422 1.4336,1.39453 4.88281,-5.01563 z m 0,0"
+ id="path2025"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#424242;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 442.25,281.53125 -4.88281,5.01562 1.43359,1.39844 -5.27734,1.83594 1.69531,-5.32422 1.43359,1.39453 4.88282,-5.01562 z m 0,0"
+ id="path2027"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#424242;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 316.65625,410.47656 -4.88672,5.01172 1.43359,1.39844 -5.28125,1.83203 1.69922,-5.32422 1.4336,1.39453 4.88672,-5.01172 z m 0,0"
+ id="path2029"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#424242;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 191.02734,539.38281 -4.88672,5.01563 1.4336,1.39453 -5.27735,1.83594 1.69532,-5.32422 1.43359,1.39453 4.88672,-5.01172 z m 0,0"
+ id="path2031"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#424242;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 229.35937,529.76953 4.88672,-5.01172 -1.43359,-1.39844 5.28125,-1.83593 -1.69922,5.32812 -1.43359,-1.39844 -4.88672,5.01563 z m 0,0"
+ id="path2033"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#424242;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 354.99609,400.86719 4.88282,-5.01172 -1.42969,-1.39844 5.27734,-1.83594 -1.69922,5.32813 -1.42968,-1.39844 -4.88672,5.01563 z m 0,0"
+ id="path2035"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#424242;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 480.63281,271.96484 4.88281,-5.01172 -1.42968,-1.39453 5.27734,-1.83593 -1.69922,5.32421 -1.42969,-1.39453 -4.88671,5.01172 z m 0,0"
+ id="path2037"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#424242;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 605.57031,142.39844 4.84766,-5.05078 -1.44141,-1.38672 5.26563,-1.875 -1.66016,5.33984 -1.44141,-1.38672 -4.84765,5.05078 z m 0,0"
+ id="path2039"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#513500;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 15.902344,38.136719 2.984375,-6.332031 -1.808594,-0.851563 4.390625,-3.457031 0.132812,5.589844 -1.808593,-0.855469 -2.984375,6.332031 z m 0,0"
+ id="path2041"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#545454;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 268.69141,195.46094 0.48828,6.98437 1.99609,-0.14062 -2.14453,5.16015 -2.84375,-4.8125 1.99609,-0.13672 -0.49218,-6.98437 z m 0,0"
+ id="path2043"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#000000;stroke-width:4.30000019;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 659.01562,18.609375 29.97657,5.550781"
+ id="path2045"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#000000;stroke-width:4.30000019;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 693.14844,18.445312 -3.13672,-0.589843 -1.01953,6.304687 -3.94141,24.316406 -74.68359,6.683594 -20.29297,1.824219 -163.03125,14.6875 -26.66406,2.28125 -6.78125,0.585937"
+ id="path2047"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#000000;stroke-width:10;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 146.79687,583.07422 138.99219,592"
+ id="path2049"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#000000;stroke-width:10;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 645.57031,247.63672 -8.48047,-29.77735 -5.32812,-31.09375"
+ id="path2051"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 659.01562,18.609375 29.97657,5.550781"
+ id="path2053"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3.29999995;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 692.64844,18.351562 -2.63672,-0.496093 -1.01953,6.304687 -3.94141,24.316406 -74.68359,6.683594 -20.29297,1.824219 -163.03125,14.6875 -26.66406,2.28125 -6.78125,0.585937"
+ id="path2055"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 659.01562,18.609375 29.97657,5.550781"
+ id="path2057"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fa7f70;stroke-width:1.29999995;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:1, 4, 2, 3"
+ d="m 692,18.230469 -1.98828,-0.375 -1.01953,6.304687 -3.94141,24.316406 -74.68359,6.683594 -20.29297,1.824219 -163.03125,14.6875 -26.66406,2.28125 -6.78125,0.585937"
+ id="path2059"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 146.79687,583.07422 139.64844,591.25"
+ id="path2061"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:8.5;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-opacity:1"
+ d="m 645.57031,247.63672 -8.48047,-29.77735 -5.32812,-31.09375"
+ id="path2063"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:bevel;stroke-miterlimit:4;stroke-opacity:1"
+ d="m -1,145.77344 6.878906,6.70312 6.101563,-11.23437 348.785151,-29.8711 20.46094,-1.82031 198.3086,-17.839842 47.41796,-1.378907 1.46094,25.324219 L 639.54297,115.5 692,125.64063"
+ id="path2065"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ab45ab;stroke-width:2;stroke-linecap:butt;stroke-linejoin:bevel;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:2, 3"
+ d="m 5.878906,152.47656 6.101563,-11.23437 348.785151,-29.8711 20.46094,-1.82031 198.3086,-17.839842 47.41796,-1.378907 1.46094,25.324219 11.12891,-0.15625"
+ id="path2067"
+ inkscape:connector-curvature="0"
+ sodipodi:nodetypes="cccccccc" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:bevel;stroke-miterlimit:4;stroke-opacity:1"
+ d="M 692,125.64063 639.54297,115.5 l -11.12891,0.15625 -1.46094,-25.324219 -47.41796,1.378907 -198.3086,17.839842 -20.46094,1.82031 L 11.980469,141.24219 5.878906,152.47656 -1,145.77344"
+ id="path2071"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ab45ab;stroke-width:2;stroke-linecap:butt;stroke-linejoin:bevel;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:2, 3"
+ d="m 628.41406,115.65625 -1.46094,-25.324219 -47.41796,1.378907 -198.3086,17.839842 -20.46094,1.82031 -348.785151,29.8711 -6.101563,11.23437"
+ id="path2073"
+ inkscape:connector-curvature="0"
+ sodipodi:nodetypes="ccccccc" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 485.14844,81.015625 -0.46875,0.976563 -1.0586,0.242187 -0.84765,-0.675781 0,-1.085938 0.84765,-0.675781 1.0586,0.242187 z m 0,0"
+ id="path2077"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 455.14062,83.164062 -0.47265,0.980469 -1.05469,0.238281 -0.84766,-0.675781 0,-1.082031 0.84766,-0.679688 1.05469,0.242188 z m 0,0"
+ id="path2079"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 397.94531,87.75 -0.47265,0.980469 -1.05469,0.238281 -0.84766,-0.675781 0,-1.082031 0.84766,-0.679688 1.05469,0.242188 z m 0,0"
+ id="path2081"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 546.30078,75.59375 -0.47266,0.976562 -1.05859,0.242188 -0.84766,-0.679688 0,-1.082031 0.84766,-0.675781 1.05859,0.238281 z m 0,0"
+ id="path2083"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 431.33984,85.039062 -0.46875,0.976563 -1.05859,0.242187 -0.84766,-0.675781 0,-1.085937 0.84766,-0.675782 1.05859,0.242188 z m 0,0"
+ id="path2085"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 460.56641,82.746094 -0.47266,0.976562 -1.05859,0.242188 -0.84766,-0.675782 0,-1.085937 0.84766,-0.675781 1.05859,0.242187 z m 0,0"
+ id="path2087"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 474.76172,81.488281 -0.47266,0.980469 -1.05859,0.238281 -0.84766,-0.675781 0,-1.082031 0.84766,-0.675781 1.05859,0.238281 z m 0,0"
+ id="path2089"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 412.97266,86.507812 -0.46875,0.976563 -1.0586,0.242187 -0.84765,-0.679687 0,-1.082031 0.84765,-0.675782 1.0586,0.238282 z m 0,0"
+ id="path2091"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 537.59766,76.277344 -0.46875,0.976562 -1.0586,0.242188 -0.84765,-0.679688 0,-1.082031 0.84765,-0.675781 1.0586,0.238281 z m 0,0"
+ id="path2093"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 422.15625,85.867188 -0.46875,0.976562 -1.05859,0.242188 -0.84766,-0.675782 0,-1.085937 0.84766,-0.675781 1.05859,0.242187 z m 0,0"
+ id="path2095"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 403.57031,87.542969 -0.46875,0.976562 -1.05859,0.242188 -0.84766,-0.675781 0,-1.085938 0.84766,-0.675781 1.05859,0.242187 z m 0,0"
+ id="path2097"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#007f00;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 445.73828,83.792969 -0.46875,0.980469 -1.05859,0.238281 -0.84766,-0.675781 0,-1.085938 0.84766,-0.675781 1.05859,0.242187 z m 0,0"
+ id="path2099"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#787fb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 591.89844,139.88281 0,6 6,0 0,-6 z m 0,0"
+ id="path2101"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#787fb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 320.82422,417.55078 0,6 6,0 0,-6 z m 0,0"
+ id="path2103"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 262.26172,431.92578 c -0.71875,0 -1.28906,0.27344 -1.70313,0.8125 -0.41797,0.53125 -0.625,1.25781 -0.625,2.17188 0,0.91796 0.20703,1.64843 0.625,2.1875 0.41407,0.53125 0.98438,0.79687 1.70313,0.79687 0.71875,0 1.28515,-0.26562 1.70312,-0.79687 0.41407,-0.53907 0.625,-1.26954 0.625,-2.1875 0,-0.91407 -0.21093,-1.64063 -0.625,-2.17188 -0.41797,-0.53906 -0.98437,-0.8125 -1.70312,-0.8125 z m 0,-0.79687 c 1.01953,0 1.83594,0.34375 2.45312,1.03125 0.61328,0.6875 0.92188,1.60546 0.92188,2.75 0,1.14843 -0.3086,2.0625 -0.92188,2.75 -0.61718,0.6875 -1.43359,1.03125 -2.45312,1.03125 -1.02344,0 -1.83985,-0.33594 -2.45313,-1.01563 -0.61718,-0.6875 -0.92187,-1.60937 -0.92187,-2.76562 0,-1.14454 0.30469,-2.0625 0.92187,-2.75 0.61328,-0.6875 1.42969,-1.03125 2.45313,-1.03125 z m 0,0"
+ id="path2105"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 269.74609,433.23828 0,0.85938 c -0.25,-0.13282 -0.51172,-0.23438 -0.78125,-0.29688 -0.27343,-0.0625 -0.55859,-0.0937 -0.85937,-0.0937 -0.4375,0 -0.77344,0.0703 -1,0.20313 -0.21875,0.13671 -0.32813,0.33984 -0.32813,0.60937 0,0.21094 0.0781,0.375 0.23438,0.5 0.15625,0.11719 0.47656,0.22656 0.96875,0.32813 l 0.29687,0.0781 c 0.64453,0.13672 1.09766,0.32813 1.35938,0.57813 0.26953,0.25 0.40625,0.59375 0.40625,1.03125 0,0.51171 -0.20313,0.91796 -0.60938,1.21875 -0.39843,0.29296 -0.94531,0.4375 -1.64062,0.4375 -0.30469,0 -0.61719,-0.0312 -0.9375,-0.0937 -0.3125,-0.0508 -0.64063,-0.13282 -0.98438,-0.25 l 0,-0.92188 c 0.33203,0.16797 0.65625,0.29688 0.96875,0.39063 0.32032,0.0859 0.64453,0.125 0.96875,0.125 0.41407,0 0.73828,-0.0703 0.96875,-0.21875 0.22657,-0.14454 0.34375,-0.34766 0.34375,-0.60938 0,-0.25 -0.0859,-0.4375 -0.25,-0.5625 -0.15625,-0.13281 -0.51562,-0.25781 -1.07812,-0.375 l -0.3125,-0.0781 c -0.55469,-0.11329 -0.95313,-0.28907 -1.20313,-0.53125 -0.25,-0.25 -0.375,-0.58204 -0.375,-1 0,-0.51954 0.17969,-0.91407 0.54688,-1.1875 0.36328,-0.28125 0.88281,-0.42188 1.5625,-0.42188 0.32031,0 0.6289,0.0273 0.92187,0.0781 0.30078,0.043 0.57032,0.10937 0.8125,0.20312 z m 0,0"
+ id="path2107"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 272.13672,437.72266 0,2.90625 -0.90625,0 0,-7.54688 0.90625,0 0,0.82813 c 0.1875,-0.32032 0.42187,-0.5625 0.70312,-0.71875 0.28907,-0.15625 0.64063,-0.23438 1.04688,-0.23438 0.66406,0 1.20312,0.26563 1.60937,0.79688 0.41407,0.52343 0.625,1.21093 0.625,2.0625 0,0.86718 -0.21093,1.5625 -0.625,2.09375 -0.40625,0.52343 -0.94531,0.78125 -1.60937,0.78125 -0.40625,0 -0.75781,-0.0781 -1.04688,-0.23438 -0.28125,-0.15625 -0.51562,-0.39844 -0.70312,-0.73437 z m 3.0625,-1.90625 c 0,-0.65625 -0.14063,-1.17188 -0.42188,-1.54688 -0.27343,-0.375 -0.64062,-0.5625 -1.10937,-0.5625 -0.48047,0 -0.85547,0.1875 -1.125,0.5625 -0.27344,0.375 -0.40625,0.89063 -0.40625,1.54688 0,0.66796 0.13281,1.1875 0.40625,1.5625 0.26953,0.375 0.64453,0.5625 1.125,0.5625 0.46875,0 0.83594,-0.1875 1.10937,-0.5625 0.28125,-0.375 0.42188,-0.89454 0.42188,-1.5625 z m 0,0"
+ id="path2109"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 281.94922,435.59766 0,0.4375 -4.14063,0 c 0.0391,0.61718 0.22657,1.08593 0.5625,1.40625 0.33203,0.32421 0.79688,0.48437 1.39063,0.48437 0.34375,0 0.67578,-0.0391 1,-0.125 0.33203,-0.082 0.65625,-0.20703 0.96875,-0.375 l 0,0.84375 c -0.32422,0.13672 -0.65625,0.24219 -1,0.3125 -0.33594,0.0703 -0.67188,0.10938 -1.01563,0.10938 -0.875,0 -1.57031,-0.25 -2.07812,-0.75 -0.51172,-0.50782 -0.76563,-1.20313 -0.76563,-2.07813 0,-0.89453 0.23828,-1.60156 0.71875,-2.125 0.48828,-0.51953 1.14453,-0.78125 1.96875,-0.78125 0.73828,0 1.32032,0.23438 1.75,0.70313 0.42578,0.46875 0.64063,1.11718 0.64063,1.9375 z m -0.90625,-0.26563 c 0,-0.48828 -0.13672,-0.87891 -0.40625,-1.17187 -0.27344,-0.30079 -0.625,-0.45313 -1.0625,-0.45313 -0.51172,0 -0.91797,0.14844 -1.21875,0.4375 -0.29297,0.28125 -0.46485,0.67969 -0.51563,1.1875 z m 0,0"
+ id="path2111"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 286.87109,433.91016 0,-2.95313 0.89063,0 0,7.59375 -0.89063,0 0,-0.82812 c -0.1875,0.33593 -0.42968,0.57812 -0.71875,0.73437 -0.29297,0.15625 -0.64062,0.23438 -1.04687,0.23438 -0.65625,0 -1.19531,-0.25782 -1.60938,-0.78125 -0.41797,-0.53125 -0.625,-1.22657 -0.625,-2.09375 0,-0.85157 0.20703,-1.53907 0.625,-2.0625 0.41407,-0.53125 0.95313,-0.79688 1.60938,-0.79688 0.40625,0 0.7539,0.0781 1.04687,0.23438 0.28907,0.15625 0.53125,0.39843 0.71875,0.71875 z m -3.0625,1.90625 c 0,0.66796 0.13282,1.1875 0.40625,1.5625 0.26953,0.375 0.64453,0.5625 1.125,0.5625 0.46875,0 0.83594,-0.1875 1.10938,-0.5625 0.28125,-0.375 0.42187,-0.89454 0.42187,-1.5625 0,-0.65625 -0.14062,-1.17188 -0.42187,-1.54688 -0.27344,-0.375 -0.64063,-0.5625 -1.10938,-0.5625 -0.48047,0 -0.85547,0.1875 -1.125,0.5625 -0.27343,0.375 -0.40625,0.89063 -0.40625,1.54688 z m 0,0"
+ id="path2113"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 291.74609,435.80078 c -0.71875,0 -1.21875,0.0859 -1.5,0.25 -0.28125,0.16797 -0.42187,0.44922 -0.42187,0.84375 0,0.32422 0.10156,0.57813 0.3125,0.76563 0.20703,0.1875 0.49219,0.28125 0.85937,0.28125 0.5,0 0.89844,-0.17579 1.20313,-0.53125 0.30078,-0.35157 0.45312,-0.82032 0.45312,-1.40625 l 0,-0.20313 z m 1.79688,-0.375 0,3.125 -0.89063,0 0,-0.82812 c -0.21093,0.33593 -0.46875,0.57812 -0.78125,0.73437 -0.30468,0.15625 -0.67187,0.23438 -1.10937,0.23438 -0.5625,0 -1.01172,-0.15625 -1.34375,-0.46875 -0.33594,-0.3125 -0.5,-0.73438 -0.5,-1.26563 0,-0.61328 0.20703,-1.07812 0.625,-1.39062 0.41406,-0.3125 1.03125,-0.46875 1.84375,-0.46875 l 1.26562,0 0,-0.0937 c 0,-0.40625 -0.14062,-0.72266 -0.42187,-0.95313 -0.27344,-0.22656 -0.65235,-0.34375 -1.14063,-0.34375 -0.3125,0 -0.62109,0.043 -0.92187,0.125 -0.29297,0.0742 -0.57422,0.18359 -0.84375,0.32813 l 0,-0.82813 c 0.33203,-0.125 0.64844,-0.21875 0.95312,-0.28125 0.3125,-0.0625 0.61328,-0.0937 0.90625,-0.0937 0.78907,0 1.37891,0.20313 1.76563,0.60938 0.39453,0.40625 0.59375,1.02734 0.59375,1.85937 z m 0,0"
+ id="path2115"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 295.26172,430.95703 0.90625,0 0,7.59375 -0.90625,0 z m 0,0"
+ id="path2117"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 301.94922,435.59766 0,0.4375 -4.14063,0 c 0.0391,0.61718 0.22657,1.08593 0.5625,1.40625 0.33203,0.32421 0.79688,0.48437 1.39063,0.48437 0.34375,0 0.67578,-0.0391 1,-0.125 0.33203,-0.082 0.65625,-0.20703 0.96875,-0.375 l 0,0.84375 c -0.32422,0.13672 -0.65625,0.24219 -1,0.3125 -0.33594,0.0703 -0.67188,0.10938 -1.01563,0.10938 -0.875,0 -1.57031,-0.25 -2.07812,-0.75 -0.51172,-0.50782 -0.76563,-1.20313 -0.76563,-2.07813 0,-0.89453 0.23828,-1.60156 0.71875,-2.125 0.48828,-0.51953 1.14453,-0.78125 1.96875,-0.78125 0.73828,0 1.32032,0.23438 1.75,0.70313 0.42578,0.46875 0.64063,1.11718 0.64063,1.9375 z m -0.90625,-0.26563 c 0,-0.48828 -0.13672,-0.87891 -0.40625,-1.17187 -0.27344,-0.30079 -0.625,-0.45313 -1.0625,-0.45313 -0.51172,0 -0.91797,0.14844 -1.21875,0.4375 -0.29297,0.28125 -0.46485,0.67969 -0.51563,1.1875 z m 0,0"
+ id="path2119"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 308.74609,432.23828 -1.34375,3.625 2.6875,0 z m -0.5625,-0.98437 1.125,0 2.78125,7.29687 -1.03125,0 -0.67187,-1.875 -3.28125,0 -0.65625,1.875 -1.04688,0 z m 0,0"
+ id="path2121"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 316.52734,434.12891 c 0.21875,-0.40625 0.48438,-0.70313 0.79688,-0.89063 0.3125,-0.1875 0.67969,-0.28125 1.10937,-0.28125 0.57032,0 1.00782,0.19922 1.3125,0.59375 0.3125,0.39844 0.46875,0.96484 0.46875,1.70313 l 0,3.29687 -0.90625,0 0,-3.26562 c 0,-0.53125 -0.0937,-0.92188 -0.28125,-1.17188 -0.17968,-0.25 -0.46093,-0.375 -0.84375,-0.375 -0.46875,0 -0.83984,0.15625 -1.10937,0.46875 -0.26172,0.30469 -0.39063,0.71875 -0.39063,1.25 l 0,3.09375 -0.90625,0 0,-3.26562 c 0,-0.53125 -0.0937,-0.92188 -0.28125,-1.17188 -0.1875,-0.25 -0.47656,-0.375 -0.85937,-0.375 -0.46094,0 -0.82422,0.15625 -1.09375,0.46875 -0.27344,0.30469 -0.40625,0.71875 -0.40625,1.25 l 0,3.09375 -0.90625,0 0,-5.46875 0.90625,0 0,0.84375 c 0.20703,-0.33203 0.45312,-0.57812 0.73437,-0.73437 0.28907,-0.15625 0.62891,-0.23438 1.01563,-0.23438 0.40625,0 0.74219,0.10156 1.01562,0.29688 0.28125,0.19921 0.48828,0.49218 0.625,0.875 z m 0,0"
+ id="path2123"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 325.94922,435.59766 0,0.4375 -4.14063,0 c 0.0391,0.61718 0.22657,1.08593 0.5625,1.40625 0.33203,0.32421 0.79688,0.48437 1.39063,0.48437 0.34375,0 0.67578,-0.0391 1,-0.125 0.33203,-0.082 0.65625,-0.20703 0.96875,-0.375 l 0,0.84375 c -0.32422,0.13672 -0.65625,0.24219 -1,0.3125 -0.33594,0.0703 -0.67188,0.10938 -1.01563,0.10938 -0.875,0 -1.57031,-0.25 -2.07812,-0.75 -0.51172,-0.50782 -0.76563,-1.20313 -0.76563,-2.07813 0,-0.89453 0.23828,-1.60156 0.71875,-2.125 0.48828,-0.51953 1.14453,-0.78125 1.96875,-0.78125 0.73828,0 1.32032,0.23438 1.75,0.70313 0.42578,0.46875 0.64063,1.11718 0.64063,1.9375 z m -0.90625,-0.26563 c 0,-0.48828 -0.13672,-0.87891 -0.40625,-1.17187 -0.27344,-0.30079 -0.625,-0.45313 -1.0625,-0.45313 -0.51172,0 -0.91797,0.14844 -1.21875,0.4375 -0.29297,0.28125 -0.46485,0.67969 -0.51563,1.1875 z m 0,0"
+ id="path2125"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 330.87109,433.91016 0,-2.95313 0.89063,0 0,7.59375 -0.89063,0 0,-0.82812 c -0.1875,0.33593 -0.42968,0.57812 -0.71875,0.73437 -0.29297,0.15625 -0.64062,0.23438 -1.04687,0.23438 -0.65625,0 -1.19531,-0.25782 -1.60938,-0.78125 -0.41797,-0.53125 -0.625,-1.22657 -0.625,-2.09375 0,-0.85157 0.20703,-1.53907 0.625,-2.0625 0.41407,-0.53125 0.95313,-0.79688 1.60938,-0.79688 0.40625,0 0.7539,0.0781 1.04687,0.23438 0.28907,0.15625 0.53125,0.39843 0.71875,0.71875 z m -3.0625,1.90625 c 0,0.66796 0.13282,1.1875 0.40625,1.5625 0.26953,0.375 0.64453,0.5625 1.125,0.5625 0.46875,0 0.83594,-0.1875 1.10938,-0.5625 0.28125,-0.375 0.42187,-0.89454 0.42187,-1.5625 0,-0.65625 -0.14062,-1.17188 -0.42187,-1.54688 -0.27344,-0.375 -0.64063,-0.5625 -1.10938,-0.5625 -0.48047,0 -0.85547,0.1875 -1.125,0.5625 -0.27343,0.375 -0.40625,0.89063 -0.40625,1.54688 z m 0,0"
+ id="path2127"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 337.94922,435.59766 0,0.4375 -4.14063,0 c 0.0391,0.61718 0.22657,1.08593 0.5625,1.40625 0.33203,0.32421 0.79688,0.48437 1.39063,0.48437 0.34375,0 0.67578,-0.0391 1,-0.125 0.33203,-0.082 0.65625,-0.20703 0.96875,-0.375 l 0,0.84375 c -0.32422,0.13672 -0.65625,0.24219 -1,0.3125 -0.33594,0.0703 -0.67188,0.10938 -1.01563,0.10938 -0.875,0 -1.57031,-0.25 -2.07812,-0.75 -0.51172,-0.50782 -0.76563,-1.20313 -0.76563,-2.07813 0,-0.89453 0.23828,-1.60156 0.71875,-2.125 0.48828,-0.51953 1.14453,-0.78125 1.96875,-0.78125 0.73828,0 1.32032,0.23438 1.75,0.70313 0.42578,0.46875 0.64063,1.11718 0.64063,1.9375 z m -0.90625,-0.26563 c 0,-0.48828 -0.13672,-0.87891 -0.40625,-1.17187 -0.27344,-0.30079 -0.625,-0.45313 -1.0625,-0.45313 -0.51172,0 -0.91797,0.14844 -1.21875,0.4375 -0.29297,0.28125 -0.46485,0.67969 -0.51563,1.1875 z m 0,0"
+ id="path2129"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 341.38672,433.70703 c -0.48047,0 -0.85938,0.1875 -1.14063,0.5625 -0.28125,0.375 -0.42187,0.89063 -0.42187,1.54688 0,0.65625 0.13281,1.17187 0.40625,1.54687 0.28125,0.375 0.66406,0.5625 1.15625,0.5625 0.47656,0 0.85937,-0.1875 1.14062,-0.5625 0.28125,-0.375 0.42188,-0.89062 0.42188,-1.54687 0,-0.64454 -0.14063,-1.15625 -0.42188,-1.53125 -0.28125,-0.38282 -0.66406,-0.57813 -1.14062,-0.57813 z m 0,-0.75 c 0.78125,0 1.39453,0.25781 1.84375,0.76563 0.44531,0.5 0.67187,1.19921 0.67187,2.09375 0,0.89843 -0.22656,1.60156 -0.67187,2.10937 -0.44922,0.51172 -1.0625,0.76563 -1.84375,0.76563 -0.78125,0 -1.39844,-0.25391 -1.84375,-0.76563 -0.44922,-0.50781 -0.67188,-1.21094 -0.67188,-2.10937 0,-0.89454 0.22266,-1.59375 0.67188,-2.09375 0.44531,-0.50782 1.0625,-0.76563 1.84375,-0.76563 z m 0,0"
+ id="path2131"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 351.87109,433.91016 0,-2.95313 0.89063,0 0,7.59375 -0.89063,0 0,-0.82812 c -0.1875,0.33593 -0.42968,0.57812 -0.71875,0.73437 -0.29297,0.15625 -0.64062,0.23438 -1.04687,0.23438 -0.65625,0 -1.19531,-0.25782 -1.60938,-0.78125 -0.41797,-0.53125 -0.625,-1.22657 -0.625,-2.09375 0,-0.85157 0.20703,-1.53907 0.625,-2.0625 0.41407,-0.53125 0.95313,-0.79688 1.60938,-0.79688 0.40625,0 0.7539,0.0781 1.04687,0.23438 0.28907,0.15625 0.53125,0.39843 0.71875,0.71875 z m -3.0625,1.90625 c 0,0.66796 0.13282,1.1875 0.40625,1.5625 0.26953,0.375 0.64453,0.5625 1.125,0.5625 0.46875,0 0.83594,-0.1875 1.10938,-0.5625 0.28125,-0.375 0.42187,-0.89454 0.42187,-1.5625 0,-0.65625 -0.14062,-1.17188 -0.42187,-1.54688 -0.27344,-0.375 -0.64063,-0.5625 -1.10938,-0.5625 -0.48047,0 -0.85547,0.1875 -1.125,0.5625 -0.27343,0.375 -0.40625,0.89063 -0.40625,1.54688 z m 0,0"
+ id="path2133"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 354.26172,433.08203 0.90625,0 0,5.46875 -0.90625,0 z m 0,-2.125 0.90625,0 0,1.14063 -0.90625,0 z m 0,0"
+ id="path2135"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 363.68359,431.50391 0,0.95312 c -0.375,-0.17578 -0.73047,-0.30469 -1.0625,-0.39062 -0.33593,-0.0937 -0.65625,-0.14063 -0.96875,-0.14063 -0.53125,0 -0.94531,0.10547 -1.23437,0.3125 -0.29297,0.21094 -0.4375,0.50781 -0.4375,0.89063 0,0.32421 0.0937,0.57031 0.28125,0.73437 0.19531,0.16797 0.5664,0.29688 1.10937,0.39063 l 0.59375,0.125 c 0.72657,0.14843 1.26953,0.39843 1.625,0.75 0.35157,0.34375 0.53125,0.8125 0.53125,1.40625 0,0.71093 -0.24218,1.24609 -0.71875,1.60937 -0.46875,0.36719 -1.16406,0.54688 -2.07812,0.54688 -0.34375,0 -0.71485,-0.043 -1.10938,-0.125 -0.38672,-0.0703 -0.78906,-0.1875 -1.20312,-0.34375 l 0,-1.01563 c 0.40625,0.23047 0.79687,0.40234 1.17187,0.51563 0.38282,0.11718 0.76563,0.17187 1.14063,0.17187 0.5625,0 0.99219,-0.10937 1.29687,-0.32812 0.3125,-0.22657 0.46875,-0.54688 0.46875,-0.95313 0,-0.35156 -0.10937,-0.62891 -0.32812,-0.82812 -0.21875,-0.20704 -0.58594,-0.36329 -1.09375,-0.46875 l -0.59375,-0.10938 c -0.74219,-0.14453 -1.27735,-0.375 -1.60938,-0.6875 -0.32422,-0.3125 -0.48437,-0.75 -0.48437,-1.3125 0,-0.64453 0.22265,-1.14844 0.67187,-1.51562 0.45703,-0.375 1.08594,-0.5625 1.89063,-0.5625 0.34375,0 0.6914,0.0312 1.04687,0.0937 0.35157,0.0625 0.71875,0.15625 1.09375,0.28125 z m 0,0"
+ id="path2137"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 367.74609,435.80078 c -0.71875,0 -1.21875,0.0859 -1.5,0.25 -0.28125,0.16797 -0.42187,0.44922 -0.42187,0.84375 0,0.32422 0.10156,0.57813 0.3125,0.76563 0.20703,0.1875 0.49219,0.28125 0.85937,0.28125 0.5,0 0.89844,-0.17579 1.20313,-0.53125 0.30078,-0.35157 0.45312,-0.82032 0.45312,-1.40625 l 0,-0.20313 z m 1.79688,-0.375 0,3.125 -0.89063,0 0,-0.82812 c -0.21093,0.33593 -0.46875,0.57812 -0.78125,0.73437 -0.30468,0.15625 -0.67187,0.23438 -1.10937,0.23438 -0.5625,0 -1.01172,-0.15625 -1.34375,-0.46875 -0.33594,-0.3125 -0.5,-0.73438 -0.5,-1.26563 0,-0.61328 0.20703,-1.07812 0.625,-1.39062 0.41406,-0.3125 1.03125,-0.46875 1.84375,-0.46875 l 1.26562,0 0,-0.0937 c 0,-0.40625 -0.14062,-0.72266 -0.42187,-0.95313 -0.27344,-0.22656 -0.65235,-0.34375 -1.14063,-0.34375 -0.3125,0 -0.62109,0.043 -0.92187,0.125 -0.29297,0.0742 -0.57422,0.18359 -0.84375,0.32813 l 0,-0.82813 c 0.33203,-0.125 0.64844,-0.21875 0.95312,-0.28125 0.3125,-0.0625 0.61328,-0.0937 0.90625,-0.0937 0.78907,0 1.37891,0.20313 1.76563,0.60938 0.39453,0.40625 0.59375,1.02734 0.59375,1.85937 z m 0,0"
+ id="path2139"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 370.62109,433.08203 0.95313,0 1.70312,4.59375 1.71875,-4.59375 0.95313,0 -2.0625,5.46875 -1.21875,0 z m 0,0"
+ id="path2141"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 378.38672,433.70703 c -0.48047,0 -0.85938,0.1875 -1.14063,0.5625 -0.28125,0.375 -0.42187,0.89063 -0.42187,1.54688 0,0.65625 0.13281,1.17187 0.40625,1.54687 0.28125,0.375 0.66406,0.5625 1.15625,0.5625 0.47656,0 0.85937,-0.1875 1.14062,-0.5625 0.28125,-0.375 0.42188,-0.89062 0.42188,-1.54687 0,-0.64454 -0.14063,-1.15625 -0.42188,-1.53125 -0.28125,-0.38282 -0.66406,-0.57813 -1.14062,-0.57813 z m 0,-0.75 c 0.78125,0 1.39453,0.25781 1.84375,0.76563 0.44531,0.5 0.67187,1.19921 0.67187,2.09375 0,0.89843 -0.22656,1.60156 -0.67187,2.10937 -0.44922,0.51172 -1.0625,0.76563 -1.84375,0.76563 -0.78125,0 -1.39844,-0.25391 -1.84375,-0.76563 -0.44922,-0.50781 -0.67188,-1.21094 -0.67188,-2.10937 0,-0.89454 0.22266,-1.59375 0.67188,-2.09375 0.44531,-0.50782 1.0625,-0.76563 1.84375,-0.76563 z m 0,0"
+ id="path2143"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 382.26172,433.08203 0.90625,0 0,5.46875 -0.90625,0 z m 0,-2.125 0.90625,0 0,1.14063 -0.90625,0 z m 0,0"
+ id="path2145"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:3;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 386.74609,435.80078 c -0.71875,0 -1.21875,0.0859 -1.5,0.25 -0.28125,0.16797 -0.42187,0.44922 -0.42187,0.84375 0,0.32422 0.10156,0.57813 0.3125,0.76563 0.20703,0.1875 0.49219,0.28125 0.85937,0.28125 0.5,0 0.89844,-0.17579 1.20313,-0.53125 0.30078,-0.35157 0.45312,-0.82032 0.45312,-1.40625 l 0,-0.20313 z m 1.79688,-0.375 0,3.125 -0.89063,0 0,-0.82812 c -0.21093,0.33593 -0.46875,0.57812 -0.78125,0.73437 -0.30468,0.15625 -0.67187,0.23438 -1.10937,0.23438 -0.5625,0 -1.01172,-0.15625 -1.34375,-0.46875 -0.33594,-0.3125 -0.5,-0.73438 -0.5,-1.26563 0,-0.61328 0.20703,-1.07812 0.625,-1.39062 0.41406,-0.3125 1.03125,-0.46875 1.84375,-0.46875 l 1.26562,0 0,-0.0937 c 0,-0.40625 -0.14062,-0.72266 -0.42187,-0.95313 -0.27344,-0.22656 -0.65235,-0.34375 -1.14063,-0.34375 -0.3125,0 -0.62109,0.043 -0.92187,0.125 -0.29297,0.0742 -0.57422,0.18359 -0.84375,0.32813 l 0,-0.82813 c 0.33203,-0.125 0.64844,-0.21875 0.95312,-0.28125 0.3125,-0.0625 0.61328,-0.0937 0.90625,-0.0937 0.78907,0 1.37891,0.20313 1.76563,0.60938 0.39453,0.40625 0.59375,1.02734 0.59375,1.85937 z m 0,0"
+ id="path2147"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2149">
+ <use
+ xlink:href="#glyph0-1"
+ x="258.32538"
+ y="438.54974"
+ id="use2151"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2153">
+ <use
+ xlink:href="#glyph0-2"
+ x="265.32538"
+ y="438.54974"
+ id="use2155"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2157">
+ <use
+ xlink:href="#glyph0-3"
+ x="270.32538"
+ y="438.54974"
+ id="use2159"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2161">
+ <use
+ xlink:href="#glyph0-4"
+ x="276.32538"
+ y="438.54974"
+ id="use2163"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2165">
+ <use
+ xlink:href="#glyph0-5"
+ x="282.32538"
+ y="438.54974"
+ id="use2167"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2169">
+ <use
+ xlink:href="#glyph0-6"
+ x="288.32538"
+ y="438.54974"
+ id="use2171"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2173">
+ <use
+ xlink:href="#glyph0-7"
+ x="294.32538"
+ y="438.54974"
+ id="use2175"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2177">
+ <use
+ xlink:href="#glyph0-4"
+ x="296.32538"
+ y="438.54974"
+ id="use2179"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2181">
+ <use
+ xlink:href="#glyph0-8"
+ x="302.32538"
+ y="438.54974"
+ id="use2183"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2185">
+ <use
+ xlink:href="#glyph0-9"
+ x="305.32538"
+ y="438.54974"
+ id="use2187"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2189">
+ <use
+ xlink:href="#glyph0-10"
+ x="311.32538"
+ y="438.54974"
+ id="use2191"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2193">
+ <use
+ xlink:href="#glyph0-4"
+ x="320.32538"
+ y="438.54974"
+ id="use2195"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2197">
+ <use
+ xlink:href="#glyph0-5"
+ x="326.32538"
+ y="438.54974"
+ id="use2199"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2201">
+ <use
+ xlink:href="#glyph0-4"
+ x="332.32538"
+ y="438.54974"
+ id="use2203"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2205">
+ <use
+ xlink:href="#glyph0-11"
+ x="338.32538"
+ y="438.54974"
+ id="use2207"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2209">
+ <use
+ xlink:href="#glyph0-8"
+ x="344.32538"
+ y="438.54974"
+ id="use2211"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2213">
+ <use
+ xlink:href="#glyph0-5"
+ x="347.32538"
+ y="438.54974"
+ id="use2215"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2217">
+ <use
+ xlink:href="#glyph0-12"
+ x="353.32538"
+ y="438.54974"
+ id="use2219"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2221">
+ <use
+ xlink:href="#glyph0-8"
+ x="355.32538"
+ y="438.54974"
+ id="use2223"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2225">
+ <use
+ xlink:href="#glyph0-13"
+ x="358.32538"
+ y="438.54974"
+ id="use2227"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2229">
+ <use
+ xlink:href="#glyph0-6"
+ x="364.32538"
+ y="438.54974"
+ id="use2231"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2233">
+ <use
+ xlink:href="#glyph0-14"
+ x="370.32538"
+ y="438.54974"
+ id="use2235"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2237">
+ <use
+ xlink:href="#glyph0-11"
+ x="375.32538"
+ y="438.54974"
+ id="use2239"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2241">
+ <use
+ xlink:href="#glyph0-12"
+ x="381.32538"
+ y="438.54974"
+ id="use2243"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2245">
+ <use
+ xlink:href="#glyph0-6"
+ x="383.32538"
+ y="438.54974"
+ id="use2247"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:#787fb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 343.33984,388.37109 0,6 6,0 0,-6 z m 0,0"
+ id="path2249"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2295" />
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2327">
+ <use
+ xlink:href="#glyph0-8"
+ x="324.8407"
+ y="409.37042"
+ id="use2329"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2355">
+ <use
+ xlink:href="#glyph0-8"
+ x="366.8407"
+ y="409.37042"
+ id="use2357"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2367">
+ <use
+ xlink:href="#glyph0-8"
+ x="377.8407"
+ y="409.37042"
+ id="use2369"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:#787fb0;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 618.25781,70.730469 0,6 6,0 0,-6 z m 0,0"
+ id="path2395"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2455">
+ <use
+ xlink:href="#glyph0-8"
+ x="595.25671"
+ y="91.729179"
+ id="use2457"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2467" />
+ <g
+ style="fill:#4757ab;fill-opacity:1"
+ id="g2479">
+ <use
+ xlink:href="#glyph0-8"
+ x="620.25671"
+ y="91.729179"
+ id="use2481"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:#d90091;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 440.66016,518.92578 c -3.80469,0 -6.96875,3.10547 -6.96875,7.03125 0,3.92969 3.16406,7.03125 6.96875,7.03125 3.80468,0 6.96875,-3.10156 6.96875,-7.03125 0,-3.92578 -3.16407,-7.03125 -6.96875,-7.03125 z m 0,1.0625 c 3.375,0 6.03125,2.71875 6.03125,5.96875 0,3.25391 -2.65625,5.96875 -6.03125,5.96875 -3.375,0 -6.03125,-2.71484 -6.03125,-5.96875 0,-3.25 2.65625,-5.96875 6.03125,-5.96875 z m -2,0.96875 0,3 -3,0 0,4 3,0 0,3 4,0 0,-3 3,0 0,-4 -3,0 0,-3 z m 0,0"
+ id="path2519"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 17.875,202.25391 0.5,0 0,5 -0.5,0 z m 0,0"
+ id="path2521"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 19.875,202.25391 0.5,0 0,5.5 -0.5,0 z m 0,0"
+ id="path2523"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 21.875,202.25391 0.5,0 0,6 -0.5,0 z m 0,0"
+ id="path2525"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 23.875,202.25391 0.5,0 0,6 -0.5,0 z m 0,0"
+ id="path2527"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 15.375,203.75391 10.5,0 0,0.5 -10.5,0 z m 0,0"
+ id="path2529"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 15.375,205.75391 10.5,0 0,0.5 -10.5,0 z m 0,0"
+ id="path2531"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 24.875,210.95312 -0.375,0.78125 -0.847656,0.19532 -0.679688,-0.54297 0,-0.86719 0.679688,-0.53906 0.847656,0.1914 z m 0,0"
+ id="path2533"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 18.875,210.95312 -0.375,0.78125 -0.847656,0.19532 -0.679688,-0.54297 0,-0.86719 0.679688,-0.53906 0.847656,0.1914 z m 0,0"
+ id="path2535"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 25.375,208.75391 0,2 -9.5,0 c -0.277344,0 -0.5,-0.22266 -0.5,-0.5 0,-0.27735 0.222656,-0.5 0.5,-0.5 l 8.5,0 0,-1.5 z m 0,0"
+ id="path2537"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 25.875,201.75391 0.269531,-1.25 1.480469,-0.55079 c 0.289062,-0.0977 0.605469,0.0625 0.699219,0.35157 0.09766,0.28906 -0.05859,0.60156 -0.347657,0.69922 l -1,0.35156 -0.101562,0.39844"
+ id="path2539"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#ab38ab;fill-opacity:1;fill-rule:evenodd;stroke:none"
+ d="m 14.375,201.75391 12.5,0 -1.5,7 -10,-1 m 0.167969,-5 10.117187,0 -1.035156,4.89843 -8.351562,-0.79687 z m 0,0"
+ id="path2541"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#0091d9;fill-opacity:1;fill-rule:evenodd;stroke:none"
+ d="m 136.40625,258.49609 0,12 1.75,0 0,-5 4.25,0 c 1.65625,0 3,-1.5664 3,-3.5 0,-1.93359 -1.34375,-3.5 -3,-3.5 z m 1.75,1.75 0,3.5 3.75,0 c 0.875,0 1.58203,-0.78125 1.58203,-1.75 0,-0.96484 -0.70703,-1.75 -1.58203,-1.75 z m 0,0"
+ id="path2543"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#000000;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 565.22266,-2.855469 c -1,0 -1,1 -1,1 l 0,3 -4,0 0,2 4,0 0,8 2,0 0,-8 4,0 0,-2 -4,0 0,-3 c 0,0 0,-1 -1,-1 z m 0,0"
+ id="path2545"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#0091d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 29.199219,161.76562 0,6 6,0 0,-6 z m 0,0"
+ id="path2547"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#0091d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 136.95312,503.11328 0,6 6,0 0,-6 z m 0,0"
+ id="path2549"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#0091d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 136.96094,413.86719 0,6 6,0 0,-6 z m 0,0"
+ id="path2551"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#0091d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 597.02734,155.33984 0,6 6,0 0,-6 z m 0,0"
+ id="path2553"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#0091d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 355.02344,355.21094 0,6 6,0 0,-6 z m 0,0"
+ id="path2555"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#0091d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 321.64844,440.42187 0,6 6,0 0,-6 z m 0,0"
+ id="path2557"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#0091d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 541.23047,163.78125 0,6 6,0 0,-6 z m 0,0"
+ id="path2559"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#0091d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 1.359375,74.082031 0,6 6,0 0,-6 z m 0,0"
+ id="path2561"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:#0091d9;fill-opacity:1;fill-rule:nonzero;stroke:none"
+ d="m 36.539062,187.49609 0,6 6,0 0,-6 z m 0,0"
+ id="path2563"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 161.33984,138.16016 4.65625,-5.25 0.4375,0.82812 -3.9375,4.39063 5.85938,-0.70313 0.42187,0.8125 -6.96875,0.8125 z m 0,0"
+ id="path2565"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 167.67578,139.66797 0.375,0.71875 -4.35937,2.28125 -0.375,-0.71875 z m 1.70313,-0.89063 0.375,0.71875 -0.90625,0.48438 -0.375,-0.71875 z m 0,0"
+ id="path2567"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 167.46094,144.56641 c -0.30469,-0.57422 -0.57813,-0.94532 -0.82813,-1.10938 -0.24219,-0.15625 -0.52344,-0.15234 -0.84375,0.0156 -0.25,0.13281 -0.40625,0.32812 -0.46875,0.57812 -0.0625,0.25 -0.0234,0.51953 0.125,0.8125 0.20703,0.39453 0.51563,0.64063 0.92188,0.73438 0.40625,0.0937 0.84375,0.0156 1.3125,-0.23438 l 0.15625,-0.0781 z m 1.0625,1.28125 -2.5,1.29687 -0.375,-0.71875 0.67187,-0.34375 c -0.35547,-0.0312 -0.66406,-0.13672 -0.92187,-0.3125 -0.25,-0.17969 -0.46485,-0.44531 -0.64063,-0.79687 -0.23047,-0.4375 -0.29297,-0.85547 -0.1875,-1.25 0.11328,-0.39844 0.38281,-0.71094 0.8125,-0.9375 0.48828,-0.25 0.94141,-0.27344 1.35938,-0.0781 0.41406,0.19922 0.78906,0.61719 1.125,1.26563 l 0.53125,1.01562 0.0781,-0.0312 c 0.33203,-0.17969 0.53125,-0.42187 0.59375,-0.73437 0.0625,-0.3125 -0.008,-0.66797 -0.20312,-1.0625 -0.13672,-0.25 -0.29688,-0.47266 -0.48438,-0.67188 -0.17969,-0.20703 -0.38281,-0.39062 -0.60937,-0.54687 l 0.67187,-0.34375 c 0.23828,0.21093 0.44531,0.42968 0.625,0.65625 0.17578,0.21875 0.32031,0.44531 0.4375,0.67187 0.33203,0.63281 0.41406,1.19141 0.25,1.67188 -0.16797,0.47656 -0.57812,0.89453 -1.23437,1.25 z m 0,0"
+ id="path2569"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 173.30859,146.94531 0.54688,1.04688 -3.51563,5.10937 4.85938,-2.53125 0.40625,0.76563 -5.8125,3.03125 -0.54688,-1.0625 3.51563,-5.10938 -4.85938,2.53125 -0.40625,-0.75 z m 0,0"
+ id="path2571"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 174.89062,155.01953 c -0.17968,-0.38672 -0.47656,-0.625 -0.89062,-0.71875 -0.40625,-0.0937 -0.88281,-0.0156 -1.42188,0.23438 -0.53125,0.23828 -0.90234,0.53906 -1.10937,0.90625 -0.19922,0.375 -0.21094,0.75781 -0.0312,1.15625 0.17578,0.39453 0.46875,0.63281 0.875,0.71875 0.41406,0.0937 0.89062,0.0195 1.42187,-0.21875 0.53125,-0.24219 0.89844,-0.54688 1.10938,-0.92188 0.20703,-0.375 0.22266,-0.76172 0.0469,-1.15625 z m 0.625,-0.28125 c 0.28907,0.64453 0.3125,1.24219 0.0625,1.79688 -0.25,0.5625 -0.74609,1.00781 -1.48437,1.34375 -0.73047,0.33203 -1.38672,0.41015 -1.96875,0.23437 -0.58594,-0.17969 -1.02344,-0.58984 -1.3125,-1.23437 -0.29297,-0.63672 -0.3125,-1.23047 -0.0625,-1.78125 0.25,-0.55469 0.73828,-0.99219 1.46875,-1.32813 0.73828,-0.33203 1.39844,-0.41016 1.98437,-0.23437 0.58204,0.16796 1.01954,0.57031 1.3125,1.20312 z m 0,0"
+ id="path2573"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 178.45312,156.91016 0.3125,0.75 -6.3125,2.65625 -0.3125,-0.75 z m 0,0"
+ id="path2575"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 178.66797,163.54297 -0.28125,0.26562 -2.54688,-2.70312 c -0.38672,0.39844 -0.58593,0.80078 -0.59375,1.21875 0,0.41406 0.17969,0.8164 0.54688,1.20312 0.20703,0.22657 0.4375,0.42578 0.6875,0.59375 0.25,0.16407 0.53515,0.30078 0.85937,0.40625 l -0.54687,0.51563 c -0.30469,-0.125 -0.58594,-0.28125 -0.84375,-0.46875 -0.25,-0.17969 -0.48438,-0.38281 -0.70313,-0.60938 -0.53125,-0.57422 -0.78906,-1.18359 -0.76562,-1.82812 0.0195,-0.64453 0.3125,-1.22656 0.875,-1.75 0.59375,-0.5625 1.20703,-0.84375 1.84375,-0.84375 0.64453,-0.008 1.21875,0.25781 1.71875,0.79687 0.45703,0.48047 0.66406,1.00782 0.625,1.57813 -0.043,0.57031 -0.33594,1.11328 -0.875,1.625 z m -0.375,-0.76563 c 0.3125,-0.30468 0.47656,-0.63672 0.5,-1 0.0312,-0.35156 -0.0898,-0.67578 -0.35938,-0.96875 -0.3125,-0.33203 -0.65625,-0.50781 -1.03125,-0.53125 -0.36718,-0.0195 -0.73047,0.10938 -1.09375,0.39063 z m 0,0"
+ id="path2577"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2579">
+ <use
+ xlink:href="#glyph1-1"
+ x="160.15263"
+ y="135.87743"
+ id="use2581"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2583">
+ <use
+ xlink:href="#glyph2-1"
+ x="162.92682"
+ y="141.19757"
+ id="use2585"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2587">
+ <use
+ xlink:href="#glyph3-1"
+ x="163.85155"
+ y="142.97095"
+ id="use2589"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2591">
+ <use
+ xlink:href="#glyph2-2"
+ x="166.16336"
+ y="147.4044"
+ id="use2593"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2595">
+ <use
+ xlink:href="#glyph1-2"
+ x="167.08809"
+ y="149.17778"
+ id="use2597"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2599">
+ <use
+ xlink:href="#glyph4-1"
+ x="169.78105"
+ y="154.33156"
+ id="use2601"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2603">
+ <use
+ xlink:href="#glyph5-1"
+ x="171.81313"
+ y="158.78493"
+ id="use2605"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2607">
+ <use
+ xlink:href="#glyph6-1"
+ x="173.26317"
+ y="161.66881"
+ id="use2609"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 23.691406,-2.535156 c -0.300781,0.648437 -0.4375,1.136718 -0.40625,1.46875 0.03125,0.324218 0.226563,0.570312 0.578125,0.734375 0.292969,0.136719 0.570313,0.152343 0.828125,0.046875 0.257813,-0.113282 0.46875,-0.335938 0.625,-0.671875 0.207032,-0.445313 0.210938,-0.882813 0.01563,-1.3125 -0.1875,-0.425781 -0.542969,-0.757813 -1.0625,-1 l -0.1875,-0.09375 z m 0.421875,-1.78125 2.828125,1.328125 -0.375,0.796875 -0.75,-0.359375 c 0.207032,0.335937 0.316406,0.679687 0.328125,1.03125 0.0078,0.34375 -0.07813,0.714843 -0.265625,1.109375 -0.242187,0.511718 -0.574218,0.851562 -1,1.015625 -0.414062,0.167969 -0.863281,0.140625 -1.34375,-0.078125 -0.5625,-0.269532 -0.894531,-0.660156 -1,-1.171875 -0.101562,-0.507813 0.01563,-1.128907 0.359375,-1.859375 l 0.546875,-1.15625 -0.07813,-0.046875 c -0.375,-0.164063 -0.722656,-0.171875 -1.046875,-0.015625 -0.320312,0.148437 -0.585937,0.445312 -0.796875,0.890625 -0.125,0.28125 -0.21875,0.574219 -0.28125,0.875 -0.0625,0.304687 -0.08203,0.605469 -0.0625,0.90625 l -0.75,-0.34375 c 0.03125,-0.351563 0.08594,-0.679688 0.15625,-0.984375 0.07422,-0.300782 0.171875,-0.585938 0.296875,-0.859375 0.335938,-0.707031 0.773438,-1.148438 1.3125,-1.328125 0.53125,-0.1875 1.171875,-0.101563 1.921875,0.25 z m 0,0"
+ id="path2611"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 17.875,3.425781 1.8125,-3.859375 0.734375,0.3437502 2.125,4.7343748 1.4375,-3.0625 0.65625,0.3125 -1.859375,3.96875 -0.75,-0.359375 -2.109375,-4.71875 -1.390625,2.953125 z m 0,0"
+ id="path2613"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 19.382812,5.308594 2.984376,1.40625 -0.375,0.8125 -2.953126,-1.390625 c -0.46875,-0.21875 -0.859374,-0.289063 -1.171874,-0.21875 -0.320313,0.074219 -0.570313,0.296875 -0.75,0.671875 -0.207032,0.429687 -0.226563,0.835937 -0.0625,1.21875 0.15625,0.386718 0.476562,0.695312 0.953124,0.921875 l 2.796876,1.3125 -0.375,0.828125 -4.953126,-2.328125 0.375,-0.828125 0.765626,0.359375 c -0.195313,-0.332031 -0.304688,-0.664063 -0.328126,-1 -0.01953,-0.332031 0.05469,-0.664063 0.21875,-1 0.261719,-0.5625 0.636719,-0.910157 1.125,-1.046875 0.480469,-0.132813 1.0625,-0.039063 1.75,0.28125 z m 0,0"
+ id="path2615"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 17.203125,10.769531 0.390625,0.171875 -1.765625,3.75 c 0.585937,0.230469 1.09375,0.265625 1.53125,0.109375 0.425781,-0.164062 0.769531,-0.519531 1.03125,-1.0625 0.144531,-0.3125 0.25,-0.632812 0.3125,-0.96875 0.0625,-0.332031 0.08203,-0.675781 0.0625,-1.03125 l 0.765625,0.359375 c -0.02344,0.355469 -0.07422,0.703125 -0.15625,1.046875 -0.07422,0.335938 -0.183594,0.65625 -0.328125,0.96875 -0.367187,0.792969 -0.886719,1.3125 -1.5625,1.5625 -0.675781,0.242188 -1.410156,0.171875 -2.203125,-0.203125 -0.800781,-0.382812 -1.332031,-0.90625 -1.59375,-1.5625 -0.269531,-0.65625 -0.234375,-1.351562 0.109375,-2.09375 0.3125,-0.675781 0.777344,-1.109375 1.390625,-1.296875 0.605469,-0.1875 1.277344,-0.101562 2.015625,0.25 z m -0.609375,0.703125 c -0.445312,-0.207031 -0.863281,-0.25 -1.25,-0.125 C 14.960938,11.464844 14.679688,11.71875 14.5,12.113281 14.28125,12.574219 14.234375,13 14.359375,13.394531 c 0.125,0.386719 0.414063,0.710938 0.859375,0.96875 z m 0,0"
+ id="path2617"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 10.644531,15.1875 1.390625,0.65625 0.796875,-1.6875 0.640625,0.296875 -0.796875,1.6875 2.6875,1.265625 c 0.398438,0.1875 0.679688,0.257812 0.84375,0.203125 0.175781,-0.0625 0.34375,-0.257813 0.5,-0.59375 l 0.40625,-0.84375 0.671875,0.3125 -0.40625,0.84375 c -0.292968,0.625 -0.617187,1.007813 -0.96875,1.140625 -0.34375,0.136719 -0.820312,0.05859 -1.4375,-0.234375 l -2.6875,-1.265625 -0.28125,0.59375 -0.640625,-0.296875 0.28125,-0.59375 -1.390625,-0.65625 z m 0,0"
+ id="path2619"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 10.570312,20.425781 c -0.195312,0.429688 -0.1875,0.851563 0.03125,1.265625 0.21875,0.417969 0.625,0.761719 1.21875,1.03125 0.59375,0.28125 1.121094,0.382813 1.578126,0.296875 0.445312,-0.09375 0.773437,-0.359375 0.984374,-0.796875 0.207032,-0.4375 0.203126,-0.863281 -0.01562,-1.28125 -0.21875,-0.414062 -0.625,-0.765625 -1.21875,-1.046875 -0.582032,-0.269531 -1.101563,-0.359375 -1.5625,-0.265625 -0.46875,0.09375 -0.804688,0.359375 -1.015626,0.796875 z m -0.6875,-0.3125 c 0.335938,-0.707031 0.828126,-1.15625 1.484376,-1.34375 0.648437,-0.195312 1.375,-0.109375 2.1875,0.265625 0.800781,0.386719 1.335937,0.890625 1.609374,1.515625 0.269532,0.625 0.238282,1.292969 -0.09375,2 -0.324218,0.710938 -0.8125,1.15625 -1.46875,1.34375 -0.65625,0.179688 -1.382812,0.07422 -2.1875,-0.3125 -0.8125,-0.375 -1.347656,-0.867187 -1.609374,-1.484375 C 9.535156,21.484375 9.5625,20.824219 9.882812,20.113281 z m 0,0"
+ id="path2621"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="M 6.078125,26.136719 8.5625,27.308594 9.078125,26.199219 c 0.199219,-0.414063 0.246094,-0.789063 0.140625,-1.125 -0.113281,-0.332031 -0.367188,-0.59375 -0.765625,-0.78125 -0.394531,-0.1875 -0.753906,-0.210938 -1.078125,-0.07813 -0.320312,0.125 -0.582031,0.398437 -0.78125,0.8125 z m -1.171875,0.546875 0.9375,-2 c 0.355469,-0.75 0.792969,-1.234375 1.3125,-1.453125 0.511719,-0.21875 1.089844,-0.171875 1.734375,0.140625 0.65625,0.304687 1.0625,0.71875 1.21875,1.25 0.148437,0.53125 0.04297,1.171875 -0.3125,1.921875 l -0.515625,1.109375 2.65625,1.25 -0.421875,0.890625 z m 0,0"
+ id="path2623"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 4.183594,34 c -0.195313,0.429688 -0.1875,0.851562 0.03125,1.265625 0.21875,0.417969 0.625,0.761719 1.21875,1.03125 0.59375,0.28125 1.121094,0.382813 1.578125,0.296875 C 7.457031,36.5 7.785156,36.234375 7.996094,35.796875 8.203125,35.359375 8.199219,34.933594 7.980469,34.515625 7.761719,34.101562 7.355469,33.75 6.761719,33.46875 6.179688,33.199219 5.660156,33.109375 5.199219,33.203125 4.730469,33.296875 4.394531,33.5625 4.183594,34 z m -0.6875,-0.3125 c 0.335937,-0.707031 0.828125,-1.15625 1.484375,-1.34375 0.648437,-0.195312 1.375,-0.109375 2.1875,0.265625 C 7.96875,32.996094 8.503906,33.5 8.777344,34.125 c 0.269531,0.625 0.238281,1.292969 -0.09375,2 -0.324219,0.710938 -0.8125,1.15625 -1.46875,1.34375 -0.65625,0.179688 -1.382813,0.07422 -2.1875,-0.3125 -0.8125,-0.375 -1.347656,-0.867188 -1.609375,-1.484375 C 3.148438,35.058594 3.175781,34.398438 3.496094,33.6875 z m 0,0"
+ id="path2625"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 2.210938,37.085938 0.78125,0.375 c -0.238282,0.167968 -0.441407,0.359374 -0.609376,0.578124 -0.164062,0.21875 -0.3125,0.464844 -0.4375,0.734376 -0.1875,0.398437 -0.265624,0.726562 -0.234374,0.984374 0.023437,0.261719 0.15625,0.449219 0.40625,0.5625 0.1875,0.09375 0.367187,0.09375 0.53125,0 0.167968,-0.09375 0.40625,-0.335937 0.71875,-0.734374 l 0.1875,-0.234376 c 0.40625,-0.53125 0.78125,-0.859374 1.125,-0.984374 0.335937,-0.132813 0.695312,-0.109376 1.09375,0.07812 0.46875,0.21875 0.75,0.574219 0.84375,1.0625 0.09375,0.480469 -0.011719,1.039063 -0.3125,1.671876 -0.125,0.273437 -0.28125,0.539062 -0.46875,0.796874 -0.1875,0.261719 -0.40625,0.523438 -0.65625,0.78125 L 4.351562,42.367188 c 0.292969,-0.226563 0.546876,-0.46875 0.765626,-0.71875 0.21875,-0.25 0.394531,-0.519532 0.53125,-0.8125 0.175781,-0.375 0.242187,-0.695313 0.203124,-0.96875 -0.042968,-0.269532 -0.179687,-0.457032 -0.40625,-0.5625 -0.230468,-0.101563 -0.4375,-0.109376 -0.625,-0.01563 -0.1875,0.08594 -0.453124,0.355469 -0.796874,0.8125 l -0.1875,0.25 c -0.34375,0.449219 -0.675782,0.734376 -1,0.859376 -0.332032,0.125 -0.6875,0.101562 -1.0625,-0.07813 -0.46875,-0.21875 -0.75,-0.550781 -0.84375,-1 -0.09375,-0.445312 0,-0.976562 0.28125,-1.59375 0.136718,-0.289062 0.292968,-0.5625 0.46875,-0.8125 0.167968,-0.25 0.34375,-0.460937 0.53125,-0.640624 z m 0,0"
+ id="path2627"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 0.992188,41.28125 c -0.09375,0.0625 -0.175782,0.140625 -0.25,0.234375 -0.082032,0.09375 -0.15625,0.210937 -0.21875,0.34375 -0.207032,0.460937 -0.222657,0.882813 -0.046876,1.265625 0.179688,0.386719 0.554688,0.714844 1.125,0.984375 l 2.59375,1.21875 -0.375,0.828125 -4.953124,-2.328125 0.375,-0.828125 0.7656245,0.359375 c -0.2187505,-0.3125 -0.3320315,-0.632813 -0.3437505,-0.96875 -0.007812,-0.34375 0.078126,-0.710937 0.2656255,-1.109375 0.0234375,-0.05078 0.0546875,-0.109375 0.09375,-0.171875 0.03125,-0.07031 0.0781245,-0.144531 0.1406245,-0.21875 z m 0,0"
+ id="path2629"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m -2.207031,47.570312 c -0.195313,0.429688 -0.1875,0.851563 0.03125,1.265626 0.21875,0.417968 0.625,0.761718 1.21875,1.03125 0.59375,0.28125 1.121093,0.382812 1.578125,0.296874 0.445312,-0.09375 0.773437,-0.359374 0.984375,-0.796874 0.207031,-0.4375 0.203125,-0.863282 -0.015625,-1.28125 -0.21875,-0.414063 -0.625,-0.765626 -1.21875,-1.046876 -0.582032,-0.269531 -1.101563,-0.359374 -1.5625,-0.265624 -0.46875,0.09375 -0.804688,0.359374 -1.015625,0.796874 z m -0.6875,-0.3125 c 0.335937,-0.707031 0.828125,-1.15625 1.484375,-1.34375 0.648437,-0.195312 1.3749998,-0.109374 2.1875,0.265626 0.800781,0.386718 1.335937,0.890624 1.609375,1.515624 0.269531,0.625 0.238281,1.292969 -0.09375,2 -0.324219,0.710938 -0.8125,1.15625 -1.46875,1.34375 -0.65625,0.179688 -1.382813,0.07422 -2.1875,-0.3125 -0.8125,-0.375 -1.347657,-0.867187 -1.609375,-1.484374 -0.269532,-0.613282 -0.242188,-1.273438 0.078125,-1.984376 z m 0,0"
+ id="path2631"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#fad4a3;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m -5.042969,49.125 0.953125,0.453125 c -0.414062,0.167969 -0.773437,0.390625 -1.078125,0.671875 -0.300781,0.273438 -0.539062,0.601562 -0.71875,0.984375 -0.351562,0.75 -0.390625,1.4375 -0.109375,2.0625 0.273438,0.617187 0.839844,1.125 1.703125,1.53125 0.867188,0.40625 1.625,0.523437 2.28125,0.34375 0.644531,-0.1875 1.144531,-0.65625 1.5,-1.40625 0.175781,-0.382813 0.273438,-0.78125 0.296875,-1.1875 0.03125,-0.40625 -0.027344,-0.820313 -0.171875,-1.25 l 0.921875,0.4375 c 0.070313,0.40625 0.078125,0.8125 0.015625,1.21875 -0.054687,0.398437 -0.171875,0.789063 -0.359375,1.171875 -0.46875,1 -1.140625,1.640625 -2.015625,1.921875 -0.882812,0.28125 -1.859375,0.179687 -2.921875,-0.3125 -1.050781,-0.5 -1.75,-1.175781 -2.09375,-2.03125 -0.34375,-0.863281 -0.28125,-1.796875 0.1875,-2.796875 0.1875,-0.394531 0.417969,-0.742188 0.6875,-1.046875 0.273438,-0.300781 0.578125,-0.554687 0.921875,-0.765625 z m 0,0"
+ id="path2633"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2635">
+ <use
+ xlink:href="#glyph7-1"
+ x="24.723635"
+ y="1.731025"
+ id="use2637"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2639">
+ <use
+ xlink:href="#glyph8-1"
+ x="22.594065"
+ y="6.2548432"
+ id="use2641"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2643">
+ <use
+ xlink:href="#glyph7-2"
+ x="20.03858"
+ y="11.683425"
+ id="use2645"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2647">
+ <use
+ xlink:href="#glyph7-3"
+ x="17.483095"
+ y="17.112005"
+ id="use2649"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2651">
+ <use
+ xlink:href="#glyph9-1"
+ x="16.205355"
+ y="19.826298"
+ id="use2653"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2655">
+ <use
+ xlink:href="#glyph10-1"
+ x="13.649868"
+ y="25.254879"
+ id="use2657"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2659">
+ <use
+ xlink:href="#glyph11-1"
+ x="11.094383"
+ y="30.68346"
+ id="use2661"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2663">
+ <use
+ xlink:href="#glyph12-1"
+ x="9.8166418"
+ y="33.397751"
+ id="use2665"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2667">
+ <use
+ xlink:href="#glyph7-4"
+ x="7.2611551"
+ y="38.826332"
+ id="use2669"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2671">
+ <use
+ xlink:href="#glyph13-1"
+ x="5.1315851"
+ y="43.350151"
+ id="use2673"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2675">
+ <use
+ xlink:href="#glyph14-1"
+ x="3.4279289"
+ y="46.969204"
+ id="use2677"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2679">
+ <use
+ xlink:href="#glyph15-1"
+ x="0.87244302"
+ y="52.397785"
+ id="use2681"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2683">
+ <use
+ xlink:href="#glyph12-2"
+ x="-1.683042"
+ y="57.826366"
+ id="use2685"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2731">
+ <use
+ xlink:href="#glyph20-1"
+ x="632.67877"
+ y="29.405807"
+ id="use2733"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 629.17969,128.24609 c 0.0391,-0.0937 0.0664,-0.19531 0.0781,-0.29687 0.0195,-0.10547 0.0312,-0.22656 0.0312,-0.35938 -0.0234,-0.46093 -0.1875,-0.80859 -0.5,-1.04687 -0.30469,-0.23047 -0.73047,-0.32813 -1.28125,-0.29688 l -2.59375,0.10938 -0.0469,-0.8125 4.92187,-0.21875 0.0469,0.8125 -0.76563,0.0312 c 0.30078,0.16406 0.53125,0.37891 0.6875,0.64062 0.16406,0.26954 0.25391,0.59766 0.26563,0.98438 0.008,0.0625 0.008,0.125 0,0.1875 -0.0117,0.0703 -0.0156,0.14844 -0.0156,0.23437 z m 0,0"
+ id="path2763"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 629.10156,122.29688 c -0.0234,-0.42969 -0.21094,-0.76172 -0.5625,-1 -0.34375,-0.24219 -0.8125,-0.35157 -1.40625,-0.32813 -0.58594,0.0312 -1.04297,0.17578 -1.375,0.4375 -0.32422,0.25781 -0.47656,0.60938 -0.45312,1.04688 0.0195,0.4375 0.20312,0.77343 0.54687,1.01562 0.35156,0.23828 0.82031,0.34375 1.40625,0.3125 0.58203,-0.0234 1.03906,-0.16797 1.375,-0.4375 0.33203,-0.26172 0.48828,-0.60937 0.46875,-1.04687 z m 0.6875,-0.0312 c 0.0312,0.70703 -0.17969,1.26953 -0.625,1.6875 -0.4375,0.42578 -1.0625,0.65625 -1.875,0.6875 -0.80469,0.0391 -1.44531,-0.13282 -1.92187,-0.51563 -0.46875,-0.38672 -0.71875,-0.93359 -0.75,-1.64062 -0.0312,-0.69922 0.17187,-1.25782 0.60937,-1.67188 0.4375,-0.41797 1.05469,-0.64844 1.85938,-0.6875 0.8125,-0.0312 1.45703,0.14063 1.9375,0.51563 0.47656,0.38281 0.73437,0.92578 0.76562,1.625 z m 0,0"
+ id="path2765"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 630.67578,119.42188 -0.9375,-0.0156 c 0.28125,-0.29297 0.49219,-0.60937 0.64063,-0.95312 0.14453,-0.33594 0.22265,-0.6875 0.23437,-1.0625 0.008,-0.75 -0.21484,-1.33594 -0.67187,-1.75 -0.44922,-0.40625 -1.10547,-0.61719 -1.96875,-0.625 -0.86719,-0.0234 -1.53125,0.16406 -2,0.5625 -0.46094,0.39453 -0.69532,0.96875 -0.70313,1.71875 -0.0117,0.375 0.0469,0.72656 0.17188,1.0625 0.13281,0.34375 0.33593,0.67187 0.60937,0.98437 l -0.9375,-0.0156 c -0.19922,-0.32422 -0.34375,-0.65625 -0.4375,-1 -0.10156,-0.34375 -0.14844,-0.71485 -0.14062,-1.10938 0.0117,-0.99219 0.32031,-1.76562 0.9375,-2.32812 0.625,-0.5625 1.46093,-0.83594 2.51562,-0.8125 1.05078,0.0195 1.875,0.32031 2.46875,0.90625 0.60156,0.58203 0.89844,1.36718 0.89063,2.35937 -0.0117,0.39453 -0.0742,0.76563 -0.1875,1.10938 -0.10547,0.35156 -0.26563,0.67578 -0.48438,0.96875 z m 0,0"
+ id="path2767"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2793">
+ <use
+ xlink:href="#glyph23-3"
+ x="625.36823"
+ y="136.71909"
+ id="use2795"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 240.29687,336.44141 -3.0625,-6.29688 0.92188,-0.0937 2.54687,5.3125 1.59375,-5.67187 0.90625,-0.0937 -1.90625,6.76562 z m 0,0"
+ id="path2817"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 244.11719,331.15625 0.8125,-0.0625 0.4375,4.90625 -0.8125,0.0625 z m -0.17188,-1.90625 0.8125,-0.0625 0.0937,1.01562 -0.8125,0.0625 z m 0,0"
+ id="path2819"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 248.54687,333.22656 c -0.64843,0.0625 -1.08984,0.17969 -1.32812,0.34375 -0.24219,0.16797 -0.33984,0.42969 -0.29688,0.78125 0.0195,0.28125 0.13282,0.5 0.34375,0.65625 0.20704,0.15625 0.46875,0.21875 0.78125,0.1875 0.44532,-0.0391 0.78907,-0.22656 1.03125,-0.5625 0.23829,-0.34375 0.33594,-0.77344 0.29688,-1.29687 l -0.0156,-0.17188 z m 1.59375,-0.48437 0.25,2.79687 -0.8125,0.0781 -0.0625,-0.75 c -0.16796,0.3125 -0.38281,0.55468 -0.64062,0.71875 -0.26172,0.16797 -0.58984,0.27343 -0.98438,0.3125 -0.49218,0.043 -0.89843,-0.0625 -1.21875,-0.3125 -0.32421,-0.25782 -0.50781,-0.62891 -0.54687,-1.10938 -0.0547,-0.53906 0.0937,-0.96875 0.4375,-1.28125 0.34375,-0.3125 0.875,-0.5039 1.59375,-0.57812 l 1.14062,-0.0937 0,-0.0781 c -0.0312,-0.375 -0.18359,-0.64844 -0.45312,-0.82812 -0.26172,-0.1875 -0.61719,-0.25782 -1.0625,-0.21875 -0.28125,0.0234 -0.55469,0.0781 -0.8125,0.17187 -0.25,0.0937 -0.49219,0.21875 -0.71875,0.375 l -0.0625,-0.75 c 0.28125,-0.14453 0.55469,-0.2539 0.82812,-0.32812 0.26954,-0.082 0.53516,-0.14063 0.79688,-0.17188 0.70703,-0.0625 1.25391,0.0781 1.64062,0.42188 0.39454,0.33593 0.625,0.875 0.6875,1.625 z m 0,0"
+ id="path2821"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 253.92187,329.36719 0.21875,2.46875 1.10938,-0.10938 c 0.40625,-0.0312 0.71094,-0.16406 0.92187,-0.40625 0.20704,-0.23828 0.29688,-0.55078 0.26563,-0.9375 -0.043,-0.39453 -0.1875,-0.6875 -0.4375,-0.875 -0.24219,-0.19531 -0.5625,-0.28125 -0.96875,-0.25 z m -0.9375,-0.64063 1.98438,-0.1875 c 0.72656,-0.0625 1.29687,0.0586 1.70312,0.35938 0.40625,0.29297 0.64063,0.76172 0.70313,1.40625 0.0508,0.64843 -0.10156,1.15234 -0.45313,1.51562 -0.34375,0.35547 -0.88281,0.5625 -1.60937,0.625 l -1.10938,0.10938 0.23438,2.625 -0.875,0.0781 z m 0,0"
+ id="path2823"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 262.46484,331.79687 0.0312,0.39063 -3.70312,0.32812 c 0.082,0.54297 0.28515,0.94922 0.60937,1.21875 0.32032,0.26172 0.75,0.36719 1.28125,0.3125 0.3125,-0.0195 0.60938,-0.0781 0.89063,-0.17187 0.28906,-0.10156 0.57031,-0.25 0.84375,-0.4375 l 0.0781,0.76562 c -0.28125,0.15625 -0.57422,0.28125 -0.875,0.375 -0.30468,0.0859 -0.60937,0.14063 -0.92187,0.17188 -0.77344,0.0625 -1.40625,-0.11328 -1.90625,-0.53125 -0.5,-0.41406 -0.78906,-1.00391 -0.85938,-1.76563 -0.0742,-0.8125 0.082,-1.47265 0.46875,-1.98437 0.39453,-0.50781 0.95703,-0.80078 1.6875,-0.875 0.66407,-0.0508 1.20703,0.12109 1.625,0.51562 0.42578,0.38672 0.67578,0.94922 0.75,1.6875 z m -0.84375,-0.17187 c -0.043,-0.4375 -0.19922,-0.77344 -0.46875,-1.01563 -0.26172,-0.25 -0.58984,-0.35937 -0.98437,-0.32812 -0.46094,0.043 -0.8125,0.20312 -1.0625,0.48437 -0.24219,0.28125 -0.35938,0.65625 -0.35938,1.125 z m 0,0"
+ id="path2825"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 266.17969,329.32031 0.0625,0.76563 c -0.24219,-0.0937 -0.48438,-0.15625 -0.73438,-0.1875 -0.25,-0.0391 -0.50781,-0.0469 -0.76562,-0.0156 -0.39844,0.0312 -0.6875,0.11719 -0.875,0.25 -0.1875,0.13672 -0.27344,0.32813 -0.25,0.57813 0.0195,0.1875 0.10156,0.32812 0.25,0.42187 0.15625,0.0937 0.45312,0.17188 0.89062,0.23438 l 0.26563,0.0469 c 0.59375,0.0742 1.01953,0.21485 1.28125,0.42188 0.25781,0.19922 0.40625,0.49218 0.4375,0.875 0.0391,0.46093 -0.10547,0.83984 -0.4375,1.14062 -0.33594,0.29297 -0.82032,0.46485 -1.45313,0.51563 -0.26172,0.0312 -0.53906,0.0312 -0.82812,0 -0.28125,-0.0312 -0.58985,-0.082 -0.92188,-0.15625 l -0.0781,-0.82813 c 0.32031,0.13672 0.6289,0.23047 0.92187,0.28125 0.30078,0.0547 0.58594,0.0625 0.85938,0.0312 0.375,-0.0312 0.66015,-0.11719 0.85937,-0.26562 0.19531,-0.15625 0.28516,-0.35157 0.26563,-0.59375 -0.0234,-0.21875 -0.11719,-0.375 -0.28125,-0.46875 -0.15625,-0.10157 -0.49219,-0.1875 -1,-0.25 l -0.28125,-0.0312 c -0.5,-0.0625 -0.875,-0.19141 -1.125,-0.39063 -0.24219,-0.19531 -0.38282,-0.48828 -0.42188,-0.875 -0.0312,-0.45703 0.10156,-0.82812 0.40625,-1.10937 0.30078,-0.28907 0.75,-0.46094 1.34375,-0.51563 0.30078,-0.0195 0.58594,-0.0195 0.85938,0 0.26953,0.0234 0.51953,0.0625 0.75,0.125 z m 0,0"
+ id="path2827"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 270.16406,328.96094 0.0625,0.76562 c -0.24219,-0.0937 -0.48437,-0.15625 -0.73437,-0.1875 -0.25,-0.0391 -0.50782,-0.0469 -0.76563,-0.0156 -0.39844,0.0312 -0.6875,0.11718 -0.875,0.25 -0.1875,0.13672 -0.27344,0.32812 -0.25,0.57812 0.0195,0.1875 0.10156,0.32813 0.25,0.42188 0.15625,0.0937 0.45313,0.17187 0.89063,0.23437 l 0.26562,0.0469 c 0.59375,0.0742 1.01953,0.21484 1.28125,0.42187 0.25781,0.19922 0.40625,0.49219 0.4375,0.875 0.0391,0.46094 -0.10547,0.83985 -0.4375,1.14063 -0.33594,0.29297 -0.82031,0.46484 -1.45312,0.51562 -0.26172,0.0312 -0.53907,0.0312 -0.82813,0 -0.28125,-0.0312 -0.58984,-0.082 -0.92187,-0.15625 l -0.0781,-0.82812 c 0.32031,0.13672 0.62891,0.23047 0.92188,0.28125 0.30078,0.0547 0.58593,0.0625 0.85937,0.0312 0.375,-0.0312 0.66016,-0.11719 0.85938,-0.26563 0.19531,-0.15625 0.28515,-0.35156 0.26562,-0.59375 -0.0234,-0.21875 -0.11719,-0.375 -0.28125,-0.46875 -0.15625,-0.10156 -0.49219,-0.1875 -1,-0.25 l -0.28125,-0.0312 c -0.5,-0.0625 -0.875,-0.1914 -1.125,-0.39062 -0.24219,-0.19532 -0.38281,-0.48828 -0.42187,-0.875 -0.0312,-0.45703 0.10156,-0.82813 0.40625,-1.10938 0.30078,-0.28906 0.75,-0.46094 1.34375,-0.51562 0.30078,-0.0195 0.58593,-0.0195 0.85937,0 0.26953,0.0234 0.51953,0.0625 0.75,0.125 z m 0,0"
+ id="path2829"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 271.00781,328.74609 0.8125,-0.0625 0.4375,4.90625 -0.8125,0.0625 z m -0.17187,-1.90625 0.8125,-0.0625 0.0937,1.01563 -0.8125,0.0625 z m 0,0"
+ id="path2831"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 277.25,330.16016 0.26562,2.95312 -0.8125,0.0625 -0.26562,-2.92187 c -0.043,-0.46875 -0.16406,-0.8125 -0.35938,-1.03125 -0.19921,-0.21875 -0.48046,-0.30469 -0.84375,-0.26563 -0.4375,0.0312 -0.77343,0.20313 -1,0.51563 -0.21875,0.30468 -0.30859,0.69531 -0.26562,1.17187 l 0.25,2.76563 -0.8125,0.0625 -0.4375,-4.90625 0.8125,-0.0625 0.0625,0.76562 c 0.17578,-0.3125 0.38281,-0.55078 0.625,-0.71875 0.23828,-0.17578 0.53125,-0.28125 0.875,-0.3125 0.5625,-0.0508 1.00391,0.0898 1.32812,0.42188 0.32032,0.32421 0.51563,0.82421 0.57813,1.5 z m 0,0"
+ id="path2833"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 282.38672,330.00781 0.0312,0.39063 -3.70313,0.32812 c 0.082,0.54297 0.28516,0.94922 0.60938,1.21875 0.32031,0.26172 0.75,0.36719 1.28125,0.3125 0.3125,-0.0195 0.60937,-0.0781 0.89062,-0.17187 0.28907,-0.10157 0.57032,-0.25 0.84375,-0.4375 l 0.0781,0.76562 c -0.28125,0.15625 -0.57422,0.28125 -0.875,0.375 -0.30469,0.0859 -0.60938,0.14063 -0.92188,0.17188 -0.77343,0.0625 -1.40625,-0.11328 -1.90625,-0.53125 -0.5,-0.41407 -0.78906,-1.00391 -0.85937,-1.76563 -0.0742,-0.8125 0.082,-1.47265 0.46875,-1.98437 0.39453,-0.50782 0.95703,-0.80078 1.6875,-0.875 0.66406,-0.0508 1.20703,0.12109 1.625,0.51562 0.42578,0.38672 0.67578,0.94922 0.75,1.6875 z m -0.84375,-0.17187 c -0.043,-0.4375 -0.19922,-0.77344 -0.46875,-1.01563 -0.26172,-0.25 -0.58985,-0.35937 -0.98438,-0.32812 -0.46093,0.043 -0.8125,0.20312 -1.0625,0.48437 -0.24218,0.28125 -0.35937,0.65625 -0.35937,1.125 z m 0,0"
+ id="path2835"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 283.63281,326.23437 0.125,1.375 1.65625,-0.15625 0.0469,0.625 -1.65625,0.15625 0.25,2.65625 c 0.0312,0.40625 0.10156,0.66407 0.21875,0.76563 0.125,0.10547 0.35156,0.14062 0.6875,0.10937 l 0.82812,-0.0781 0.0625,0.67187 -0.82812,0.0781 c -0.61719,0.0547 -1.05469,-0.0234 -1.3125,-0.23438 -0.26172,-0.21875 -0.41797,-0.63281 -0.46875,-1.25 l -0.25,-2.65625 -0.59375,0.0625 -0.0469,-0.625 0.59375,-0.0625 -0.125,-1.375 z m 0,0"
+ id="path2837"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 286.62109,325.96484 0.125,1.375 1.65625,-0.15625 0.0469,0.625 -1.65625,0.15625 0.25,2.65625 c 0.0312,0.40625 0.10156,0.66407 0.21875,0.76563 0.125,0.10547 0.35156,0.14062 0.6875,0.10937 l 0.82812,-0.0781 0.0625,0.67187 -0.82812,0.0781 c -0.61719,0.0547 -1.05469,-0.0234 -1.3125,-0.23438 -0.26172,-0.21875 -0.41797,-0.63281 -0.46875,-1.25 l -0.25,-2.65625 -0.59375,0.0625 -0.0469,-0.625 0.59375,-0.0625 -0.125,-1.375 z m 0,0"
+ id="path2839"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 290.875,327.52734 c -0.42969,0.043 -0.75,0.2461 -0.96875,0.60938 -0.21875,0.35547 -0.30469,0.82812 -0.25,1.42187 0.0508,0.57422 0.21094,1.02344 0.48437,1.34375 0.28125,0.3125 0.64063,0.44922 1.07813,0.40625 0.4375,-0.0312 0.76562,-0.22656 0.98437,-0.59375 0.21875,-0.36328 0.30079,-0.83203 0.25,-1.40625 -0.0547,-0.58203 -0.21875,-1.03125 -0.5,-1.34375 -0.28125,-0.32031 -0.64062,-0.46875 -1.07812,-0.4375 z m -0.0625,-0.6875 c 0.70703,-0.0625 1.28125,0.1211 1.71875,0.54688 0.44531,0.41797 0.70703,1.03125 0.78125,1.84375 0.0703,0.79297 -0.0742,1.4375 -0.4375,1.9375 -0.35547,0.49219 -0.88672,0.76562 -1.59375,0.82812 -0.6875,0.0625 -1.25781,-0.11328 -1.70313,-0.53125 -0.4375,-0.42578 -0.69531,-1.03515 -0.76562,-1.82812 -0.0742,-0.8125 0.0664,-1.46094 0.42187,-1.95313 0.36329,-0.5 0.89063,-0.78125 1.57813,-0.84375 z m 0,0"
+ id="path2841"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2843">
+ <use
+ xlink:href="#glyph28-1"
+ x="237.73349"
+ y="336.67657"
+ id="use2845"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2847">
+ <use
+ xlink:href="#glyph29-1"
+ x="243.70953"
+ y="336.1409"
+ id="use2849"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2851">
+ <use
+ xlink:href="#glyph30-1"
+ x="245.70155"
+ y="335.96234"
+ id="use2853"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2855">
+ <use
+ xlink:href="#glyph31-1"
+ x="250.68158"
+ y="335.51593"
+ id="use2857"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2859">
+ <use
+ xlink:href="#glyph32-1"
+ x="252.6736"
+ y="335.33737"
+ id="use2861"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2863">
+ <use
+ xlink:href="#glyph33-1"
+ x="257.65393"
+ y="334.89096"
+ id="use2865"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2867">
+ <use
+ xlink:href="#glyph34-1"
+ x="262.63403"
+ y="334.44412"
+ id="use2869"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2871">
+ <use
+ xlink:href="#glyph35-1"
+ x="266.61801"
+ y="334.08655"
+ id="use2873"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2875">
+ <use
+ xlink:href="#glyph36-1"
+ x="270.60199"
+ y="333.72897"
+ id="use2877"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2879">
+ <use
+ xlink:href="#glyph37-1"
+ x="272.59399"
+ y="333.55017"
+ id="use2881"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2883">
+ <use
+ xlink:href="#glyph38-1"
+ x="277.57397"
+ y="333.10321"
+ id="use2885"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2887">
+ <use
+ xlink:href="#glyph39-1"
+ x="282.55396"
+ y="332.65622"
+ id="use2889"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2891">
+ <use
+ xlink:href="#glyph40-1"
+ x="285.54193"
+ y="332.38803"
+ id="use2893"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2895">
+ <use
+ xlink:href="#glyph38-2"
+ x="288.52994"
+ y="332.11987"
+ id="use2897"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2945">
+ <use
+ xlink:href="#glyph46-1"
+ x="676.77417"
+ y="312.66122"
+ id="use2947"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2965" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 205.125,308.55469 6.25,-3.20313 0.0937,0.92188 -5.25,2.67187 5.70312,1.45313 0.10938,0.92187 -6.79688,-1.76562 z m 0,0"
+ id="path2969"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 210.48437,312.26953 0.0937,0.79688 -4.89062,0.53125 -0.0937,-0.79688 z m 1.90625,-0.21875 0.0937,0.79688 -1.01562,0.10937 -0.0937,-0.79687 z m 0,0"
+ id="path2971"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 208.51562,316.74219 c -0.0742,-0.64844 -0.19921,-1.08985 -0.375,-1.32813 -0.17968,-0.24219 -0.44921,-0.33984 -0.8125,-0.29687 -0.27343,0.0312 -0.48437,0.14843 -0.64062,0.35937 -0.14844,0.20703 -0.19922,0.47266 -0.15625,0.79688 0.0508,0.44531 0.24219,0.78515 0.57812,1.01562 0.34375,0.23828 0.78125,0.33203 1.3125,0.28125 l 0.17188,-0.0156 z m 0.51563,1.5625 -2.79688,0.3125 -0.0937,-0.79688 0.75,-0.0781 c -0.32421,-0.15625 -0.57421,-0.36719 -0.75,-0.625 -0.16796,-0.26172 -0.27343,-0.58985 -0.3125,-0.98438 -0.0547,-0.5 0.0469,-0.91406 0.29688,-1.23437 0.25,-0.32422 0.60937,-0.51172 1.07812,-0.5625 0.55079,-0.0625 0.98829,0.0703 1.3125,0.40625 0.32032,0.33203 0.51954,0.86328 0.59375,1.59375 l 0.125,1.14062 0.0781,0 c 0.375,-0.043 0.64453,-0.19922 0.8125,-0.46875 0.17578,-0.27344 0.23828,-0.63281 0.1875,-1.07812 -0.0312,-0.28125 -0.0937,-0.54688 -0.1875,-0.79688 -0.0937,-0.25 -0.22656,-0.49219 -0.39063,-0.71875 l 0.75,-0.0781 c 0.14454,0.26953 0.25782,0.53906 0.34375,0.8125 0.0937,0.28125 0.15625,0.55078 0.1875,0.8125 0.0703,0.70703 -0.0586,1.2539 -0.39062,1.64062 -0.32422,0.38281 -0.85547,0.61719 -1.59375,0.70313 z m 0,0"
+ id="path2973"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 209.79687,322.30859 -2.39062,0.26563 0.15625,1.42187 c 0.0508,0.46875 0.1875,0.80469 0.40625,1.01563 0.21875,0.20703 0.53125,0.28515 0.9375,0.23437 0.40625,-0.043 0.69141,-0.1875 0.85937,-0.4375 0.17579,-0.25 0.23829,-0.60937 0.1875,-1.07812 z m 2.67188,-0.29687 -1.95313,0.21875 0.15625,1.3125 c 0.0391,0.4375 0.14844,0.75 0.32813,0.9375 0.1875,0.19531 0.44531,0.27344 0.78125,0.23437 0.33203,-0.0312 0.56641,-0.16406 0.70312,-0.39062 0.13282,-0.23047 0.17969,-0.5625 0.14063,-1 z m 0.625,-0.9375 0.25,2.25 c 0.0703,0.66406 -0.0117,1.19531 -0.25,1.59375 -0.23047,0.39453 -0.60547,0.61719 -1.125,0.67187 -0.39844,0.0508 -0.72656,-0.008 -0.98438,-0.17187 -0.25,-0.15625 -0.42968,-0.41797 -0.53125,-0.78125 -0.043,0.44531 -0.19921,0.80469 -0.46875,1.07812 -0.27343,0.26953 -0.625,0.42969 -1.0625,0.48438 -0.58593,0.0625 -1.05859,-0.0899 -1.42187,-0.45313 -0.36719,-0.35547 -0.58594,-0.89843 -0.65625,-1.625 l -0.26563,-2.32812 z m 0,0"
+ id="path2975"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 209.9375,329.66406 c -0.0742,-0.64844 -0.19922,-1.08984 -0.375,-1.32812 -0.17969,-0.24219 -0.44922,-0.33985 -0.8125,-0.29688 -0.27344,0.0312 -0.48438,0.14844 -0.64063,0.35938 -0.14843,0.20703 -0.19921,0.47265 -0.15625,0.79687 0.0508,0.44531 0.24219,0.78516 0.57813,1.01563 0.34375,0.23828 0.78125,0.33203 1.3125,0.28125 l 0.17187,-0.0156 z m 0.51562,1.5625 -2.79687,0.3125 -0.0937,-0.79687 0.75,-0.0781 c -0.32422,-0.15625 -0.57422,-0.36719 -0.75,-0.625 -0.16797,-0.26172 -0.27344,-0.58984 -0.3125,-0.98437 -0.0547,-0.5 0.0469,-0.91407 0.29687,-1.23438 0.25,-0.32422 0.60938,-0.51172 1.07813,-0.5625 0.55078,-0.0625 0.98828,0.0703 1.3125,0.40625 0.32031,0.33203 0.51953,0.86328 0.59375,1.59375 l 0.125,1.14063 0.0781,0 c 0.375,-0.043 0.64454,-0.19922 0.8125,-0.46875 0.17579,-0.27344 0.23829,-0.63282 0.1875,-1.07813 -0.0312,-0.28125 -0.0937,-0.54687 -0.1875,-0.79687 -0.0937,-0.25 -0.22656,-0.49219 -0.39062,-0.71875 l 0.75,-0.0781 c 0.14453,0.26953 0.25781,0.53906 0.34375,0.8125 0.0937,0.28125 0.15625,0.55078 0.1875,0.8125 0.0703,0.70703 -0.0586,1.25391 -0.39063,1.64063 -0.32421,0.38281 -0.85546,0.61718 -1.59375,0.70312 z m 0,0"
+ id="path2977"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 214.57812,331.92969 0.0937,0.79687 -6.79687,0.75 -0.0937,-0.79687 z m 0,0"
+ id="path2979"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 210.61719,336.59375 c -0.0547,-0.64844 -0.16407,-1.08984 -0.32813,-1.32813 -0.16797,-0.24218 -0.42969,-0.33984 -0.78125,-0.29687 -0.28125,0.0195 -0.5,0.13281 -0.65625,0.34375 -0.15625,0.20703 -0.21875,0.46875 -0.1875,0.78125 0.0312,0.44531 0.21875,0.78906 0.5625,1.03125 0.34375,0.23828 0.77344,0.33594 1.29688,0.29687 l 0.17187,-0.0156 z m 0.5,1.59375 -2.79688,0.25 -0.0781,-0.8125 0.75,-0.0625 c -0.32422,-0.16797 -0.57032,-0.38281 -0.73438,-0.64063 -0.15625,-0.26171 -0.25781,-0.58984 -0.29687,-0.98437 -0.043,-0.49219 0.0625,-0.89844 0.3125,-1.21875 0.25781,-0.32422 0.6289,-0.50781 1.10937,-0.54688 0.53906,-0.0547 0.96875,0.0937 1.28125,0.4375 0.3125,0.34375 0.50391,0.875 0.57813,1.59375 l 0.0937,1.14063 0.0781,0 c 0.375,-0.0312 0.64844,-0.18359 0.82813,-0.45313 0.1875,-0.26171 0.25781,-0.61718 0.21875,-1.0625 -0.0234,-0.28125 -0.0781,-0.55468 -0.17188,-0.8125 -0.0937,-0.25 -0.21875,-0.48437 -0.375,-0.70312 l 0.75,-0.0781 c 0.14453,0.28125 0.25391,0.55469 0.32813,0.82813 0.082,0.26953 0.14062,0.53516 0.17187,0.79687 0.0625,0.70704 -0.0781,1.25391 -0.42187,1.64063 -0.33594,0.39453 -0.875,0.625 -1.625,0.6875 z m 0,0"
+ id="path2981"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 211.64844,343.38281 -2.95313,0.21875 -0.0625,-0.8125 2.92188,-0.21875 c 0.46875,-0.0312 0.8125,-0.14844 1.03125,-0.34375 0.22656,-0.19922 0.32812,-0.48047 0.29687,-0.84375 -0.0312,-0.42969 -0.19922,-0.76172 -0.5,-1 -0.29297,-0.23047 -0.67187,-0.32422 -1.14062,-0.28125 l -2.78125,0.20313 -0.0625,-0.8125 4.90625,-0.35938 0.0625,0.8125 -0.76563,0.0469 c 0.30078,0.17578 0.53516,0.39062 0.70313,0.64062 0.17578,0.25 0.27343,0.53906 0.29687,0.875 0.0391,0.5625 -0.10547,1 -0.4375,1.3125 -0.33594,0.32031 -0.83984,0.50781 -1.51562,0.5625 z m 0,0"
+ id="path2983"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 211.51953,347.55859 c 0.57031,-0.043 1.00781,-0.19922 1.3125,-0.46875 0.3125,-0.27343 0.45313,-0.62109 0.42188,-1.04687 -0.0312,-0.42969 -0.21875,-0.75 -0.5625,-0.96875 -0.34375,-0.21875 -0.80469,-0.3086 -1.375,-0.26563 -0.58594,0.0391 -1.02735,0.19532 -1.32813,0.46875 -0.30469,0.26953 -0.4375,0.61719 -0.40625,1.04688 0.0312,0.42578 0.21094,0.75 0.54688,0.96875 0.34375,0.21875 0.80468,0.30469 1.39062,0.26562 z m -1.84375,0.9375 c -0.83594,0.0625 -1.46875,-0.0781 -1.90625,-0.42187 -0.4375,-0.33594 -0.6875,-0.88281 -0.75,-1.64063 -0.0195,-0.28125 -0.0156,-0.55468 0.0156,-0.8125 0.0234,-0.25 0.0703,-0.49609 0.14062,-0.73437 l 0.78125,-0.0625 c -0.10156,0.25 -0.17578,0.48828 -0.21875,0.71875 -0.0508,0.23828 -0.0664,0.47656 -0.0469,0.71875 0.043,0.51953 0.21093,0.89844 0.5,1.14062 0.29296,0.25 0.71875,0.35157 1.28125,0.3125 l 0.39062,-0.0312 c -0.29297,-0.14843 -0.52344,-0.35156 -0.6875,-0.60937 -0.16797,-0.25 -0.26172,-0.54688 -0.28125,-0.89063 -0.043,-0.60547 0.14844,-1.10937 0.57813,-1.51562 0.42578,-0.39844 1.01953,-0.625 1.78125,-0.6875 0.75,-0.0547 1.36718,0.0859 1.85937,0.42187 0.5,0.33203 0.76953,0.80078 0.8125,1.40625 0.0195,0.34375 -0.0312,0.64844 -0.15625,0.92188 -0.125,0.28125 -0.32812,0.51562 -0.60937,0.70312 l 0.75,-0.0469 0.0625,0.79687 z m 0,0"
+ id="path2985"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 212.10547,353.49609 -0.39063,0.0312 -0.28125,-3.70312 c -0.54297,0.0703 -0.94922,0.26953 -1.21875,0.59375 -0.27343,0.32031 -0.38672,0.74219 -0.34375,1.26562 0.0195,0.3125 0.0781,0.60938 0.17188,0.89063 0.0937,0.28906 0.22656,0.57812 0.40625,0.85937 l -0.76563,0.0625 c -0.14843,-0.28125 -0.26172,-0.57422 -0.34375,-0.875 -0.0859,-0.30468 -0.14062,-0.60937 -0.17187,-0.92187 -0.0547,-0.77344 0.1289,-1.40625 0.54687,-1.90625 0.42578,-0.49219 1.02344,-0.76172 1.79688,-0.8125 0.80078,-0.0625 1.45312,0.10156 1.95312,0.5 0.50782,0.39453 0.79688,0.95703 0.85938,1.6875 0.0391,0.66406 -0.13672,1.20703 -0.53125,1.625 -0.39844,0.41406 -0.96094,0.64844 -1.6875,0.70312 z m 0.17187,-0.82812 c 0.4375,-0.043 0.78125,-0.19531 1.03125,-0.45313 0.25,-0.26172 0.35938,-0.58984 0.32813,-0.98437 -0.0312,-0.44922 -0.1875,-0.79688 -0.46875,-1.04688 -0.27344,-0.25 -0.64844,-0.38281 -1.125,-0.39062 z m 0,0"
+ id="path2987"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 213.86719,357.01562 c 0.0508,-0.0937 0.082,-0.19531 0.0937,-0.29687 0.008,-0.10547 0.008,-0.22656 0,-0.35938 -0.0312,-0.44921 -0.20313,-0.78906 -0.51563,-1.01562 -0.3125,-0.21875 -0.74219,-0.30859 -1.28125,-0.26563 l -2.59375,0.1875 -0.0625,-0.8125 4.90625,-0.35937 0.0625,0.8125 -0.76562,0.0469 c 0.3125,0.15625 0.55078,0.36329 0.71875,0.625 0.16406,0.25782 0.25781,0.57813 0.28125,0.95313 0.008,0.0625 0.008,0.125 0,0.1875 0,0.0703 -0.008,0.14844 -0.0156,0.23437 z m 0,0"
+ id="path2989"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 214.21094,359.05469 c -0.0312,-0.42969 -0.23047,-0.75782 -0.59375,-0.98438 -0.35547,-0.23047 -0.82422,-0.32422 -1.40625,-0.28125 -0.58594,0.0508 -1.03907,0.21094 -1.35938,0.48438 -0.3125,0.26953 -0.45312,0.625 -0.42187,1.0625 0.0312,0.42578 0.22265,0.7539 0.57812,0.98437 0.36328,0.22656 0.83594,0.31641 1.42188,0.26563 0.57031,-0.043 1.01953,-0.20313 1.34375,-0.48438 0.32031,-0.27344 0.46875,-0.62109 0.4375,-1.04687 z m 0.6875,-0.0469 c 0.0508,0.69531 -0.13672,1.26563 -0.5625,1.70313 -0.42969,0.4375 -1.04297,0.67968 -1.84375,0.73437 -0.80469,0.0625 -1.44922,-0.0898 -1.9375,-0.45312 -0.49219,-0.36719 -0.76172,-0.89844 -0.8125,-1.59375 -0.0547,-0.69922 0.13281,-1.26563 0.5625,-1.70313 0.42578,-0.4375 1.03906,-0.6875 1.84375,-0.75 0.80078,-0.0547 1.44531,0.10156 1.9375,0.46875 0.48828,0.36328 0.75781,0.89453 0.8125,1.59375 z m 0,0"
+ id="path2991"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2993">
+ <use
+ xlink:href="#glyph51-1"
+ x="204.84192"
+ y="305.99277"
+ id="use2995"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g2997">
+ <use
+ xlink:href="#glyph52-1"
+ x="205.49846"
+ y="311.95673"
+ id="use2999"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3001">
+ <use
+ xlink:href="#glyph53-1"
+ x="205.7173"
+ y="313.94473"
+ id="use3003"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3005">
+ <use
+ xlink:href="#glyph52-2"
+ x="206.2644"
+ y="318.9147"
+ id="use3007"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3009">
+ <use
+ xlink:href="#glyph54-1"
+ x="206.48325"
+ y="320.90268"
+ id="use3011"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3013">
+ <use
+ xlink:href="#glyph55-1"
+ x="207.13979"
+ y="326.86667"
+ id="use3015"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3017">
+ <use
+ xlink:href="#glyph56-1"
+ x="207.6869"
+ y="331.83664"
+ id="use3019"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3021">
+ <use
+ xlink:href="#glyph57-1"
+ x="207.8985"
+ y="333.75174"
+ id="use3023"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3025">
+ <use
+ xlink:href="#glyph58-1"
+ x="208.33727"
+ y="338.68033"
+ id="use3027"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3029">
+ <use
+ xlink:href="#glyph59-1"
+ x="208.70628"
+ y="343.66669"
+ id="use3031"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3033">
+ <use
+ xlink:href="#glyph60-1"
+ x="209.07532"
+ y="348.65305"
+ id="use3035"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3037">
+ <use
+ xlink:href="#glyph61-1"
+ x="209.44435"
+ y="353.6394"
+ id="use3039"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3041">
+ <use
+ xlink:href="#glyph58-2"
+ x="209.66577"
+ y="356.63123"
+ id="use3043"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 88.816406,112.71875 c 0.05078,-0.0937 0.08203,-0.19531 0.09375,-0.29687 0.0078,-0.10547 0.0078,-0.22657 0,-0.35938 -0.03125,-0.44922 -0.210937,-0.78906 -0.53125,-1.01562 -0.3125,-0.21875 -0.746094,-0.3086 -1.296875,-0.26563 l -2.578125,0.20313 -0.0625,-0.8125 4.90625,-0.375 0.0625,0.8125 -0.765625,0.0469 c 0.3125,0.15625 0.550781,0.35938 0.71875,0.60938 0.164063,0.25781 0.265625,0.58203 0.296875,0.96875 0.0078,0.0625 0.0078,0.125 0,0.1875 0,0.0703 -0.0078,0.14843 -0.01563,0.23437 z m 0,0"
+ id="path3045"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 86.695312,107.25 c -0.05469,-0.63672 -0.164062,-1.07812 -0.328124,-1.32812 -0.15625,-0.24219 -0.417969,-0.34375 -0.78125,-0.3125 -0.28125,0.0195 -0.5,0.1289 -0.65625,0.32812 -0.15625,0.20703 -0.226563,0.47266 -0.203126,0.79688 0.03125,0.4375 0.210938,0.78125 0.546876,1.03125 0.34375,0.25 0.78125,0.35156 1.3125,0.3125 l 0.171874,-0.0156 z m 0.453126,1.59375 -2.796876,0.21875 -0.0625,-0.8125 0.75,-0.0625 c -0.3125,-0.15625 -0.554687,-0.37109 -0.71875,-0.64062 -0.15625,-0.26172 -0.25,-0.58594 -0.28125,-0.96875 -0.04297,-0.5 0.06641,-0.91407 0.328126,-1.23438 0.257812,-0.32422 0.628906,-0.5 1.109374,-0.53125 0.550782,-0.043 0.976563,0.10938 1.28125,0.45313 0.300782,0.35156 0.484376,0.89062 0.546876,1.60937 l 0.07812,1.14063 0.07813,-0.0156 c 0.375,-0.0312 0.65625,-0.17969 0.84375,-0.4375 0.1875,-0.26172 0.257812,-0.60937 0.21875,-1.04687 -0.02344,-0.28125 -0.07813,-0.55469 -0.171876,-0.8125 -0.08594,-0.26172 -0.199218,-0.50782 -0.34375,-0.73438 l 0.75,-0.0469 c 0.132813,0.28125 0.238282,0.55468 0.3125,0.82812 0.08203,0.28125 0.132813,0.54688 0.15625,0.79688 0.05078,0.70703 -0.09375,1.25 -0.4375,1.625 -0.34375,0.38281 -0.890624,0.60937 -1.640624,0.67187 z m 0,0"
+ id="path3047"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 85.605469,100 2.96875,-0.21875 0.0625,0.8125 -2.9375,0.21875 c -0.460938,0.0391 -0.796875,0.16016 -1.015625,0.35938 -0.21875,0.19531 -0.320313,0.46875 -0.296875,0.8125 0.03125,0.4375 0.191406,0.76953 0.484375,1 0.300781,0.23828 0.691406,0.33593 1.171875,0.29687 l 2.78125,-0.20312 0.0625,0.8125 -4.90625,0.375 -0.0625,-0.8125 0.75,-0.0625 C 84.363281,103.21094 84.128906,103 83.964844,102.75 c -0.167969,-0.24219 -0.265625,-0.52734 -0.296875,-0.85937 -0.04297,-0.5625 0.09766,-1.00782 0.421875,-1.32813 0.332031,-0.32422 0.835937,-0.51172 1.515625,-0.5625 z m 3.25,1.78125 z m 0,0"
+ id="path3049"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 87.777344,96.796875 c -0.04297,-0.417969 -0.242188,-0.742187 -0.59375,-0.96875 -0.355469,-0.230469 -0.824219,-0.320313 -1.40625,-0.265625 -0.585938,0.03906 -1.039063,0.195312 -1.359375,0.46875 -0.324219,0.28125 -0.464844,0.632812 -0.421875,1.0625 0.03125,0.4375 0.222656,0.765625 0.578125,0.984375 0.363281,0.226563 0.835937,0.320313 1.421875,0.28125 0.570312,-0.05469 1.019531,-0.21875 1.34375,-0.5 0.320312,-0.273437 0.46875,-0.625 0.4375,-1.0625 z m 0.6875,-0.04687 c 0.05078,0.707031 -0.136719,1.28125 -0.5625,1.71875 -0.429688,0.4375 -1.042969,0.6875 -1.84375,0.75 -0.804688,0.0625 -1.449219,-0.08984 -1.9375,-0.453125 -0.492188,-0.367187 -0.761719,-0.902344 -0.8125,-1.609375 -0.0625,-0.6875 0.117187,-1.25 0.546875,-1.6875 0.425781,-0.4375 1.039062,-0.6875 1.84375,-0.75 0.800781,-0.0625 1.445312,0.08594 1.9375,0.453125 C 88.125,95.535156 88.402344,96.0625 88.464844,96.75 z m 0,0"
+ id="path3051"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 86.171875,94.109375 -2.953125,0.234375 -0.0625,-0.8125 2.921875,-0.234375 c 0.46875,-0.03125 0.8125,-0.148437 1.03125,-0.34375 0.21875,-0.199219 0.3125,-0.480469 0.28125,-0.84375 -0.03125,-0.429687 -0.199219,-0.757813 -0.5,-0.984375 -0.304687,-0.230469 -0.695313,-0.328125 -1.171875,-0.296875 l -2.765625,0.21875 -0.0625,-0.8125 6.828125,-0.53125 0.0625,0.8125 -2.6875,0.203125 c 0.3125,0.175781 0.550781,0.382812 0.71875,0.625 0.164062,0.25 0.265625,0.546875 0.296875,0.890625 0.03906,0.5625 -0.105469,1 -0.4375,1.3125 -0.324219,0.320313 -0.824219,0.507813 -1.5,0.5625 z m 0,0"
+ id="path3053"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 88.984375,83.886719 0.4375,5.546875 -0.75,0.0625 -0.1875,-2.34375 -5.796875,0.453125 -0.07813,-0.875 5.796875,-0.453125 -0.171875,-2.328125 z m 0,0"
+ id="path3055"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 86.457031,79.847656 c -0.04297,-0.417968 -0.242187,-0.742187 -0.59375,-0.96875 -0.355469,-0.230468 -0.824219,-0.320312 -1.40625,-0.265625 -0.585937,0.03906 -1.039062,0.195313 -1.359375,0.46875 -0.324218,0.28125 -0.464844,0.632813 -0.421875,1.0625 0.03125,0.4375 0.222657,0.765625 0.578125,0.984375 0.363282,0.226563 0.835938,0.320313 1.421875,0.28125 0.570313,-0.05469 1.019531,-0.21875 1.34375,-0.5 0.320313,-0.273437 0.46875,-0.625 0.4375,-1.0625 z m 0.6875,-0.04687 c 0.05078,0.707031 -0.136719,1.28125 -0.5625,1.71875 -0.429687,0.4375 -1.042969,0.6875 -1.84375,0.75 -0.804687,0.0625 -1.449219,-0.08984 -1.9375,-0.453125 -0.492187,-0.367187 -0.761719,-0.902344 -0.8125,-1.609375 -0.0625,-0.6875 0.117188,-1.25 0.546875,-1.6875 0.425782,-0.4375 1.039063,-0.6875 1.84375,-0.75 0.800782,-0.0625 1.445313,0.08594 1.9375,0.453125 0.488282,0.363282 0.765625,0.890625 0.828125,1.578125 z m 0,0"
+ id="path3057"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 86.097656,77.824219 c 0.05078,-0.09375 0.08203,-0.195313 0.09375,-0.296875 0.0078,-0.105469 0.0078,-0.226563 0,-0.359375 -0.03125,-0.449219 -0.210937,-0.789063 -0.53125,-1.015625 -0.3125,-0.21875 -0.746094,-0.308594 -1.296875,-0.265625 l -2.578125,0.203125 -0.0625,-0.8125 4.90625,-0.375 0.0625,0.8125 -0.765625,0.04687 c 0.3125,0.15625 0.550781,0.359375 0.71875,0.609375 0.164063,0.257812 0.265625,0.582031 0.296875,0.96875 0.0078,0.0625 0.0078,0.125 0,0.1875 0,0.07031 -0.0078,0.148437 -0.01563,0.234375 z m 0,0"
+ id="path3059"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 87.851562,72.632812 -1.390624,0.109376 0.125,1.65625 -0.625,0.04687 -0.125,-1.65625 -2.65625,0.203126 c -0.40625,0.03125 -0.664063,0.109374 -0.765626,0.234374 -0.105468,0.125 -0.148437,0.351563 -0.125,0.6875 l 0.0625,0.8125 -0.671874,0.04688 -0.0625,-0.8125 c -0.04297,-0.625 0.03906,-1.070313 0.25,-1.328126 0.21875,-0.25 0.632812,-0.402343 1.25,-0.453124 l 2.65625,-0.203126 -0.04688,-0.59375 0.625,-0.04687 0.04688,0.59375 1.390624,-0.109376 z m 0,0"
+ id="path3061"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 84.070312,71.332031 -0.375,0.03125 -0.28125,-3.703125 c -0.554687,0.07031 -0.964843,0.269532 -1.234374,0.59375 -0.273438,0.320313 -0.386719,0.742188 -0.34375,1.265625 0.03125,0.3125 0.09375,0.609375 0.1875,0.890625 0.09375,0.289063 0.226562,0.578125 0.40625,0.859375 l -0.765626,0.0625 c -0.148437,-0.28125 -0.265624,-0.574219 -0.359374,-0.875 -0.08594,-0.304687 -0.136719,-0.609375 -0.15625,-0.921875 -0.0625,-0.773437 0.113281,-1.40625 0.53125,-1.90625 0.425781,-0.492187 1.023437,-0.765625 1.796874,-0.828125 0.800782,-0.0625 1.457032,0.101563 1.96875,0.5 0.507813,0.394531 0.789063,0.957031 0.84375,1.6875 0.05078,0.664063 -0.121093,1.207031 -0.515624,1.625 -0.398438,0.414063 -0.964844,0.65625 -1.703126,0.71875 z m 0.1875,-0.828125 c 0.4375,-0.05469 0.773438,-0.210937 1.015626,-0.46875 0.25,-0.261718 0.363281,-0.589844 0.34375,-0.984375 -0.04297,-0.449219 -0.203126,-0.796875 -0.484376,-1.046875 -0.273437,-0.25 -0.640624,-0.375 -1.109374,-0.375 z m 0,0"
+ id="path3063"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 85.851562,64.964844 0.0625,0.8125 -4.90625,0.375 -0.0625,-0.8125 z m 1.921876,-0.15625 0.0625,0.8125 -1.03125,0.07813 -0.0625,-0.8125 z m 0,0"
+ id="path3065"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 86.449219,60.824219 -2.46875,0.1875 0.07813,1.109375 c 0.03125,0.40625 0.164062,0.710937 0.40625,0.921875 0.238281,0.21875 0.550781,0.3125 0.9375,0.28125 0.394531,-0.03125 0.6875,-0.171875 0.875,-0.421875 0.195312,-0.242188 0.28125,-0.5625 0.25,-0.96875 z m 0.65625,-0.9375 0.15625,1.984375 c 0.0625,0.726562 -0.0625,1.296875 -0.375,1.703125 -0.304688,0.40625 -0.777344,0.632812 -1.421875,0.6875 -0.648438,0.05078 -1.148438,-0.101563 -1.5,-0.453125 -0.355469,-0.355469 -0.5625,-0.898438 -0.625,-1.625 l -0.07813,-1.109375 -2.625,0.203125 -0.07813,-0.875 z m 0,0"
+ id="path3067"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3069">
+ <use
+ xlink:href="#glyph62-1"
+ x="84.380821"
+ y="109.35973"
+ id="use3071"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3073">
+ <use
+ xlink:href="#glyph63-1"
+ x="83.992302"
+ y="104.37485"
+ id="use3075"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3077">
+ <use
+ xlink:href="#glyph63-2"
+ x="83.60379"
+ y="99.389961"
+ id="use3079"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3081">
+ <use
+ xlink:href="#glyph63-3"
+ x="83.215279"
+ y="94.405083"
+ id="use3083"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3085">
+ <use
+ xlink:href="#glyph62-2"
+ x="82.826759"
+ y="89.420197"
+ id="use3087"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3089">
+ <use
+ xlink:href="#glyph63-4"
+ x="82.438248"
+ y="84.435318"
+ id="use3091"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3093">
+ <use
+ xlink:href="#glyph64-1"
+ x="82.282845"
+ y="82.44136"
+ id="use3095"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3097">
+ <use
+ xlink:href="#glyph62-3"
+ x="81.894325"
+ y="77.456482"
+ id="use3099"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3101">
+ <use
+ xlink:href="#glyph65-1"
+ x="81.661217"
+ y="74.465553"
+ id="use3103"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3105">
+ <use
+ xlink:href="#glyph62-4"
+ x="81.428108"
+ y="71.474617"
+ id="use3107"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3109">
+ <use
+ xlink:href="#glyph63-5"
+ x="81.039597"
+ y="66.489738"
+ id="use3111"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3113">
+ <use
+ xlink:href="#glyph66-1"
+ x="80.884193"
+ y="64.495781"
+ id="use3115"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3117">
+ <use
+ xlink:href="#glyph63-6"
+ x="80.495682"
+ y="59.510902"
+ id="use3119"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 382.00391,370.19141 0.67187,0.65625 c -0.40625,0.0312 -0.77344,0.12109 -1.10937,0.26562 -0.34375,0.14844 -0.64454,0.35156 -0.90625,0.60938 -0.51954,0.54296 -0.75391,1.11718 -0.70313,1.71875 0.043,0.60546 0.375,1.21093 1,1.8125 0.61719,0.60546 1.22656,0.92968 1.82813,0.96875 0.61328,0.0312 1.17968,-0.22266 1.70312,-0.76563 0.25781,-0.25781 0.45703,-0.55469 0.59375,-0.89062 0.14453,-0.34375 0.22266,-0.72266 0.23438,-1.14063 l 0.67187,0.65625 c -0.0742,0.375 -0.19531,0.72656 -0.35937,1.04688 -0.15625,0.3125 -0.375,0.60937 -0.65625,0.89062 -0.6875,0.71094 -1.45313,1.05859 -2.29688,1.04688 -0.83203,-0.0195 -1.625,-0.39844 -2.375,-1.14063 -0.75781,-0.72656 -1.15625,-1.50781 -1.1875,-2.34375 -0.0312,-0.84375 0.29688,-1.61719 0.98438,-2.32812 0.28125,-0.28125 0.58593,-0.50782 0.90625,-0.6875 0.3125,-0.17579 0.64843,-0.30079 1,-0.375 z m 0,0"
+ id="path3121"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 385.28516,369.26953 c -0.30079,0.30469 -0.41407,0.66797 -0.34375,1.09375 0.0625,0.41797 0.30859,0.82813 0.73437,1.23438 0.41797,0.41796 0.83203,0.65625 1.25,0.71875 0.41406,0.0547 0.77344,-0.0781 1.07813,-0.39063 0.30078,-0.3125 0.42187,-0.67187 0.35937,-1.07812 -0.0625,-0.41407 -0.30469,-0.83204 -0.71875,-1.25 -0.42969,-0.40625 -0.85156,-0.64063 -1.26562,-0.70313 -0.42579,-0.0625 -0.78907,0.0625 -1.09375,0.375 z m -0.48438,-0.46875 c 0.49219,-0.50781 1.04297,-0.75 1.65625,-0.71875 0.60156,0.0312 1.19531,0.32813 1.78125,0.89063 0.57031,0.5625 0.87891,1.15234 0.92188,1.76562 0.0508,0.60547 -0.16797,1.16406 -0.65625,1.67188 -0.49219,0.5 -1.04297,0.73437 -1.65625,0.70312 -0.60157,-0.0391 -1.19141,-0.34375 -1.76563,-0.90625 -0.58203,-0.5625 -0.89453,-1.14453 -0.9375,-1.75 -0.0508,-0.60156 0.16797,-1.15625 0.65625,-1.65625 z m 0,0"
+ id="path3123"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 389.57031,365.14453 c -0.10156,0.0312 -0.19531,0.0781 -0.28125,0.14063 -0.0937,0.0547 -0.1875,0.125 -0.28125,0.21875 -0.32031,0.33593 -0.45703,0.69531 -0.40625,1.07812 0.043,0.38672 0.26172,0.77344 0.65625,1.15625 l 1.85938,1.8125 -0.57813,0.57813 -3.53125,-3.4375 0.57813,-0.57813 0.5625,0.53125 c -0.10157,-0.34375 -0.10938,-0.66016 -0.0156,-0.95312 0.0859,-0.28907 0.26172,-0.57032 0.53125,-0.84375 0.043,-0.0508 0.0899,-0.0977 0.14063,-0.14063 0.0547,-0.0391 0.10937,-0.0859 0.17187,-0.14062 z m 0,0"
+ id="path3125"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 391.42969,362.35547 0.54687,0.54687 c -0.23828,0.0859 -0.46094,0.19532 -0.67187,0.32813 -0.21875,0.13672 -0.42188,0.29687 -0.60938,0.48437 -0.28125,0.29297 -0.4414,0.55469 -0.48437,0.78125 -0.0508,0.21875 0.0117,0.41797 0.1875,0.59375 0.13672,0.13672 0.28906,0.19532 0.45312,0.17188 0.16797,-0.0312 0.44531,-0.17188 0.82813,-0.42188 l 0.23437,-0.15625 c 0.5,-0.32031 0.91016,-0.48828 1.23438,-0.5 0.32031,-0.0195 0.6289,0.10547 0.92187,0.375 0.32031,0.32422 0.45313,0.71094 0.39063,1.15625 -0.0547,0.44922 -0.30469,0.89844 -0.75,1.34375 -0.1875,0.19922 -0.40235,0.38282 -0.64063,0.54688 -0.23047,0.16797 -0.49609,0.32812 -0.79687,0.48437 l -0.59375,-0.57812 c 0.32422,-0.11328 0.61328,-0.24219 0.875,-0.39063 0.25781,-0.15625 0.48828,-0.33203 0.6875,-0.53125 0.25781,-0.26953 0.41406,-0.52343 0.46875,-0.76562 0.0508,-0.25 -0.008,-0.45703 -0.17188,-0.625 -0.15625,-0.15625 -0.33594,-0.21875 -0.53125,-0.1875 -0.1875,0.0234 -0.49609,0.17187 -0.92187,0.45312 l -0.23438,0.17188 c -0.42578,0.29297 -0.79687,0.4375 -1.10937,0.4375 -0.3125,0 -0.60938,-0.13281 -0.89063,-0.40625 -0.32031,-0.3125 -0.45703,-0.67188 -0.40625,-1.07813 0.043,-0.41406 0.27344,-0.83593 0.6875,-1.26562 0.21875,-0.21875 0.4375,-0.40625 0.65625,-0.5625 0.21094,-0.16406 0.42188,-0.30078 0.64063,-0.40625 z m 0,0"
+ id="path3127"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 393.66016,360.67578 c -0.30079,0.30469 -0.41407,0.66797 -0.34375,1.09375 0.0625,0.41797 0.30859,0.82813 0.73437,1.23438 0.41797,0.41796 0.83203,0.65625 1.25,0.71875 0.41406,0.0547 0.77344,-0.0781 1.07813,-0.39063 0.30078,-0.3125 0.42187,-0.67187 0.35937,-1.07812 -0.0625,-0.41407 -0.30469,-0.83204 -0.71875,-1.25 -0.42969,-0.40625 -0.85156,-0.64063 -1.26562,-0.70313 -0.42579,-0.0625 -0.78907,0.0625 -1.09375,0.375 z m -0.48438,-0.46875 c 0.49219,-0.50781 1.04297,-0.75 1.65625,-0.71875 0.60156,0.0312 1.19531,0.32813 1.78125,0.89063 0.57031,0.5625 0.87891,1.15234 0.92188,1.76562 0.0508,0.60547 -0.16797,1.16406 -0.65625,1.67188 -0.49219,0.5 -1.04297,0.73437 -1.65625,0.70312 -0.60157,-0.0391 -1.19141,-0.34375 -1.76563,-0.90625 -0.58203,-0.5625 -0.89453,-1.14453 -0.9375,-1.75 -0.0508,-0.60156 0.16797,-1.15625 0.65625,-1.65625 z m 0,0"
+ id="path3129"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 398.5625,352.80469 0.625,0.59375 c -0.34375,0.13672 -0.64453,0.28125 -0.90625,0.4375 -0.26953,0.15625 -0.50391,0.33984 -0.70313,0.54687 -0.34375,0.34375 -0.53515,0.67969 -0.57812,1 -0.0508,0.3125 0.0469,0.58985 0.29687,0.82813 0.21094,0.21093 0.42969,0.30468 0.65625,0.28125 0.23047,-0.0312 0.54297,-0.17969 0.9375,-0.45313 l 0.46875,-0.32812 c 0.55079,-0.375 1.04688,-0.56641 1.48438,-0.57813 0.44531,-0.008 0.86328,0.17188 1.25,0.54688 0.45703,0.44922 0.65625,0.94531 0.59375,1.48437 -0.0625,0.53125 -0.38281,1.08985 -0.95313,1.67188 -0.21875,0.23047 -0.48046,0.44922 -0.78125,0.65625 -0.29296,0.19922 -0.62109,0.375 -0.98437,0.53125 l -0.64063,-0.64063 c 0.38672,-0.10156 0.73438,-0.24219 1.04688,-0.42187 0.32031,-0.1875 0.60156,-0.39844 0.84375,-0.64063 0.34375,-0.35156 0.53906,-0.69531 0.59375,-1.03125 0.0508,-0.33203 -0.0586,-0.6289 -0.32813,-0.89062 -0.23046,-0.22657 -0.48046,-0.33203 -0.75,-0.3125 -0.26171,0.0117 -0.57812,0.14843 -0.95312,0.40625 l -0.46875,0.3125 c -0.5625,0.375 -1.03906,0.57422 -1.4375,0.59375 -0.40625,0.0234 -0.78906,-0.14453 -1.15625,-0.5 -0.40625,-0.39453 -0.58594,-0.85938 -0.54688,-1.39063 0.043,-0.53125 0.3125,-1.05078 0.8125,-1.5625 0.21875,-0.22656 0.46094,-0.4375 0.71875,-0.625 0.26172,-0.1875 0.54688,-0.35937 0.85938,-0.51562 z m 0,0"
+ id="path3131"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 399.89453,353.47656 0.59375,-0.625 4.03125,1.78125 -1.875,-3.98437 0.59375,-0.60938 2.25,4.75 -0.78125,0.79688 z m 0,0"
+ id="path3133"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 403.78906,349.47266 0.5625,-0.57813 3.53125,3.4375 -0.5625,0.57813 z m -1.375,-1.34375 0.5625,-0.57813 0.75,0.71875 -0.5625,0.57813 z m 0,0"
+ id="path3135"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 404.9375,348.28906 2.6875,-2.75 0.53125,0.51563 0.42187,4.65625 2.125,-2.1875 0.45313,0.45312 -2.76563,2.82813 -0.53125,-0.51563 -0.40625,-4.64062 -2.04687,2.09375 z m 0,0"
+ id="path3137"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 407.72656,345.42578 2.6875,-2.75 0.53125,0.51563 0.42188,4.65625 2.125,-2.1875 0.45312,0.45312 -2.76562,2.82813 -0.53125,-0.51563 -0.40625,-4.64062 -2.04688,2.09375 z m 0,0"
+ id="path3139"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 415.33203,340.875 0.28125,0.28125 -2.59375,2.65625 c 0.41797,0.36719 0.83203,0.54297 1.25,0.53125 0.42578,-0.008 0.82031,-0.20703 1.1875,-0.59375 0.21875,-0.21875 0.39844,-0.45703 0.54688,-0.71875 0.15625,-0.25781 0.28125,-0.54688 0.375,-0.85938 l 0.5625,0.53125 c -0.125,0.29297 -0.27344,0.57422 -0.4375,0.84375 -0.16797,0.26172 -0.35938,0.5 -0.57813,0.71875 -0.54297,0.5625 -1.14062,0.85157 -1.79687,0.85938 -0.64454,0 -1.24219,-0.26563 -1.79688,-0.79688 -0.58203,-0.57031 -0.89062,-1.17578 -0.92187,-1.8125 -0.0391,-0.63281 0.19921,-1.21875 0.71875,-1.75 0.46093,-0.47656 0.97656,-0.70703 1.54687,-0.6875 0.57031,0.0234 1.125,0.28907 1.65625,0.79688 z m -0.73437,0.40625 c -0.32422,-0.28906 -0.66407,-0.44141 -1.01563,-0.45313 -0.36328,-0.0195 -0.67969,0.10938 -0.95312,0.39063 -0.32032,0.33594 -0.48438,0.6875 -0.48438,1.0625 -0.008,0.36719 0.14063,0.73047 0.45313,1.09375 z m 0,0"
+ id="path3141"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 416.79297,337.21484 c -0.10156,0.0312 -0.19531,0.0781 -0.28125,0.14063 -0.0937,0.0547 -0.1875,0.125 -0.28125,0.21875 -0.32031,0.33594 -0.45703,0.69531 -0.40625,1.07812 0.043,0.38672 0.26172,0.77344 0.65625,1.15625 l 1.85937,1.8125 -0.57812,0.57813 -3.53125,-3.4375 0.57812,-0.57813 0.5625,0.53125 c -0.10156,-0.34375 -0.10937,-0.66015 -0.0156,-0.95312 0.0859,-0.28906 0.26172,-0.57031 0.53125,-0.84375 0.043,-0.0508 0.0898,-0.0977 0.14062,-0.14063 0.0547,-0.0391 0.10938,-0.0859 0.17188,-0.14062 z m 0,0"
+ id="path3143"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 419.66797,336.70703 c -0.44531,0.46094 -0.70703,0.82813 -0.78125,1.10938 -0.0703,0.28125 0.0234,0.55468 0.28125,0.8125 0.19531,0.19921 0.42578,0.29296 0.6875,0.28125 0.25781,-0.0195 0.5,-0.14454 0.71875,-0.375 0.3125,-0.32032 0.44531,-0.69141 0.40625,-1.10938 -0.0312,-0.41406 -0.23438,-0.8125 -0.60938,-1.1875 l -0.125,-0.10937 z m 0.89062,-1.42187 2.01563,1.96875 -0.5625,0.59375 -0.53125,-0.53125 c 0.0703,0.35546 0.0625,0.68359 -0.0312,0.98437 -0.0859,0.29297 -0.26172,0.57813 -0.53125,0.85938 -0.35547,0.35546 -0.74219,0.54296 -1.15625,0.5625 -0.40625,0.0117 -0.78125,-0.14844 -1.125,-0.48438 -0.39453,-0.38281 -0.5625,-0.80469 -0.5,-1.26562 0.0547,-0.46875 0.33594,-0.96094 0.84375,-1.48438 l 0.79687,-0.8125 -0.0469,-0.0469 c -0.27344,-0.26954 -0.5625,-0.39063 -0.875,-0.35938 -0.32031,0.0312 -0.64063,0.21094 -0.95313,0.53125 -0.19531,0.19922 -0.35937,0.41797 -0.48437,0.65625 -0.13281,0.24219 -0.24219,0.49219 -0.32813,0.75 l -0.54687,-0.51562 c 0.13672,-0.28907 0.28125,-0.55079 0.4375,-0.78125 0.15625,-0.23829 0.32422,-0.45313 0.5,-0.64063 0.5,-0.50781 1.00781,-0.76562 1.51562,-0.76562 0.50782,0 1.03125,0.26171 1.5625,0.78125 z m 0,0"
+ id="path3145"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3147">
+ <use
+ xlink:href="#glyph67-1"
+ x="382.29898"
+ y="378.58344"
+ id="use3149"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3151">
+ <use
+ xlink:href="#glyph68-1"
+ x="386.48685"
+ y="374.28668"
+ id="use3153"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3155">
+ <use
+ xlink:href="#glyph69-1"
+ x="389.97672"
+ y="370.70609"
+ id="use3157"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3159">
+ <use
+ xlink:href="#glyph70-1"
+ x="392.07065"
+ y="368.55771"
+ id="use3161"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3163">
+ <use
+ xlink:href="#glyph71-1"
+ x="394.86252"
+ y="365.69324"
+ id="use3165"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3167">
+ <use
+ xlink:href="#glyph72-1"
+ x="398.35242"
+ y="362.11261"
+ id="use3169"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3171">
+ <use
+ xlink:href="#glyph68-2"
+ x="399.74835"
+ y="360.68036"
+ id="use3173"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3175">
+ <use
+ xlink:href="#glyph68-3"
+ x="403.23822"
+ y="357.09976"
+ id="use3177"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3179">
+ <use
+ xlink:href="#glyph73-1"
+ x="406.72812"
+ y="353.51917"
+ id="use3181"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3183">
+ <use
+ xlink:href="#glyph72-2"
+ x="408.12405"
+ y="352.08691"
+ id="use3185"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3187">
+ <use
+ xlink:href="#glyph67-2"
+ x="410.91595"
+ y="349.22241"
+ id="use3189"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3191">
+ <use
+ xlink:href="#glyph68-4"
+ x="413.70786"
+ y="346.35794"
+ id="use3193"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3195">
+ <use
+ xlink:href="#glyph69-1"
+ x="417.19772"
+ y="342.77731"
+ id="use3197"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3199">
+ <use
+ xlink:href="#glyph68-5"
+ x="419.29166"
+ y="340.62894"
+ id="use3201"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 411.19531,314.19922 c -0.44531,0.46094 -0.70703,0.82812 -0.78125,1.10937 -0.0703,0.28125 0.0234,0.55469 0.28125,0.8125 0.19531,0.19922 0.42578,0.29297 0.6875,0.28125 0.25781,-0.0195 0.5,-0.14453 0.71875,-0.375 0.3125,-0.32031 0.44531,-0.6914 0.40625,-1.10937 -0.0312,-0.41406 -0.23437,-0.8125 -0.60937,-1.1875 l -0.125,-0.10938 z m 0.89063,-1.42188 2.01562,1.96875 -0.5625,0.59375 -0.53125,-0.51562 c 0.0703,0.33594 0.0625,0.65234 -0.0312,0.95312 -0.0859,0.29297 -0.26172,0.58594 -0.53125,0.875 -0.35547,0.35547 -0.74219,0.54297 -1.15625,0.5625 -0.40625,0.0117 -0.78125,-0.14843 -1.125,-0.48437 -0.39453,-0.38281 -0.5625,-0.80469 -0.5,-1.26563 0.0547,-0.46875 0.33594,-0.96093 0.84375,-1.48437 l 0.79688,-0.8125 -0.0469,-0.0469 c -0.27344,-0.25781 -0.5625,-0.375 -0.875,-0.34375 -0.32031,0.0234 -0.64062,0.19532 -0.95312,0.51563 -0.19532,0.19922 -0.36328,0.41797 -0.5,0.65625 -0.13282,0.24219 -0.23828,0.49609 -0.3125,0.76562 l -0.54688,-0.53125 c 0.125,-0.28906 0.27344,-0.55078 0.4375,-0.78125 0.15625,-0.23828 0.32422,-0.45312 0.5,-0.64062 0.5,-0.50781 1.00781,-0.76563 1.51563,-0.76563 0.5,0 1.01953,0.26172 1.5625,0.78125 z m 0,0"
+ id="path3203"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 408.32031,314.70703 c -0.10156,0.0312 -0.19531,0.0781 -0.28125,0.14063 -0.0937,0.0547 -0.1875,0.125 -0.28125,0.21875 -0.32031,0.33593 -0.45703,0.69531 -0.40625,1.07812 0.043,0.375 0.26172,0.75781 0.65625,1.14063 l 1.85938,1.8125 -0.57813,0.59375 -3.53125,-3.4375 0.57813,-0.59375 0.54687,0.53125 c -0.0937,-0.33204 -0.0937,-0.64454 0,-0.9375 0.0859,-0.28907 0.25781,-0.57032 0.51563,-0.84375 0.0547,-0.0508 0.10547,-0.0977 0.15625,-0.14063 0.0547,-0.0391 0.10937,-0.0859 0.17187,-0.14062 z m 0,0"
+ id="path3205"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 406.85937,318.36719 0.28125,0.28125 -2.59375,2.65625 c 0.41797,0.36718 0.83204,0.54297 1.25,0.53125 0.42579,-0.008 0.82032,-0.20703 1.1875,-0.59375 0.21875,-0.21875 0.39844,-0.45703 0.54688,-0.71875 0.15625,-0.25782 0.28125,-0.54688 0.375,-0.85938 l 0.5625,0.53125 c -0.125,0.29297 -0.27344,0.57422 -0.4375,0.84375 -0.16797,0.26172 -0.35938,0.5 -0.57813,0.71875 -0.54296,0.5625 -1.14062,0.85156 -1.79687,0.85938 -0.64453,0 -1.24219,-0.26563 -1.79688,-0.79688 -0.58203,-0.57031 -0.89062,-1.17578 -0.92187,-1.8125 -0.0391,-0.63281 0.19922,-1.21875 0.71875,-1.75 0.46094,-0.47656 0.97656,-0.70703 1.54687,-0.6875 0.57032,0.0234 1.125,0.28906 1.65625,0.79688 z m -0.73437,0.40625 c -0.32422,-0.28907 -0.66406,-0.44141 -1.01563,-0.45313 -0.36328,-0.0195 -0.6875,0.10938 -0.96875,0.39063 -0.3125,0.33593 -0.46875,0.6875 -0.46875,1.0625 -0.008,0.36718 0.13672,0.73047 0.4375,1.09375 z m 0,0"
+ id="path3207"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 399.25781,322.91797 2.6875,-2.75 0.53125,0.51562 0.42188,4.65625 2.125,-2.1875 0.45312,0.45313 -2.76562,2.82812 -0.53125,-0.51562 -0.40625,-4.64063 -2.04688,2.09375 z m 0,0"
+ id="path3209"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 396.46484,325.78516 2.6875,-2.75 0.53125,0.51562 0.42188,4.65625 2.125,-2.1875 0.45312,0.45313 -2.76562,2.82812 -0.53125,-0.51562 -0.40625,-4.64063 -2.04688,2.09375 z m 0,0"
+ id="path3211"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 395.32031,326.96484 0.5625,-0.57812 3.53125,3.4375 -0.5625,0.57812 z m -1.375,-1.34375 0.5625,-0.57812 0.75,0.71875 -0.5625,0.57812 z m 0,0"
+ id="path3213"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 391.42578,330.96875 0.59375,-0.625 4.03125,1.78125 -1.875,-3.98438 0.59375,-0.60937 2.25,4.75 -0.78125,0.79687 z m 0,0"
+ id="path3215"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 390.08984,330.30078 0.625,0.59375 c -0.34375,0.13672 -0.64453,0.28125 -0.90625,0.4375 -0.26953,0.15625 -0.5039,0.33594 -0.70312,0.53125 -0.34375,0.35547 -0.53516,0.69531 -0.57813,1.01563 -0.0508,0.3125 0.0469,0.58984 0.29688,0.82812 0.21094,0.21094 0.42969,0.30469 0.65625,0.28125 0.23047,-0.0312 0.54297,-0.17969 0.9375,-0.45312 l 0.46875,-0.3125 c 0.55078,-0.39454 1.04687,-0.59375 1.48437,-0.59375 0.44532,-0.008 0.86328,0.17187 1.25,0.54687 0.45703,0.44922 0.65625,0.94531 0.59375,1.48438 -0.0625,0.53125 -0.38281,1.08984 -0.95312,1.67187 -0.21875,0.23047 -0.48047,0.44922 -0.78125,0.65625 -0.29297,0.19922 -0.6211,0.375 -0.98438,0.53125 l -0.64062,-0.64062 c 0.38672,-0.10157 0.73437,-0.24219 1.04687,-0.42188 0.32032,-0.1875 0.60157,-0.39844 0.84375,-0.64062 0.34375,-0.35157 0.53907,-0.69532 0.59375,-1.03125 0.0508,-0.33204 -0.0586,-0.62891 -0.32812,-0.89063 -0.23047,-0.22656 -0.48047,-0.33203 -0.75,-0.3125 -0.26172,0.0117 -0.57813,0.14844 -0.95313,0.40625 l -0.46875,0.3125 c -0.5625,0.375 -1.03906,0.57422 -1.4375,0.59375 -0.40625,0.0234 -0.78906,-0.14453 -1.15625,-0.5 -0.40625,-0.39453 -0.58593,-0.85937 -0.54687,-1.39062 0.0312,-0.53125 0.29687,-1.05469 0.79687,-1.57813 0.21875,-0.21875 0.46485,-0.42187 0.73438,-0.60937 0.26172,-0.1875 0.54687,-0.35938 0.85937,-0.51563 z m 0,0"
+ id="path3217"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 385.19141,338.17578 c -0.30079,0.30469 -0.41407,0.66797 -0.34375,1.09375 0.0625,0.41797 0.30859,0.82813 0.73437,1.23438 0.41797,0.41796 0.83203,0.65625 1.25,0.71875 0.41406,0.0547 0.77344,-0.0781 1.07813,-0.39063 0.30078,-0.3125 0.42187,-0.67578 0.35937,-1.09375 -0.0625,-0.41406 -0.30469,-0.83203 -0.71875,-1.25 -0.42969,-0.40625 -0.85156,-0.63281 -1.26562,-0.6875 -0.42579,-0.0625 -0.78907,0.0625 -1.09375,0.375 z m -0.48438,-0.46875 c 0.49219,-0.50781 1.04297,-0.75 1.65625,-0.71875 0.60156,0.0312 1.19531,0.32813 1.78125,0.89063 0.57031,0.5625 0.87891,1.15234 0.92188,1.76562 0.0508,0.60547 -0.16797,1.16406 -0.65625,1.67188 -0.49219,0.5 -1.04297,0.73437 -1.65625,0.70312 -0.60157,-0.0391 -1.19141,-0.34375 -1.76563,-0.90625 -0.58203,-0.5625 -0.89453,-1.14453 -0.9375,-1.75 -0.0508,-0.60156 0.16797,-1.15625 0.65625,-1.65625 z m 0,0"
+ id="path3219"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 382.96094,339.85156 0.54687,0.54688 c -0.23828,0.0859 -0.46094,0.19531 -0.67187,0.32812 -0.21875,0.13672 -0.42188,0.29688 -0.60938,0.48438 -0.28125,0.29297 -0.4414,0.55468 -0.48437,0.78125 -0.0508,0.21875 0.0117,0.41797 0.1875,0.59375 0.13672,0.13672 0.28906,0.1875 0.45312,0.15625 0.16797,-0.0312 0.44531,-0.16407 0.82813,-0.40625 l 0.23437,-0.15625 c 0.5,-0.32032 0.91016,-0.48828 1.23438,-0.5 0.32031,-0.0195 0.6289,0.10547 0.92187,0.375 0.32031,0.32422 0.45313,0.71093 0.39063,1.15625 -0.0547,0.44922 -0.30469,0.89843 -0.75,1.34375 -0.1875,0.19922 -0.40235,0.38281 -0.64063,0.54687 -0.23047,0.16797 -0.49609,0.32813 -0.79687,0.48438 l -0.59375,-0.57813 c 0.32422,-0.11328 0.61328,-0.24219 0.875,-0.39062 0.25781,-0.15625 0.48828,-0.33203 0.6875,-0.53125 0.25781,-0.26953 0.41406,-0.52344 0.46875,-0.76563 0.0508,-0.25 -0.008,-0.45703 -0.17188,-0.625 -0.15625,-0.15625 -0.33594,-0.21875 -0.53125,-0.1875 -0.1875,0.0234 -0.49609,0.17188 -0.92187,0.45313 l -0.23438,0.17187 c -0.42578,0.29297 -0.79687,0.4375 -1.10937,0.4375 -0.3125,0 -0.60938,-0.13281 -0.89063,-0.40625 -0.32031,-0.3125 -0.45703,-0.67187 -0.40625,-1.07812 0.043,-0.41407 0.27344,-0.83594 0.6875,-1.26563 0.21875,-0.21875 0.4375,-0.40625 0.65625,-0.5625 0.21094,-0.16406 0.42188,-0.30078 0.64063,-0.40625 z m 0,0"
+ id="path3221"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 381.10156,342.64062 c -0.10156,0.0312 -0.19531,0.0781 -0.28125,0.14063 -0.0937,0.0547 -0.1875,0.125 -0.28125,0.21875 -0.32031,0.33594 -0.45703,0.69531 -0.40625,1.07812 0.043,0.38672 0.26172,0.77344 0.65625,1.15625 l 1.85938,1.8125 -0.57813,0.57813 -3.53125,-3.4375 0.57813,-0.57813 0.54687,0.53125 c -0.0937,-0.34375 -0.0937,-0.66015 0,-0.95312 0.0859,-0.28906 0.26172,-0.57031 0.53125,-0.84375 0.043,-0.0508 0.0899,-0.0977 0.14063,-0.14063 0.0547,-0.0391 0.10937,-0.0859 0.17187,-0.14062 z m 0,0"
+ id="path3223"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 376.81641,346.76953 c -0.30079,0.30469 -0.41407,0.66797 -0.34375,1.09375 0.0625,0.41797 0.30859,0.82813 0.73437,1.23438 0.41797,0.41796 0.83203,0.65625 1.25,0.71875 0.41406,0.0547 0.77344,-0.0781 1.07813,-0.39063 0.30078,-0.3125 0.42187,-0.67578 0.35937,-1.09375 -0.0625,-0.41406 -0.30469,-0.83203 -0.71875,-1.25 -0.42969,-0.40625 -0.85156,-0.63281 -1.26562,-0.6875 -0.42579,-0.0625 -0.78907,0.0625 -1.09375,0.375 z m -0.48438,-0.46875 c 0.49219,-0.50781 1.04297,-0.75 1.65625,-0.71875 0.60156,0.0312 1.19531,0.32813 1.78125,0.89063 0.57031,0.5625 0.87891,1.15234 0.92188,1.76562 0.0508,0.60547 -0.16797,1.16406 -0.65625,1.67188 -0.49219,0.5 -1.04297,0.73437 -1.65625,0.70312 -0.60157,-0.0391 -1.19141,-0.34375 -1.76563,-0.90625 -0.58203,-0.5625 -0.89453,-1.14453 -0.9375,-1.75 -0.0508,-0.60156 0.16797,-1.15625 0.65625,-1.65625 z m 0,0"
+ id="path3225"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 373.53516,347.69141 0.67187,0.65625 c -0.40625,0.0312 -0.77344,0.12109 -1.10937,0.26562 -0.34375,0.14844 -0.64454,0.35156 -0.90625,0.60938 -0.51954,0.54296 -0.75391,1.12109 -0.70313,1.73437 0.043,0.60547 0.375,1.20313 1,1.79688 0.61719,0.60546 1.22656,0.92968 1.82813,0.96875 0.61328,0.0312 1.17968,-0.22266 1.70312,-0.76563 0.25781,-0.25781 0.45703,-0.55469 0.59375,-0.89062 0.14453,-0.34375 0.22266,-0.72266 0.23438,-1.14063 l 0.67187,0.65625 c -0.0742,0.375 -0.19531,0.72656 -0.35937,1.04688 -0.15625,0.3125 -0.375,0.60937 -0.65625,0.89062 -0.6875,0.71094 -1.45313,1.05859 -2.29688,1.04688 -0.83203,-0.0195 -1.625,-0.39844 -2.375,-1.14063 -0.75781,-0.72656 -1.15625,-1.50781 -1.1875,-2.34375 -0.0391,-0.84375 0.28125,-1.61719 0.96875,-2.32812 0.28125,-0.28125 0.58594,-0.50782 0.90625,-0.6875 0.32422,-0.17579 0.66406,-0.30079 1.01563,-0.375 z m 0,0"
+ id="path3227"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3229">
+ <use
+ xlink:href="#glyph74-1"
+ x="410.81885"
+ y="318.11923"
+ id="use3231"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3233">
+ <use
+ xlink:href="#glyph74-2"
+ x="408.72614"
+ y="320.26877"
+ id="use3235"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3237">
+ <use
+ xlink:href="#glyph75-1"
+ x="405.23608"
+ y="323.85101"
+ id="use3239"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3241">
+ <use
+ xlink:href="#glyph76-1"
+ x="402.44464"
+ y="326.71603"
+ id="use3243"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3245">
+ <use
+ xlink:href="#glyph77-1"
+ x="399.65323"
+ y="329.58102"
+ id="use3247"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3249">
+ <use
+ xlink:href="#glyph78-1"
+ x="398.25751"
+ y="331.01352"
+ id="use3251"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3253">
+ <use
+ xlink:href="#glyph79-1"
+ x="394.76828"
+ y="334.59473"
+ id="use3255"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3257">
+ <use
+ xlink:href="#glyph79-2"
+ x="391.27902"
+ y="338.17593"
+ id="use3259"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3261">
+ <use
+ xlink:href="#glyph80-1"
+ x="389.88333"
+ y="339.60843"
+ id="use3263"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3265">
+ <use
+ xlink:href="#glyph77-2"
+ x="386.39407"
+ y="343.18964"
+ id="use3267"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3269">
+ <use
+ xlink:href="#glyph76-2"
+ x="383.60266"
+ y="346.05463"
+ id="use3271"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3273">
+ <use
+ xlink:href="#glyph81-1"
+ x="381.50912"
+ y="348.20337"
+ id="use3275"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3277">
+ <use
+ xlink:href="#glyph79-3"
+ x="378.01987"
+ y="351.78458"
+ id="use3279"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3281">
+ <use
+ xlink:href="#glyph77-3"
+ x="373.83279"
+ y="356.08203"
+ id="use3283"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 282.375,121.01172 -3,-6.34375 0.92187,-0.0781 2.5,5.35938 1.64063,-5.6875 0.92187,-0.0625 -1.98437,6.73437 z m 0,0"
+ id="path3285"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 286.24609,115.77734 0.8125,-0.0625 0.39063,4.90625 -0.8125,0.0625 z m -0.14062,-1.92187 0.8125,-0.0625 0.0781,1.03125 -0.8125,0.0625 z m 0,0"
+ id="path3287"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 290.66016,117.88672 c -0.63672,0.043 -1.07813,0.14844 -1.32813,0.3125 -0.24219,0.16797 -0.34375,0.43359 -0.3125,0.79687 0.0195,0.28125 0.12891,0.5 0.32813,0.65625 0.20703,0.15625 0.47265,0.22657 0.79687,0.20313 0.4375,-0.0312 0.78125,-0.21094 1.03125,-0.54688 0.25,-0.34375 0.35156,-0.78125 0.3125,-1.3125 l -0.0156,-0.17187 z m 1.59375,-0.45313 0.21875,2.79688 -0.8125,0.0625 -0.0625,-0.75 c -0.15625,0.3125 -0.3711,0.55469 -0.64063,0.71875 -0.26172,0.15625 -0.58594,0.25 -0.96875,0.28125 -0.5,0.043 -0.91406,-0.0664 -1.23437,-0.32813 -0.32422,-0.25781 -0.5,-0.6289 -0.53125,-1.10937 -0.043,-0.55078 0.10937,-0.97656 0.45312,-1.28125 0.34375,-0.30078 0.875,-0.48438 1.59375,-0.54688 l 1.14063,-0.0781 0,-0.0781 c -0.0312,-0.375 -0.17969,-0.65625 -0.4375,-0.84375 -0.26172,-0.1875 -0.60938,-0.25781 -1.04688,-0.21875 -0.28125,0.0234 -0.55469,0.0781 -0.8125,0.17188 -0.26172,0.0859 -0.50781,0.19922 -0.73437,0.34375 l -0.0469,-0.75 c 0.28125,-0.13281 0.55469,-0.23828 0.82813,-0.3125 0.28125,-0.082 0.54687,-0.13281 0.79687,-0.15625 0.70703,-0.0508 1.25,0.0937 1.625,0.4375 0.38281,0.34375 0.60938,0.89062 0.67188,1.64062 z m 0,0"
+ id="path3289"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 295.14062,113.43359 1.1875,-0.0937 3.32813,5.23438 -0.4375,-5.46875 0.85937,-0.0625 0.51563,6.54687 -1.1875,0.0937 -3.3125,-5.25 0.42187,5.46875 -0.85937,0.0781 z m 0,0"
+ id="path3291"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 303.13672,115.01172 c -0.41797,0.0312 -0.74219,0.23047 -0.96875,0.59375 -0.23047,0.35547 -0.32031,0.82422 -0.26563,1.40625 0.0391,0.58594 0.19532,1.03906 0.46875,1.35937 0.28125,0.32422 0.63282,0.46485 1.0625,0.42188 0.4375,-0.0312 0.76563,-0.22266 0.98438,-0.57813 0.22656,-0.36328 0.32031,-0.83593 0.28125,-1.42187 -0.0547,-0.57031 -0.21875,-1.01953 -0.5,-1.34375 -0.27344,-0.32031 -0.625,-0.46875 -1.0625,-0.4375 z m -0.0469,-0.6875 c 0.70703,-0.0508 1.28125,0.13672 1.71875,0.5625 0.4375,0.42969 0.6875,1.04297 0.75,1.84375 0.0625,0.80469 -0.0898,1.44922 -0.45312,1.9375 -0.36719,0.49219 -0.90235,0.76172 -1.60938,0.8125 -0.6875,0.0547 -1.25,-0.12891 -1.6875,-0.54688 -0.4375,-0.42578 -0.6875,-1.03906 -0.75,-1.84375 -0.0625,-0.80078 0.0859,-1.44531 0.45313,-1.9375 0.36328,-0.5 0.89062,-0.77343 1.57812,-0.82812 z m 0,0"
+ id="path3293"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 306.04297,112.29688 0.8125,-0.0625 0.53125,6.82812 -0.8125,0.0625 z m 0,0"
+ id="path3295"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 312.57031,116 0.0312,0.375 -3.70312,0.28125 c 0.0703,0.55469 0.26953,0.96484 0.59375,1.23438 0.32031,0.27343 0.74218,0.38671 1.26562,0.34375 0.3125,-0.0312 0.60938,-0.0937 0.89063,-0.1875 0.28906,-0.0937 0.57812,-0.22657 0.85937,-0.40625 l 0.0625,0.76562 c -0.28125,0.14844 -0.57422,0.26172 -0.875,0.34375 -0.30469,0.0859 -0.60937,0.14063 -0.92187,0.17188 -0.77344,0.0625 -1.40625,-0.11329 -1.90625,-0.53125 -0.49219,-0.42579 -0.76563,-1.02344 -0.82813,-1.79688 -0.0625,-0.80078 0.10156,-1.45703 0.5,-1.96875 0.39453,-0.50781 0.95703,-0.79687 1.6875,-0.85937 0.66406,-0.0391 1.20703,0.13671 1.625,0.53125 0.41406,0.39843 0.65625,0.96484 0.71875,1.70312 z m -0.84375,-0.1875 c -0.043,-0.4375 -0.19531,-0.78125 -0.45312,-1.03125 -0.26172,-0.25 -0.58985,-0.35937 -0.98438,-0.32812 -0.44922,0.043 -0.79687,0.20312 -1.04687,0.48437 -0.25,0.27344 -0.375,0.64063 -0.375,1.10938 z m 0,0"
+ id="path3297"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3299">
+ <use
+ xlink:href="#glyph82-1"
+ x="279.81058"
+ y="121.21381"
+ id="use3301"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3303">
+ <use
+ xlink:href="#glyph83-1"
+ x="285.7923"
+ y="120.7458"
+ id="use3305"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3307">
+ <use
+ xlink:href="#glyph84-1"
+ x="287.78619"
+ y="120.58981"
+ id="use3309"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3311">
+ <use
+ xlink:href="#glyph85-1"
+ x="292.77097"
+ y="120.19981"
+ id="use3313"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3315">
+ <use
+ xlink:href="#glyph86-1"
+ x="294.76486"
+ y="120.0438"
+ id="use3317"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3319">
+ <use
+ xlink:href="#glyph87-1"
+ x="300.74658"
+ y="119.57581"
+ id="use3321"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3323">
+ <use
+ xlink:href="#glyph83-2"
+ x="305.73135"
+ y="119.1858"
+ id="use3325"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3327">
+ <use
+ xlink:href="#glyph84-2"
+ x="307.72525"
+ y="119.0298"
+ id="use3329"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 128.26953,218.125 -3.26562,-6.21875 0.92187,-0.10938 2.71875,5.23438 1.40625,-5.73438 0.90625,-0.10937 -1.70312,6.82812 z m 0,0"
+ id="path3331"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 131.91406,212.73437 0.79688,-0.10937 0.59375,4.89062 -0.79688,0.10938 z m -0.21875,-1.90625 0.79688,-0.10937 0.10937,1.03125 -0.79687,0.10937 z m 0,0"
+ id="path3333"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 136.41406,214.65234 c -0.64844,0.0859 -1.08984,0.21485 -1.32812,0.39063 -0.24219,0.17969 -0.33594,0.44922 -0.28125,0.8125 0.0312,0.27344 0.14843,0.48047 0.35937,0.625 0.21875,0.14844 0.48828,0.20312 0.8125,0.17187 0.44531,-0.0625 0.78516,-0.26562 1.01563,-0.60937 0.22656,-0.34375 0.30468,-0.78125 0.23437,-1.3125 l -0.0156,-0.17188 z m 1.5625,-0.53125 0.34375,2.79688 -0.8125,0.0937 -0.0937,-0.75 c -0.14844,0.32422 -0.35156,0.57422 -0.60937,0.75 -0.25,0.17969 -0.57422,0.28906 -0.96875,0.32812 -0.5,0.0625 -0.91797,-0.0234 -1.25,-0.26562 -0.32422,-0.25 -0.51172,-0.60938 -0.5625,-1.07813 -0.0625,-0.55078 0.0664,-0.98828 0.39062,-1.3125 0.33203,-0.33203 0.86328,-0.53906 1.59375,-0.625 l 1.125,-0.14062 0,-0.0781 c -0.0547,-0.36328 -0.21094,-0.6289 -0.46875,-0.79687 -0.26172,-0.17578 -0.61719,-0.23828 -1.0625,-0.1875 -0.28125,0.0312 -0.55469,0.10156 -0.8125,0.20312 -0.26172,0.0937 -0.49609,0.22657 -0.70312,0.39063 l -0.0937,-0.75 c 0.26953,-0.14453 0.53906,-0.26563 0.8125,-0.35938 0.26953,-0.0937 0.53515,-0.15625 0.79687,-0.1875 0.69531,-0.082 1.24219,0.043 1.64063,0.375 0.40625,0.32422 0.64843,0.85547 0.73437,1.59375 z m 0,0"
+ id="path3335"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 143.16016,216.32812 -3.26563,-6.21875 0.92188,-0.10937 2.71875,5.23437 1.40625,-5.73437 0.90625,-0.10938 -1.70313,6.82813 z m 0,0"
+ id="path3337"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 146.80469,210.9375 0.79687,-0.10938 0.59375,4.89063 -0.79687,0.10937 z m -0.21875,-1.90625 0.79687,-0.10938 0.10938,1.03125 -0.79688,0.10938 z m 0,0"
+ id="path3339"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 149.07031,213.66797 -0.35937,-2.96875 0.79687,-0.0937 0.35938,2.9375 c 0.0508,0.46094 0.17968,0.79297 0.39062,1 0.21875,0.21094 0.50391,0.29297 0.85938,0.25 0.42578,-0.0508 0.75,-0.22656 0.96875,-0.53125 0.21875,-0.30078 0.30078,-0.69141 0.25,-1.17188 l -0.34375,-2.78125 0.8125,-0.0937 0.59375,4.89063 -0.8125,0.0937 -0.0937,-0.75 c -0.15625,0.3125 -0.35547,0.55859 -0.59375,0.73437 -0.24219,0.17969 -0.53125,0.28907 -0.875,0.32813 -0.5625,0.0625 -1.01172,-0.0625 -1.34375,-0.375 -0.32422,-0.3125 -0.52735,-0.80078 -0.60938,-1.46875 z m 1.64063,-3.32813 z m -0.4375,-2.125 1.42187,1.48438 -0.65625,0.0937 -1.625,-1.46875 z m 0,0"
+ id="path3341"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3343">
+ <use
+ xlink:href="#glyph88-1"
+ x="125.70532"
+ y="218.43729"
+ id="use3345"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3347">
+ <use
+ xlink:href="#glyph89-1"
+ x="131.66211"
+ y="217.71849"
+ id="use3349"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3351">
+ <use
+ xlink:href="#glyph90-1"
+ x="133.64771"
+ y="217.4789"
+ id="use3353"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3355">
+ <use
+ xlink:href="#glyph91-1"
+ x="138.61169"
+ y="216.8799"
+ id="use3357"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3359">
+ <use
+ xlink:href="#glyph92-1"
+ x="140.59729"
+ y="216.6403"
+ id="use3361"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3363">
+ <use
+ xlink:href="#glyph93-1"
+ x="146.55409"
+ y="215.92151"
+ id="use3365"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3367">
+ <use
+ xlink:href="#glyph94-1"
+ x="148.53969"
+ y="215.68192"
+ id="use3369"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3401">
+ <use
+ xlink:href="#glyph99-1"
+ x="1.80948"
+ y="131.25571"
+ id="use3403"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 126.47656,364.00781 c -0.0859,-0.63672 -0.21484,-1.07422 -0.39062,-1.3125 -0.17969,-0.23047 -0.44922,-0.32031 -0.8125,-0.26562 -0.28125,0.0391 -0.4961,0.16406 -0.64063,0.375 -0.13672,0.21875 -0.18359,0.48828 -0.14062,0.8125 0.0625,0.4375 0.26953,0.76953 0.625,1 0.35156,0.22656 0.79687,0.30468 1.32812,0.23437 l 0.15625,-0.0312 z m 0.57813,1.5625 -2.78125,0.39063 -0.10938,-0.79688 0.75,-0.10937 c -0.33593,-0.14844 -0.58984,-0.35157 -0.76562,-0.60938 -0.17969,-0.25 -0.29688,-0.57031 -0.35938,-0.95312 -0.0625,-0.5 0.0234,-0.91797 0.26563,-1.25 0.23828,-0.32422 0.59375,-0.52344 1.0625,-0.59375 0.55078,-0.0742 0.98828,0.0508 1.3125,0.375 0.33203,0.32031 0.54687,0.84375 0.64062,1.5625 l 0.17188,1.14062 0.0781,0 c 0.375,-0.0547 0.64063,-0.21875 0.79688,-0.5 0.16406,-0.27344 0.21875,-0.63281 0.15625,-1.07812 -0.043,-0.27344 -0.11719,-0.53907 -0.21875,-0.79688 -0.10547,-0.25 -0.23438,-0.48437 -0.39063,-0.70312 l 0.73438,-0.10938 c 0.15625,0.28125 0.28125,0.55469 0.375,0.82813 0.0937,0.26953 0.16015,0.53125 0.20312,0.78125 0.0937,0.70703 -0.0156,1.25781 -0.32812,1.65625 -0.3125,0.40625 -0.84375,0.66015 -1.59375,0.76562 z m 0,0"
+ id="path3417"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 127.99609,357.15625 0.54688,3.79687 -0.73438,0.10938 -3.92187,-2.53125 0.42187,3.01562 -0.64062,0.0937 -0.5625,-3.90625 0.73437,-0.10937 3.92188,2.51562 -0.40625,-2.89062 z m 0,0"
+ id="path3419"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 127.44141,353.19531 0.54687,3.79688 -0.73437,0.10937 -3.92188,-2.53125 0.42188,3.01563 -0.64063,0.0937 -0.5625,-3.90625 0.73438,-0.10938 3.92187,2.51563 -0.40625,-2.89063 z m 0,0"
+ id="path3421"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 125.13672,353.07422 -0.375,0.0625 -0.51563,-3.6875 c -0.55468,0.10156 -0.95312,0.32812 -1.20312,0.67187 -0.24219,0.34375 -0.32031,0.77344 -0.23438,1.29688 0.0391,0.3125 0.11719,0.60156 0.23438,0.875 0.11328,0.28125 0.25781,0.55469 0.4375,0.82812 l -0.75,0.10938 c -0.15625,-0.28125 -0.29297,-0.57031 -0.40625,-0.85938 -0.10547,-0.29297 -0.17969,-0.59375 -0.21875,-0.90625 -0.10547,-0.77343 0.0352,-1.41797 0.42187,-1.9375 0.38282,-0.51172 0.96094,-0.82031 1.73438,-0.92187 0.80078,-0.11719 1.46875,0.004 2,0.35937 0.53125,0.36328 0.84766,0.91016 0.95312,1.64063 0.0937,0.66406 -0.0469,1.21875 -0.42187,1.65625 -0.36719,0.4375 -0.91797,0.70703 -1.65625,0.8125 z m 0.14062,-0.84375 c 0.4375,-0.0742 0.76563,-0.2461 0.98438,-0.51563 0.22656,-0.27343 0.31641,-0.60547 0.26562,-1 -0.0625,-0.44922 -0.24218,-0.79297 -0.53125,-1.03125 -0.28125,-0.23047 -0.66406,-0.33593 -1.14062,-0.3125 z m 0,0"
+ id="path3423"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 124.73438,347.95312 -2.9375,0.42188 -0.10938,-0.8125 2.90625,-0.40625 c 0.46875,-0.0742 0.80078,-0.21484 1,-0.42188 0.20703,-0.19921 0.28516,-0.48046 0.23438,-0.84375 -0.0625,-0.4375 -0.25,-0.76171 -0.5625,-0.96875 -0.30469,-0.21093 -0.69532,-0.28125 -1.17188,-0.21875 l -2.75,0.39063 -0.125,-0.8125 4.875,-0.6875 0.125,0.8125 -0.76562,0.10937 c 0.3125,0.15625 0.5625,0.34766 0.75,0.57813 0.1875,0.23828 0.30468,0.53125 0.35937,0.875 0.0703,0.55078 -0.0469,0.99219 -0.35937,1.32812 -0.3125,0.34375 -0.80469,0.5625 -1.46875,0.65625 z m 0,0"
+ id="path3425"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 123.27734,341.24219 c -0.0937,-0.63672 -0.23437,-1.07422 -0.42187,-1.3125 -0.17969,-0.23047 -0.44922,-0.32032 -0.8125,-0.26563 -0.28125,0.0391 -0.49219,0.17188 -0.625,0.39063 -0.13672,0.21875 -0.18359,0.48437 -0.14063,0.79687 0.0703,0.44531 0.28125,0.78125 0.625,1 0.35157,0.21875 0.78907,0.28906 1.3125,0.21875 l 0.17188,-0.0312 z m 0.57813,1.5625 -2.78125,0.40625 -0.125,-0.8125 0.73437,-0.10938 c -0.3125,-0.13672 -0.5625,-0.33594 -0.75,-0.59375 -0.17968,-0.25 -0.29687,-0.57031 -0.35937,-0.95312 -0.0742,-0.5 0.008,-0.91797 0.25,-1.25 0.23828,-0.33594 0.59375,-0.53125 1.0625,-0.59375 0.53906,-0.0859 0.97656,0.0351 1.3125,0.35937 0.33203,0.32031 0.55469,0.84375 0.67187,1.5625 l 0.15625,1.125 0.0781,-0.0156 c 0.36328,-0.0547 0.62891,-0.21485 0.79687,-0.48438 0.16407,-0.27344 0.21875,-0.63281 0.15625,-1.07812 -0.043,-0.27344 -0.11718,-0.53907 -0.21875,-0.79688 -0.10546,-0.25 -0.24609,-0.48437 -0.42187,-0.70312 l 0.75,-0.10938 c 0.15625,0.28125 0.28125,0.55469 0.375,0.82813 0.10156,0.26953 0.17578,0.53125 0.21875,0.78125 0.10156,0.70703 -0.008,1.25781 -0.32813,1.65625 -0.3125,0.40625 -0.83984,0.66406 -1.57812,0.78125 z m 0,0"
+ id="path3427"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 125.09375,336.6875 0.10938,0.8125 -4.875,0.71875 -0.10938,-0.8125 z m 1.89063,-0.28125 0.10937,0.8125 -1.01562,0.15625 -0.10938,-0.8125 z m 0,0"
+ id="path3429"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 125.38672,332.53516 -2.4375,0.35937 0.17187,1.10938 c 0.0625,0.40625 0.21094,0.70312 0.45313,0.89062 0.25,0.19531 0.56641,0.26563 0.95312,0.20313 0.38282,-0.0547 0.66407,-0.21094 0.84375,-0.46875 0.1875,-0.25 0.25,-0.57813 0.1875,-0.98438 z m 0.60937,-0.98438 0.29688,1.98438 c 0.10156,0.71875 0.0156,1.28906 -0.26563,1.71875 -0.27343,0.42578 -0.72656,0.6875 -1.35937,0.78125 -0.63672,0.0937 -1.14844,-0.0274 -1.53125,-0.35938 -0.38672,-0.33594 -0.63281,-0.85937 -0.73438,-1.57812 l -0.17187,-1.10938 -2.60938,0.39063 -0.125,-0.875 z m 0,0"
+ id="path3431"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 121.24219,327.39062 c -0.0937,-0.63671 -0.23438,-1.07421 -0.42188,-1.3125 -0.17968,-0.23046 -0.44922,-0.32031 -0.8125,-0.26562 -0.28125,0.0391 -0.49218,0.17187 -0.625,0.39062 -0.13672,0.21875 -0.18359,0.48438 -0.14062,0.79688 0.0703,0.44531 0.28125,0.78125 0.625,1 0.35156,0.21875 0.78906,0.28906 1.3125,0.21875 l 0.17187,-0.0312 z m 0.57812,1.5625 -2.78125,0.40625 -0.125,-0.8125 0.73438,-0.10937 c -0.3125,-0.13672 -0.5625,-0.33594 -0.75,-0.59375 -0.17969,-0.25 -0.29688,-0.57031 -0.35938,-0.95313 -0.0742,-0.5 0.008,-0.91796 0.25,-1.25 0.23828,-0.33593 0.59375,-0.53125 1.0625,-0.59375 0.53907,-0.0859 0.97657,0.0352 1.3125,0.35938 0.33203,0.32031 0.55469,0.84375 0.67188,1.5625 l 0.15625,1.125 0.0781,-0.0156 c 0.36328,-0.0547 0.62891,-0.21484 0.79688,-0.48437 0.16406,-0.27344 0.21875,-0.63281 0.15625,-1.07813 -0.043,-0.27343 -0.11719,-0.53906 -0.21875,-0.79687 -0.10547,-0.25 -0.2461,-0.48438 -0.42188,-0.70313 l 0.75,-0.10937 c 0.15625,0.28125 0.28125,0.55469 0.375,0.82812 0.10157,0.26954 0.17578,0.53125 0.21875,0.78125 0.10157,0.70704 -0.008,1.25782 -0.32812,1.65625 -0.3125,0.40625 -0.83985,0.66407 -1.57813,0.78125 z m 0,0"
+ id="path3433"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 123.0625,322.83594 0.10938,0.8125 -4.875,0.71875 -0.10938,-0.8125 z m 1.89063,-0.28125 0.10937,0.8125 -1.01562,0.15625 -0.10938,-0.8125 z m 0,0"
+ id="path3435"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 117.56641,319.33594 6.14062,-3.42188 0.125,0.90625 -5.17187,2.85938 5.78125,1.26562 0.125,0.90625 -6.85938,-1.51562 z m 0,0"
+ id="path3437"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3439">
+ <use
+ xlink:href="#glyph102-1"
+ x="123.61703"
+ y="361.30563"
+ id="use3441"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3443">
+ <use
+ xlink:href="#glyph103-1"
+ x="123.06046"
+ y="357.34454"
+ id="use3445"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3447">
+ <use
+ xlink:href="#glyph104-1"
+ x="122.5039"
+ y="353.38345"
+ id="use3449"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3451">
+ <use
+ xlink:href="#glyph105-1"
+ x="121.8082"
+ y="348.43207"
+ id="use3453"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3455">
+ <use
+ xlink:href="#glyph106-1"
+ x="121.1095"
+ y="343.48349"
+ id="use3457"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3459">
+ <use
+ xlink:href="#glyph107-1"
+ x="120.38598"
+ y="338.5556"
+ id="use3461"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3463">
+ <use
+ xlink:href="#glyph108-1"
+ x="120.09544"
+ y="336.57681"
+ id="use3465"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3467">
+ <use
+ xlink:href="#glyph109-1"
+ x="119.36918"
+ y="331.62985"
+ id="use3469"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3471">
+ <use
+ xlink:href="#glyph110-1"
+ x="119.07864"
+ y="329.65106"
+ id="use3473"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3475">
+ <use
+ xlink:href="#glyph111-1"
+ x="118.35238"
+ y="324.7041"
+ id="use3477"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3479">
+ <use
+ xlink:href="#glyph110-2"
+ x="118.06184"
+ y="322.72531"
+ id="use3481"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3483">
+ <use
+ xlink:href="#glyph109-2"
+ x="117.19033"
+ y="316.78894"
+ id="use3485"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 642.88672,241.97656 c -0.17969,-0.61719 -0.3711,-1.02734 -0.57813,-1.23437 -0.21093,-0.21094 -0.49218,-0.26172 -0.84375,-0.15625 -0.27343,0.0703 -0.46484,0.22265 -0.57812,0.45312 -0.10547,0.22656 -0.11719,0.5 -0.0312,0.8125 0.125,0.42578 0.375,0.72656 0.75,0.90625 0.375,0.17578 0.8164,0.19141 1.32812,0.0469 l 0.17188,-0.0469 z m 0.76562,1.48438 -2.70312,0.76562 -0.21875,-0.79687 0.71875,-0.20313 c -0.34375,-0.0937 -0.6211,-0.25781 -0.82813,-0.48437 -0.21093,-0.23047 -0.37109,-0.53125 -0.48437,-0.90625 -0.13672,-0.49219 -0.10938,-0.91797 0.0781,-1.28125 0.19532,-0.35547 0.52344,-0.59375 0.98438,-0.71875 0.53125,-0.15625 0.97656,-0.0937 1.34375,0.1875 0.375,0.28125 0.66015,0.76953 0.85937,1.46875 l 0.3125,1.09375 0.0781,-0.0312 c 0.36328,-0.10547 0.60937,-0.30469 0.73437,-0.59375 0.125,-0.28125 0.12891,-0.63672 0.0156,-1.0625 -0.0859,-0.27344 -0.19531,-0.52735 -0.32813,-0.76563 -0.13672,-0.24219 -0.30468,-0.45312 -0.5,-0.64062 l 0.73438,-0.20313 c 0.1875,0.25 0.34375,0.5 0.46875,0.75 0.13281,0.25781 0.23828,0.51563 0.3125,0.76563 0.19531,0.67578 0.16015,1.23437 -0.10938,1.67187 -0.26172,0.44531 -0.75,0.77344 -1.46875,0.98438 z m 0,0"
+ id="path3487"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 644.08984,237.23828 0.21875,0.78125 -4.73437,1.34375 -0.21875,-0.78125 z m 1.84375,-0.53125 0.21875,0.78125 -0.98437,0.28125 -0.21875,-0.78125 z m 0,0"
+ id="path3489"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 643.33203,237.30859 c 0.0195,-0.10547 0.0234,-0.21484 0.0156,-0.32812 -0.0117,-0.10547 -0.0391,-0.21875 -0.0781,-0.34375 -0.125,-0.44922 -0.36719,-0.75 -0.71875,-0.90625 -0.34375,-0.14844 -0.78125,-0.14063 -1.3125,0.0156 l -2.5,0.70313 -0.21875,-0.78125 4.73438,-1.34375 0.21875,0.78125 -0.73438,0.20312 c 0.34375,0.082 0.61719,0.23438 0.82813,0.45313 0.21875,0.22656 0.3789,0.53125 0.48437,0.90625 0.0195,0.0625 0.0352,0.125 0.0469,0.1875 0.008,0.0625 0.0195,0.13281 0.0312,0.21875 z m 0,0"
+ id="path3491"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 640.49219,233.60547 c 0.57031,-0.16797 0.98437,-0.41406 1.23437,-0.73438 0.25781,-0.32422 0.33203,-0.6875 0.21875,-1.09375 -0.125,-0.41797 -0.38672,-0.69922 -0.78125,-0.84375 -0.38672,-0.14843 -0.86719,-0.13672 -1.4375,0.0312 -0.57422,0.16407 -0.99219,0.41016 -1.25,0.73438 -0.25,0.32031 -0.3125,0.6914 -0.1875,1.10937 0.11328,0.40625 0.36328,0.67969 0.75,0.82813 0.39453,0.14453 0.87891,0.13281 1.45313,-0.0312 z m 0.89062,-3.10938 c 0.33203,0.082 0.60156,0.22657 0.8125,0.4375 0.21875,0.21875 0.375,0.5 0.46875,0.84375 0.16406,0.57032 0.0664,1.10157 -0.29687,1.59375 -0.36719,0.48828 -0.91797,0.83594 -1.65625,1.04688 -0.74219,0.20703 -1.39063,0.19531 -1.95313,-0.0312 -0.55469,-0.23047 -0.91406,-0.63281 -1.07812,-1.20313 -0.0937,-0.34375 -0.10938,-0.66406 -0.0469,-0.95312 0.0625,-0.28125 0.20703,-0.54688 0.4375,-0.79688 l -0.70312,0.20313 -0.21875,-0.78125 6.57812,-1.875 0.21875,0.78125 z m 0,0"
+ id="path3493"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 639.84766,225.80469 c 0.39453,0.0937 0.71875,0.25 0.96875,0.46875 0.25,0.22656 0.42578,0.52343 0.53125,0.89062 0.14453,0.48828 0.0781,0.91016 -0.20313,1.26563 -0.27344,0.36328 -0.72656,0.64062 -1.35937,0.82812 l -2.85938,0.8125 -0.21875,-0.78125 2.82813,-0.79687 c 0.45703,-0.13672 0.76953,-0.3125 0.9375,-0.53125 0.17578,-0.21875 0.21875,-0.4961 0.125,-0.82813 -0.11719,-0.40625 -0.34375,-0.6875 -0.6875,-0.84375 -0.33594,-0.15625 -0.73047,-0.17187 -1.1875,-0.0469 l -2.67188,0.76562 -0.21875,-0.78125 2.82813,-0.79687 c 0.45703,-0.13672 0.76953,-0.32032 0.9375,-0.54688 0.17578,-0.21875 0.21875,-0.49219 0.125,-0.8125 -0.11719,-0.40625 -0.34375,-0.6875 -0.6875,-0.84375 -0.33594,-0.15625 -0.73047,-0.17187 -1.1875,-0.0469 l -2.67188,0.76562 -0.21875,-0.78125 4.73438,-1.34375 0.21875,0.78125 -0.73438,0.20313 c 0.34375,0.0937 0.61719,0.24218 0.82813,0.45312 0.21875,0.21875 0.375,0.5 0.46875,0.84375 0.10156,0.34375 0.0976,0.65625 -0.0156,0.9375 -0.10547,0.28906 -0.30859,0.54688 -0.60937,0.76563 z m 0,0"
+ id="path3495"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 639.85937,215.64453 0.20313,0.85938 -3.875,0.92187 c -0.6875,0.16406 -1.15234,0.41016 -1.39063,0.73438 -0.24218,0.32031 -0.29296,0.75781 -0.15625,1.3125 0.13282,0.5625 0.37891,0.92578 0.73438,1.09375 0.35156,0.16406 0.875,0.16406 1.5625,0 l 3.875,-0.92188 0.21875,0.89063 -3.96875,0.95312 c -0.83594,0.19531 -1.51563,0.14063 -2.04688,-0.17187 -0.52343,-0.3125 -0.88281,-0.8711 -1.07812,-1.67188 -0.1875,-0.8125 -0.12109,-1.47656 0.20312,-1.98437 0.33204,-0.51172 0.91407,-0.86719 1.75,-1.0625 z m 0,0"
+ id="path3497"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 636.83594,211.25 c -0.0742,-0.41797 -0.29688,-0.72656 -0.67188,-0.92188 -0.375,-0.1875 -0.85547,-0.23437 -1.4375,-0.14062 -0.57422,0.10156 -1.01172,0.30469 -1.3125,0.60937 -0.29297,0.30079 -0.40234,0.66407 -0.32812,1.09375 0.0703,0.4375 0.29687,0.75 0.67187,0.9375 0.38281,0.1875 0.86328,0.22657 1.4375,0.125 0.57031,-0.0937 1.00391,-0.29296 1.29688,-0.59375 0.30078,-0.30468 0.41406,-0.67187 0.34375,-1.10937 z m 0.67187,-0.125 c 0.11328,0.69531 -0.0234,1.28125 -0.40625,1.75 -0.375,0.47656 -0.96484,0.78516 -1.76562,0.92187 -0.79297,0.13282 -1.44922,0.0391 -1.96875,-0.28125 -0.52344,-0.3125 -0.83985,-0.82031 -0.95313,-1.51562 -0.125,-0.6875 0.004,-1.26563 0.39063,-1.73438 0.38281,-0.46875 0.97265,-0.77343 1.76562,-0.90625 0.80078,-0.13281 1.45703,-0.0469 1.96875,0.26563 0.51953,0.3125 0.84375,0.8125 0.96875,1.5 z m 0,0"
+ id="path3499"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 636.78516,208.44922 -0.76563,0.14062 c 0.0703,-0.24218 0.11328,-0.49218 0.125,-0.75 0.0195,-0.25 0.008,-0.5 -0.0312,-0.75 -0.0625,-0.40625 -0.17187,-0.69922 -0.32812,-0.875 -0.15625,-0.16797 -0.35547,-0.23047 -0.59375,-0.1875 -0.1875,0.0312 -0.32422,0.11719 -0.40625,0.26563 -0.0742,0.15625 -0.125,0.46094 -0.15625,0.92187 l -0.0156,0.28125 c -0.0234,0.59375 -0.125,1.02344 -0.3125,1.29688 -0.17969,0.26953 -0.46094,0.4375 -0.84375,0.5 -0.46094,0.082 -0.85156,-0.0312 -1.17187,-0.34375 -0.32422,-0.3125 -0.53907,-0.78125 -0.64063,-1.40625 -0.043,-0.27344 -0.0625,-0.54688 -0.0625,-0.82813 0,-0.28125 0.0234,-0.58984 0.0781,-0.92187 l 0.8125,-0.14063 c -0.10547,0.32032 -0.17188,0.62891 -0.20313,0.92188 -0.0234,0.30078 -0.0117,0.59375 0.0312,0.875 0.0625,0.36328 0.17578,0.64062 0.34375,0.82812 0.16406,0.1875 0.36719,0.25782 0.60938,0.21875 0.21875,-0.043 0.36718,-0.14843 0.45312,-0.3125 0.0937,-0.16797 0.14844,-0.50781 0.17188,-1.01562 l 0.0156,-0.29688 c 0.0195,-0.5 0.11719,-0.88281 0.29688,-1.14062 0.17578,-0.26172 0.45703,-0.42188 0.84375,-0.48438 0.44531,-0.0703 0.82031,0.0273 1.125,0.29688 0.30078,0.28125 0.5039,0.71875 0.60937,1.3125 0.0508,0.28906 0.0781,0.57031 0.0781,0.84375 0,0.28125 -0.0234,0.53125 -0.0625,0.75 z m 0,0"
+ id="path3501"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 635.62109,205.33594 c 0.0312,-0.10547 0.0469,-0.21485 0.0469,-0.32813 0.008,-0.10547 0.004,-0.22656 -0.0156,-0.35937 -0.0859,-0.44922 -0.29297,-0.76563 -0.625,-0.95313 -0.32422,-0.1875 -0.75781,-0.23437 -1.29687,-0.14062 l -2.5625,0.4375 -0.14063,-0.8125 4.84375,-0.82813 0.14063,0.8125 -0.75,0.125 c 0.32031,0.11328 0.57812,0.28906 0.76562,0.53125 0.1875,0.25 0.3125,0.5625 0.375,0.9375 0.008,0.0625 0.0156,0.12891 0.0156,0.20313 0.008,0.0703 0.0156,0.14843 0.0156,0.23437 z m 0,0"
+ id="path3503"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 634.80859,199.42187 c -0.0742,-0.41796 -0.29687,-0.72656 -0.67187,-0.92187 -0.375,-0.1875 -0.85547,-0.23438 -1.4375,-0.14063 -0.57422,0.10157 -1.01172,0.30469 -1.3125,0.60938 -0.29297,0.30078 -0.40235,0.66406 -0.32813,1.09375 0.0703,0.4375 0.29688,0.75 0.67188,0.9375 0.38281,0.1875 0.86328,0.22656 1.4375,0.125 0.57031,-0.0937 1.0039,-0.29297 1.29687,-0.59375 0.30078,-0.30469 0.41407,-0.67188 0.34375,-1.10938 z m 0.67188,-0.125 c 0.11328,0.69532 -0.0234,1.28125 -0.40625,1.75 -0.375,0.47657 -0.96485,0.78516 -1.76563,0.92188 -0.79297,0.13281 -1.44922,0.0391 -1.96875,-0.28125 -0.52343,-0.3125 -0.83984,-0.82031 -0.95312,-1.51563 -0.125,-0.6875 0.004,-1.26562 0.39062,-1.73437 0.38282,-0.46875 0.97266,-0.77344 1.76563,-0.90625 0.80078,-0.13281 1.45703,-0.0469 1.96875,0.26562 0.51953,0.3125 0.84375,0.8125 0.96875,1.5 z m 0,0"
+ id="path3505"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:1"
+ d="m 635.98437,196.22656 -0.92187,0.17188 c 0.21875,-0.35547 0.36719,-0.71094 0.45312,-1.0625 0.082,-0.35547 0.0937,-0.71485 0.0312,-1.07813 -0.125,-0.74219 -0.44921,-1.27344 -0.96875,-1.59375 -0.52343,-0.3125 -1.21093,-0.39844 -2.0625,-0.25 -0.85546,0.14453 -1.47656,0.45313 -1.85937,0.92188 -0.38672,0.46875 -0.51563,1.07031 -0.39063,1.8125 0.0625,0.36328 0.1875,0.70312 0.375,1.01562 0.19532,0.3125 0.46094,0.59375 0.79688,0.84375 l -0.92188,0.17188 c -0.26171,-0.28125 -0.47656,-0.58594 -0.64062,-0.90625 -0.16797,-0.32422 -0.28125,-0.67969 -0.34375,-1.0625 -0.16797,-0.98047 0,-1.80469 0.5,-2.46875 0.5,-0.65625 1.26953,-1.07422 2.3125,-1.25 1.03906,-0.1875 1.91016,-0.0508 2.60937,0.40625 0.69532,0.46875 1.12891,1.1914 1.29688,2.17187 0.0625,0.38281 0.0703,0.75391 0.0312,1.10938 -0.043,0.36328 -0.14063,0.71093 -0.29688,1.04687 z m 0,0"
+ id="path3507"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3509">
+ <use
+ xlink:href="#glyph112-1"
+ x="639.66937"
+ y="239.69347"
+ id="use3511"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3513">
+ <use
+ xlink:href="#glyph113-1"
+ x="639.12085"
+ y="237.77014"
+ id="use3515"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3517">
+ <use
+ xlink:href="#glyph114-1"
+ x="638.29932"
+ y="234.88483"
+ id="use3519"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3521">
+ <use
+ xlink:href="#glyph115-1"
+ x="636.93018"
+ y="230.07593"
+ id="use3523"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3525">
+ <use
+ xlink:href="#glyph116-1"
+ x="634.7395"
+ y="222.38171"
+ id="use3527"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3529">
+ <use
+ xlink:href="#glyph117-1"
+ x="633.29803"
+ y="216.40916"
+ id="use3531"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3533">
+ <use
+ xlink:href="#glyph118-1"
+ x="632.9129"
+ y="214.21043"
+ id="use3535"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3537">
+ <use
+ xlink:href="#glyph119-1"
+ x="632.06873"
+ y="209.28221"
+ id="use3539"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3541">
+ <use
+ xlink:href="#glyph120-1"
+ x="631.39331"
+ y="205.33966"
+ id="use3543"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3545">
+ <use
+ xlink:href="#glyph121-1"
+ x="630.88672"
+ y="202.38274"
+ id="use3547"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3549">
+ <use
+ xlink:href="#glyph122-1"
+ x="630.04248"
+ y="197.45453"
+ id="use3551"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#000000;fill-opacity:1"
+ id="g3553">
+ <use
+ xlink:href="#glyph123-1"
+ x="629.02942"
+ y="191.54066"
+ id="use3555"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3639">
+ <use
+ xlink:href="#glyph134-1"
+ x="579.24017"
+ y="446.39255"
+ id="use3641"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3659" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 501.41016,368.55078 0.54687,0.59375 -5.01562,4.65625 -0.54688,-0.59375 z m 0,0"
+ id="path3663"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 500.04687,367.08594 0.54688,0.59375 -5.01563,4.65625 -0.54687,-0.59375 z m 0,0"
+ id="path3665"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 496.44531,369.35547 -0.29687,0.26562 -2.53125,-2.73437 c -0.375,0.39844 -0.57032,0.80469 -0.57813,1.23437 -0.0117,0.42578 0.16406,0.83203 0.53125,1.21875 0.20703,0.22657 0.4375,0.42188 0.6875,0.57813 0.25781,0.16406 0.54688,0.30469 0.85938,0.42187 l -0.5625,0.51563 c -0.29297,-0.13672 -0.57032,-0.29688 -0.82813,-0.48438 -0.25,-0.17968 -0.48047,-0.38281 -0.6875,-0.60937 -0.53125,-0.57422 -0.78906,-1.1836 -0.76562,-1.82813 0.0312,-0.64453 0.32812,-1.23437 0.89062,-1.76562 0.59375,-0.55078 1.20703,-0.82813 1.84375,-0.82813 0.64453,-0.008 1.21875,0.25782 1.71875,0.79688 0.45703,0.49219 0.66016,1.02344 0.60938,1.59375 -0.0547,0.58203 -0.35157,1.125 -0.89063,1.625 z m -0.375,-0.76563 c 0.3125,-0.30468 0.48438,-0.63672 0.51563,-1 0.0391,-0.35156 -0.0742,-0.67578 -0.34375,-0.96875 -0.3125,-0.33203 -0.65625,-0.50781 -1.03125,-0.53125 -0.36719,-0.0195 -0.73438,0.10938 -1.10938,0.39063 z m 0,0"
+ id="path3667"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 490.15625,359.25391 0.5625,0.59375 -2.125,3.34375 3.48437,-1.875 0.65625,0.70312 -2.125,3.35938 3.5,-1.875 0.54688,0.59375 -4.48438,2.40625 -0.65625,-0.71875 2.23438,-3.5 -3.67188,1.95312 -0.64062,-0.70312 z m 0,0"
+ id="path3669"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 487.97656,357.69531 c -0.29297,-0.3125 -0.65234,-0.4414 -1.07812,-0.39062 -0.42969,0.043 -0.85938,0.26172 -1.29688,0.65625 -0.42969,0.39843 -0.68359,0.80078 -0.76562,1.21875 -0.0742,0.41406 0.0391,0.78515 0.34375,1.10937 0.28906,0.32031 0.64453,0.45703 1.0625,0.40625 0.42578,-0.0547 0.85156,-0.27734 1.28125,-0.67187 0.42578,-0.39844 0.67968,-0.80469 0.76562,-1.21875 0.082,-0.41407 -0.0234,-0.78516 -0.3125,-1.10938 z m 0.5,-0.46875 c 0.47656,0.52344 0.67969,1.08594 0.60938,1.6875 -0.0625,0.60156 -0.39063,1.17969 -0.98438,1.73438 -0.58594,0.55078 -1.18359,0.83203 -1.79687,0.84375 -0.60547,0.0195 -1.14844,-0.23047 -1.625,-0.75 -0.48047,-0.51172 -0.6875,-1.07032 -0.625,-1.67188 0.0703,-0.60156 0.39843,-1.17969 0.98437,-1.73437 0.59375,-0.55078 1.19141,-0.83203 1.79688,-0.84375 0.61328,-0.0195 1.16015,0.22656 1.64062,0.73437 z m 0,0"
+ id="path3671"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 484.98047,352.3125 -1.8125,1.6875 0.76562,0.82812 c 0.26953,0.28907 0.5625,0.44532 0.875,0.46875 0.3125,0.0195 0.61328,-0.10156 0.90625,-0.35937 0.28125,-0.26953 0.42188,-0.5625 0.42188,-0.875 0.008,-0.32031 -0.1211,-0.62891 -0.39063,-0.92188 z m -0.0625,-1.14063 1.35937,1.46875 c 0.48828,0.53125 0.73828,1.05469 0.75,1.5625 0.0195,0.51172 -0.20312,0.98438 -0.67187,1.42188 -0.48047,0.4375 -0.96875,0.625 -1.46875,0.5625 -0.5,-0.0547 -0.9961,-0.34375 -1.48438,-0.875 l -0.76562,-0.82813 -1.9375,1.79688 -0.59375,-0.64063 z m 0,0"
+ id="path3673"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 479.83203,351.1875 1.60938,1.73437 -0.53125,0.48438 -1.60938,-1.73438 z m 0,0"
+ id="path3675"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 479.58984,350.72656 -2.17187,2.01563 -0.5625,-0.59375 2.15625,-2 c 0.34375,-0.3125 0.53906,-0.61719 0.59375,-0.90625 0.0508,-0.28907 -0.043,-0.57032 -0.28125,-0.84375 -0.30469,-0.32032 -0.64844,-0.47657 -1.03125,-0.46875 -0.375,0 -0.73438,0.16406 -1.07813,0.48437 l -2.04687,1.89063 -0.5625,-0.59375 3.60937,-3.34375 0.5625,0.59375 -0.5625,0.51562 c 0.35157,-0.0508 0.67188,-0.0312 0.95313,0.0625 0.28906,0.0859 0.55078,0.25 0.78125,0.5 0.38281,0.41797 0.54687,0.85547 0.48437,1.3125 -0.0625,0.45703 -0.34375,0.91406 -0.84375,1.375 z m 0,0"
+ id="path3677"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 476.05078,347.35547 -0.29687,0.26562 -2.53125,-2.73437 c -0.375,0.39844 -0.57032,0.80469 -0.57813,1.23437 -0.0117,0.42578 0.16406,0.83203 0.53125,1.21875 0.20703,0.22657 0.4375,0.42188 0.6875,0.57813 0.25781,0.16406 0.54688,0.30469 0.85938,0.42187 l -0.5625,0.51563 c -0.29297,-0.13672 -0.57032,-0.29688 -0.82813,-0.48438 -0.25,-0.17968 -0.48047,-0.38281 -0.6875,-0.60937 -0.53125,-0.57422 -0.78906,-1.1836 -0.76562,-1.82813 0.0312,-0.64453 0.32812,-1.23437 0.89062,-1.76562 0.59375,-0.55078 1.20703,-0.82813 1.84375,-0.82813 0.64453,-0.008 1.21875,0.25782 1.71875,0.79688 0.45703,0.49219 0.66016,1.02344 0.60938,1.59375 -0.0547,0.58203 -0.35157,1.125 -0.89063,1.625 z m -0.375,-0.76563 c 0.3125,-0.30468 0.48438,-0.63672 0.51563,-1 0.0391,-0.35156 -0.0742,-0.67578 -0.34375,-0.96875 -0.3125,-0.33203 -0.65625,-0.50781 -1.03125,-0.53125 -0.36719,-0.0195 -0.73438,0.10938 -1.10938,0.39063 z m 0,0"
+ id="path3679"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="M 473.07812,341.94141 475,340.08203 l 0.5625,0.57813 -4.92188,4.76562 -0.5625,-0.57812 0.53125,-0.51563 c -0.33593,0.082 -0.64062,0.0781 -0.92187,-0.0156 -0.28125,-0.0859 -0.54688,-0.25 -0.79688,-0.5 -0.41796,-0.42969 -0.58593,-0.94532 -0.5,-1.54688 0.082,-0.60156 0.39844,-1.17187 0.95313,-1.70312 0.55078,-0.53907 1.12891,-0.84375 1.73437,-0.90625 0.60157,-0.0625 1.11329,0.12109 1.53125,0.54687 0.25,0.25 0.41016,0.52344 0.48438,0.8125 0.0703,0.29297 0.0664,0.60156 -0.0156,0.92188 z m -3.15625,-0.78125 c -0.42968,0.40625 -0.67968,0.8164 -0.75,1.23437 -0.0742,0.41406 0.0352,0.77344 0.32813,1.07813 0.30078,0.3125 0.66016,0.4375 1.07812,0.375 0.41407,-0.0625 0.83594,-0.29688 1.26563,-0.70313 0.42578,-0.41797 0.67578,-0.82812 0.75,-1.23437 0.0703,-0.41407 -0.043,-0.78125 -0.34375,-1.09375 -0.29297,-0.30079 -0.64844,-0.42188 -1.0625,-0.35938 -0.41797,0.0547 -0.83984,0.28906 -1.26563,0.70313 z m 0,0"
+ id="path3681"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 467.60156,339.05469 c -0.5,-0.40625 -0.89844,-0.62891 -1.1875,-0.67188 -0.28125,-0.0508 -0.54297,0.0625 -0.78125,0.34375 -0.17969,0.21094 -0.24609,0.4375 -0.20312,0.6875 0.0391,0.25781 0.1875,0.49219 0.4375,0.70313 0.34375,0.28125 0.71875,0.38281 1.125,0.3125 0.41406,-0.0742 0.78906,-0.32032 1.125,-0.73438 l 0.10937,-0.125 z m 1.48438,0.76562 -1.78125,2.17188 -0.64063,-0.51563 0.46875,-0.57812 c -0.33594,0.11328 -0.65234,0.13281 -0.95312,0.0625 -0.29297,-0.0625 -0.59375,-0.21875 -0.90625,-0.46875 -0.38672,-0.32422 -0.60547,-0.6875 -0.65625,-1.09375 -0.0547,-0.40625 0.0703,-0.78907 0.375,-1.15625 0.35156,-0.42578 0.75781,-0.62891 1.21875,-0.60938 0.46875,0.0117 0.98437,0.25 1.54687,0.71875 l 0.875,0.71875 0.0625,-0.0625 c 0.22656,-0.28125 0.3125,-0.57812 0.25,-0.89062 -0.0547,-0.32032 -0.25,-0.625 -0.59375,-0.90625 -0.21875,-0.17578 -0.45312,-0.32032 -0.70312,-0.4375 -0.24219,-0.125 -0.4961,-0.20313 -0.76563,-0.23438 l 0.46875,-0.59375 c 0.28906,0.10547 0.5625,0.22656 0.8125,0.35938 0.25781,0.125 0.48828,0.27343 0.6875,0.4375 0.55078,0.44922 0.84766,0.92968 0.89063,1.4375 0.0391,0.51172 -0.17969,1.05468 -0.65625,1.64062 z m 0,0"
+ id="path3683"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 462.38672,333.89844 -1.53125,1.85937 1.10937,0.90625 c 0.36328,0.30078 0.69532,0.44531 1,0.4375 0.30078,-0.0117 0.58203,-0.17187 0.84375,-0.48437 0.25,-0.3125 0.34766,-0.6211 0.29688,-0.92188 -0.043,-0.29297 -0.2461,-0.58594 -0.60938,-0.89062 z m 1.70312,-2.07813 -1.25,1.51563 1.01563,0.82812 c 0.34375,0.28125 0.64453,0.42969 0.90625,0.4375 0.25781,0.0117 0.5,-0.11328 0.71875,-0.375 0.20703,-0.25 0.28125,-0.5039 0.21875,-0.76562 -0.0547,-0.25782 -0.25,-0.53125 -0.59375,-0.8125 z m -0.20312,-1.125 1.75,1.4375 c 0.51953,0.4375 0.82812,0.88281 0.92187,1.32813 0.10157,0.4375 -0.008,0.85937 -0.32812,1.26562 -0.26172,0.30469 -0.53906,0.48438 -0.82813,0.54688 -0.29297,0.0703 -0.60156,0.0156 -0.92187,-0.17188 0.28125,0.35156 0.42187,0.71875 0.42187,1.09375 0,0.38281 -0.14062,0.75 -0.42187,1.09375 -0.375,0.45703 -0.82031,0.67969 -1.32813,0.67188 -0.51172,-0.0117 -1.05468,-0.25 -1.625,-0.71875 l -1.8125,-1.48438 z m 0,0"
+ id="path3685"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 457.55859,330.80078 c -0.5,-0.40625 -0.89843,-0.62891 -1.1875,-0.67187 -0.28125,-0.0508 -0.54297,0.0625 -0.78125,0.34375 -0.17968,0.21093 -0.24609,0.4375 -0.20312,0.6875 0.0391,0.25781 0.1875,0.49218 0.4375,0.70312 0.34375,0.28125 0.71875,0.38281 1.125,0.3125 0.41406,-0.0742 0.78906,-0.32031 1.125,-0.73437 l 0.10937,-0.125 z m 1.48438,0.76563 -1.78125,2.17187 -0.64063,-0.51562 0.46875,-0.57813 c -0.33593,0.11328 -0.65234,0.13281 -0.95312,0.0625 -0.29297,-0.0625 -0.59375,-0.21875 -0.90625,-0.46875 -0.38672,-0.32422 -0.60547,-0.6875 -0.65625,-1.09375 -0.0547,-0.40625 0.0703,-0.78906 0.375,-1.15625 0.35156,-0.42578 0.75781,-0.62891 1.21875,-0.60937 0.46875,0.0117 0.98437,0.25 1.54687,0.71875 l 0.875,0.71875 0.0625,-0.0625 c 0.22657,-0.28125 0.3125,-0.57813 0.25,-0.89063 -0.0547,-0.32031 -0.25,-0.625 -0.59375,-0.90625 -0.21875,-0.17578 -0.45312,-0.32031 -0.70312,-0.4375 -0.24219,-0.125 -0.4961,-0.20312 -0.76563,-0.23437 l 0.46875,-0.59375 c 0.28907,0.10546 0.5625,0.22656 0.8125,0.35937 0.25782,0.125 0.48828,0.27344 0.6875,0.4375 0.55078,0.44922 0.84766,0.92969 0.89063,1.4375 0.0391,0.51172 -0.17969,1.05469 -0.65625,1.64063 z m 0,0"
+ id="path3687"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 456.57031,325.01953 -0.875,1.07813 1.29688,1.0625 -0.39063,0.48437 -1.29687,-1.0625 -1.70313,2.0625 c -0.26172,0.3125 -0.38672,0.54688 -0.375,0.70313 0.0195,0.16406 0.16016,0.35156 0.42188,0.5625 l 0.64062,0.53125 -0.42187,0.51562 -0.64063,-0.53125 c -0.49219,-0.39844 -0.75,-0.76172 -0.78125,-1.09375 -0.0312,-0.33594 0.14453,-0.73437 0.53125,-1.20312 l 1.70313,-2.0625 -0.45313,-0.375 0.39063,-0.48438 0.45312,0.375 0.875,-1.07812 z m 0,0"
+ id="path3689"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 454.3125,325.12109 -0.48438,0.60938 c -0.11718,-0.22656 -0.25,-0.44141 -0.40625,-0.64063 -0.15625,-0.19531 -0.33593,-0.3789 -0.53125,-0.54687 -0.32421,-0.25 -0.60156,-0.38281 -0.82812,-0.40625 -0.23047,-0.0312 -0.42188,0.0547 -0.57813,0.25 -0.11718,0.14844 -0.15234,0.30469 -0.10937,0.46875 0.0508,0.16797 0.21094,0.42969 0.48437,0.78125 l 0.1875,0.21875 c 0.38282,0.46094 0.59766,0.84765 0.64063,1.17187 0.0508,0.33203 -0.043,0.64844 -0.28125,0.95313 -0.28125,0.36328 -0.64844,0.53515 -1.09375,0.51562 -0.44922,-0.0117 -0.92188,-0.21093 -1.42188,-0.59375 -0.21875,-0.17968 -0.42187,-0.375 -0.60937,-0.59375 -0.1875,-0.21093 -0.38281,-0.44922 -0.57813,-0.71875 l 0.51563,-0.65625 c 0.14453,0.3125 0.30469,0.58203 0.48437,0.8125 0.1875,0.23828 0.39454,0.44532 0.625,0.625 0.28907,0.22657 0.55469,0.35938 0.79688,0.39063 0.23828,0.0312 0.42969,-0.0469 0.57812,-0.23438 0.13282,-0.17968 0.17969,-0.35937 0.14063,-0.54687 -0.043,-0.1875 -0.23047,-0.47656 -0.5625,-0.85938 l -0.17188,-0.23437 c -0.33593,-0.38281 -0.52343,-0.73438 -0.5625,-1.04688 -0.043,-0.3125 0.0547,-0.61718 0.29688,-0.92187 0.28125,-0.36328 0.62891,-0.53906 1.04687,-0.53125 0.41407,0 0.85938,0.1875 1.32813,0.5625 0.23828,0.1875 0.44531,0.38281 0.625,0.57812 0.1875,0.19922 0.34375,0.39844 0.46875,0.59375 z m 0,0"
+ id="path3691"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 450.21094,321.85156 0.67187,0.45313 -2.75,4.07812 -0.67187,-0.45312 z m 1.07812,-1.59375 0.67188,0.45313 -0.57813,0.85937 -0.67187,-0.45312 z m 0,0"
+ id="path3693"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 447.34766,318.82031 -1.39063,2.04688 0.92188,0.625 c 0.34375,0.23047 0.67187,0.32031 0.98437,0.26562 0.3125,-0.0508 0.57031,-0.23828 0.78125,-0.5625 0.22656,-0.32031 0.30469,-0.63281 0.23438,-0.9375 -0.0625,-0.3125 -0.26563,-0.58203 -0.60938,-0.8125 z m -0.32813,-1.09375 1.65625,1.10938 c 0.60156,0.41797 0.96875,0.87109 1.09375,1.35937 0.13281,0.48047 0.0195,0.98438 -0.34375,1.51563 -0.35547,0.54297 -0.78125,0.84375 -1.28125,0.90625 -0.5,0.0625 -1.05469,-0.11328 -1.65625,-0.53125 l -0.92187,-0.625 -1.48438,2.1875 -0.73437,-0.48438 z m 0,0"
+ id="path3695"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3697">
+ <use
+ xlink:href="#glyph139-1"
+ x="495.81451"
+ y="372.58276"
+ id="use3699"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3701">
+ <use
+ xlink:href="#glyph140-1"
+ x="494.45474"
+ y="371.11609"
+ id="use3703"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3705">
+ <use
+ xlink:href="#glyph139-2"
+ x="491.05539"
+ y="367.44946"
+ id="use3707"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3709">
+ <use
+ xlink:href="#glyph141-1"
+ x="486.2963"
+ y="362.31616"
+ id="use3711"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3713">
+ <use
+ xlink:href="#glyph139-3"
+ x="482.89691"
+ y="358.64951"
+ id="use3715"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3717">
+ <use
+ xlink:href="#glyph139-4"
+ x="479.49753"
+ y="354.98288"
+ id="use3719"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3721">
+ <use
+ xlink:href="#glyph142-1"
+ x="477.45792"
+ y="352.7829"
+ id="use3723"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3725">
+ <use
+ xlink:href="#glyph143-1"
+ x="474.05853"
+ y="349.11624"
+ id="use3727"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3729">
+ <use
+ xlink:href="#glyph139-2"
+ x="470.65918"
+ y="345.44962"
+ id="use3731"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3733">
+ <use
+ xlink:href="#glyph144-1"
+ x="467.23386"
+ y="341.90976"
+ id="use3735"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3737">
+ <use
+ xlink:href="#glyph145-1"
+ x="463.66434"
+ y="339.00616"
+ id="use3739"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3741">
+ <use
+ xlink:href="#glyph146-1"
+ x="459.02872"
+ y="335.19681"
+ id="use3743"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3745">
+ <use
+ xlink:href="#glyph147-1"
+ x="457.48361"
+ y="333.92688"
+ id="use3747"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3749">
+ <use
+ xlink:href="#glyph146-2"
+ x="453.62054"
+ y="330.7525"
+ id="use3751"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3753">
+ <use
+ xlink:href="#glyph148-1"
+ x="451.3028"
+ y="328.84775"
+ id="use3755"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3757">
+ <use
+ xlink:href="#glyph149-1"
+ x="448.21783"
+ y="326.43469"
+ id="use3759"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3761">
+ <use
+ xlink:href="#glyph150-1"
+ x="446.75922"
+ y="325.46036"
+ id="use3763"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#212121;fill-opacity:1"
+ id="g3765">
+ <use
+ xlink:href="#glyph151-1"
+ x="442.61493"
+ y="322.66302"
+ id="use3767"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 345.90625,184.54687 -0.29688,1.5625 c -0.46875,-0.47656 -0.96875,-0.83203 -1.5,-1.0625 -0.52343,-0.22656 -1.08984,-0.34375 -1.70312,-0.34375 -0.83594,0 -1.57031,0.20313 -2.20313,0.60938 -0.625,0.39844 -1.16796,1.00781 -1.625,1.82812 -0.29296,0.53125 -0.51562,1.09375 -0.67187,1.6875 -0.15625,0.58594 -0.23438,1.17188 -0.23438,1.76563 0,0.99219 0.25391,1.75 0.76563,2.28125 0.51953,0.52344 1.26953,0.78125 2.25,0.78125 0.67578,0 1.32812,-0.10938 1.95312,-0.32813 0.625,-0.21875 1.23438,-0.54687 1.82813,-0.98437 l -0.34375,1.75 c -0.58594,0.25 -1.17188,0.4375 -1.76563,0.5625 -0.59375,0.13281 -1.1875,0.20312 -1.78125,0.20312 -1.39843,0 -2.49218,-0.3789 -3.28125,-1.14062 -0.79296,-0.76953 -1.1875,-1.83203 -1.1875,-3.1875 0,-0.86328 0.14844,-1.71875 0.45313,-2.5625 0.30078,-0.84375 0.73437,-1.60938 1.29687,-2.29688 0.59375,-0.73828 1.26954,-1.28515 2.03125,-1.64062 0.76954,-0.35156 1.66016,-0.53125 2.67188,-0.53125 0.625,0 1.21875,0.0898 1.78125,0.26562 0.5625,0.17969 1.08203,0.4375 1.5625,0.78125 z m 0,0"
+ id="path3769"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 352.70312,189.8125 c 0.008,-0.082 0.0195,-0.16406 0.0312,-0.25 0.008,-0.082 0.0156,-0.16406 0.0156,-0.25 0,-0.59375 -0.17969,-1.0625 -0.53125,-1.40625 -0.34375,-0.35156 -0.82031,-0.53125 -1.42188,-0.53125 -0.66796,0 -1.26171,0.21484 -1.78125,0.64062 -0.51171,0.42969 -0.89843,1.02735 -1.15625,1.79688 z m 1.17188,1.04687 -6.28125,0 c -0.0234,0.1875 -0.0391,0.33985 -0.0469,0.45313 -0.0117,0.10547 -0.0156,0.19531 -0.0156,0.26562 0,0.67969 0.20703,1.20313 0.625,1.57813 0.41406,0.36719 1.00391,0.54687 1.76562,0.54687 0.58204,0 1.13282,-0.0625 1.65625,-0.1875 0.53125,-0.13281 1.01954,-0.32812 1.46875,-0.57812 l -0.26562,1.32812 c -0.48047,0.19922 -0.98047,0.34375 -1.5,0.4375 -0.51172,0.10157 -1.03125,0.15625 -1.5625,0.15625 -1.13672,0 -2.01172,-0.26953 -2.625,-0.8125 -0.61719,-0.55078 -0.92188,-1.32812 -0.92188,-2.32812 0,-0.85156 0.14844,-1.64453 0.45313,-2.375 0.3125,-0.73828 0.75781,-1.39453 1.34375,-1.96875 0.38281,-0.36328 0.83594,-0.64453 1.35937,-0.84375 0.53125,-0.19531 1.08594,-0.29688 1.67188,-0.29688 0.9375,0 1.67578,0.28125 2.21875,0.84375 0.55078,0.55469 0.82812,1.29688 0.82812,2.23438 0,0.23047 -0.0156,0.47656 -0.0469,0.73437 -0.0312,0.25 -0.0742,0.52344 -0.125,0.8125 z m 0,0"
+ id="path3771"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 362.84375,189.6875 -0.96875,4.95312 -1.34375,0 0.95312,-4.90625 c 0.0391,-0.22656 0.0703,-0.42578 0.0937,-0.59375 0.0312,-0.17578 0.0469,-0.3164 0.0469,-0.42187 0,-0.41406 -0.13281,-0.73828 -0.39063,-0.96875 -0.26171,-0.22656 -0.62109,-0.34375 -1.07812,-0.34375 -0.73047,0 -1.35547,0.24609 -1.875,0.73437 -0.52344,0.48047 -0.85938,1.13282 -1.01563,1.95313 l -0.90625,4.54687 -1.34375,0 1.57813,-8.20312 1.35937,0 -0.28125,1.28125 c 0.375,-0.46875 0.82813,-0.83203 1.35938,-1.09375 0.53125,-0.25781 1.08594,-0.39063 1.67187,-0.39063 0.71875,0 1.27344,0.19922 1.67188,0.59375 0.39453,0.38672 0.59375,0.9336 0.59375,1.64063 0,0.17969 -0.0117,0.37109 -0.0312,0.57812 -0.0234,0.19922 -0.0547,0.41407 -0.0937,0.64063 z m 0,0"
+ id="path3773"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 369.82812,186.4375 -0.20312,1.04687 -2.6875,0 -0.875,4.45313 c -0.0312,0.16797 -0.0586,0.30859 -0.0781,0.42187 -0.0117,0.11719 -0.0156,0.20313 -0.0156,0.26563 0,0.3125 0.0937,0.54297 0.28125,0.6875 0.1875,0.13672 0.48828,0.20312 0.90625,0.20312 l 1.375,0 -0.23438,1.125 -1.29687,0 c -0.79297,0 -1.38672,-0.15625 -1.78125,-0.46875 -0.39844,-0.3125 -0.59375,-0.78515 -0.59375,-1.42187 0,-0.11328 0.004,-0.23828 0.0156,-0.375 0.0195,-0.13281 0.0469,-0.28125 0.0781,-0.4375 l 0.875,-4.45313 -1.15625,0 0.21875,-1.04687 1.125,0 0.45312,-2.32813 1.34375,0 -0.45312,2.32813 z m 0,0"
+ id="path3775"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 375.17187,187.6875 c -0.13671,-0.0703 -0.29296,-0.12891 -0.46875,-0.17188 -0.17968,-0.0391 -0.36718,-0.0625 -0.5625,-0.0625 -0.71875,0 -1.35156,0.27735 -1.89062,0.82813 -0.53125,0.54297 -0.88672,1.26562 -1.0625,2.17187 l -0.82813,4.1875 -1.34375,0 1.59375,-8.20312 1.35938,0 -0.26563,1.28125 c 0.35157,-0.47656 0.78125,-0.84375 1.28125,-1.09375 0.5,-0.25781 1.03125,-0.39063 1.59375,-0.39063 0.14454,0 0.28516,0.0117 0.42188,0.0312 0.14453,0.0234 0.28516,0.0469 0.42187,0.0781 z m 0,0"
+ id="path3777"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 378.29687,194.85937 c -0.96875,0 -1.73437,-0.29687 -2.29687,-0.89062 -0.55469,-0.59375 -0.82813,-1.40625 -0.82813,-2.4375 0,-0.59375 0.0937,-1.19531 0.28125,-1.8125 0.19532,-0.625 0.45313,-1.14453 0.76563,-1.5625 0.47656,-0.65625 1.01562,-1.14063 1.60937,-1.45313 0.59375,-0.3125 1.26954,-0.46875 2.03125,-0.46875 0.92579,0 1.67579,0.29297 2.25,0.875 0.57032,0.58594 0.85938,1.34375 0.85938,2.28125 0,0.64844 -0.0937,1.29297 -0.28125,1.9375 -0.1875,0.64844 -0.4375,1.1836 -0.75,1.60938 -0.48047,0.65625 -1.01563,1.14062 -1.60938,1.45312 -0.59375,0.3125 -1.27343,0.46875 -2.03125,0.46875 z m -1.71875,-3.375 c 0,0.75 0.14844,1.3086 0.45313,1.67188 0.3125,0.36719 0.78516,0.54687 1.42187,0.54687 0.89454,0 1.64063,-0.39062 2.23438,-1.17187 0.59375,-0.78906 0.89062,-1.78906 0.89062,-3 0,-0.70703 -0.16406,-1.24219 -0.48437,-1.60938 -0.3125,-0.36328 -0.77734,-0.54687 -1.39063,-0.54687 -0.51171,0 -0.96484,0.12109 -1.35937,0.35937 -0.38672,0.24219 -0.73438,0.60157 -1.04688,1.07813 -0.23046,0.36719 -0.40625,0.78125 -0.53125,1.25 -0.125,0.46094 -0.1875,0.93359 -0.1875,1.42187 z m 0,0"
+ id="path3779"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 324.01562,200.70312 3.42188,0 c 1,0 1.75781,0.23438 2.28125,0.70313 0.51953,0.46094 0.78125,1.13672 0.78125,2.03125 0,1.19922 -0.38672,2.13672 -1.15625,2.8125 -0.77344,0.66797 -1.85547,1 -3.25,1 l -1.85938,0 -0.85937,4.39062 -1.48438,0 z m 1.25,1.21875 -0.79687,4.10938 1.85937,0 c 0.84375,0 1.48829,-0.21094 1.9375,-0.64063 0.44532,-0.4375 0.67188,-1.05078 0.67188,-1.84375 0,-0.51953 -0.15234,-0.92187 -0.45313,-1.20312 -0.30468,-0.28125 -0.73046,-0.42188 -1.28125,-0.42188 z m 0,0"
+ id="path3781"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 333.23437,200.25 1.34375,0 -0.32812,1.70312 -1.34375,0 z m -0.625,3.1875 1.35938,0 -1.60938,8.20312 -1.34375,0 z m 0,0"
+ id="path3783"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 341.70312,206.8125 c 0.008,-0.082 0.0195,-0.16406 0.0312,-0.25 0.008,-0.082 0.0156,-0.16406 0.0156,-0.25 0,-0.59375 -0.17969,-1.0625 -0.53125,-1.40625 -0.34375,-0.35156 -0.82031,-0.53125 -1.42188,-0.53125 -0.66796,0 -1.26171,0.21484 -1.78125,0.64062 -0.51171,0.42969 -0.89843,1.02735 -1.15625,1.79688 z m 1.17188,1.04687 -6.28125,0 c -0.0234,0.1875 -0.0391,0.33985 -0.0469,0.45313 -0.0117,0.10547 -0.0156,0.19531 -0.0156,0.26562 0,0.67969 0.20703,1.20313 0.625,1.57813 0.41406,0.36719 1.00391,0.54687 1.76562,0.54687 0.58204,0 1.13282,-0.0625 1.65625,-0.1875 0.53125,-0.13281 1.01954,-0.32812 1.46875,-0.57812 l -0.26562,1.32812 c -0.48047,0.19922 -0.98047,0.34375 -1.5,0.4375 -0.51172,0.10157 -1.03125,0.15625 -1.5625,0.15625 -1.13672,0 -2.01172,-0.26953 -2.625,-0.8125 -0.61719,-0.55078 -0.92188,-1.32812 -0.92188,-2.32812 0,-0.85156 0.14844,-1.64453 0.45313,-2.375 0.3125,-0.73828 0.75781,-1.39453 1.34375,-1.96875 0.38281,-0.36328 0.83594,-0.64453 1.35937,-0.84375 0.53125,-0.19531 1.08594,-0.29688 1.67188,-0.29688 0.9375,0 1.67578,0.28125 2.21875,0.84375 0.55078,0.55469 0.82812,1.29688 0.82812,2.23438 0,0.23047 -0.0156,0.47656 -0.0469,0.73437 -0.0312,0.25 -0.0742,0.52344 -0.125,0.8125 z m 0,0"
+ id="path3785"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 350.17187,204.6875 c -0.13671,-0.0703 -0.29296,-0.12891 -0.46875,-0.17188 -0.17968,-0.0391 -0.36718,-0.0625 -0.5625,-0.0625 -0.71875,0 -1.35156,0.27735 -1.89062,0.82813 -0.53125,0.54297 -0.88672,1.26562 -1.0625,2.17187 l -0.82813,4.1875 -1.34375,0 1.59375,-8.20312 1.35938,0 -0.26563,1.28125 c 0.35157,-0.47656 0.78125,-0.84375 1.28125,-1.09375 0.5,-0.25781 1.03125,-0.39063 1.59375,-0.39063 0.14454,0 0.28516,0.0117 0.42188,0.0312 0.14453,0.0234 0.28516,0.0469 0.42187,0.0781 z m 0,0"
+ id="path3787"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 353.29687,211.85937 c -0.96875,0 -1.73437,-0.29687 -2.29687,-0.89062 -0.55469,-0.59375 -0.82813,-1.40625 -0.82813,-2.4375 0,-0.59375 0.0937,-1.19531 0.28125,-1.8125 0.19532,-0.625 0.45313,-1.14453 0.76563,-1.5625 0.47656,-0.65625 1.01562,-1.14063 1.60937,-1.45313 0.59375,-0.3125 1.26954,-0.46875 2.03125,-0.46875 0.92579,0 1.67579,0.29297 2.25,0.875 0.57032,0.58594 0.85938,1.34375 0.85938,2.28125 0,0.64844 -0.0937,1.29297 -0.28125,1.9375 -0.1875,0.64844 -0.4375,1.1836 -0.75,1.60938 -0.48047,0.65625 -1.01563,1.14062 -1.60938,1.45312 -0.59375,0.3125 -1.27343,0.46875 -2.03125,0.46875 z m -1.71875,-3.375 c 0,0.75 0.14844,1.3086 0.45313,1.67188 0.3125,0.36719 0.78516,0.54687 1.42187,0.54687 0.89454,0 1.64063,-0.39062 2.23438,-1.17187 0.59375,-0.78906 0.89062,-1.78906 0.89062,-3 0,-0.70703 -0.16406,-1.24219 -0.48437,-1.60938 -0.3125,-0.36328 -0.77734,-0.54687 -1.39063,-0.54687 -0.51171,0 -0.96484,0.12109 -1.35937,0.35937 -0.38672,0.24219 -0.73438,0.60157 -1.04688,1.07813 -0.23046,0.36719 -0.40625,0.78125 -0.53125,1.25 -0.125,0.46094 -0.1875,0.93359 -0.1875,1.42187 z m 0,0"
+ id="path3789"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 368.75,210.40625 c -0.35547,0.48047 -0.78125,0.84375 -1.28125,1.09375 -0.49219,0.23828 -1.03906,0.35937 -1.64063,0.35937 -0.82421,0 -1.47656,-0.28125 -1.95312,-0.84375 -0.46875,-0.5625 -0.70313,-1.32812 -0.70313,-2.29687 0,-0.8125 0.14063,-1.58203 0.42188,-2.3125 0.28906,-0.73828 0.71094,-1.39844 1.26562,-1.98438 0.36329,-0.38281 0.76954,-0.67578 1.21875,-0.875 0.45704,-0.20703 0.9375,-0.3125 1.4375,-0.3125 0.51954,0 0.98438,0.13282 1.39063,0.39063 0.40625,0.25 0.71875,0.61719 0.9375,1.09375 l 0.875,-4.46875 1.35937,0 -2.21875,11.39062 -1.35937,0 z m -4.17188,-1.9375 c 0,0.71094 0.15625,1.26172 0.46875,1.65625 0.32032,0.39844 0.76563,0.59375 1.32813,0.59375 0.42578,0 0.81641,-0.0977 1.17187,-0.29688 0.36329,-0.20703 0.67969,-0.5039 0.95313,-0.89062 0.28906,-0.41406 0.51562,-0.89063 0.67187,-1.42188 0.16407,-0.53906 0.25,-1.07031 0.25,-1.59375 0,-0.67578 -0.16406,-1.20312 -0.48437,-1.57812 -0.3125,-0.38281 -0.75,-0.57813 -1.3125,-0.57813 -0.42969,0 -0.82422,0.10157 -1.1875,0.29688 -0.36719,0.19922 -0.67969,0.48437 -0.9375,0.85937 -0.28125,0.40625 -0.50781,0.88282 -0.67188,1.42188 -0.16796,0.53125 -0.25,1.04297 -0.25,1.53125 z m 0,0"
+ id="path3791"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 378.70312,206.8125 c 0.008,-0.082 0.0195,-0.16406 0.0312,-0.25 0.008,-0.082 0.0156,-0.16406 0.0156,-0.25 0,-0.59375 -0.17969,-1.0625 -0.53125,-1.40625 -0.34375,-0.35156 -0.82031,-0.53125 -1.42188,-0.53125 -0.66796,0 -1.26171,0.21484 -1.78125,0.64062 -0.51171,0.42969 -0.89843,1.02735 -1.15625,1.79688 z m 1.17188,1.04687 -6.28125,0 c -0.0234,0.1875 -0.0391,0.33985 -0.0469,0.45313 -0.0117,0.10547 -0.0156,0.19531 -0.0156,0.26562 0,0.67969 0.20703,1.20313 0.625,1.57813 0.41406,0.36719 1.00391,0.54687 1.76562,0.54687 0.58204,0 1.13282,-0.0625 1.65625,-0.1875 0.53125,-0.13281 1.01954,-0.32812 1.46875,-0.57812 l -0.26562,1.32812 c -0.48047,0.19922 -0.98047,0.34375 -1.5,0.4375 -0.51172,0.10157 -1.03125,0.15625 -1.5625,0.15625 -1.13672,0 -2.01172,-0.26953 -2.625,-0.8125 -0.61719,-0.55078 -0.92188,-1.32812 -0.92188,-2.32812 0,-0.85156 0.14844,-1.64453 0.45313,-2.375 0.3125,-0.73828 0.75781,-1.39453 1.34375,-1.96875 0.38281,-0.36328 0.83594,-0.64453 1.35937,-0.84375 0.53125,-0.19531 1.08594,-0.29688 1.67188,-0.29688 0.9375,0 1.67578,0.28125 2.21875,0.84375 0.55078,0.55469 0.82812,1.29688 0.82812,2.23438 0,0.23047 -0.0156,0.47656 -0.0469,0.73437 -0.0312,0.25 -0.0742,0.52344 -0.125,0.8125 z m 0,0"
+ id="path3793"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 383.23437,200.25 1.34375,0 -2.21875,11.39062 -1.34375,0 z m 0,0"
+ id="path3795"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 387.23437,200.25 1.34375,0 -2.21875,11.39062 -1.34375,0 z m 0,0"
+ id="path3797"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 396.54687,206.95312 -0.92187,4.6875 -1.34375,0 0.25,-1.25 c -0.39844,0.49219 -0.85156,0.85938 -1.35938,1.10938 -0.5,0.23828 -1.0625,0.35937 -1.6875,0.35937 -0.69921,0 -1.27343,-0.21484 -1.71875,-0.64062 -0.44921,-0.42578 -0.67187,-0.97656 -0.67187,-1.65625 0,-0.95703 0.37891,-1.71094 1.14062,-2.26563 0.76954,-0.55078 1.82813,-0.82812 3.17188,-0.82812 l 1.875,0 0.0781,-0.35938 c 0.008,-0.0391 0.0156,-0.082 0.0156,-0.125 0.008,-0.0508 0.0156,-0.125 0.0156,-0.21875 0,-0.4375 -0.17968,-0.77343 -0.53125,-1.01562 -0.35546,-0.25 -0.85546,-0.375 -1.5,-0.375 -0.4375,0 -0.89062,0.0586 -1.35937,0.17187 -0.46094,0.11719 -0.92969,0.28907 -1.40625,0.51563 l 0.23437,-1.25 c 0.5,-0.1875 0.99219,-0.32813 1.48438,-0.42188 0.48828,-0.10156 0.95703,-0.15625 1.40625,-0.15625 0.96875,0 1.70312,0.21485 2.20312,0.64063 0.50782,0.41797 0.76563,1.02734 0.76563,1.82812 0,0.15625 -0.0156,0.34375 -0.0469,0.5625 -0.0234,0.21875 -0.0547,0.44922 -0.0937,0.6875 z m -1.46875,0.5625 -1.34375,0 c -1.10546,0 -1.92187,0.15235 -2.45312,0.45313 -0.53125,0.29297 -0.79688,0.74609 -0.79688,1.35937 0,0.4375 0.13282,0.77735 0.40625,1.01563 0.26954,0.24219 0.64454,0.35937 1.125,0.35937 0.73829,0 1.37891,-0.25781 1.92188,-0.78125 0.55078,-0.51953 0.91406,-1.22265 1.09375,-2.10937 z m 0,0"
+ id="path3799"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 325.51562,217.70312 6.26563,0 -0.23438,1.25 -4.79687,0 -0.625,3.21875 4.32812,0 -0.23437,1.25 -4.34375,0 -1.01563,5.21875 -1.46875,0 z m 0,0"
+ id="path3801"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 337.67187,221.6875 c -0.13671,-0.0703 -0.29296,-0.12891 -0.46875,-0.17188 -0.17968,-0.0391 -0.36718,-0.0625 -0.5625,-0.0625 -0.71875,0 -1.35156,0.27735 -1.89062,0.82813 -0.53125,0.54297 -0.88672,1.26562 -1.0625,2.17187 l -0.82813,4.1875 -1.34375,0 1.59375,-8.20312 1.35938,0 -0.26563,1.28125 c 0.35157,-0.47656 0.78125,-0.84375 1.28125,-1.09375 0.5,-0.25781 1.03125,-0.39063 1.59375,-0.39063 0.14454,0 0.28516,0.0117 0.42188,0.0312 0.14453,0.0234 0.28516,0.0469 0.42187,0.0781 z m 0,0"
+ id="path3803"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 345.04687,223.95312 -0.92187,4.6875 -1.34375,0 0.25,-1.25 c -0.39844,0.49219 -0.85156,0.85938 -1.35938,1.10938 -0.5,0.23828 -1.0625,0.35937 -1.6875,0.35937 -0.69921,0 -1.27343,-0.21484 -1.71875,-0.64062 -0.44921,-0.42578 -0.67187,-0.97656 -0.67187,-1.65625 0,-0.95703 0.37891,-1.71094 1.14062,-2.26563 0.76954,-0.55078 1.82813,-0.82812 3.17188,-0.82812 l 1.875,0 0.0781,-0.35938 c 0.008,-0.0391 0.0156,-0.082 0.0156,-0.125 0.008,-0.0508 0.0156,-0.125 0.0156,-0.21875 0,-0.4375 -0.17968,-0.77343 -0.53125,-1.01562 -0.35546,-0.25 -0.85546,-0.375 -1.5,-0.375 -0.4375,0 -0.89062,0.0586 -1.35937,0.17187 -0.46094,0.11719 -0.92969,0.28907 -1.40625,0.51563 l 0.23437,-1.25 c 0.5,-0.1875 0.99219,-0.32813 1.48438,-0.42188 0.48828,-0.10156 0.95703,-0.15625 1.40625,-0.15625 0.96875,0 1.70312,0.21485 2.20312,0.64063 0.50782,0.41797 0.76563,1.02734 0.76563,1.82812 0,0.15625 -0.0156,0.34375 -0.0469,0.5625 -0.0234,0.21875 -0.0547,0.44922 -0.0937,0.6875 z m -1.46875,0.5625 -1.34375,0 c -1.10546,0 -1.92187,0.15235 -2.45312,0.45313 -0.53125,0.29297 -0.79688,0.74609 -0.79688,1.35937 0,0.4375 0.13282,0.77735 0.40625,1.01563 0.26954,0.24219 0.64454,0.35937 1.125,0.35937 0.73829,0 1.37891,-0.25781 1.92188,-0.78125 0.55078,-0.51953 0.91406,-1.22265 1.09375,-2.10937 z m 0,0"
+ id="path3805"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 354.34375,223.6875 -0.96875,4.95312 -1.34375,0 0.95312,-4.90625 c 0.0391,-0.22656 0.0703,-0.42578 0.0937,-0.59375 0.0312,-0.17578 0.0469,-0.3164 0.0469,-0.42187 0,-0.41406 -0.13281,-0.73828 -0.39063,-0.96875 -0.26171,-0.22656 -0.62109,-0.34375 -1.07812,-0.34375 -0.73047,0 -1.35547,0.24609 -1.875,0.73437 -0.52344,0.48047 -0.85938,1.13282 -1.01563,1.95313 l -0.90625,4.54687 -1.34375,0 1.57813,-8.20312 1.35937,0 -0.28125,1.28125 c 0.375,-0.46875 0.82813,-0.83203 1.35938,-1.09375 0.53125,-0.25781 1.08594,-0.39063 1.67187,-0.39063 0.71875,0 1.27344,0.19922 1.67188,0.59375 0.39453,0.38672 0.59375,0.9336 0.59375,1.64063 0,0.17969 -0.0117,0.37109 -0.0312,0.57812 -0.0234,0.19922 -0.0547,0.41407 -0.0937,0.64063 z m 0,0"
+ id="path3807"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 363.03125,220.75 -0.28125,1.32812 c -0.32422,-0.22656 -0.66797,-0.39843 -1.03125,-0.51562 -0.35547,-0.125 -0.73047,-0.1875 -1.125,-0.1875 -0.42969,0 -0.83984,0.0781 -1.23438,0.23437 -0.38671,0.15625 -0.71093,0.3711 -0.96875,0.64063 -0.41796,0.42969 -0.74218,0.92969 -0.96875,1.5 -0.23046,0.57422 -0.34375,1.16406 -0.34375,1.76562 0,0.74219 0.17969,1.29297 0.54688,1.65625 0.36328,0.35547 0.92578,0.53125 1.6875,0.53125 0.36328,0 0.75391,-0.0508 1.17187,-0.15625 0.41407,-0.11328 0.85157,-0.28515 1.3125,-0.51562 l -0.25,1.34375 c -0.39843,0.15625 -0.80468,0.27344 -1.21875,0.35937 -0.40625,0.082 -0.82812,0.125 -1.26562,0.125 -1.08594,0 -1.92188,-0.26953 -2.51563,-0.8125 -0.58593,-0.55078 -0.875,-1.33203 -0.875,-2.34375 0,-0.85156 0.14844,-1.63281 0.45313,-2.34375 0.3125,-0.71875 0.76562,-1.36328 1.35937,-1.9375 0.41407,-0.38281 0.89844,-0.67578 1.45313,-0.875 0.55078,-0.20703 1.14844,-0.3125 1.79687,-0.3125 0.38282,0 0.76563,0.0469 1.14063,0.14063 0.375,0.0859 0.75781,0.21094 1.15625,0.375 z m 0,0"
+ id="path3809"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 370.20312,223.8125 c 0.008,-0.082 0.0195,-0.16406 0.0312,-0.25 0.008,-0.082 0.0156,-0.16406 0.0156,-0.25 0,-0.59375 -0.17969,-1.0625 -0.53125,-1.40625 -0.34375,-0.35156 -0.82031,-0.53125 -1.42188,-0.53125 -0.66796,0 -1.26171,0.21484 -1.78125,0.64062 -0.51171,0.42969 -0.89843,1.02735 -1.15625,1.79688 z m 1.17188,1.04687 -6.28125,0 c -0.0234,0.1875 -0.0391,0.33985 -0.0469,0.45313 -0.0117,0.10547 -0.0156,0.19531 -0.0156,0.26562 0,0.67969 0.20703,1.20313 0.625,1.57813 0.41406,0.36719 1.00391,0.54687 1.76562,0.54687 0.58204,0 1.13282,-0.0625 1.65625,-0.1875 0.53125,-0.13281 1.01954,-0.32812 1.46875,-0.57812 l -0.26562,1.32812 c -0.48047,0.19922 -0.98047,0.34375 -1.5,0.4375 -0.51172,0.10157 -1.03125,0.15625 -1.5625,0.15625 -1.13672,0 -2.01172,-0.26953 -2.625,-0.8125 -0.61719,-0.55078 -0.92188,-1.32812 -0.92188,-2.32812 0,-0.85156 0.14844,-1.64453 0.45313,-2.375 0.3125,-0.73828 0.75781,-1.39453 1.34375,-1.96875 0.38281,-0.36328 0.83594,-0.64453 1.35937,-0.84375 0.53125,-0.19531 1.08594,-0.29688 1.67188,-0.29688 0.9375,0 1.67578,0.28125 2.21875,0.84375 0.55078,0.55469 0.82812,1.29688 0.82812,2.23438 0,0.23047 -0.0156,0.47656 -0.0469,0.73437 -0.0312,0.25 -0.0742,0.52344 -0.125,0.8125 z m 0,0"
+ id="path3811"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 379.48437,220.67187 -0.25,1.28125 c -0.36718,-0.19531 -0.74609,-0.34375 -1.14062,-0.4375 -0.39844,-0.0937 -0.80469,-0.14062 -1.21875,-0.14062 -0.71094,0 -1.26563,0.12109 -1.67188,0.35937 -0.40625,0.24219 -0.60937,0.57032 -0.60937,0.98438 0,0.48047 0.47266,0.85156 1.42187,1.10937 0.0703,0.0234 0.125,0.0391 0.15625,0.0469 l 0.4375,0.125 c 0.89454,0.25 1.49219,0.51562 1.79688,0.79687 0.30078,0.27344 0.45312,0.64063 0.45312,1.10938 0,0.875 -0.35156,1.58984 -1.04687,2.14062 -0.6875,0.54297 -1.58984,0.8125 -2.70313,0.8125 -0.4375,0 -0.89843,-0.043 -1.375,-0.125 -0.48046,-0.0859 -1.00781,-0.21093 -1.57812,-0.39062 l 0.26562,-1.39063 c 0.48829,0.25 0.97266,0.44532 1.45313,0.57813 0.47656,0.125 0.9375,0.1875 1.375,0.1875 0.65625,0 1.19141,-0.14063 1.60937,-0.42188 0.41407,-0.28125 0.625,-0.64062 0.625,-1.07812 0,-0.46875 -0.54296,-0.84375 -1.625,-1.125 l -0.14062,-0.0469 -0.46875,-0.10937 c -0.6875,-0.1875 -1.1875,-0.42578 -1.5,-0.71875 -0.3125,-0.28906 -0.46875,-0.66406 -0.46875,-1.125 0,-0.875 0.32812,-1.56641 0.98437,-2.07813 0.65625,-0.51953 1.54688,-0.78125 2.67188,-0.78125 0.44531,0 0.87891,0.0391 1.29687,0.10938 0.42579,0.0742 0.84375,0.18359 1.25,0.32812 z m 0,0"
+ id="path3813"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 387.03125,220.75 -0.28125,1.32812 c -0.32422,-0.22656 -0.66797,-0.39843 -1.03125,-0.51562 -0.35547,-0.125 -0.73047,-0.1875 -1.125,-0.1875 -0.42969,0 -0.83984,0.0781 -1.23438,0.23437 -0.38671,0.15625 -0.71093,0.3711 -0.96875,0.64063 -0.41796,0.42969 -0.74218,0.92969 -0.96875,1.5 -0.23046,0.57422 -0.34375,1.16406 -0.34375,1.76562 0,0.74219 0.17969,1.29297 0.54688,1.65625 0.36328,0.35547 0.92578,0.53125 1.6875,0.53125 0.36328,0 0.75391,-0.0508 1.17187,-0.15625 0.41407,-0.11328 0.85157,-0.28515 1.3125,-0.51562 l -0.25,1.34375 c -0.39843,0.15625 -0.80468,0.27344 -1.21875,0.35937 -0.40625,0.082 -0.82812,0.125 -1.26562,0.125 -1.08594,0 -1.92188,-0.26953 -2.51563,-0.8125 -0.58593,-0.55078 -0.875,-1.33203 -0.875,-2.34375 0,-0.85156 0.14844,-1.63281 0.45313,-2.34375 0.3125,-0.71875 0.76562,-1.36328 1.35937,-1.9375 0.41407,-0.38281 0.89844,-0.67578 1.45313,-0.875 0.55078,-0.20703 1.14844,-0.3125 1.79687,-0.3125 0.38282,0 0.76563,0.0469 1.14063,0.14063 0.375,0.0859 0.75781,0.21094 1.15625,0.375 z m 0,0"
+ id="path3815"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 395.04687,223.95312 -0.92187,4.6875 -1.34375,0 0.25,-1.25 c -0.39844,0.49219 -0.85156,0.85938 -1.35938,1.10938 -0.5,0.23828 -1.0625,0.35937 -1.6875,0.35937 -0.69921,0 -1.27343,-0.21484 -1.71875,-0.64062 -0.44921,-0.42578 -0.67187,-0.97656 -0.67187,-1.65625 0,-0.95703 0.37891,-1.71094 1.14062,-2.26563 0.76954,-0.55078 1.82813,-0.82812 3.17188,-0.82812 l 1.875,0 0.0781,-0.35938 c 0.008,-0.0391 0.0156,-0.082 0.0156,-0.125 0.008,-0.0508 0.0156,-0.125 0.0156,-0.21875 0,-0.4375 -0.17968,-0.77343 -0.53125,-1.01562 -0.35546,-0.25 -0.85546,-0.375 -1.5,-0.375 -0.4375,0 -0.89062,0.0586 -1.35937,0.17187 -0.46094,0.11719 -0.92969,0.28907 -1.40625,0.51563 l 0.23437,-1.25 c 0.5,-0.1875 0.99219,-0.32813 1.48438,-0.42188 0.48828,-0.10156 0.95703,-0.15625 1.40625,-0.15625 0.96875,0 1.70312,0.21485 2.20312,0.64063 0.50782,0.41797 0.76563,1.02734 0.76563,1.82812 0,0.15625 -0.0156,0.34375 -0.0469,0.5625 -0.0234,0.21875 -0.0547,0.44922 -0.0937,0.6875 z m -1.46875,0.5625 -1.34375,0 c -1.10546,0 -1.92187,0.15235 -2.45312,0.45313 -0.53125,0.29297 -0.79688,0.74609 -0.79688,1.35937 0,0.4375 0.13282,0.77735 0.40625,1.01563 0.26954,0.24219 0.64454,0.35937 1.125,0.35937 0.73829,0 1.37891,-0.25781 1.92188,-0.78125 0.55078,-0.51953 0.91406,-1.22265 1.09375,-2.10937 z m 0,0"
+ id="path3817"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3819">
+ <use
+ xlink:href="#glyph152-1"
+ x="335.4845"
+ y="194.63899"
+ id="use3821"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3823">
+ <use
+ xlink:href="#glyph152-2"
+ x="345.4845"
+ y="194.63899"
+ id="use3825"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3827">
+ <use
+ xlink:href="#glyph152-3"
+ x="354.4845"
+ y="194.63899"
+ id="use3829"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3831">
+ <use
+ xlink:href="#glyph152-4"
+ x="363.4845"
+ y="194.63899"
+ id="use3833"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3835">
+ <use
+ xlink:href="#glyph152-5"
+ x="368.4845"
+ y="194.63899"
+ id="use3837"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3839">
+ <use
+ xlink:href="#glyph152-6"
+ x="374.4845"
+ y="194.63899"
+ id="use3841"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3843">
+ <use
+ xlink:href="#glyph152-7"
+ x="321.4845"
+ y="211.63899"
+ id="use3845"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3847">
+ <use
+ xlink:href="#glyph152-8"
+ x="330.4845"
+ y="211.63899"
+ id="use3849"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3851">
+ <use
+ xlink:href="#glyph152-2"
+ x="334.4845"
+ y="211.63899"
+ id="use3853"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3855">
+ <use
+ xlink:href="#glyph152-5"
+ x="343.4845"
+ y="211.63899"
+ id="use3857"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3859">
+ <use
+ xlink:href="#glyph152-6"
+ x="349.4845"
+ y="211.63899"
+ id="use3861"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3863">
+ <use
+ xlink:href="#glyph152-9"
+ x="358.4845"
+ y="211.63899"
+ id="use3865"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3867">
+ <use
+ xlink:href="#glyph152-10"
+ x="362.4845"
+ y="211.63899"
+ id="use3869"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3871">
+ <use
+ xlink:href="#glyph152-2"
+ x="371.4845"
+ y="211.63899"
+ id="use3873"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3875">
+ <use
+ xlink:href="#glyph152-11"
+ x="380.4845"
+ y="211.63899"
+ id="use3877"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3879">
+ <use
+ xlink:href="#glyph152-11"
+ x="384.4845"
+ y="211.63899"
+ id="use3881"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3883">
+ <use
+ xlink:href="#glyph152-12"
+ x="388.4845"
+ y="211.63899"
+ id="use3885"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3887">
+ <use
+ xlink:href="#glyph152-13"
+ x="322.9845"
+ y="228.63899"
+ id="use3889"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3891">
+ <use
+ xlink:href="#glyph152-5"
+ x="330.9845"
+ y="228.63899"
+ id="use3893"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3895">
+ <use
+ xlink:href="#glyph152-12"
+ x="336.9845"
+ y="228.63899"
+ id="use3897"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3899">
+ <use
+ xlink:href="#glyph152-3"
+ x="345.9845"
+ y="228.63899"
+ id="use3901"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3903">
+ <use
+ xlink:href="#glyph152-14"
+ x="354.9845"
+ y="228.63899"
+ id="use3905"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3907">
+ <use
+ xlink:href="#glyph152-2"
+ x="362.9845"
+ y="228.63899"
+ id="use3909"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3911">
+ <use
+ xlink:href="#glyph152-15"
+ x="371.9845"
+ y="228.63899"
+ id="use3913"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3915">
+ <use
+ xlink:href="#glyph152-14"
+ x="378.9845"
+ y="228.63899"
+ id="use3917"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#702826;fill-opacity:1"
+ id="g3919">
+ <use
+ xlink:href="#glyph152-12"
+ x="386.9845"
+ y="228.63899"
+ id="use3921"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 312.30859,54.699219 2.73438,0 c 0.78906,0 1.39453,0.1875 1.8125,0.5625 0.42578,0.367187 0.64062,0.90625 0.64062,1.625 0,0.960937 -0.3125,1.710937 -0.9375,2.25 -0.61718,0.53125 -1.48047,0.796875 -2.59375,0.796875 l -1.48437,0 -0.6875,3.515625 -1.1875,0 z m 1,0.96875 -0.64062,3.296875 1.48437,0 c 0.67578,0 1.19141,-0.171875 1.54688,-0.515625 0.36328,-0.34375 0.54687,-0.835938 0.54687,-1.484375 0,-0.40625 -0.125,-0.722656 -0.375,-0.953125 -0.24218,-0.226563 -0.57812,-0.34375 -1.01562,-0.34375 z m 0,0"
+ id="path3923"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 323.73047,59.699219 -0.73438,3.75 -1.07812,0 0.1875,-1 c -0.3125,0.398437 -0.67188,0.695312 -1.07813,0.890625 -0.40625,0.1875 -0.85547,0.28125 -1.34375,0.28125 -0.5625,0 -1.02343,-0.171875 -1.375,-0.515625 -0.35547,-0.34375 -0.53125,-0.78125 -0.53125,-1.3125 0,-0.769531 0.30078,-1.375 0.90625,-1.8125 0.61328,-0.445313 1.45703,-0.671875 2.53125,-0.671875 l 1.5,0 0.0625,-0.296875 c 0.008,-0.03125 0.0156,-0.0625 0.0156,-0.09375 0,-0.03906 0,-0.09766 0,-0.171875 0,-0.351563 -0.14063,-0.625 -0.42188,-0.8125 -0.28125,-0.195313 -0.67968,-0.296875 -1.1875,-0.296875 -0.35547,0 -0.71875,0.04687 -1.09375,0.140625 -0.36718,0.09375 -0.74218,0.230468 -1.125,0.40625 l 0.1875,-1 c 0.40625,-0.15625 0.80078,-0.269532 1.1875,-0.34375 0.38282,-0.07031 0.75782,-0.109375 1.125,-0.109375 0.76953,0 1.35938,0.167969 1.76563,0.5 0.40625,0.335937 0.60937,0.824219 0.60937,1.46875 0,0.125 -0.0117,0.277343 -0.0312,0.453125 -0.0234,0.179687 -0.0469,0.359375 -0.0781,0.546875 z m -1.17188,0.453125 -1.07812,0 c -0.88672,0 -1.54297,0.121094 -1.96875,0.359375 -0.41797,0.230469 -0.625,0.59375 -0.625,1.09375 0,0.34375 0.10156,0.617187 0.3125,0.8125 0.21875,0.1875 0.51953,0.28125 0.90625,0.28125 0.58203,0 1.09375,-0.207031 1.53125,-0.625 0.4375,-0.414063 0.72656,-0.976563 0.875,-1.6875 z m 0,0"
+ id="path3925"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 329.62109,57.886719 c -0.10547,-0.0625 -0.23047,-0.109375 -0.375,-0.140625 -0.13672,-0.03125 -0.28125,-0.04687 -0.4375,-0.04687 -0.58593,0 -1.08984,0.21875 -1.51562,0.65625 -0.42969,0.4375 -0.71485,1.023437 -0.85938,1.75 l -0.65625,3.34375 -1.07812,0 1.28125,-6.5625 1.07812,0 -0.20312,1.015625 c 0.28125,-0.375 0.61719,-0.660156 1.01562,-0.859375 0.40625,-0.207031 0.83203,-0.3125 1.28125,-0.3125 0.11328,0 0.22657,0.0078 0.34375,0.01563 0.11328,0.01172 0.22657,0.03125 0.34375,0.0625 z m 0,0"
+ id="path3927"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 334.71484,57.136719 -0.21875,1.0625 c -0.26172,-0.1875 -0.53906,-0.328125 -0.82812,-0.421875 -0.29297,-0.09375 -0.59375,-0.140625 -0.90625,-0.140625 -0.34375,0 -0.67188,0.0625 -0.98438,0.1875 -0.30468,0.125 -0.5625,0.296875 -0.78125,0.515625 -0.33593,0.34375 -0.59375,0.746094 -0.78125,1.203125 -0.17968,0.449219 -0.26562,0.917969 -0.26562,1.40625 0,0.59375 0.14453,1.039062 0.4375,1.328125 0.30078,0.28125 0.75,0.421875 1.34375,0.421875 0.30078,0 0.61719,-0.03906 0.95312,-0.125 0.33203,-0.09375 0.67969,-0.226563 1.04688,-0.40625 l -0.20313,1.0625 c -0.3125,0.125 -0.63672,0.21875 -0.96875,0.28125 -0.33593,0.07031 -0.67187,0.109375 -1.01562,0.109375 -0.875,0 -1.54688,-0.21875 -2.01563,-0.65625 -0.46875,-0.4375 -0.70312,-1.054688 -0.70312,-1.859375 0,-0.6875 0.11719,-1.316407 0.35937,-1.890625 0.25,-0.570313 0.61328,-1.082032 1.09375,-1.53125 0.33203,-0.3125 0.71875,-0.546875 1.15625,-0.703125 0.44532,-0.164063 0.92969,-0.25 1.45313,-0.25 0.30078,0 0.60156,0.03906 0.90625,0.109375 0.30078,0.0625 0.60937,0.164062 0.92187,0.296875 z m 0,0"
+ id="path3929"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 337.32422,63.621094 c -0.77344,0 -1.38281,-0.234375 -1.82813,-0.703125 -0.44922,-0.476563 -0.67187,-1.128907 -0.67187,-1.953125 0,-0.476563 0.0781,-0.960938 0.23437,-1.453125 0.15625,-0.5 0.35938,-0.914063 0.60938,-1.25 0.38281,-0.519531 0.8125,-0.90625 1.28125,-1.15625 0.47656,-0.25 1.01953,-0.375 1.625,-0.375 0.75,0 1.35156,0.234375 1.8125,0.703125 0.45703,0.460937 0.6875,1.0625 0.6875,1.8125 0,0.523437 -0.0781,1.042968 -0.23438,1.5625 -0.15625,0.511718 -0.35547,0.9375 -0.59375,1.28125 -0.38672,0.523437 -0.82031,0.90625 -1.29687,1.15625 -0.46875,0.25 -1.01172,0.375 -1.625,0.375 z m -1.375,-2.6875 c 0,0.59375 0.125,1.039062 0.375,1.328125 0.25,0.292969 0.625,0.4375 1.125,0.4375 0.71875,0 1.3125,-0.3125 1.78125,-0.9375 0.47656,-0.632813 0.71875,-1.4375 0.71875,-2.40625 0,-0.5625 -0.125,-0.988281 -0.375,-1.28125 -0.25,-0.289063 -0.625,-0.4375 -1.125,-0.4375 -0.40625,0 -0.76563,0.101562 -1.07813,0.296875 -0.3125,0.1875 -0.59375,0.476562 -0.84375,0.859375 -0.1875,0.292969 -0.33593,0.625 -0.4375,1 -0.0937,0.367187 -0.14062,0.746093 -0.14062,1.140625 z m 0,0"
+ id="path3931"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 346.30859,54.699219 2.54688,0 c 1.34375,0 2.35937,0.289062 3.04687,0.859375 0.69532,0.574218 1.04688,1.421875 1.04688,2.546875 0,0.75 -0.13672,1.46875 -0.40625,2.15625 -0.26172,0.6875 -0.6211,1.273437 -1.07813,1.75 -0.46093,0.480469 -1.04687,0.839843 -1.76562,1.078125 -0.71875,0.242187 -1.5625,0.359375 -2.53125,0.359375 l -2.5625,0 z m 1,0.96875 -1.32812,6.8125 1.54687,0 c 1.32032,0 2.34766,-0.378907 3.07813,-1.140625 0.72656,-0.769532 1.09375,-1.847656 1.09375,-3.234375 0,-0.832031 -0.23438,-1.445313 -0.70313,-1.84375 -0.46875,-0.394531 -1.20312,-0.59375 -2.20312,-0.59375 z m 0,0"
+ id="path3933"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 356.32422,63.621094 c -0.77344,0 -1.38281,-0.234375 -1.82813,-0.703125 -0.44922,-0.476563 -0.67187,-1.128907 -0.67187,-1.953125 0,-0.476563 0.0781,-0.960938 0.23437,-1.453125 0.15625,-0.5 0.35938,-0.914063 0.60938,-1.25 0.38281,-0.519531 0.8125,-0.90625 1.28125,-1.15625 0.47656,-0.25 1.01953,-0.375 1.625,-0.375 0.75,0 1.35156,0.234375 1.8125,0.703125 0.45703,0.460937 0.6875,1.0625 0.6875,1.8125 0,0.523437 -0.0781,1.042968 -0.23438,1.5625 -0.15625,0.511718 -0.35547,0.9375 -0.59375,1.28125 -0.38672,0.523437 -0.82031,0.90625 -1.29687,1.15625 -0.46875,0.25 -1.01172,0.375 -1.625,0.375 z m -1.375,-2.6875 c 0,0.59375 0.125,1.039062 0.375,1.328125 0.25,0.292969 0.625,0.4375 1.125,0.4375 0.71875,0 1.3125,-0.3125 1.78125,-0.9375 0.47656,-0.632813 0.71875,-1.4375 0.71875,-2.40625 0,-0.5625 -0.125,-0.988281 -0.375,-1.28125 -0.25,-0.289063 -0.625,-0.4375 -1.125,-0.4375 -0.40625,0 -0.76563,0.101562 -1.07813,0.296875 -0.3125,0.1875 -0.59375,0.476562 -0.84375,0.859375 -0.1875,0.292969 -0.33593,0.625 -0.4375,1 -0.0937,0.367187 -0.14062,0.746093 -0.14062,1.140625 z m 0,0"
+ id="path3935"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 365.62109,57.886719 c -0.10547,-0.0625 -0.23047,-0.109375 -0.375,-0.140625 -0.13672,-0.03125 -0.28125,-0.04687 -0.4375,-0.04687 -0.58593,0 -1.08984,0.21875 -1.51562,0.65625 -0.42969,0.4375 -0.71485,1.023437 -0.85938,1.75 l -0.65625,3.34375 -1.07812,0 1.28125,-6.5625 1.07812,0 -0.20312,1.015625 c 0.28125,-0.375 0.61719,-0.660156 1.01562,-0.859375 0.40625,-0.207031 0.83203,-0.3125 1.28125,-0.3125 0.11328,0 0.22657,0.0078 0.34375,0.01563 0.11328,0.01172 0.22657,0.03125 0.34375,0.0625 z m 0,0"
+ id="path3937"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 370.73047,59.699219 -0.73438,3.75 -1.07812,0 0.1875,-1 c -0.3125,0.398437 -0.67188,0.695312 -1.07813,0.890625 -0.40625,0.1875 -0.85547,0.28125 -1.34375,0.28125 -0.5625,0 -1.02343,-0.171875 -1.375,-0.515625 -0.35547,-0.34375 -0.53125,-0.78125 -0.53125,-1.3125 0,-0.769531 0.30078,-1.375 0.90625,-1.8125 0.61328,-0.445313 1.45703,-0.671875 2.53125,-0.671875 l 1.5,0 0.0625,-0.296875 c 0.008,-0.03125 0.0156,-0.0625 0.0156,-0.09375 0,-0.03906 0,-0.09766 0,-0.171875 0,-0.351563 -0.14063,-0.625 -0.42188,-0.8125 -0.28125,-0.195313 -0.67968,-0.296875 -1.1875,-0.296875 -0.35547,0 -0.71875,0.04687 -1.09375,0.140625 -0.36718,0.09375 -0.74218,0.230468 -1.125,0.40625 l 0.1875,-1 c 0.40625,-0.15625 0.80078,-0.269532 1.1875,-0.34375 0.38282,-0.07031 0.75782,-0.109375 1.125,-0.109375 0.76953,0 1.35938,0.167969 1.76563,0.5 0.40625,0.335937 0.60937,0.824219 0.60937,1.46875 0,0.125 -0.0117,0.277343 -0.0312,0.453125 -0.0234,0.179687 -0.0469,0.359375 -0.0781,0.546875 z m -1.17188,0.453125 -1.07812,0 c -0.88672,0 -1.54297,0.121094 -1.96875,0.359375 -0.41797,0.230469 -0.625,0.59375 -0.625,1.09375 0,0.34375 0.10156,0.617187 0.3125,0.8125 0.21875,0.1875 0.51953,0.28125 0.90625,0.28125 0.58203,0 1.09375,-0.207031 1.53125,-0.625 0.4375,-0.414063 0.72656,-0.976563 0.875,-1.6875 z m 0,0"
+ id="path3939"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g3965">
+ <use
+ xlink:href="#glyph153-1"
+ x="310.27853"
+ y="63.450874"
+ id="use3967"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g3969">
+ <use
+ xlink:href="#glyph153-2"
+ x="317.27853"
+ y="63.450874"
+ id="use3971"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g3973">
+ <use
+ xlink:href="#glyph153-3"
+ x="324.27853"
+ y="63.450874"
+ id="use3975"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g3977">
+ <use
+ xlink:href="#glyph153-4"
+ x="328.27853"
+ y="63.450874"
+ id="use3979"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g3981">
+ <use
+ xlink:href="#glyph153-5"
+ x="334.27853"
+ y="63.450874"
+ id="use3983"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g3985">
+ <use
+ xlink:href="#glyph153-6"
+ x="341.27853"
+ y="63.450874"
+ id="use3987"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g3989">
+ <use
+ xlink:href="#glyph153-7"
+ x="344.27853"
+ y="63.450874"
+ id="use3991"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g3993">
+ <use
+ xlink:href="#glyph153-5"
+ x="353.27853"
+ y="63.450874"
+ id="use3995"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g3997">
+ <use
+ xlink:href="#glyph153-3"
+ x="360.27853"
+ y="63.450874"
+ id="use3999"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g4001">
+ <use
+ xlink:href="#glyph153-2"
+ x="364.27853"
+ y="63.450874"
+ id="use4003"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g4021" />
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g4025">
+ <use
+ xlink:href="#glyph153-6"
+ x="334.77853"
+ y="77.450874"
+ id="use4027"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g4049" />
+ <g
+ style="fill:#0a8214;fill-opacity:1"
+ id="g4053" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 611.37109,333.86719 -0.21875,1.15625 c -0.39843,-0.20703 -0.79297,-0.36328 -1.1875,-0.46875 -0.38672,-0.11328 -0.76172,-0.17188 -1.125,-0.17188 -0.71093,0 -1.27343,0.15625 -1.6875,0.46875 -0.41797,0.3125 -0.625,0.72656 -0.625,1.23438 0,0.28125 0.0781,0.5 0.23438,0.65625 0.15625,0.14843 0.55078,0.30468 1.1875,0.46875 l 0.71875,0.17187 c 0.78906,0.21094 1.34375,0.47656 1.65625,0.79688 0.3125,0.3125 0.46875,0.76172 0.46875,1.34375 0,0.875 -0.35156,1.59375 -1.04688,2.15625 -0.6875,0.55468 -1.59375,0.82812 -2.71875,0.82812 -0.46875,0 -0.9375,-0.0469 -1.40625,-0.14062 -0.46875,-0.0937 -0.9375,-0.23438 -1.40625,-0.42188 l 0.23438,-1.21875 c 0.4375,0.27344 0.86719,0.47656 1.29687,0.60938 0.4375,0.13672 0.875,0.20312 1.3125,0.20312 0.73828,0 1.32813,-0.16015 1.76563,-0.48437 0.44531,-0.33203 0.67187,-0.75782 0.67187,-1.28125 0,-0.35157 -0.0898,-0.61719 -0.26562,-0.79688 -0.17969,-0.1875 -0.5586,-0.35156 -1.14063,-0.5 l -0.71875,-0.1875 c -0.80468,-0.20703 -1.35547,-0.44531 -1.65625,-0.71875 -0.29297,-0.28125 -0.4375,-0.67187 -0.4375,-1.17187 0,-0.86328 0.33203,-1.57032 1,-2.125 0.67578,-0.5625 1.55078,-0.84375 2.625,-0.84375 0.41407,0 0.82813,0.0391 1.23438,0.10937 0.41406,0.0742 0.82812,0.1836 1.23437,0.32813 z m 0,0"
+ id="path4057"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 617.08984,338.28906 c 0,-0.57031 -0.125,-1.00781 -0.375,-1.3125 -0.25,-0.30078 -0.60937,-0.45312 -1.07812,-0.45312 -0.32422,0 -0.63281,0.0859 -0.92188,0.25 -0.29297,0.15625 -0.54687,0.39062 -0.76562,0.70312 -0.23047,0.3125 -0.41406,0.6875 -0.54688,1.125 -0.125,0.4375 -0.1875,0.8711 -0.1875,1.29688 0,0.54297 0.125,0.96484 0.375,1.26562 0.25,0.29297 0.60157,0.4375 1.0625,0.4375 0.34375,0 0.66016,-0.0781 0.95313,-0.23437 0.28906,-0.16407 0.53515,-0.39844 0.73437,-0.70313 0.22657,-0.32031 0.41016,-0.69531 0.54688,-1.125 0.13281,-0.4375 0.20312,-0.85156 0.20312,-1.25 z m -3.34375,-1.51562 c 0.28907,-0.38282 0.62891,-0.67188 1.01563,-0.85938 0.39453,-0.19531 0.83594,-0.29687 1.32812,-0.29687 0.66407,0 1.17969,0.21875 1.54688,0.65625 0.375,0.4375 0.5625,1.05468 0.5625,1.84375 0,0.65625 -0.11719,1.27734 -0.34375,1.85937 -0.23047,0.58594 -0.5625,1.10938 -1,1.57813 -0.28125,0.3125 -0.60547,0.55468 -0.96875,0.71875 -0.36719,0.15625 -0.75,0.23437 -1.15625,0.23437 -0.46094,0 -0.85156,-0.0937 -1.17188,-0.28125 -0.3125,-0.19531 -0.54687,-0.48828 -0.70312,-0.875 l -0.67188,3.48438 -1.07812,0 1.76562,-9.0625 1.07813,0 z m 0,0"
+ id="path4059"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 621.18359,342.50781 c -0.77343,0 -1.38281,-0.23437 -1.82812,-0.70312 -0.44922,-0.47657 -0.67188,-1.12891 -0.67188,-1.95313 0,-0.47656 0.0781,-0.96094 0.23438,-1.45312 0.15625,-0.5 0.35937,-0.91407 0.60937,-1.25 0.38282,-0.51953 0.8125,-0.90625 1.28125,-1.15625 0.47657,-0.25 1.01953,-0.375 1.625,-0.375 0.75,0 1.35157,0.23437 1.8125,0.70312 0.45703,0.46094 0.6875,1.0625 0.6875,1.8125 0,0.52344 -0.0781,1.04297 -0.23437,1.5625 -0.15625,0.51172 -0.35547,0.9375 -0.59375,1.28125 -0.38672,0.52344 -0.82031,0.90625 -1.29688,1.15625 -0.46875,0.25 -1.01172,0.375 -1.625,0.375 z m -1.375,-2.6875 c 0,0.59375 0.125,1.03906 0.375,1.32813 0.25,0.29297 0.625,0.4375 1.125,0.4375 0.71875,0 1.3125,-0.3125 1.78125,-0.9375 0.47657,-0.63282 0.71875,-1.4375 0.71875,-2.40625 0,-0.5625 -0.125,-0.98828 -0.375,-1.28125 -0.25,-0.28907 -0.625,-0.4375 -1.125,-0.4375 -0.40625,0 -0.76562,0.10156 -1.07812,0.29687 -0.3125,0.1875 -0.59375,0.47656 -0.84375,0.85938 -0.1875,0.29297 -0.33594,0.625 -0.4375,1 -0.0937,0.36718 -0.14063,0.74609 -0.14063,1.14062 z m 0,0"
+ id="path4061"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 630.48047,336.77344 c -0.10547,-0.0625 -0.23047,-0.10938 -0.375,-0.14063 -0.13672,-0.0312 -0.28125,-0.0469 -0.4375,-0.0469 -0.58594,0 -1.08985,0.21875 -1.51563,0.65625 -0.42968,0.4375 -0.71484,1.02343 -0.85937,1.75 l -0.65625,3.34375 -1.07813,0 1.28125,-6.5625 1.07813,0 -0.20313,1.01562 c 0.28125,-0.375 0.61719,-0.66015 1.01563,-0.85937 0.40625,-0.20703 0.83203,-0.3125 1.28125,-0.3125 0.11328,0 0.22656,0.008 0.34375,0.0156 0.11328,0.0117 0.22656,0.0312 0.34375,0.0625 z m 0,0"
+ id="path4063"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 634.21484,335.77344 -0.17187,0.84375 -2.14063,0 -0.70312,3.5625 c -0.0234,0.125 -0.0391,0.23437 -0.0469,0.32812 -0.0117,0.0937 -0.0156,0.16406 -0.0156,0.20313 0,0.25 0.0703,0.43359 0.21875,0.54687 0.14453,0.11719 0.38281,0.17188 0.71875,0.17188 l 1.09375,0 -0.1875,0.90625 -1.03125,0 c -0.63672,0 -1.10938,-0.125 -1.42188,-0.375 -0.3125,-0.25 -0.46875,-0.62891 -0.46875,-1.14063 0,-0.082 0.004,-0.17578 0.0156,-0.28125 0.008,-0.11328 0.0234,-0.23437 0.0469,-0.35937 l 0.70313,-3.5625 -0.92188,0 0.17188,-0.84375 0.89062,0 0.375,-1.85938 1.07813,0 -0.35938,1.85938 z m 0,0"
+ id="path4065"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 635.33984,333.21094 1.07813,0 -0.26563,1.375 -1.07812,0 z m -0.5,2.5625 1.07813,0 -1.28125,6.5625 -1.07813,0 z m 0,0"
+ id="path4067"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 642.82422,338.36719 -0.76563,3.96875 -1.09375,0 0.78125,-3.92188 c 0.0312,-0.1875 0.0547,-0.34765 0.0781,-0.48437 0.0195,-0.14453 0.0312,-0.25391 0.0312,-0.32813 0,-0.33203 -0.10547,-0.58594 -0.3125,-0.76562 -0.21094,-0.1875 -0.5,-0.28125 -0.875,-0.28125 -0.57422,0 -1.07031,0.19531 -1.48438,0.57812 -0.41797,0.38672 -0.69531,0.90625 -0.82812,1.5625 l -0.71875,3.64063 -1.07813,0 1.26563,-6.5625 1.07812,0 -0.20312,1.03125 c 0.28906,-0.375 0.64453,-0.66407 1.0625,-0.875 0.42578,-0.20703 0.875,-0.3125 1.34375,-0.3125 0.58203,0 1.03125,0.15625 1.34375,0.46875 0.32031,0.3125 0.48437,0.75 0.48437,1.3125 0,0.14843 -0.0117,0.29687 -0.0312,0.45312 -0.0234,0.15625 -0.0469,0.32813 -0.0781,0.51563 z m 0,0"
+ id="path4069"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 650.29297,335.77344 -1.125,5.75 c -0.21094,1.11328 -0.6211,1.9414 -1.23438,2.48437 -0.60547,0.55078 -1.42187,0.82813 -2.45312,0.82813 -0.375,0 -0.72656,-0.0312 -1.04688,-0.0937 -0.32422,-0.0547 -0.625,-0.13672 -0.90625,-0.25 l 0.20313,-1.04688 c 0.25781,0.16406 0.53515,0.28906 0.82812,0.375 0.30078,0.082 0.61719,0.125 0.95313,0.125 0.6875,0 1.25,-0.1875 1.6875,-0.5625 0.4375,-0.375 0.72656,-0.91406 0.875,-1.60937 l 0.0937,-0.5 c -0.30469,0.34375 -0.65625,0.60937 -1.0625,0.79687 -0.39844,0.17969 -0.82422,0.26563 -1.28125,0.26563 -0.66797,0 -1.19531,-0.21875 -1.57813,-0.65625 -0.375,-0.4375 -0.5625,-1.03907 -0.5625,-1.8125 0,-0.60157 0.11328,-1.19532 0.34375,-1.78125 0.23828,-0.58203 0.56641,-1.09766 0.98438,-1.54688 0.26953,-0.28906 0.58594,-0.51562 0.95312,-0.67187 0.375,-0.16407 0.76563,-0.25 1.17188,-0.25 0.4375,0 0.8164,0.10547 1.14062,0.3125 0.33203,0.19922 0.58203,0.48437 0.75,0.85937 l 0.1875,-1.01562 z m -1.625,2.40625 c 0,-0.53125 -0.125,-0.9375 -0.375,-1.21875 -0.25,-0.28907 -0.60547,-0.4375 -1.0625,-0.4375 -0.29297,0 -0.57031,0.0586 -0.82813,0.17187 -0.25,0.10547 -0.46875,0.26172 -0.65625,0.46875 -0.29297,0.33594 -0.52343,0.73047 -0.6875,1.1875 -0.16797,0.44922 -0.25,0.91797 -0.25,1.40625 0,0.54297 0.125,0.96094 0.375,1.25 0.25,0.28125 0.61328,0.42188 1.09375,0.42188 0.67578,0 1.24219,-0.30469 1.70313,-0.92188 0.45703,-0.625 0.6875,-1.39844 0.6875,-2.32812 z m 0,0"
+ id="path4071"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 615.66797,347.58594 2.54687,0 c 1.34375,0 2.35938,0.28906 3.04688,0.85937 0.69531,0.57422 1.04687,1.42188 1.04687,2.54688 0,0.75 -0.13672,1.46875 -0.40625,2.15625 -0.26172,0.6875 -0.62109,1.27343 -1.07812,1.75 -0.46094,0.48047 -1.04688,0.83984 -1.76563,1.07812 -0.71875,0.24219 -1.5625,0.35938 -2.53125,0.35938 l -2.5625,0 z m 1,0.96875 -1.32813,6.8125 1.54688,0 c 1.32031,0 2.34765,-0.37891 3.07812,-1.14063 0.72657,-0.76953 1.09375,-1.84765 1.09375,-3.23437 0,-0.83203 -0.23437,-1.44532 -0.70312,-1.84375 -0.46875,-0.39453 -1.20313,-0.59375 -2.20313,-0.59375 z m 0,0"
+ id="path4073"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 625.68359,356.50781 c -0.77343,0 -1.38281,-0.23437 -1.82812,-0.70312 -0.44922,-0.47657 -0.67188,-1.12891 -0.67188,-1.95313 0,-0.47656 0.0781,-0.96094 0.23438,-1.45312 0.15625,-0.5 0.35937,-0.91407 0.60937,-1.25 0.38282,-0.51953 0.8125,-0.90625 1.28125,-1.15625 0.47657,-0.25 1.01953,-0.375 1.625,-0.375 0.75,0 1.35157,0.23437 1.8125,0.70312 0.45703,0.46094 0.6875,1.0625 0.6875,1.8125 0,0.52344 -0.0781,1.04297 -0.23437,1.5625 -0.15625,0.51172 -0.35547,0.9375 -0.59375,1.28125 -0.38672,0.52344 -0.82031,0.90625 -1.29688,1.15625 -0.46875,0.25 -1.01172,0.375 -1.625,0.375 z m -1.375,-2.6875 c 0,0.59375 0.125,1.03906 0.375,1.32813 0.25,0.29297 0.625,0.4375 1.125,0.4375 0.71875,0 1.3125,-0.3125 1.78125,-0.9375 0.47657,-0.63282 0.71875,-1.4375 0.71875,-2.40625 0,-0.5625 -0.125,-0.98828 -0.375,-1.28125 -0.25,-0.28907 -0.625,-0.4375 -1.125,-0.4375 -0.40625,0 -0.76562,0.10156 -1.07812,0.29687 -0.3125,0.1875 -0.59375,0.47656 -0.84375,0.85938 -0.1875,0.29297 -0.33594,0.625 -0.4375,1 -0.0937,0.36718 -0.14063,0.74609 -0.14063,1.14062 z m 0,0"
+ id="path4075"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 634.98047,350.77344 c -0.10547,-0.0625 -0.23047,-0.10938 -0.375,-0.14063 -0.13672,-0.0312 -0.28125,-0.0469 -0.4375,-0.0469 -0.58594,0 -1.08985,0.21875 -1.51563,0.65625 -0.42968,0.4375 -0.71484,1.02343 -0.85937,1.75 l -0.65625,3.34375 -1.07813,0 1.28125,-6.5625 1.07813,0 -0.20313,1.01562 c 0.28125,-0.375 0.61719,-0.66015 1.01563,-0.85937 0.40625,-0.20703 0.83203,-0.3125 1.28125,-0.3125 0.11328,0 0.22656,0.008 0.34375,0.0156 0.11328,0.0117 0.22656,0.0312 0.34375,0.0625 z m 0,0"
+ id="path4077"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 640.08984,352.58594 -0.73437,3.75 -1.07813,0 0.1875,-1 c -0.3125,0.39843 -0.67187,0.69531 -1.07812,0.89062 -0.40625,0.1875 -0.85547,0.28125 -1.34375,0.28125 -0.5625,0 -1.02344,-0.17187 -1.375,-0.51562 -0.35547,-0.34375 -0.53125,-0.78125 -0.53125,-1.3125 0,-0.76953 0.30078,-1.375 0.90625,-1.8125 0.61328,-0.44532 1.45703,-0.67188 2.53125,-0.67188 l 1.5,0 0.0625,-0.29687 c 0.008,-0.0312 0.0156,-0.0625 0.0156,-0.0937 0,-0.0391 0,-0.0977 0,-0.17188 0,-0.35156 -0.14062,-0.625 -0.42187,-0.8125 -0.28125,-0.19531 -0.67969,-0.29687 -1.1875,-0.29687 -0.35547,0 -0.71875,0.0469 -1.09375,0.14062 -0.36719,0.0937 -0.74219,0.23047 -1.125,0.40625 l 0.1875,-1 c 0.40625,-0.15625 0.80078,-0.26953 1.1875,-0.34375 0.38281,-0.0703 0.75781,-0.10937 1.125,-0.10937 0.76953,0 1.35937,0.16797 1.76562,0.5 0.40625,0.33593 0.60938,0.82422 0.60938,1.46875 0,0.125 -0.0117,0.27734 -0.0312,0.45312 -0.0234,0.17969 -0.0469,0.35938 -0.0781,0.54688 z m -1.17187,0.45312 -1.07813,0 c -0.88672,0 -1.54297,0.1211 -1.96875,0.35938 -0.41797,0.23047 -0.625,0.59375 -0.625,1.09375 0,0.34375 0.10157,0.61718 0.3125,0.8125 0.21875,0.1875 0.51953,0.28125 0.90625,0.28125 0.58203,0 1.09375,-0.20703 1.53125,-0.625 0.4375,-0.41407 0.72657,-0.97657 0.875,-1.6875 z m 0,0"
+ id="path4079"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4081">
+ <use
+ xlink:href="#glyph153-16"
+ x="604.13684"
+ y="342.33414"
+ id="use4083"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4085">
+ <use
+ xlink:href="#glyph153-17"
+ x="611.13684"
+ y="342.33414"
+ id="use4087"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4089">
+ <use
+ xlink:href="#glyph153-5"
+ x="618.13684"
+ y="342.33414"
+ id="use4091"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4093">
+ <use
+ xlink:href="#glyph153-3"
+ x="625.13684"
+ y="342.33414"
+ id="use4095"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4097">
+ <use
+ xlink:href="#glyph153-14"
+ x="629.13684"
+ y="342.33414"
+ id="use4099"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4101">
+ <use
+ xlink:href="#glyph153-18"
+ x="633.13684"
+ y="342.33414"
+ id="use4103"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4105">
+ <use
+ xlink:href="#glyph153-11"
+ x="636.13684"
+ y="342.33414"
+ id="use4107"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4109">
+ <use
+ xlink:href="#glyph153-12"
+ x="643.13684"
+ y="342.33414"
+ id="use4111"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4113">
+ <use
+ xlink:href="#glyph153-7"
+ x="613.63684"
+ y="356.33414"
+ id="use4115"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4117">
+ <use
+ xlink:href="#glyph153-5"
+ x="622.63684"
+ y="356.33414"
+ id="use4119"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4121">
+ <use
+ xlink:href="#glyph153-3"
+ x="629.63684"
+ y="356.33414"
+ id="use4123"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#11513a;fill-opacity:1"
+ id="g4125">
+ <use
+ xlink:href="#glyph153-2"
+ x="633.63684"
+ y="356.33414"
+ id="use4127"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 14.882812,218.59766 0.984376,0 0,6.46875 3.546874,0 0,0.82812 -4.53125,0 z m 0,0"
+ id="path4129"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 19.835938,220.42578 0.90625,0 0,5.46875 -0.90625,0 z m 0,-2.125 0.90625,0 0,1.14063 -0.90625,0 z m 0,0"
+ id="path4131"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 25.445312,221.25391 0,-2.95313 0.890626,0 0,7.59375 -0.890626,0 0,-0.82812 c -0.1875,0.33593 -0.429687,0.57812 -0.71875,0.73437 -0.292968,0.15625 -0.640624,0.23438 -1.046874,0.23438 -0.65625,0 -1.195313,-0.25782 -1.609376,-0.78125 -0.417968,-0.53125 -0.625,-1.22657 -0.625,-2.09375 0,-0.85157 0.207032,-1.53907 0.625,-2.0625 0.414063,-0.53125 0.953126,-0.79688 1.609376,-0.79688 0.40625,0 0.753906,0.0781 1.046874,0.23438 0.289063,0.15625 0.53125,0.39843 0.71875,0.71875 z m -3.0625,1.90625 c 0,0.66796 0.132813,1.1875 0.40625,1.5625 0.269532,0.375 0.644532,0.5625 1.125,0.5625 0.46875,0 0.835938,-0.1875 1.109376,-0.5625 0.28125,-0.375 0.421874,-0.89454 0.421874,-1.5625 0,-0.65625 -0.140624,-1.17188 -0.421874,-1.54688 -0.273438,-0.375 -0.640626,-0.5625 -1.109376,-0.5625 -0.480468,0 -0.855468,0.1875 -1.125,0.5625 -0.273437,0.375 -0.40625,0.89063 -0.40625,1.54688 z m 0,0"
+ id="path4133"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 27.835938,218.30078 0.90625,0 0,7.59375 -0.90625,0 z m 0,0"
+ id="path4135"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#993399;fill-opacity:1"
+ id="g4137">
+ <use
+ xlink:href="#glyph0-20"
+ x="13.89863"
+ y="225.89288"
+ id="use4139"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#993399;fill-opacity:1"
+ id="g4141">
+ <use
+ xlink:href="#glyph0-12"
+ x="18.89863"
+ y="225.89288"
+ id="use4143"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#993399;fill-opacity:1"
+ id="g4145">
+ <use
+ xlink:href="#glyph0-5"
+ x="20.89863"
+ y="225.89288"
+ id="use4147"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#993399;fill-opacity:1"
+ id="g4149">
+ <use
+ xlink:href="#glyph0-7"
+ x="26.89863"
+ y="225.89288"
+ id="use4151"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 672.35937,431.75391 -1.4375,3.53125 -1.0625,-0.20313 0.375,-0.9375 c -0.375,0.32031 -0.78125,0.53906 -1.21875,0.65625 -0.4375,0.11328 -0.89843,0.125 -1.375,0.0312 -0.55468,-0.11719 -0.96875,-0.375 -1.25,-0.78125 -0.28125,-0.40625 -0.375,-0.86719 -0.28125,-1.39062 0.15625,-0.75782 0.57032,-1.29688 1.25,-1.60938 0.6875,-0.3125 1.55469,-0.36328 2.60938,-0.15625 l 1.46875,0.28125 0.125,-0.28125 c 0.008,-0.0312 0.0195,-0.0625 0.0312,-0.0937 0.008,-0.0312 0.0195,-0.082 0.0312,-0.15625 0.0703,-0.35156 -0.0117,-0.64844 -0.25,-0.89062 -0.24219,-0.23829 -0.60938,-0.41016 -1.10938,-0.51563 -0.34375,-0.0625 -0.71093,-0.082 -1.09375,-0.0625 -0.38671,0.0234 -0.78125,0.0781 -1.1875,0.17188 l 0.375,-0.9375 c 0.42579,-0.0703 0.83594,-0.10938 1.23438,-0.10938 0.39453,0 0.76953,0.0391 1.125,0.10938 0.75781,0.14843 1.30078,0.42187 1.625,0.82812 0.33203,0.40625 0.44141,0.92969 0.32812,1.5625 -0.0312,0.11719 -0.0742,0.26172 -0.125,0.4375 -0.0547,0.16797 -0.11718,0.33984 -0.1875,0.51563 z m -1.21875,0.21875 -1.0625,-0.20313 c -0.86718,-0.17578 -1.53125,-0.1875 -2,-0.0312 -0.46093,0.14844 -0.73437,0.46484 -0.82812,0.95313 -0.0742,0.34375 -0.0273,0.63281 0.14062,0.85937 0.17579,0.23047 0.45704,0.38281 0.84375,0.45313 0.57032,0.11718 1.11329,0.0117 1.625,-0.3125 0.50782,-0.33204 0.90625,-0.82813 1.1875,-1.48438 z m 0,0"
+ id="path4153"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 666.27734,425.08203 1.0625,0.20313 -0.51562,1.29687 -1.04688,-0.20312 z m -0.96875,2.42188 1.0625,0.20312 -2.53125,6.1875 -1.0625,-0.20312 z m 0,0"
+ id="path4155"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 664.77344,428.42187 c -0.0937,-0.082 -0.21094,-0.14843 -0.34375,-0.20312 -0.13672,-0.0625 -0.27735,-0.10938 -0.42188,-0.14063 -0.57422,-0.11328 -1.11719,0 -1.625,0.34375 -0.5,0.34375 -0.89844,0.86719 -1.1875,1.5625 l -1.28125,3.14063 -1.0625,-0.20313 2.53125,-6.1875 1.0625,0.20313 -0.40625,0.96875 c 0.34375,-0.32031 0.73438,-0.53906 1.17188,-0.65625 0.4375,-0.125 0.875,-0.14453 1.3125,-0.0625 0.11328,0.0234 0.22265,0.0469 0.32812,0.0781 0.11328,0.0312 0.22266,0.0781 0.32813,0.14063 z m 0,0"
+ id="path4157"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 658.625,429.05859 -1.4375,3.53125 -1.0625,-0.20312 0.375,-0.9375 c -0.375,0.32031 -0.78125,0.53906 -1.21875,0.65625 -0.4375,0.11328 -0.89844,0.125 -1.375,0.0312 -0.55469,-0.11719 -0.96875,-0.375 -1.25,-0.78125 -0.28125,-0.40625 -0.375,-0.86719 -0.28125,-1.39063 0.15625,-0.75781 0.57031,-1.29687 1.25,-1.60937 0.6875,-0.3125 1.55469,-0.36328 2.60937,-0.15625 l 1.46875,0.28125 0.125,-0.28125 c 0.008,-0.0312 0.0195,-0.0625 0.0312,-0.0937 0.008,-0.0312 0.0195,-0.082 0.0312,-0.15625 0.0703,-0.35156 -0.0117,-0.64844 -0.25,-0.89063 -0.24218,-0.23828 -0.60937,-0.41015 -1.10937,-0.51562 -0.34375,-0.0625 -0.71094,-0.082 -1.09375,-0.0625 -0.38672,0.0234 -0.78125,0.0781 -1.1875,0.17187 l 0.375,-0.9375 c 0.42578,-0.0703 0.83594,-0.10937 1.23437,-0.10937 0.39454,0 0.76954,0.0391 1.125,0.10937 0.75782,0.14844 1.30079,0.42188 1.625,0.82813 0.33204,0.40625 0.44141,0.92969 0.32813,1.5625 -0.0312,0.11719 -0.0742,0.26172 -0.125,0.4375 -0.0547,0.16797 -0.11719,0.33984 -0.1875,0.51562 z m -1.21875,0.21875 -1.0625,-0.20312 c -0.86719,-0.17578 -1.53125,-0.1875 -2,-0.0312 -0.46094,0.14844 -0.73438,0.46484 -0.82813,0.95312 -0.0742,0.34375 -0.0273,0.63282 0.14063,0.85938 0.17578,0.23047 0.45703,0.38281 0.84375,0.45312 0.57031,0.11719 1.11328,0.0117 1.625,-0.3125 0.50781,-0.33203 0.90625,-0.82812 1.1875,-1.48437 z m 0,0"
+ id="path4159"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 651.33203,427.31641 c 0.10156,-0.5625 0.0625,-1.01563 -0.125,-1.35938 -0.17969,-0.34375 -0.49609,-0.5625 -0.95312,-0.65625 -0.32422,-0.0625 -0.64844,-0.0391 -0.96875,0.0625 -0.3125,0.10547 -0.60547,0.29297 -0.875,0.5625 -0.29297,0.25 -0.54297,0.58594 -0.75,1 -0.21094,0.40625 -0.35547,0.82031 -0.4375,1.23438 -0.10547,0.53125 -0.0625,0.96875 0.125,1.3125 0.1875,0.33593 0.5039,0.54296 0.95312,0.625 0.33203,0.0703 0.65625,0.0547 0.96875,-0.0469 0.32031,-0.11328 0.61328,-0.29687 0.875,-0.54687 0.28125,-0.26954 0.53125,-0.60157 0.75,-1 0.21875,-0.40625 0.36328,-0.80079 0.4375,-1.1875 z m -2.98437,-2.125 c 0.35156,-0.32032 0.73828,-0.53907 1.15625,-0.65625 0.42578,-0.11329 0.8789,-0.125 1.35937,-0.0312 0.65625,0.125 1.125,0.4375 1.40625,0.9375 0.28125,0.5 0.34375,1.14062 0.1875,1.92187 -0.125,0.64844 -0.35937,1.23438 -0.70312,1.76563 -0.34375,0.53125 -0.77344,0.98046 -1.28125,1.34375 -0.33594,0.25 -0.69922,0.42187 -1.09375,0.51562 -0.38672,0.0937 -0.77735,0.0977 -1.17188,0.0156 -0.44922,-0.0859 -0.8125,-0.25782 -1.09375,-0.51563 -0.27344,-0.25 -0.44922,-0.57812 -0.53125,-0.98437 l -1.32812,3.29687 -1.0625,-0.20312 3.48437,-8.5625 1.0625,0.21875 z m 0,0"
+ id="path4161"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 645.67187,421.03516 1.0625,0.20312 -0.51562,1.29688 -1.04688,-0.20313 z m -0.96875,2.42187 1.0625,0.20313 -2.53125,6.1875 -1.0625,-0.20313 z m 0,0"
+ id="path4163"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 638.38281,420.96484 -1.1875,2.95313 1.5,0.29687 c 0.58203,0.11719 1.08594,0.0469 1.51563,-0.20312 0.42578,-0.25781 0.6914,-0.64844 0.79687,-1.17188 0.0703,-0.41406 0.008,-0.75781 -0.1875,-1.03125 -0.19922,-0.28125 -0.52344,-0.46093 -0.96875,-0.54687 z m 1.45313,3.9375 c 0.22656,0.11719 0.39843,0.30469 0.51562,0.5625 0.125,0.25 0.22266,0.73438 0.29688,1.45313 l 0.26562,2.48437 -1.21875,-0.23437 -0.23437,-2.34375 c -0.0625,-0.59375 -0.1875,-1.00781 -0.375,-1.25 -0.1875,-0.25 -0.51172,-0.41406 -0.96875,-0.5 l -1.29688,-0.25 -1.42187,3.5 -1.15625,-0.23438 3.35937,-8.26562 2.59375,0.51562 c 0.80078,0.15625 1.375,0.46094 1.71875,0.90625 0.35156,0.4375 0.46875,0.9961 0.34375,1.67188 -0.125,0.60547 -0.41406,1.08984 -0.85937,1.45312 -0.4375,0.35547 -0.96094,0.53125 -1.5625,0.53125 z m 0,0"
+ id="path4165"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 631.14844,423.66406 -1.4375,3.53125 -1.0625,-0.20312 0.375,-0.9375 c -0.375,0.32031 -0.78125,0.53906 -1.21875,0.65625 -0.4375,0.11328 -0.89844,0.125 -1.375,0.0312 -0.55469,-0.11719 -0.96875,-0.375 -1.25,-0.78125 -0.28125,-0.40625 -0.375,-0.86719 -0.28125,-1.39063 0.15625,-0.75781 0.57031,-1.29687 1.25,-1.60937 0.6875,-0.3125 1.55468,-0.36328 2.60937,-0.15625 l 1.46875,0.28125 0.125,-0.28125 c 0.008,-0.0312 0.0195,-0.0625 0.0312,-0.0937 0.008,-0.0312 0.0195,-0.082 0.0312,-0.15625 0.0703,-0.35157 -0.0117,-0.64844 -0.25,-0.89063 -0.24219,-0.23828 -0.60937,-0.41015 -1.10937,-0.51562 -0.34375,-0.0625 -0.71094,-0.082 -1.09375,-0.0625 -0.38672,0.0234 -0.78125,0.0781 -1.1875,0.17187 l 0.375,-0.9375 c 0.42578,-0.0703 0.83593,-0.10937 1.23437,-0.10937 0.39453,0 0.76953,0.0391 1.125,0.10937 0.75781,0.14844 1.30078,0.42188 1.625,0.82813 0.33203,0.40625 0.44141,0.92968 0.32813,1.5625 -0.0312,0.11718 -0.0742,0.26172 -0.125,0.4375 -0.0547,0.16797 -0.11719,0.33984 -0.1875,0.51562 z m -1.21875,0.21875 -1.0625,-0.20312 c -0.86719,-0.17578 -1.53125,-0.1875 -2,-0.0312 -0.46094,0.14843 -0.73438,0.46484 -0.82813,0.95312 -0.0742,0.34375 -0.0273,0.63281 0.14063,0.85938 0.17578,0.23047 0.45703,0.38281 0.84375,0.45312 0.57031,0.11719 1.11328,0.0117 1.625,-0.3125 0.50781,-0.33203 0.90625,-0.82812 1.1875,-1.48437 z m 0,0"
+ id="path4167"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 626.50391,420.91016 c -0.0937,-0.082 -0.21094,-0.14844 -0.34375,-0.20313 -0.13672,-0.0625 -0.27735,-0.10937 -0.42188,-0.14062 -0.57422,-0.11329 -1.11719,0 -1.625,0.34375 -0.5,0.34375 -0.89844,0.86718 -1.1875,1.5625 l -1.28125,3.14062 -1.0625,-0.20312 2.53125,-6.1875 1.0625,0.20312 -0.40625,0.96875 c 0.34375,-0.32031 0.73438,-0.53906 1.17188,-0.65625 0.4375,-0.125 0.875,-0.14453 1.3125,-0.0625 0.11328,0.0234 0.22265,0.0469 0.32812,0.0781 0.11328,0.0312 0.22266,0.0781 0.32813,0.14062 z m 0,0"
+ id="path4169"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 616.26172,424.74609 c -0.75,-0.15625 -1.30469,-0.51172 -1.65625,-1.0625 -0.35547,-0.55078 -0.44922,-1.22656 -0.28125,-2.03125 0.082,-0.46875 0.25,-0.92578 0.5,-1.375 0.25781,-0.45703 0.53906,-0.83203 0.84375,-1.125 0.48828,-0.4375 0.98828,-0.72656 1.5,-0.875 0.50781,-0.15625 1.0625,-0.17578 1.65625,-0.0625 0.73828,0.14844 1.28515,0.49219 1.64062,1.03125 0.36328,0.54297 0.47266,1.1836 0.32813,1.92188 -0.10547,0.51172 -0.28906,1.00781 -0.54688,1.48437 -0.25,0.46875 -0.52343,0.85547 -0.8125,1.15625 -0.48047,0.42578 -0.98047,0.71875 -1.5,0.875 -0.51172,0.15625 -1.07031,0.17578 -1.67187,0.0625 z m -0.82813,-2.90625 c -0.11718,0.58594 -0.0781,1.04297 0.10938,1.375 0.1875,0.33594 0.52344,0.54688 1.01562,0.64063 0.70703,0.13281 1.35157,-0.0547 1.9375,-0.57813 0.59375,-0.53125 0.97657,-1.26953 1.15625,-2.21875 0.11328,-0.55078 0.0781,-0.99218 -0.10937,-1.32812 -0.1875,-0.33203 -0.52735,-0.55078 -1.01563,-0.65625 -0.39843,-0.0703 -0.76562,-0.0469 -1.10937,0.0781 -0.34375,0.125 -0.6836,0.35938 -1.01563,0.70313 -0.23047,0.24219 -0.43359,0.53906 -0.60937,0.89062 -0.16797,0.34375 -0.28906,0.71094 -0.35938,1.09375 z m 0,0"
+ id="path4171"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 608.16406,414.04687 2.5,0.48438 c 1.3125,0.26172 2.25391,0.74219 2.82813,1.4375 0.57031,0.69922 0.75,1.60156 0.53125,2.70312 -0.14844,0.74219 -0.41797,1.42188 -0.8125,2.04688 -0.38672,0.625 -0.85547,1.13281 -1.40625,1.51562 -0.54297,0.375 -1.1875,0.60938 -1.9375,0.70313 -0.75,0.10156 -1.60157,0.0625 -2.54688,-0.125 l -2.51562,-0.5 z m 0.78125,1.14063 -2.60937,6.4375 1.51562,0.29687 c 1.30078,0.26172 2.37891,0.0859 3.23438,-0.53125 0.86328,-0.61328 1.42968,-1.60156 1.70312,-2.96875 0.15625,-0.8125 0.0391,-1.45703 -0.34375,-1.9375 -0.375,-0.47656 -1.05469,-0.8125 -2.03125,-1 z m 0,0"
+ id="path4173"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4175">
+ <use
+ xlink:href="#glyph154-1"
+ x="665.31439"
+ y="434.19107"
+ id="use4177"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4179">
+ <use
+ xlink:href="#glyph155-1"
+ x="662.37061"
+ y="433.61304"
+ id="use4181"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4183">
+ <use
+ xlink:href="#glyph156-1"
+ x="658.4455"
+ y="432.84259"
+ id="use4185"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4187">
+ <use
+ xlink:href="#glyph154-1"
+ x="651.57654"
+ y="431.49435"
+ id="use4189"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4191">
+ <use
+ xlink:href="#glyph157-1"
+ x="644.70764"
+ y="430.146"
+ id="use4193"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4195">
+ <use
+ xlink:href="#glyph158-1"
+ x="641.76385"
+ y="429.56799"
+ id="use4197"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4199">
+ <use
+ xlink:href="#glyph155-2"
+ x="633.91364"
+ y="428.02719"
+ id="use4201"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4203">
+ <use
+ xlink:href="#glyph159-1"
+ x="630.96985"
+ y="427.44916"
+ id="use4205"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4207">
+ <use
+ xlink:href="#glyph160-1"
+ x="624.10089"
+ y="426.10095"
+ id="use4209"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4211">
+ <use
+ xlink:href="#glyph156-1"
+ x="620.17584"
+ y="425.33035"
+ id="use4213"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4215">
+ <use
+ xlink:href="#glyph154-2"
+ x="613.30688"
+ y="423.98212"
+ id="use4217"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#6699cc;fill-opacity:1"
+ id="g4219">
+ <use
+ xlink:href="#glyph157-2"
+ x="604.47546"
+ y="422.2486"
+ id="use4221"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 383.55859,95.996094 3.85938,-0.34375 0.0781,0.84375 -2.96875,0.265625 0.15625,1.765625 c 0.14453,-0.07031 0.28516,-0.125 0.42188,-0.15625 0.13281,-0.03125 0.27344,-0.05078 0.42187,-0.0625 0.8125,-0.07031 1.47266,0.09375 1.98438,0.5 0.51953,0.398437 0.8164,0.976562 0.89062,1.734376 0.0625,0.78125 -0.13281,1.41406 -0.57812,1.89062 -0.4375,0.46875 -1.10547,0.7461 -2,0.82813 -0.30469,0.0234 -0.61719,0.0234 -0.9375,0 -0.3125,-0.0195 -0.64844,-0.0664 -1,-0.14063 l -0.0937,-0.98437 c 0.32031,0.125 0.64062,0.21484 0.95312,0.26562 0.3125,0.0547 0.64063,0.0625 0.98438,0.0312 0.5625,-0.0508 0.99219,-0.23828 1.29687,-0.5625 0.30078,-0.33203 0.42969,-0.75 0.39063,-1.25 -0.0547,-0.5 -0.25781,-0.878902 -0.60938,-1.140621 -0.35547,-0.269531 -0.8125,-0.378907 -1.375,-0.328125 -0.26172,0.02344 -0.52343,0.07422 -0.78125,0.15625 -0.25,0.07422 -0.50781,0.1875 -0.76562,0.34375 z m 0,0"
+ id="path4223"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 379.51172,100.71875 0.0469,0.4375 -4.125,0.375 c 0.0937,0.59375 0.31641,1.04297 0.67188,1.34375 0.35156,0.29297 0.82812,0.41406 1.42187,0.35938 0.34375,-0.0312 0.67578,-0.10157 1,-0.21875 0.32032,-0.11329 0.63282,-0.26954 0.9375,-0.46875 l 0.0625,0.84375 c -0.30468,0.16796 -0.62109,0.30468 -0.95312,0.40625 -0.33594,0.10546 -0.67188,0.17187 -1.01563,0.20312 -0.875,0.0742 -1.58984,-0.11719 -2.14062,-0.57812 -0.55469,-0.45704 -0.86719,-1.11719 -0.9375,-1.98438 -0.0859,-0.89453 0.0859,-1.625 0.51562,-2.1875 0.4375,-0.5625 1.06641,-0.878906 1.89063,-0.953125 0.73828,-0.07031 1.34375,0.109375 1.8125,0.546875 0.46875,0.429688 0.73828,1.054688 0.8125,1.875 z m -0.92188,-0.1875 c -0.043,-0.48828 -0.21484,-0.867188 -0.51562,-1.140625 -0.29297,-0.269531 -0.65625,-0.382813 -1.09375,-0.34375 -0.51172,0.04297 -0.90235,0.21875 -1.17188,0.53125 -0.27343,0.3125 -0.40625,0.726565 -0.40625,1.234375 z m 0,0"
+ id="path4225"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 373.36328,100.92188 0.29688,3.28125 -0.89063,0.0781 -0.28125,-3.25 c -0.0547,-0.51953 -0.19531,-0.89844 -0.42187,-1.140625 -0.21875,-0.238281 -0.53125,-0.335937 -0.9375,-0.296875 -0.48047,0.04297 -0.84375,0.230469 -1.09375,0.5625 -0.25,0.33594 -0.35547,0.76563 -0.3125,1.29688 l 0.28125,3.07812 -0.90625,0.0781 -0.48438,-5.45313 0.90625,-0.07813 0.0781,0.84375 c 0.17578,-0.34375 0.39843,-0.609375 0.67187,-0.796875 0.28125,-0.1875 0.60938,-0.296875 0.98438,-0.328125 0.625,-0.0625 1.11328,0.08984 1.46875,0.453125 0.36328,0.355469 0.57812,0.91406 0.64062,1.67188 z m 0,0"
+ id="path4227"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 364.83984,100.125 c -0.48047,0.043 -0.84375,0.26563 -1.09375,0.67188 -0.24218,0.39843 -0.32812,0.92187 -0.26562,1.57812 0.0508,0.64844 0.22656,1.14844 0.53125,1.5 0.30078,0.34375 0.69531,0.49609 1.1875,0.45313 0.47656,-0.0391 0.84375,-0.25782 1.09375,-0.65625 0.25,-0.40625 0.34765,-0.92969 0.29687,-1.57813 -0.0625,-0.64453 -0.25,-1.14453 -0.5625,-1.5 -0.3125,-0.35156 -0.71093,-0.50781 -1.1875,-0.46875 z m -0.0781,-0.75 c 0.78125,-0.07031 1.41406,0.125 1.90625,0.59375 0.5,0.46094 0.78906,1.13672 0.875,2.03125 0.0703,0.88672 -0.0937,1.60547 -0.5,2.15625 -0.39844,0.55469 -0.98438,0.86719 -1.76563,0.9375 -0.77343,0.0625 -1.40625,-0.14062 -1.90625,-0.60937 -0.49218,-0.46875 -0.77343,-1.14454 -0.84375,-2.03125 -0.0859,-0.89454 0.0703,-1.61329 0.46875,-2.15625 0.40625,-0.550786 0.99219,-0.85938 1.76563,-0.92188 z m 0,0"
+ id="path4229"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 360.67578,99.863281 0.90625,-0.07813 0.48438,5.453124 -0.90625,0.0781 z m -0.1875,-2.109375 0.90625,-0.07813 0.0937,1.140625 -0.90625,0.07813 z m 0,0"
+ id="path4231"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 355.30469,100.32031 4.25,-0.359372 0.0781,0.812502 -3.03125,4.20312 3.35938,-0.28125 0.0625,0.71875 -4.35938,0.375 -0.0781,-0.82812 3.03125,-4.20313 -3.25,0.28125 z m 0,0"
+ id="path4233"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 353.70312,100.46094 0.90625,-0.0781 0.46875,5.45313 -0.90625,0.0781 z m -0.17187,-2.109378 0.90625,-0.07812 0.0937,1.140624 -0.90625,0.07813 z m 0,0"
+ id="path4235"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 352.95312,101.37891 c -0.11718,-0.0625 -0.23046,-0.0977 -0.34375,-0.10938 -0.11718,-0.0195 -0.24609,-0.0234 -0.39062,-0.0156 -0.51172,0.0547 -0.88672,0.25781 -1.125,0.60937 -0.24219,0.34375 -0.33594,0.82813 -0.28125,1.45313 l 0.25,2.85937 -0.90625,0.0781 -0.46875,-5.45313 0.90625,-0.0781 0.0781,0.84375 c 0.15625,-0.34375 0.375,-0.60157 0.65625,-0.78125 0.28125,-0.1875 0.64063,-0.30078 1.07813,-0.34375 0.0625,0 0.12891,0 0.20312,0 0.082,-0.008 0.17188,-0.004 0.26563,0.0156 z m 0,0"
+ id="path4237"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 348.67578,101.08984 0.0781,0.84375 c -0.26172,-0.11328 -0.52344,-0.1914 -0.78125,-0.23437 -0.26172,-0.0508 -0.52344,-0.0664 -0.78125,-0.0469 -0.58594,0.0547 -1.02344,0.27735 -1.3125,0.67188 -0.28125,0.39844 -0.39844,0.92969 -0.34375,1.59375 0.0625,0.65625 0.26562,1.15625 0.60937,1.5 0.35156,0.34375 0.82031,0.49219 1.40625,0.4375 0.25781,-0.0195 0.50781,-0.0781 0.75,-0.17188 0.25,-0.0937 0.49219,-0.22265 0.73438,-0.39062 l 0.0781,0.84375 c -0.24219,0.13672 -0.49219,0.24609 -0.75,0.32812 -0.26172,0.0859 -0.54297,0.13672 -0.84375,0.15625 -0.82422,0.0742 -1.5,-0.125 -2.03125,-0.59375 -0.53125,-0.47656 -0.83594,-1.15625 -0.90625,-2.03125 -0.0742,-0.88281 0.10938,-1.60156 0.54688,-2.15625 0.44531,-0.55078 1.09375,-0.86328 1.9375,-0.9375 0.28125,-0.0195 0.55078,-0.0156 0.8125,0.0156 0.26953,0.0234 0.53515,0.0781 0.79687,0.17187 z m 0,0"
+ id="path4239"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 343.23828,101.51563 0.0781,0.85937 c -0.26172,-0.11328 -0.53125,-0.19141 -0.8125,-0.23437 -0.27344,-0.0391 -0.5586,-0.0469 -0.85938,-0.0156 -0.42969,0.0312 -0.75,0.125 -0.96875,0.28125 -0.21094,0.15625 -0.30469,0.37109 -0.28125,0.64063 0.0195,0.21093 0.11328,0.37109 0.28125,0.48437 0.16406,0.10547 0.49219,0.18359 0.98438,0.23438 l 0.29687,0.0625 c 0.65625,0.0859 1.125,0.24218 1.40625,0.46875 0.28906,0.21875 0.45703,0.54296 0.5,0.96875 0.0391,0.51171 -0.125,0.93359 -0.5,1.26562 -0.375,0.33594 -0.91406,0.53125 -1.60937,0.59375 -0.29297,0.0234 -0.60157,0.0156 -0.92188,-0.0156 -0.32422,-0.0312 -0.66406,-0.0859 -1.01562,-0.17188 l -0.0781,-0.92187 c 0.34375,0.13671 0.67578,0.23437 1,0.29687 0.33203,0.0625 0.65625,0.0781 0.96875,0.0469 0.41406,-0.0312 0.72656,-0.12891 0.9375,-0.29688 0.21875,-0.16406 0.31641,-0.37891 0.29688,-0.64062 -0.0234,-0.25 -0.1211,-0.42579 -0.29688,-0.53125 -0.16797,-0.11329 -0.53906,-0.20313 -1.10937,-0.26563 l -0.3125,-0.0625 c -0.55469,-0.0625 -0.96485,-0.20312 -1.23438,-0.42187 -0.27344,-0.22657 -0.42969,-0.55079 -0.46875,-0.96875 -0.043,-0.51954 0.10156,-0.92969 0.4375,-1.23438 0.34375,-0.3125 0.84766,-0.5 1.51563,-0.5625 0.32031,-0.0195 0.63281,-0.0195 0.9375,0 0.30078,0.0234 0.57812,0.0703 0.82812,0.14063 z m 0,0"
+ id="path4241"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 335.94922,102.60547 c -0.48047,0.043 -0.84375,0.26562 -1.09375,0.67187 -0.24219,0.39844 -0.33594,0.92188 -0.28125,1.57813 0.0508,0.64844 0.22656,1.14844 0.53125,1.5 0.3125,0.34375 0.71094,0.49609 1.20312,0.45312 0.47657,-0.0391 0.83594,-0.25781 1.07813,-0.65625 0.25,-0.39453 0.34765,-0.91406 0.29687,-1.5625 -0.0547,-0.64453 -0.23437,-1.14453 -0.54687,-1.5 -0.3125,-0.36328 -0.71094,-0.52343 -1.1875,-0.48437 z m -0.0781,-0.75 c 0.78125,-0.0625 1.41407,0.14062 1.90625,0.60937 0.5,0.46875 0.78516,1.15235 0.85938,2.04688 0.0703,0.88672 -0.0937,1.60547 -0.5,2.15625 -0.39844,0.54297 -0.98438,0.84375 -1.76563,0.90625 -0.77343,0.0742 -1.40625,-0.125 -1.90625,-0.59375 -0.49218,-0.47656 -0.77343,-1.16016 -0.84375,-2.04688 -0.0742,-0.89453 0.0859,-1.61328 0.48438,-2.15625 0.40625,-0.53906 0.99219,-0.84765 1.76562,-0.92187 z m 0,0"
+ id="path4243"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 332.73047,102.45313 0.0781,0.84375 c -0.26172,-0.11329 -0.52343,-0.19141 -0.78125,-0.23438 -0.26172,-0.0508 -0.52343,-0.0664 -0.78125,-0.0469 -0.58593,0.0547 -1.02343,0.27734 -1.3125,0.67187 -0.28125,0.39844 -0.39843,0.92969 -0.34375,1.59375 0.0625,0.65625 0.26563,1.15625 0.60938,1.5 0.35156,0.34375 0.82031,0.49219 1.40625,0.4375 0.25781,-0.0195 0.50781,-0.0781 0.75,-0.17187 0.25,-0.0937 0.49219,-0.22266 0.73437,-0.39063 l 0.0781,0.84375 c -0.24219,0.13672 -0.49219,0.24609 -0.75,0.32813 -0.26172,0.0859 -0.54297,0.13671 -0.84375,0.15625 -0.82422,0.0742 -1.5,-0.125 -2.03125,-0.59375 -0.53125,-0.47657 -0.83594,-1.15625 -0.90625,-2.03125 -0.0742,-0.88282 0.10937,-1.60157 0.54687,-2.15625 0.44532,-0.55079 1.09375,-0.86329 1.9375,-0.9375 0.28125,-0.0195 0.55078,-0.0156 0.8125,0.0156 0.26953,0.0234 0.53516,0.0781 0.79688,0.17188 z m 0,0"
+ id="path4245"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 328.04297,103.51563 c -0.11719,-0.0625 -0.23047,-0.0977 -0.34375,-0.10938 -0.11719,-0.0195 -0.2461,-0.0234 -0.39063,-0.0156 -0.51172,0.0547 -0.88672,0.25781 -1.125,0.60937 -0.24218,0.34375 -0.33593,0.82813 -0.28125,1.45313 l 0.25,2.85937 -0.90625,0.0781 -0.46875,-5.45313 0.90625,-0.0781 0.0781,0.84375 c 0.15625,-0.34375 0.375,-0.60157 0.65625,-0.78125 0.28125,-0.1875 0.64062,-0.30079 1.07812,-0.34375 0.0625,0 0.12891,0 0.20313,0 0.082,-0.008 0.17187,-0.004 0.26562,0.0156 z m 0,0"
+ id="path4247"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 322.81641,103.10547 0.90625,-0.0781 0.46875,5.45313 -0.90625,0.0781 z m -0.17188,-2.10938 0.90625,-0.0781 0.0937,1.14062 -0.90625,0.0781 z m 0,0"
+ id="path4249"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 322.19922,101.89844 0.0937,1.03125 c -0.35547,-0.28125 -0.72656,-0.47656 -1.10938,-0.59375 -0.38672,-0.11328 -0.78906,-0.15625 -1.20312,-0.125 -0.83594,0.0742 -1.44922,0.38281 -1.84375,0.92187 -0.39844,0.54297 -0.55469,1.29297 -0.46875,2.25 0.082,0.96094 0.36328,1.67188 0.84375,2.14063 0.47656,0.46875 1.13281,0.66797 1.96875,0.59375 0.41406,-0.0312 0.80469,-0.13281 1.17187,-0.3125 0.36328,-0.1875 0.69141,-0.45313 0.98438,-0.79688 l 0.0937,1.03125 c -0.3125,0.27344 -0.65625,0.48047 -1.03125,0.625 -0.375,0.14844 -0.77735,0.23438 -1.20313,0.26563 -1.10547,0.10547 -2,-0.15625 -2.6875,-0.78125 -0.6875,-0.625 -1.08593,-1.51563 -1.1875,-2.67188 -0.0937,-1.16406 0.14063,-2.10937 0.70313,-2.82812 0.57031,-0.72656 1.41015,-1.14453 2.51562,-1.25 0.4375,-0.0312 0.85157,-0.004 1.25,0.0781 0.39453,0.0859 0.76563,0.22657 1.10938,0.42188 z m 0,0"
+ id="path4251"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4253">
+ <use
+ xlink:href="#glyph161-1"
+ x="383.13593"
+ y="103.3558"
+ id="use4255"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4257">
+ <use
+ xlink:href="#glyph162-1"
+ x="380.14706"
+ y="103.62406"
+ id="use4259"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4261">
+ <use
+ xlink:href="#glyph163-1"
+ x="374.16696"
+ y="104.15526"
+ id="use4263"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4265">
+ <use
+ xlink:href="#glyph164-1"
+ x="368.19049"
+ y="104.68614"
+ id="use4267"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4269">
+ <use
+ xlink:href="#glyph165-1"
+ x="362.21402"
+ y="105.21702"
+ id="use4271"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4273">
+ <use
+ xlink:href="#glyph166-1"
+ x="360.22168"
+ y="105.39391"
+ id="use4275"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4277">
+ <use
+ xlink:href="#glyph167-1"
+ x="355.22754"
+ y="105.82168"
+ id="use4279"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4281">
+ <use
+ xlink:href="#glyph168-1"
+ x="353.23483"
+ y="105.99236"
+ id="use4283"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4285">
+ <use
+ xlink:href="#glyph169-1"
+ x="349.24942"
+ y="106.33371"
+ id="use4287"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4289">
+ <use
+ xlink:href="#glyph167-2"
+ x="344.26767"
+ y="106.76041"
+ id="use4291"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4293">
+ <use
+ xlink:href="#glyph170-1"
+ x="339.28592"
+ y="107.1871"
+ id="use4295"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4297">
+ <use
+ xlink:href="#glyph171-1"
+ x="333.3078"
+ y="107.69914"
+ id="use4299"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4301">
+ <use
+ xlink:href="#glyph170-2"
+ x="328.32602"
+ y="108.12584"
+ id="use4303"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4305">
+ <use
+ xlink:href="#glyph172-1"
+ x="324.34064"
+ y="108.4672"
+ id="use4307"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4309">
+ <use
+ xlink:href="#glyph168-1"
+ x="322.34793"
+ y="108.63788"
+ id="use4311"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4313">
+ <use
+ xlink:href="#glyph173-1"
+ x="316.36981"
+ y="109.14991"
+ id="use4315"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 323.92969,121.82422 0.0937,1.03125 c -0.35547,-0.28125 -0.72657,-0.47656 -1.10938,-0.59375 -0.38672,-0.11328 -0.78906,-0.15625 -1.20312,-0.125 -0.83594,0.0742 -1.44922,0.38281 -1.84375,0.92187 -0.39844,0.54297 -0.55469,1.29297 -0.46875,2.25 0.082,0.96094 0.36328,1.67188 0.84375,2.14063 0.47656,0.46875 1.13281,0.66797 1.96875,0.59375 0.41406,-0.0312 0.80468,-0.13281 1.17187,-0.3125 0.36328,-0.1875 0.69141,-0.45313 0.98438,-0.79688 l 0.0937,1.03125 c -0.3125,0.27344 -0.65625,0.48047 -1.03125,0.625 -0.375,0.14844 -0.77735,0.23438 -1.20313,0.26563 -1.10547,0.10547 -2,-0.15625 -2.6875,-0.78125 -0.6875,-0.625 -1.08594,-1.51563 -1.1875,-2.67188 -0.0937,-1.16406 0.14063,-2.10937 0.70313,-2.82812 0.57031,-0.72656 1.41015,-1.14453 2.51562,-1.25 0.4375,-0.0312 0.85156,-0.004 1.25,0.0781 0.39453,0.0859 0.76563,0.22657 1.10938,0.42188 z m 0,0"
+ id="path4317"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 324.55078,123.03125 0.90625,-0.0781 0.46875,5.45312 -0.90625,0.0781 z m -0.17187,-2.10937 0.90625,-0.0781 0.0937,1.14063 -0.90625,0.0781 z m 0,0"
+ id="path4319"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 329.77734,123.4375 c -0.11718,-0.0625 -0.23047,-0.0977 -0.34375,-0.10937 -0.11718,-0.0195 -0.24609,-0.0234 -0.39062,-0.0156 -0.51172,0.0547 -0.88672,0.25781 -1.125,0.60938 -0.24219,0.34375 -0.33594,0.82812 -0.28125,1.45312 l 0.25,2.85937 -0.90625,0.0781 -0.46875,-5.45312 0.90625,-0.0781 0.0781,0.84375 c 0.15625,-0.34375 0.375,-0.60156 0.65625,-0.78125 0.28125,-0.1875 0.64063,-0.30078 1.07813,-0.34375 0.0625,0 0.1289,0 0.20312,0 0.082,-0.008 0.17188,-0.004 0.26563,0.0156 z m 0,0"
+ id="path4321"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 334.46484,122.37891 0.0781,0.84375 c -0.26172,-0.11328 -0.52344,-0.19141 -0.78125,-0.23438 -0.26172,-0.0508 -0.52344,-0.0664 -0.78125,-0.0469 -0.58594,0.0547 -1.02344,0.27734 -1.3125,0.67187 -0.28125,0.39844 -0.39844,0.92969 -0.34375,1.59375 0.0625,0.65625 0.26562,1.15625 0.60937,1.5 0.35157,0.34375 0.82032,0.49219 1.40625,0.4375 0.25782,-0.0195 0.50782,-0.0781 0.75,-0.17187 0.25,-0.0937 0.49219,-0.22266 0.73438,-0.39063 l 0.0781,0.84375 c -0.24218,0.13672 -0.49218,0.2461 -0.75,0.32813 -0.26172,0.0859 -0.54297,0.13672 -0.84375,0.15625 -0.82422,0.0742 -1.5,-0.125 -2.03125,-0.59375 -0.53125,-0.47657 -0.83593,-1.15625 -0.90625,-2.03125 -0.0742,-0.88282 0.10938,-1.60157 0.54688,-2.15625 0.44531,-0.55078 1.09375,-0.86328 1.9375,-0.9375 0.28125,-0.0195 0.55078,-0.0156 0.8125,0.0156 0.26953,0.0234 0.53515,0.0781 0.79687,0.17188 z m 0,0"
+ id="path4323"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 337.67969,122.53125 c -0.48047,0.043 -0.84375,0.26563 -1.09375,0.67188 -0.24219,0.39843 -0.33594,0.92187 -0.28125,1.57812 0.0508,0.64844 0.22656,1.14844 0.53125,1.5 0.3125,0.34375 0.71093,0.49609 1.20312,0.45313 0.47656,-0.0391 0.83594,-0.25782 1.07813,-0.65625 0.25,-0.39454 0.34765,-0.91407 0.29687,-1.5625 -0.0547,-0.64454 -0.23437,-1.14454 -0.54687,-1.5 -0.3125,-0.36329 -0.71094,-0.52344 -1.1875,-0.48438 z m -0.0781,-0.75 c 0.78125,-0.0625 1.41406,0.14063 1.90625,0.60938 0.5,0.46875 0.78516,1.15234 0.85938,2.04687 0.0703,0.88672 -0.0937,1.60547 -0.5,2.15625 -0.39844,0.54297 -0.98438,0.84375 -1.76563,0.90625 -0.77344,0.0742 -1.40625,-0.125 -1.90625,-0.59375 -0.49219,-0.47656 -0.77344,-1.16016 -0.84375,-2.04687 -0.0742,-0.89454 0.0859,-1.61329 0.48438,-2.15625 0.40625,-0.53907 0.99218,-0.84766 1.76562,-0.92188 z m 0,0"
+ id="path4325"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 344.97266,121.44141 0.0781,0.85937 c -0.26172,-0.11328 -0.53125,-0.1914 -0.8125,-0.23437 -0.27344,-0.0391 -0.55859,-0.0469 -0.85937,-0.0156 -0.42969,0.0312 -0.75,0.125 -0.96875,0.28125 -0.21094,0.15625 -0.30469,0.3711 -0.28125,0.64063 0.0195,0.21093 0.11328,0.37109 0.28125,0.48437 0.16406,0.10547 0.49218,0.1836 0.98437,0.23438 l 0.29688,0.0625 c 0.65625,0.0859 1.125,0.24218 1.40625,0.46875 0.28906,0.21875 0.45703,0.54297 0.5,0.96875 0.0391,0.51172 -0.125,0.93359 -0.5,1.26562 -0.375,0.33594 -0.91407,0.53125 -1.60938,0.59375 -0.29297,0.0234 -0.60156,0.0156 -0.92187,-0.0156 -0.32422,-0.0312 -0.66407,-0.0859 -1.01563,-0.17188 l -0.0781,-0.92187 c 0.34375,0.13672 0.67578,0.23437 1,0.29687 0.33203,0.0625 0.65625,0.0781 0.96875,0.0469 0.41406,-0.0312 0.72656,-0.12891 0.9375,-0.29688 0.21875,-0.16406 0.3164,-0.3789 0.29687,-0.64062 -0.0234,-0.25 -0.12109,-0.42578 -0.29687,-0.53125 -0.16797,-0.11328 -0.53907,-0.20313 -1.10938,-0.26563 l -0.3125,-0.0625 c -0.55469,-0.0625 -0.96484,-0.20312 -1.23437,-0.42187 -0.27344,-0.22657 -0.42969,-0.55078 -0.46875,-0.96875 -0.043,-0.51953 0.10156,-0.92969 0.4375,-1.23438 0.34375,-0.3125 0.84765,-0.5 1.51562,-0.5625 0.32031,-0.0195 0.63281,-0.0195 0.9375,0 0.30078,0.0234 0.57813,0.0703 0.82813,0.14063 z m 0,0"
+ id="path4327"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 350.40625,121.01172 0.0781,0.84375 c -0.26171,-0.11328 -0.52343,-0.19141 -0.78125,-0.23438 -0.26171,-0.0508 -0.52343,-0.0664 -0.78125,-0.0469 -0.58593,0.0547 -1.02343,0.27734 -1.3125,0.67187 -0.28125,0.39844 -0.39843,0.92969 -0.34375,1.59375 0.0625,0.65625 0.26563,1.15625 0.60938,1.5 0.35156,0.34375 0.82031,0.49219 1.40625,0.4375 0.25781,-0.0195 0.50781,-0.0781 0.75,-0.17187 0.25,-0.0937 0.49219,-0.22266 0.73437,-0.39063 l 0.0781,0.84375 c -0.24219,0.13672 -0.49219,0.2461 -0.75,0.32813 -0.26172,0.0859 -0.54297,0.13672 -0.84375,0.15625 -0.82422,0.0742 -1.5,-0.125 -2.03125,-0.59375 -0.53125,-0.47656 -0.83594,-1.15625 -0.90625,-2.03125 -0.0742,-0.88281 0.10937,-1.60156 0.54687,-2.15625 0.44532,-0.55078 1.09375,-0.86328 1.9375,-0.9375 0.28125,-0.0195 0.55079,-0.0156 0.8125,0.0156 0.26954,0.0234 0.53516,0.0781 0.79688,0.17188 z m 0,0"
+ id="path4329"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 354.68359,121.30469 c -0.11718,-0.0625 -0.23047,-0.0977 -0.34375,-0.10938 -0.11718,-0.0195 -0.24609,-0.0234 -0.39062,-0.0156 -0.51172,0.0547 -0.88672,0.25781 -1.125,0.60937 -0.24219,0.34375 -0.33594,0.82813 -0.28125,1.45313 l 0.25,2.85937 -0.90625,0.0781 -0.46875,-5.45313 0.90625,-0.0781 0.0781,0.84375 c 0.15625,-0.34375 0.375,-0.60156 0.65625,-0.78125 0.28125,-0.1875 0.64063,-0.30078 1.07813,-0.34375 0.0625,0 0.1289,0 0.20312,0 0.082,-0.008 0.17188,-0.004 0.26563,0.0156 z m 0,0"
+ id="path4331"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 355.4375,120.38672 0.90625,-0.0781 0.46875,5.45313 -0.90625,0.0781 z m -0.17188,-2.10938 0.90625,-0.0781 0.0937,1.14062 -0.90625,0.0781 z m 0,0"
+ id="path4333"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 357.03906,120.24609 4.25,-0.35937 0.0781,0.8125 -3.03125,4.20312 3.35937,-0.28125 0.0625,0.71875 -4.35937,0.375 -0.0781,-0.82812 3.03125,-4.20313 -3.25,0.28125 z m 0,0"
+ id="path4335"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 362.40625,119.78906 0.90625,-0.0781 0.48437,5.45312 -0.90625,0.0781 z m -0.1875,-2.10937 0.90625,-0.0781 0.0937,1.14063 -0.90625,0.0781 z m 0,0"
+ id="path4337"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 366.57031,120.04688 c -0.48047,0.043 -0.84375,0.26562 -1.09375,0.67187 -0.24219,0.39844 -0.32812,0.92188 -0.26562,1.57813 0.0508,0.64843 0.22656,1.14843 0.53125,1.5 0.30078,0.34375 0.69531,0.49609 1.1875,0.45312 0.47656,-0.0391 0.84375,-0.25781 1.09375,-0.65625 0.25,-0.40625 0.34765,-0.92969 0.29687,-1.57812 -0.0625,-0.64454 -0.25,-1.14454 -0.5625,-1.5 -0.3125,-0.35157 -0.71094,-0.50782 -1.1875,-0.46875 z m -0.0781,-0.75 c 0.78125,-0.0703 1.41406,0.125 1.90625,0.59375 0.5,0.46093 0.78906,1.13671 0.875,2.03125 0.0703,0.88671 -0.0937,1.60546 -0.5,2.15625 -0.39844,0.55468 -0.98438,0.86718 -1.76563,0.9375 -0.77344,0.0625 -1.40625,-0.14063 -1.90625,-0.60938 -0.49219,-0.46875 -0.77344,-1.14453 -0.84375,-2.03125 -0.0859,-0.89453 0.0703,-1.61328 0.46875,-2.15625 0.40625,-0.55078 0.99219,-0.85937 1.76563,-0.92187 z m 0,0"
+ id="path4339"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 375.09375,120.84375 0.29687,3.28125 -0.89062,0.0781 -0.28125,-3.25 c -0.0547,-0.51954 -0.19531,-0.89844 -0.42188,-1.14063 -0.21875,-0.23828 -0.53125,-0.33594 -0.9375,-0.29687 -0.48046,0.043 -0.84375,0.23046 -1.09375,0.5625 -0.25,0.33593 -0.35546,0.76562 -0.3125,1.29687 l 0.28125,3.07813 -0.90625,0.0781 -0.48437,-5.45312 L 371.25,119 l 0.0781,0.84375 c 0.17579,-0.34375 0.39844,-0.60937 0.67188,-0.79687 0.28125,-0.1875 0.60937,-0.29688 0.98437,-0.32813 0.625,-0.0625 1.11329,0.0898 1.46875,0.45313 0.36329,0.35546 0.57813,0.91406 0.64063,1.67187 z m 0,0"
+ id="path4341"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 381.24219,120.64063 0.0469,0.4375 -4.125,0.375 c 0.0937,0.59375 0.31641,1.04296 0.67188,1.34375 0.35156,0.29296 0.82812,0.41406 1.42187,0.35937 0.34375,-0.0312 0.67578,-0.10156 1,-0.21875 0.32031,-0.11328 0.63281,-0.26953 0.9375,-0.46875 l 0.0625,0.84375 c -0.30469,0.16797 -0.62109,0.30469 -0.95312,0.40625 -0.33594,0.10547 -0.67188,0.17188 -1.01563,0.20313 -0.875,0.0742 -1.58984,-0.11719 -2.14062,-0.57813 -0.55469,-0.45703 -0.86719,-1.11719 -0.9375,-1.98437 -0.0859,-0.89454 0.0859,-1.625 0.51562,-2.1875 0.4375,-0.5625 1.06641,-0.87891 1.89063,-0.95313 0.73828,-0.0703 1.34375,0.10938 1.8125,0.54688 0.46875,0.42968 0.73828,1.05468 0.8125,1.875 z m -0.92188,-0.1875 c -0.043,-0.48829 -0.21484,-0.86719 -0.51562,-1.14063 -0.29297,-0.26953 -0.65625,-0.38281 -1.09375,-0.34375 -0.51172,0.043 -0.90235,0.21875 -1.17188,0.53125 -0.27344,0.3125 -0.40625,0.72656 -0.40625,1.23438 z m 0,0"
+ id="path4343"
+ inkscape:connector-curvature="0" />
+ <path
+ style="fill:none;stroke:#ffffff;stroke-width:2;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:10;stroke-opacity:0.6"
+ d="m 388.05469,116.53125 -2.125,4.10938 2.46875,-0.23438 z m -0.34375,-0.82812 1.25,-0.10938 0.42187,4.73438 1.03125,-0.0937 0.0781,0.8125 -1.03125,0.0937 0.15625,1.71875 -0.98438,0.0781 -0.15625,-1.71875 -3.28125,0.29688 -0.0781,-0.9375 z m 0,0"
+ id="path4345"
+ inkscape:connector-curvature="0" />
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4347">
+ <use
+ xlink:href="#glyph174-1"
+ x="318.10263"
+ y="129.07471"
+ id="use4349"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4351">
+ <use
+ xlink:href="#glyph175-1"
+ x="324.08075"
+ y="128.56267"
+ id="use4353"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4355">
+ <use
+ xlink:href="#glyph176-1"
+ x="326.07346"
+ y="128.392"
+ id="use4357"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4359">
+ <use
+ xlink:href="#glyph177-1"
+ x="330.05887"
+ y="128.05063"
+ id="use4361"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4363">
+ <use
+ xlink:href="#glyph178-1"
+ x="335.04062"
+ y="127.62394"
+ id="use4365"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4367">
+ <use
+ xlink:href="#glyph177-2"
+ x="341.01874"
+ y="127.1119"
+ id="use4369"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4371">
+ <use
+ xlink:href="#glyph177-1"
+ x="346.00049"
+ y="126.6852"
+ id="use4373"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4375">
+ <use
+ xlink:href="#glyph176-1"
+ x="350.98224"
+ y="126.25851"
+ id="use4377"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4379">
+ <use
+ xlink:href="#glyph174-2"
+ x="354.96765"
+ y="125.91715"
+ id="use4381"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4383">
+ <use
+ xlink:href="#glyph177-3"
+ x="356.96036"
+ y="125.74647"
+ id="use4385"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4387">
+ <use
+ xlink:href="#glyph179-1"
+ x="361.9545"
+ y="125.3187"
+ id="use4389"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4391">
+ <use
+ xlink:href="#glyph180-1"
+ x="363.94684"
+ y="125.14182"
+ id="use4393"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4395">
+ <use
+ xlink:href="#glyph181-1"
+ x="369.92331"
+ y="124.61093"
+ id="use4397"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4399">
+ <use
+ xlink:href="#glyph181-2"
+ x="375.89978"
+ y="124.08006"
+ id="use4401"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4403">
+ <use
+ xlink:href="#glyph182-1"
+ x="381.87988"
+ y="123.54885"
+ id="use4405"
+ width="691"
+ height="587" />
+ </g>
+ <g
+ style="fill:#ab45ab;fill-opacity:1"
+ id="g4407">
+ <use
+ xlink:href="#glyph183-1"
+ x="384.86874"
+ y="123.2806"
+ id="use4409"
+ width="691"
+ height="587" />
+ </g>
+ <path
+ sodipodi:type="arc"
+ style="fill:none;stroke:#ff0000;stroke-width:5;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none"
+ id="path7428"
+ sodipodi:cx="375.03641"
+ sodipodi:cy="358.32495"
+ sodipodi:rx="35.754768"
+ sodipodi:ry="35.754768"
+ d="m 410.79118,358.32495 a 35.754768,35.754768 0 1 1 -71.50954,0 35.754768,35.754768 0 1 1 71.50954,0 z"
+ transform="matrix(1.414739,0,0,1.1470552,-182.82468,-117.11939)" />
+ <path
+ style="fill:none;stroke:#ff0000;stroke-width:5;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none"
+ id="path8206"
+ d="m 404.05359,387.69176 c -3.02035,-0.0624 -6.04161,-0.08 -9.06254,-0.0783 -3.76529,0.0241 -7.53202,-0.15625 -11.27264,0.3328 -2.08985,0.41589 -4.22232,0.76931 -6.25757,1.41905 -3.19099,1.01871 -6.25802,2.52436 -9.31202,3.8778 -9.16455,4.44324 -18.37784,8.78237 -27.52691,13.25801 -3.85258,1.91541 -5.34704,2.56845 -9.02699,4.74919 -0.66259,0.39265 2.67281,-1.51723 2.05329,-1.05963 -1.41181,1.04282 -2.9854,1.84807 -4.44349,2.82513 -2.29703,1.53922 -7.0651,5.0047 -9.32701,6.6351 -8.62745,6.25111 -16.79509,13.08628 -25.01027,19.85892 -8.06559,6.53934 -15.48656,13.80829 -23.28994,20.6473 -7.30095,5.9996 -13.75747,12.89038 -19.94281,20.00684 -3.41098,3.97721 -1.79368,2.05467 -4.86057,5.76033 0,0 -7.03597,2.98757 -7.03597,2.98757 l 0,0 c 3.18459,-3.76257 1.51643,-1.81449 5.01016,-5.83938 1.57909,-1.81265 4.46188,-5.15059 6.08057,-6.89007 4.35808,-4.68328 8.98846,-9.11946 13.88472,-13.23668 7.85693,-6.82517 15.29579,-14.11687 23.36433,-20.69967 8.23174,-6.78459 16.38544,-13.66709 25.03764,-19.92066 0.70288,-0.50697 8.54628,-6.17125 9.24514,-6.64694 7.61238,-5.18139 15.7108,-9.67827 23.96973,-13.73526 9.2247,-4.5066 18.50008,-8.90673 27.73609,-13.38994 5.16158,-2.30246 10.32563,-4.6765 16.00541,-5.33943 3.75874,-0.40714 7.53406,-0.2053 11.30936,-0.24316 3.0928,0.002 6.18588,-0.0175 9.27813,-0.0783 0,0 -6.60584,4.79942 -6.60584,4.79942 z"
+ inkscape:connector-curvature="0"
+ transform="matrix(0.8,0,0,0.8,16.011917,-5.7518538)" />
+ <path
+ style="fill:none;stroke:#ff0000;stroke-width:5;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none"
+ id="path8210"
+ d="m 410.65427,385.19362 c -1.98851,1.87418 -3.81513,3.91356 -5.75788,5.83926 -2.4336,2.30348 -4.72874,4.73892 -6.9206,7.27173 -2.007,2.09282 -3.57007,4.52378 -5.06715,6.98985 -0.49897,0.8164 -0.88934,1.69007 -1.29085,2.5562 0,0 -7.36777,3.35483 -7.36777,3.35483 l 0,0 c 0.42516,-0.8917 0.80705,-1.805 1.31103,-2.65698 1.50555,-2.50595 3.05807,-5.00601 5.07508,-7.14151 2.19594,-2.53833 4.44336,-5.03099 6.89541,-7.32778 1.91203,-1.89096 3.78707,-3.8099 5.55947,-5.83283 0,0 7.56326,-3.05277 7.56326,-3.05277 z"
+ inkscape:connector-curvature="0"
+ transform="matrix(0.8,0,0,0.8,16.011917,-5.7518538)" />
+ <path
+ style="fill:none;stroke:#ff0000;stroke-width:5;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none"
+ id="path8218"
+ d="m 408.66074,382.80071 c -1.01273,-0.42337 -2.07299,-0.72139 -3.13799,-0.98018 -1.02085,-0.15397 -2.01053,-0.443 -3.0188,-0.65342 -0.98582,-0.19285 -1.94927,-0.47636 -2.92433,-0.71588 -0.83546,-0.161 -1.67894,-0.29223 -2.52408,-0.39273 -0.86807,-0.12148 -1.72757,-0.28957 -2.59802,-0.39445 -0.75984,-0.0437 -1.50999,-0.15291 -2.25762,-0.29073 -0.7003,-0.10057 -1.39507,-0.2328 -2.09845,-0.31197 -0.75309,-0.0147 -1.48567,-0.1562 -2.22689,-0.27547 -0.97664,-0.10788 -1.95572,-0.19608 -2.93462,-0.28394 -0.93799,-0.0783 -1.87164,-0.19235 -2.81161,-0.2495 -0.5918,0.001 -1.17578,-0.0754 -1.76209,-0.14416 0,0 2.33615,-1.65476 2.33615,-1.65476 l 0,0 c 0.57671,0.0718 1.15384,0.12662 1.7351,0.14517 0.93785,0.0712 1.87104,0.1854 2.80858,0.26 0.98488,0.0936 1.97124,0.17407 2.95306,0.29457 0.74194,0.12049 1.48308,0.20544 2.23283,0.2577 0.70433,0.0924 1.40429,0.21649 2.10572,0.32798 0.7428,0.13627 1.49167,0.2094 2.24282,0.28293 0.86727,0.12161 1.72759,0.28697 2.59713,0.39289 0.84851,0.10929 1.69623,0.24302 2.53114,0.43043 0.96958,0.24974 1.93694,0.50912 2.91865,0.70771 1.00384,0.2211 1.99771,0.48508 3.00928,0.67242 1.07771,0.28272 2.144,0.60559 3.20495,0.94482 0,0 -2.38091,1.63057 -2.38091,1.63057 z"
+ inkscape:connector-curvature="0"
+ transform="matrix(0.8,0,0,0.8,16.011917,-5.7518538)" />
+ </g>
+</svg>
diff --git a/admin/static/partner/LICENSES.md b/admin/static/partner/LICENSES.md
new file mode 100644
index 0000000..55e3572
--- /dev/null
+++ b/admin/static/partner/LICENSES.md
@@ -0,0 +1,27 @@
+# Loghi presenti
+
+* Border Radio (CC By-Sa 4.0 International)
+http://www.border-radio.it
+https://creativecommons.org/licenses/by-sa/4.0/
+
+* MuBit (in concessione esclusiva a Linux Day Torino)
+http://www.mupin.it
+
+* Quotidiano Piemontese (in concessione esclusiva a Linux Day Torino)
+http://quotidianopiemontese.it
+
+* Tesso e Restart Party (in concessione esclusiva a Linux Day Torino)
+http://associazionetesso.org
+
+* Coderdojo (GNU Free Documentation License)
+https://commons.wikimedia.org/wiki/File:CoderDojo_Logo.png
+https://www.gnu.org/licenses/fdl.html
+
+* Giovani per Torino (in concessione esclusiva a Linux Day Torino)
+http://www.comune.torino.it/infogio/gxt/cose.htm
+
+* Quadrata (in concessione esclusiva a Linux Day Torino)
+http://www.quadrata.it/
+
+
+* Altri loghi sotto sotto licenza esclusiva Linux Day Torino
diff --git a/admin/static/partner/border.png b/admin/static/partner/border.png
new file mode 100644
index 0000000..7341f7c
Binary files /dev/null and b/admin/static/partner/border.png differ
diff --git a/admin/static/partner/cd1.png b/admin/static/partner/cd1.png
new file mode 100644
index 0000000..cf513b8
Binary files /dev/null and b/admin/static/partner/cd1.png differ
diff --git a/admin/static/partner/cd2.jpg b/admin/static/partner/cd2.jpg
new file mode 100644
index 0000000..14127ca
Binary files /dev/null and b/admin/static/partner/cd2.jpg differ
diff --git a/admin/static/partner/circoscrizione.jpg b/admin/static/partner/circoscrizione.jpg
new file mode 100644
index 0000000..11c4799
Binary files /dev/null and b/admin/static/partner/circoscrizione.jpg differ
diff --git a/admin/static/partner/coderdojo.png b/admin/static/partner/coderdojo.png
new file mode 100644
index 0000000..eb8af48
Binary files /dev/null and b/admin/static/partner/coderdojo.png differ
diff --git a/admin/static/partner/comune.jpg b/admin/static/partner/comune.jpg
new file mode 100644
index 0000000..03ba65b
Binary files /dev/null and b/admin/static/partner/comune.jpg differ
diff --git a/admin/static/partner/dipinfounito.jpg b/admin/static/partner/dipinfounito.jpg
new file mode 100644
index 0000000..1bb40bf
Binary files /dev/null and b/admin/static/partner/dipinfounito.jpg differ
diff --git a/admin/static/partner/giovani-per-torino.jpeg b/admin/static/partner/giovani-per-torino.jpeg
new file mode 100644
index 0000000..d688cbe
Binary files /dev/null and b/admin/static/partner/giovani-per-torino.jpeg differ
diff --git a/admin/static/partner/metropoli.png b/admin/static/partner/metropoli.png
new file mode 100644
index 0000000..f341ced
Binary files /dev/null and b/admin/static/partner/metropoli.png differ
diff --git a/admin/static/partner/mubit.jpg b/admin/static/partner/mubit.jpg
new file mode 100644
index 0000000..1a56451
Binary files /dev/null and b/admin/static/partner/mubit.jpg differ
diff --git a/admin/static/partner/mubit.png b/admin/static/partner/mubit.png
new file mode 100644
index 0000000..10db70e
Binary files /dev/null and b/admin/static/partner/mubit.png differ
diff --git a/admin/static/partner/quadrata.png b/admin/static/partner/quadrata.png
new file mode 100644
index 0000000..f8d371e
Binary files /dev/null and b/admin/static/partner/quadrata.png differ
diff --git a/admin/static/partner/quotidiano-piemontese.jpg b/admin/static/partner/quotidiano-piemontese.jpg
new file mode 100644
index 0000000..adc818e
Binary files /dev/null and b/admin/static/partner/quotidiano-piemontese.jpg differ
diff --git a/admin/static/partner/regione-piemonte.jpg b/admin/static/partner/regione-piemonte.jpg
new file mode 100644
index 0000000..a500881
Binary files /dev/null and b/admin/static/partner/regione-piemonte.jpg differ
diff --git a/admin/static/partner/restart-party.png b/admin/static/partner/restart-party.png
new file mode 100644
index 0000000..b1c3f50
Binary files /dev/null and b/admin/static/partner/restart-party.png differ
diff --git a/admin/static/partner/smartcity.jpg b/admin/static/partner/smartcity.jpg
new file mode 100644
index 0000000..b03b246
Binary files /dev/null and b/admin/static/partner/smartcity.jpg differ
diff --git a/admin/static/partner/tesso.png b/admin/static/partner/tesso.png
new file mode 100644
index 0000000..4cc6067
Binary files /dev/null and b/admin/static/partner/tesso.png differ
diff --git a/admin/static/partner/tux_LD16.png b/admin/static/partner/tux_LD16.png
new file mode 100644
index 0000000..a71cb4b
Binary files /dev/null and b/admin/static/partner/tux_LD16.png differ
diff --git a/admin/static/partner/unito.jpg b/admin/static/partner/unito.jpg
new file mode 100644
index 0000000..c58b276
Binary files /dev/null and b/admin/static/partner/unito.jpg differ
diff --git a/admin/static/photos/accettazione-coderdojo.jpg b/admin/static/photos/accettazione-coderdojo.jpg
new file mode 100644
index 0000000..89f3124
Binary files /dev/null and b/admin/static/photos/accettazione-coderdojo.jpg differ
diff --git a/admin/static/photos/aula-lora.jpg b/admin/static/photos/aula-lora.jpg
new file mode 100644
index 0000000..1db3b35
Binary files /dev/null and b/admin/static/photos/aula-lora.jpg differ
diff --git a/admin/static/photos/aula-piena-grinder-asd.jpg b/admin/static/photos/aula-piena-grinder-asd.jpg
new file mode 100644
index 0000000..52dd52b
Binary files /dev/null and b/admin/static/photos/aula-piena-grinder-asd.jpg differ
diff --git a/admin/static/photos/aula-piena.jpg b/admin/static/photos/aula-piena.jpg
new file mode 100644
index 0000000..cdab833
Binary files /dev/null and b/admin/static/photos/aula-piena.jpg differ
diff --git a/admin/static/photos/border-radio.jpg b/admin/static/photos/border-radio.jpg
new file mode 100644
index 0000000..7decb83
Binary files /dev/null and b/admin/static/photos/border-radio.jpg differ
diff --git a/admin/static/photos/distribuzione-t-shirts.jpg b/admin/static/photos/distribuzione-t-shirts.jpg
new file mode 100644
index 0000000..164bb32
Binary files /dev/null and b/admin/static/photos/distribuzione-t-shirts.jpg differ
diff --git a/admin/static/photos/lab-linux-installation-party.jpg b/admin/static/photos/lab-linux-installation-party.jpg
new file mode 100644
index 0000000..b085ca9
Binary files /dev/null and b/admin/static/photos/lab-linux-installation-party.jpg differ
diff --git a/admin/static/photos/public-voting.jpg b/admin/static/photos/public-voting.jpg
new file mode 100644
index 0000000..9072f4c
Binary files /dev/null and b/admin/static/photos/public-voting.jpg differ
diff --git a/admin/static/photos/renzo-davoli.jpg b/admin/static/photos/renzo-davoli.jpg
new file mode 100644
index 0000000..9734af1
Binary files /dev/null and b/admin/static/photos/renzo-davoli.jpg differ
diff --git a/admin/static/photos/striscione-pinguino-piero-della-francesca.jpg b/admin/static/photos/striscione-pinguino-piero-della-francesca.jpg
new file mode 100644
index 0000000..63475fe
Binary files /dev/null and b/admin/static/photos/striscione-pinguino-piero-della-francesca.jpg differ
diff --git a/admin/static/photos/valerio-border-radio.jpg b/admin/static/photos/valerio-border-radio.jpg
new file mode 100644
index 0000000..87c1107
Binary files /dev/null and b/admin/static/photos/valerio-border-radio.jpg differ
diff --git a/admin/static/photos/valerio-gnu-linux-uses.jpg b/admin/static/photos/valerio-gnu-linux-uses.jpg
new file mode 100644
index 0000000..9a944ee
Binary files /dev/null and b/admin/static/photos/valerio-gnu-linux-uses.jpg differ
diff --git a/admin/static/scrollfire.js b/admin/static/scrollfire.js
new file mode 100644
index 0000000..77bec3d
--- /dev/null
+++ b/admin/static/scrollfire.js
@@ -0,0 +1,27 @@
+$(document).ready(function () {
+ if(window.location.hash) {
+ return;
+ }
+
+ function showSection($el) {
+ var show = $( $el ).data("show");
+ console.log(show);
+ var $show = $( show );
+ $show.fadeTo(1200, 1);
+ }
+
+ var offset = 150;
+
+ var asd = ['talk', 'rooms', 'fdroid', 'activities', 'where', 'price'];
+ var options = [];
+ for(var i=0; i<asd.length; i++) {
+ $("#" + asd[i] + "-section").fadeTo(0, 0);
+ options[i] = {
+ selector: '#' + asd[i],
+ offset: offset,
+ callback: showSection
+ };
+ }
+
+ Materialize.scrollFire(options);
+} );
diff --git a/admin/static/social/LICENSES.md b/admin/static/social/LICENSES.md
new file mode 100644
index 0000000..c6c32bb
--- /dev/null
+++ b/admin/static/social/LICENSES.md
@@ -0,0 +1,25 @@
+# Free as in Freedom logos in this folder
+
+Circle icon folder (GNU GPLv3)
+https://commons.wikimedia.org/wiki/File:Circle-icons-folder.svg
+https://www.gnu.org/copyleft/gpl-3.0.html
+
+Google+ logo 2015 (public domain)
+https://commons.wikimedia.org/wiki/File:Logo_google%2B_2015.png
+
+Facebook thumb logo (public domain)
+https://commons.wikimedia.org/wiki/File:Facebook_like_thumb.png
+
+Facebook logo (public domain)
+https://commons.wikimedia.org/wiki/File:F_icon.svg
+
+Github logo (MIT License)
+https://commons.wikimedia.org/wiki/File:Octicons-mark-github.svg
+
+Twitter icon (CC By 2.5 Generic)
+https://commons.wikimedia.org/wiki/File:Icon_Twitter.svg
+https://creativecommons.org/licenses/by/2.5/
+
+Linkedin icon (CC By-Sa 4.0 International)
+https://commons.wikimedia.org/wiki/File:Linkedin-icon.png
+https://creativecommons.org/licenses/by-sa/4.0/
diff --git a/admin/static/social/facebook.png b/admin/static/social/facebook.png
new file mode 100644
index 0000000..0cae86c
Binary files /dev/null and b/admin/static/social/facebook.png differ
diff --git a/admin/static/social/facebook_logo.png b/admin/static/social/facebook_logo.png
new file mode 100644
index 0000000..8a6a519
Binary files /dev/null and b/admin/static/social/facebook_logo.png differ
diff --git a/admin/static/social/github.png b/admin/static/social/github.png
new file mode 100644
index 0000000..da2b2d8
Binary files /dev/null and b/admin/static/social/github.png differ
diff --git a/admin/static/social/google.png b/admin/static/social/google.png
new file mode 100644
index 0000000..80e9bc0
Binary files /dev/null and b/admin/static/social/google.png differ
diff --git a/admin/static/social/home.png b/admin/static/social/home.png
new file mode 100644
index 0000000..53ad8e3
Binary files /dev/null and b/admin/static/social/home.png differ
diff --git a/admin/static/social/linkedin.png b/admin/static/social/linkedin.png
new file mode 100644
index 0000000..fe8d1b9
Binary files /dev/null and b/admin/static/social/linkedin.png differ
diff --git a/admin/static/social/twitter.png b/admin/static/social/twitter.png
new file mode 100644
index 0000000..e29e73c
Binary files /dev/null and b/admin/static/social/twitter.png differ
diff --git a/admin/static/this-is-Wikipedia.jpg b/admin/static/this-is-Wikipedia.jpg
new file mode 100644
index 0000000..015dcec
Binary files /dev/null and b/admin/static/this-is-Wikipedia.jpg differ
diff --git a/admin/static/uploads/Docker.odp b/admin/static/uploads/Docker.odp
new file mode 100644
index 0000000..64690c8
Binary files /dev/null and b/admin/static/uploads/Docker.odp differ
diff --git a/admin/static/uploads/FidoCadJ.pdf b/admin/static/uploads/FidoCadJ.pdf
new file mode 100644
index 0000000..599c130
Binary files /dev/null and b/admin/static/uploads/FidoCadJ.pdf differ
diff --git a/admin/static/uploads/Telegram_bot.odp b/admin/static/uploads/Telegram_bot.odp
new file mode 100644
index 0000000..68bb3de
Binary files /dev/null and b/admin/static/uploads/Telegram_bot.odp differ
diff --git a/admin/static/uploads/Utilizzi_di_GNU_Linux.odp b/admin/static/uploads/Utilizzi_di_GNU_Linux.odp
new file mode 100644
index 0000000..d4b84dc
Binary files /dev/null and b/admin/static/uploads/Utilizzi_di_GNU_Linux.odp differ
diff --git a/admin/static/uploads/intro-programmazione-js.pdf b/admin/static/uploads/intro-programmazione-js.pdf
new file mode 100755
index 0000000..23a94a2
Binary files /dev/null and b/admin/static/uploads/intro-programmazione-js.pdf differ
diff --git a/admin/static/user/alessio.jpg b/admin/static/user/alessio.jpg
new file mode 100644
index 0000000..21484ab
Binary files /dev/null and b/admin/static/user/alessio.jpg differ
diff --git a/admin/static/user/cavallini.jpg b/admin/static/user/cavallini.jpg
new file mode 100644
index 0000000..eba75a3
Binary files /dev/null and b/admin/static/user/cavallini.jpg differ
diff --git a/admin/static/user/davoli.jpg b/admin/static/user/davoli.jpg
new file mode 100644
index 0000000..fd83d4f
Binary files /dev/null and b/admin/static/user/davoli.jpg differ
diff --git a/admin/static/user/mario_lacaj.jpg b/admin/static/user/mario_lacaj.jpg
new file mode 100644
index 0000000..eb61b4e
Binary files /dev/null and b/admin/static/user/mario_lacaj.jpg differ
diff --git a/admin/static/user/massimo.jpg b/admin/static/user/massimo.jpg
new file mode 100644
index 0000000..10c1b4e
Binary files /dev/null and b/admin/static/user/massimo.jpg differ
diff --git a/admin/static/user/signoretto.jpg b/admin/static/user/signoretto.jpg
new file mode 100644
index 0000000..abbd433
Binary files /dev/null and b/admin/static/user/signoretto.jpg differ
diff --git a/admin/template/index.php b/admin/template/index.php
new file mode 100644
index 0000000..d94085d
--- /dev/null
+++ b/admin/template/index.php
@@ -0,0 +1,2 @@
+<?php
+// silence is golden
diff --git a/admin/template/textarea-multilanguage.php b/admin/template/textarea-multilanguage.php
new file mode 100644
index 0000000..b0bcc55
--- /dev/null
+++ b/admin/template/textarea-multilanguage.php
@@ -0,0 +1,61 @@
+<?php
+# Linux Day 2016 - single event page (an event lives in a conference)
+# Copyright (C) 2016, 2017, 2018, 2019 Valerio Bozzolan, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+/*
+ * This is the template for the internationalized fields (textarea)
+ *
+ * Variable that should be available:
+ *
+ * @param string $label Textarea label
+ * @param string $field Database field and input name
+ * @param object $event
+ */
+
+// do not visit this page directly
+if( !defined( 'ABSPATH' ) ) {
+ exit;
+}
+
+// default language of the website
+$DEFAULT_LANGUAGE = RegisterLanguage::instance()->getDefault();
+?>
+
+ <div class="card-panel">
+ <h3><?= $label ?></h3>
+ <div class="row">
+ <?php foreach( all_languages() as $lang ): ?>
+
+ <?php $local_field = $field . '_' . $lang->getISO() ?>
+
+ <div class="col s12">
+ <p><?= $lang->getHuman() ?></p>
+
+ <textarea name="<?= $local_field ?>"<?php
+
+ // mark source language as readonly for non-owners
+ if( $lang === $DEFAULT_LANGUAGE && !$event->isEventEditable() ) {
+ echo " readonly";
+ }
+
+ ?>><?=
+ // escape textarea content
+ esc_html( $event->get( $local_field ) )
+ ?></textarea>
+ </div>
+ <?php endforeach ?>
+ </div>
+ </div>
diff --git a/admin/user-edit.php b/admin/user-edit.php
new file mode 100644
index 0000000..9e16df0
--- /dev/null
+++ b/admin/user-edit.php
@@ -0,0 +1,640 @@
+<?php
+# Linux Day 2016 - single user edit page
+# Copyright (C) 2016, 2017, 2018, 2019 Valerio Bozzolan, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+require 'load.php';
+
+$user = null;
+
+if( isset( $_GET['uid'] ) ) {
+ $user = User::factoryFromUID( @ $_GET['uid'] )
+ ->queryRow();
+
+ if( !$user ) {
+ die( "not found" );
+ }
+
+ if( !$user->hasPermissionToEditUser() ) {
+ error_die( "Can't edit user" );
+ }
+
+} else {
+
+ if( !has_permission( 'edit-users' ) ) {
+ error_die( "Can't create user" );
+ }
+
+}
+
+// register form submit action
+if( is_action( 'save-user' ) ) {
+
+ // avoid spaces
+ if( $_POST['email'] ) {
+ $_POST['email'] = luser_input( $_POST['email'], 32 );
+ }
+
+ // generate Gravatar
+ if( $_POST['email'] ) {
+ $_POST['gravatar'] = md5( $_POST['email'] );
+ }
+
+ // prepare data sent via POST
+ $data = [];
+ $data[] = new DBCol( User::NAME, $_POST['name'], 's' );
+ $data[] = new DBCol( User::SURNAME, $_POST['surname'], 's' );
+ $data[] = new DBCol( User::UID, $_POST['uid'], 's' );
+ $data[] = new DBCol( User::EMAIL, $_POST['email'], 'snull' );
+ $data[] = new DBCol( User::WEBSITE, $_POST['site'], 'snull' );
+ $data[] = new DBCol( User::IMAGE, $_POST['image'], 'snull' );
+ $data[] = new DBCol( User::GRAVATAR, $_POST['gravatar'], 'snull' );
+ $data[] = new DBCol( User::FACEBOOK, $_POST['facebook'], 'snull' );
+ $data[] = new DBCol( User::LINKEDIN, $_POST['linkedin'], 'snull' );
+ $data[] = new DBCol( User::GITHUB, $_POST['github'], 'snull' );
+ $data[] = new DBCol( User::TWITTER, $_POST['twitter'], 'snull' );
+ $data[] = new DBCol( User::LOVED_LICENSE, $_POST['lovelicense'], 'snull' );
+
+ // for each language save the biography
+ foreach( all_languages() as $lang ) {
+
+ // generic column name in this language
+ $field = sprintf( 'user_bio_%s', $lang->getISO() );
+
+ // sent column value
+ $value = $_POST[ $field ] ?? null;
+
+ // prepare to be saved
+ $data[] = new DBCol( $field, $value, 'snull' );
+ }
+
+ // promote empty strings to null
+ foreach( $data as $row ) {
+ $row->promoteNULL();
+ }
+
+ if( $user ) {
+ // update existing user
+ User::factoryByID( $user->getUserID() )
+ ->update( $data );
+ } else {
+ // insert a new User
+ User::factory()
+ ->insertRow( $data );
+ }
+
+ $id = $user
+ ? $user->getUserID()
+ : last_inserted_ID();
+
+ $user = User::factoryByID( $id )
+ ->queryRow();
+
+ // POST -> redirect -> GET
+ http_redirect( $user->getUserEditURL(), 303 );
+}
+
+/**
+ * Change the Image
+ */
+if( $user && is_action( 'change-image' ) ) {
+
+ // prepare the image uploader
+ $image = new FileUploader( 'image', [
+ 'category' => 'image',
+ 'override-filename' => "user-" . $user->getUserUID(),
+ ] );
+
+ // prepare the image pathnames
+ $img_url = LATEST_CONFERENCE_UID . _ . 'images';
+ $img_path = ABSPATH . __ . LATEST_CONFERENCE_UID . __ . 'images';
+
+ // really upload that shitty image somewhere
+ if( $image->fileChoosed() ) {
+ $ok = $image->uploadTo( $img_path, $status, $filename, $ext );
+ if( $ok ) {
+
+ // now update
+ ( new QueryUser() )
+ ->whereUser( $user )
+ ->update( [
+ 'user_image' => $img_url . "/$filename.$ext",
+ ] );
+
+ // POST-redirect-GET
+ http_redirect( $user->getUserEditURL(), 303 );
+
+ } else {
+ die( $image->getErrorMessage() );
+ }
+ }
+}
+
+// register action to create a Skill
+if( is_action( 'create-skill' ) && isset( $_POST['skill_title'], $_POST['skill_type'] ) ) {
+
+ // generate a Skill UID
+ $skill_uid = generate_slug( $_POST['skill_title'], 32 );
+
+ // check if already exists
+ $skill = ( new QuerySkill() )
+ ->whereSkillUID( $skill_uid )
+ ->queryRow();
+
+ // create the Skill
+ if( !$skill ) {
+ ( new QuerySkill() )
+ ->insertRow( [
+ 'skill_uid' => $skill_uid,
+ 'skill_title' => $_POST['skill_title'],
+ 'skill_type' => $_POST['skill_type'],
+ ] );
+ }
+
+}
+
+// register action to edit an existing Skill
+if( isset( $_POST['skill_uid'], $_POST['skill_score'] ) ) {
+
+ // find existing Skill
+ $skill = Skill::factoryFromUID( $_POST['skill_uid'] )
+ ->queryRow();
+
+ // eventually create the Skill
+ if( !$skill ) {
+ ( new QuerySkill() )
+ ->insertRow( [
+ 'skill_uid' => $_POST['skill_uid'],
+ ] );
+
+ // retrieve last inserted Skill
+ $skill = ( new QuerySkill() )
+ ->whereSkillID( last_inserted_ID() )
+ ->queryRow();
+ }
+
+ // query the UserSkill
+ $query_userskill = ( new QueryUserSkill() )
+ ->whereUser( $user )
+ ->whereSkill( $skill );
+
+ // eventually change an existing skill
+ if( is_action( 'change-skill' ) ) {
+
+ // delete the Skill or just update?
+ if( isset( $_POST['skill_delete'] ) ) {
+
+ $query_userskill->delete();
+
+ } else {
+ // update the score
+ $query_userskill->update( [
+ 'skill_score' => (int)$_POST['skill_score'],
+ ] );
+ }
+ }
+
+ // eventually add a skill
+ if( is_action( 'add-skill' ) ) {
+
+ // eventually delete
+ $query_userskill->delete();
+
+ // then add the skill
+ ( new QueryUserSkill() )
+ ->insertRow( [
+ 'user_ID' => $user->getUserID(),
+ 'skill_ID' => $skill->getSkillID(),
+ 'skill_score' => $_POST['skill_score'],
+ ] );
+ }
+
+}
+
+// register action to delete the user
+if( $user && is_action( 'delete-user' ) ) {
+
+ // delete the user from the database
+ User::factory()
+ ->whereInt( 'user_ID', $user->getUserID() )
+ ->delete();
+
+ // POST -> redirect -> GET
+ http_redirect( $user->getUserEditURL(), 303 );
+}
+
+Header::spawn( null, [
+ 'title' =>
+ $user
+ ? sprintf(
+ __("Modifica %s"),
+ $user->getUserFullname()
+ )
+ : __( "Aggiungi Utente" )
+ ,
+] );
+?>
+
+ <?php if( $user ): ?>
+ <p><?= HTML::a(
+ $user->getUserURL(),
+ __( "Vedi" ) . icon('account_box', 'left')
+ ) ?></p>
+ <?php endif ?>
+
+ <form method="post">
+ <?php form_action( 'save-user' ) ?>
+ <div class="row">
+
+ <!-- name -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-name"><?= __( "Nome" ) ?></label>
+ <input type="text" name="name" id="user-name"<?=
+ $user
+ ? value( $user->get( User::NAME ) )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /name -->
+
+ <!-- surname -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-surname"><?= __( "Cognome" ) ?></label>
+ <input type="text" name="surname" id="user-surname"<?=
+ $user
+ ? value( $user->get( User::SURNAME ) )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /surname -->
+
+ <!-- nickname -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-nickname"><?= __( "Nickname" ) ?></label>
+ <input type="text" name="uid" id="user-nickname"<?=
+ $user
+ ? value( $user->getUserUID() )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /surname -->
+
+ <!-- e-mail -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-email"><?= __( "E-mail" ) ?></label>
+ <input type="text" name="email" id="user-email"<?=
+ $user
+ ? value( $user->getUserEmail() )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /e-mail -->
+
+ <!-- gravatar -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-gravatar"><?= __( "Gravatar" ) ?></label>
+ <input type="text" name="gravatar" id="user-gravatar"<?=
+ $user && $user->hasUserGravatar()
+ ? value( $user->getUserGravatarUID() )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /gravatar -->
+
+ <!-- website -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-website"><?= __( "Sito web" ) ?></label>
+ <input type="text" name="site" id="user-website"<?=
+ $user
+ ? value( $user->get( User::WEBSITE ) )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /website -->
+
+ <!-- Facebook -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-facebook">Facebook</label>
+ <input type="text" name="facebook" id="user-facebook"<?=
+ $user
+ ? value( $user->get( User::FACEBOOK ) )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /Facebook -->
+
+ <!-- Twitter -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-twitter">Twitter</label>
+ <input type="text" name="twitter" id="user-twitter"<?=
+ $user
+ ? value( $user->get( User::TWITTER ) )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /Twitter ->
+
+ <!-- Linkedin -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-linkedin">Linkedin</label>
+ <input type="text" name="linkedin" id="user-linkedin"<?=
+ $user
+ ? value( $user->get( User::LINKEDIN ) )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /Linkedin -->
+
+ <!-- GitHub -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-github">GitHub</label>
+ <input type="text" name="github" id="user-github"<?=
+ $user
+ ? value( $user->get( User::GITHUB ) )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /GitHub -->
+
+ <!-- image -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <div class="input-field">
+ <label for="user-image"><?= __( "Immagine" ) ?></label>
+ <input type="text" name="image" id="user-image"<?=
+ $user
+ ? value( $user->get( User::IMAGE ) )
+ : ''
+ ?> />
+ </div>
+ </div>
+ </div>
+ <!-- /image -->
+
+ <!-- license -->
+ <div class="col s12 m6 l4">
+ <div class="card-panel">
+ <label><?= __( "Licenza preferita" ) ?></label>
+ <select name="lovelicense">
+ <option value=""<?= selected( $user && !$user->hasUserLovelicense() ) ?>><?= __( "Nessuna" ) ?></option>
+ <?php foreach( Licenses::instance()->all() as $license ): ?>
+ <option<?php
+ // option value
+ echo value( $license->getCode() );
+
+ // option selected or not
+ if( $user ) {
+ echo selected( $license->getCode(), $user->get( 'user_lovelicense' ) );
+ }
+
+ ?>><?= esc_html( $license->getShort() ) ?></option>
+ <?php endforeach ?>
+ </select>
+
+ <?php
+ if( $user && $user->hasUserLovelicense() ) {
+ echo $user->getUserLovelicense()->getLink();
+ }
+ ?>
+ </div>
+ </div>
+ <!-- /license -->
+
+ </div>
+
+ <!-- bio -->
+ <div class="row">
+ <?php foreach( all_languages() as $lang ): ?>
+ <?php $field = sprintf( 'user_bio_%s', $lang->getISO() ) ?>
+ <div class="col s12">
+ <div class="card-panel">
+ <p><?= sprintf(
+ __( "Biografia (%s)" ),
+ $lang->getHuman()
+ ) ?><?p>
+ <textarea name="<?= esc_attr( $field ) ?>" class="materialize-textarea"><?= esc_html(
+ $user
+ ? $user->get( $field )
+ : ''
+ ) ?></textarea>
+ <?php if( $user && $lang->getISO() === 'it' ): ?>
+ <p>Legacy description translated by the community:</p>
+ <textarea class="materialize-textarea" readonly="readonly"><?= esc_html( __( $user->get( $field ) ) ) ?></textarea>
+ <?php endif ?>
+ </div>
+ </div>
+ <?php endforeach ?>
+ </div>
+ <!-- bio -->
+
+ <button type="submit" class="btn"><?= __( "Salva" ) ?></button>
+ </form>
+
+ <!-- image -->
+ <?php if( $user ): ?>
+ <form method="post" enctype="multipart/form-data">
+ <?php form_action( 'change-image' ) ?>
+ <div class="row">
+ <div class="col s12">
+ <div class="card-panel">
+
+ <h3><?= __( "Nuova Immagine" ) ?></h3>
+
+ <div class="file-field input-field">
+ <div class="btn">
+ <span><?= __( "Sfoglia" ) ?></span>
+ <input name="image" type="file" />
+ </div>
+ <div class="file-path-wrapper">
+ <input class="file-path validate" type="text" />
+ </div>
+ </div>
+ <button type="submit" class="btn waves-effect"><?= __( "Carica" ) ?></button>
+ </div>
+ </div>
+ </div>
+ </form>
+ <?php endif ?>
+ <!-- /image -->
+
+ <!-- list Skill and Interest -->
+ <?php if( $user ): ?>
+ <?php $skills = $user->factoryUserSkills()
+ ->queryGenerator();
+ ?>
+ <?php if( $skills->valid() ): ?>
+ <h3><?php printf(
+ __( "Modifica %s" ),
+ __( "Skill" )
+ ) ?></h3>
+ <div class="row">
+ <?php $i = 0; ?>
+ <?php foreach( $skills as $skill ): ?>
+ <div class="col s12 m4">
+ <div class="card-panel">
+ <form method="post">
+ <?php form_action( 'change-skill' ) ?>
+ <div class="row">
+ <div class="col s6">
+ <input type="text" name="skill_uid" value="<?= $skill->getSkillUID() ?>" />
+ </div>
+ <div class="col s6">
+ <input type="text" name="skill_score" value="<?= $skill->getSkillScore() ?>" />
+ </div>
+ <div class="col s6">
+ <input type="checkbox" name="skill_delete" value="yes" id="skill-<?= $i ?>" />
+ <label for="skill-<?= $i++ ?>"><?= __("Elimina") ?></label>
+ </div>
+ <div class="col s6">
+ <button type="submit" class="btn"><?= __("Salva") ?></button>
+ </div>
+ <div class="col s12">
+ <p><?= $skill->getSkillPhrase() ?></p>
+ </div>
+ </div>
+ </form>
+ </div>
+ </div>
+ <?php endforeach ?>
+ </div>
+ <?php endif ?>
+ <?php endif ?>
+ <!-- /list Skill and Interest -->
+
+ <!-- add Skill and Interest -->
+ <?php if( $user ): ?>
+ <h3><?php printf(
+ __( "Aggiungi %s"),
+ __( "Skill" )
+ ) ?></h3>
+ <div class="row">
+ <div class="col s12 m4">
+ <div class="card-panel">
+ <form method="post">
+ <?php form_action( 'add-skill' ) ?>
+ <div class="row">
+ <div class="col s6">
+ <select name="skill_uid" class="browser-default" required="required">
+ <?php $skills = Skill::factory()
+ ->orderBy('skill_uid')
+ ->queryGenerator();
+ ?>
+ <option name="" selected="" value="" disabled="disabled"></option>
+ <?php foreach( $skills as $skill ): ?>
+ <option value="<?= $skill->getSkillUID() ?>"><?= esc_html( $skill->getSkillUID() ) ?></option>
+ <?php endforeach ?>
+ </select>
+ </div>
+ <div class="col s6">
+ <input type="text" name="skill_score" value="0" />
+ </div>
+ <div class="col s6">
+ <button type="submit" class="btn"><?= __("Aggiungi") ?></button>
+ </div>
+ </div>
+ </form>
+ </div>
+ </div>
+ </div>
+ <?php endif ?>
+ <!-- /Add Skill and Interest -->
+
+ <?php if( $user ): ?>
+ <h3><?php printf(
+ __( "Crea %s"),
+ __( "Skill" )
+ ) ?></h3>
+ <div class="row">
+ <div class="col s12 m4">
+ <div class="card-panel">
+ <form method="post">
+ <?php form_action( 'create-skill' ) ?>
+ <div class="row">
+ <div class="col s12 input-field">
+ <label for="new-skill-title" class="active"><?= __( "Titolo" ) ?></label>
+ <input id="new-skill-title" name="skill_title" required="required" />
+ </div>
+ <div class="col s12 input-field">
+ <select id="new-skill-type" name="skill_type" required="required" />
+ <option value="programming"><?= __( "Programmazione" ) ?></option>
+ <option value="interest"><?= __( "Interesse" ) ?></option>
+ </select>
+ <label for="new-skill-type"><?= __( "Tipo" ) ?></label>
+ </div>
+ <div class="col s12">
+ <button type="submit" class="btn"><?= __("Aggiungi") ?></button>
+ </div>
+ </div>
+ </form>
+ </div>
+ </div>
+ </div>
+ <?php endif ?>
+
+ <!-- delete -->
+ <?php if( $user ): ?>
+ <div class="row">
+ <div class="col s12">
+ <form method="post">
+ <?php form_action( 'delete-user' ) ?>
+ <button type="submit" class="btn waves-effect red right"><?= __( "Elimina" ) ?></button>
+ </form>
+ </div>
+ </div>
+ <?php endif ?>
+ <!-- /delete -->
+<?php
+
+Footer::spawn();
diff --git a/admin/user.php b/admin/user.php
new file mode 100644
index 0000000..3c28181
--- /dev/null
+++ b/admin/user.php
@@ -0,0 +1,277 @@
+<?php
+# Linux Day 2016 - Single user profile page
+# Copyright (C) 2016, 2017, 2018, 2019 Valerio Bozzolan, Ludovico Pavesi, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+require 'load.php';
+
+$conference = FullConference::factoryFromUID( CURRENT_CONFERENCE_UID )
+ ->queryRow();
+
+$conference or die_with_404();
+
+$user = User::factoryByUID( $_GET['uid'] )
+ ->select( User::fields() )
+ ->select( User::allSocialFields() )
+ ->queryRow();
+
+if( !$user ) {
+ die_with_404();
+}
+
+Header::spawn( null, [
+ 'title' => $user->getUserFullname(),
+ 'url' => $user->getUserURL(),
+ 'og' => [
+ 'image' => $user->hasUserImage() ? $user->getUserImage() : null,
+ 'type' => 'profile',
+ 'profile:first_name' => $user->user_name,
+ 'profile:last_name' => $user->user_surname
+ ]
+] );
+?>
+ <?php if( $user->hasPermissionToEditUser() ): ?>
+ <p><?= HTML::a(
+ CURRENT_CONFERENCE_PATH . "/user-edit.php?uid={$user->getUserUID()}",
+ __("Modifica") . icon('edit', 'left')
+ ) ?></p>
+ <?php endif ?>
+
+ <div class="row">
+
+ <!-- Profile image -->
+ <div class="col s12 m6 l4">
+ <div class="row">
+ <div class="col s8">
+ <?php if( $user->has( User::WEBSITE ) ): ?>
+ <a href="<?= esc_attr( $user->get( User::WEBSITE ) ) ?>" title="<?= esc_attr( $user->getUserFullname() ) ?>" target="_blank">
+ <?php endif ?>
+ <?php if( $user->hasUserImage() ): ?>
+ <img class="responsive-img hoverable z-depth-1" src="<?=
+ esc_attr( $user->getUserImage() )
+ ?>" alt="<?=
+ esc_attr( $user->getUserFullname() )
+ ?>" />
+ <?php endif ?>
+ <?php if( $user->has( User::WEBSITE ) ): ?>
+ </a>
+ <?php endif ?>
+ </div>
+ </div>
+
+ <!-- Start website -->
+ <?php if( $user->user_site ): ?>
+ <div class="row">
+ <div class="col s12">
+ <p><?= HTML::a(
+ $user->user_site,
+ __("Sito personale") . icon('contact_mail', 'right'),
+ null,
+ 'btn waves-effect purple darken-2',
+ 'target="_blank"'
+ ) ?></p>
+ </div>
+ </div>
+ <?php endif ?>
+ <!-- End website -->
+ </div>
+ <!-- End profile image -->
+
+ <!-- Start sidebar -->
+ <div class="col s12 m6 l8">
+
+ <!-- Start skills -->
+ <?php $skills = $user->factoryUserSkills()
+ ->queryGenerator();
+ ?>
+ <?php if( $skills->valid() ): ?>
+ <div class="row">
+ <div class="col s12">
+ <p><?= esc_html( __( "Le mie skill:" ) ) ?></p>
+ <?php foreach( $skills as $skill ): ?>
+ <div class="chip tooltipped hoverable" data-tooltip="<?= esc_attr( $skill->getSkillPhrase() ) ?>"><code><?= esc_html( $skill->getSkillCode() ) ?></code></div>
+ <?php endforeach ?>
+ </div>
+ </div>
+ <?php endif ?>
+ <!-- End skills -->
+
+ <!-- Start license -->
+ <?php if( $user->hasUserLovelicense() ): ?>
+ <div class="row">
+ <div class="col s12">
+ <?php $license = $user->getUserLovelicense() ?>
+ <p><?php printf(
+ esc_html( __( "La mia licenza di software libero preferita è la %s." ) ),
+ "<b>" . $license->getLink() . "</b>"
+ ) ?></p>
+ </div>
+ </div>
+ <?php endif ?>
+ <!-- End license -->
+
+ </div>
+ <!-- End sidebar -->
+ </div>
+
+ <!-- Start user bio -->
+ <?php if( $user->hasUserBio() ): ?>
+ <div class="divider"></div>
+ <div class="section">
+ <h3><?= esc_html( __("Bio") ) ?></h3>
+ <?= $user->getUserBioHTML( ['p' => 'flow-text'] ) ?>
+ </div>
+ <?php endif ?>
+ <!-- End user bio -->
+
+ <div class="divider"></div>
+
+ <div class="section">
+ <h3><?= __("Talk") ?></h3>
+
+ <?php $events = FullEvent::factory()
+ ->whereConference( $conference )
+ ->whereUser( $user )
+ ->queryGenerator();
+ ?>
+ <?php if( $events->valid() ): ?>
+ <table>
+ <thead>
+ <tr>
+ <th><?= __("Nome") ?></th>
+ <th><?= __("Tipo") ?></th>
+ <th><?= __("Tema") ?></th>
+ <th><?= __("Dove") ?></th>
+ <th><?= __("When") ?></th>
+ </tr>
+ </thead>
+ <tbody>
+ <?php foreach( $events as $event ): ?>
+ <tr>
+ <td><?= HTML::a(
+ $event->getEventURL(),
+ sprintf(
+ "<strong>%s</strong>",
+ esc_html( $title = $event->getEventTitle() )
+ ),
+ sprintf(
+ __("Vedi %s"),
+ $title
+ )
+ ) ?></td>
+ <td><?= esc_html( $event->getChapterName() ) ?></td>
+ <td><?= esc_html( $event->getTrackName() ) ?></td>
+ <td>
+ <span class="tooltipped" data-position="top" data-tooltip="<?= esc_attr( $conference->getLocationAddress() ) ?>">
+ <?= esc_html( $conference->getLocationName() ) ?>
+ </span><br />
+ <?= esc_html( $event->getRoomName() ) ?>
+ </td>
+ <td>
+ <?php printf(
+ __("Ore <b>%s</b> (il %s)"),
+ $event->getEventStart("H:i"),
+ $event->getEventStart("d/m/Y")
+ ) ?><br />
+ <small><?= $event->getEventHumanStart() ?></small>
+ </td>
+ </tr>
+ <?php endforeach ?>
+ </tbody>
+ </table>
+ <?php else: ?>
+ <p><?= esc_html( __("Quest'anno il relatore non ha tenuto nessun talk.") ) ?></p>
+ <?php endif ?>
+ </div>
+
+ <?php
+ // query the Events of this User in other Conference(s)
+ $events = ( new QueryEvent() )
+ ->joinConference()
+ ->joinLocation()
+ ->joinChapter()
+ ->joinEventUser()
+ ->whereConferenceNot( $conference )
+ ->whereUser( $user )
+ ->orderBy( Event::START, 'DESC' )
+ ->queryGenerator();
+ ?>
+ <?php if( $events->valid() ): ?>
+ <div class="section">
+ <h3><?= __("Altre partecipazioni") ?></h3>
+ <table>
+ <tbody>
+ <?php foreach( $events as $event ): ?>
+ <tr>
+ <td><?php
+ // check if this Conference have Event permalinks
+ if( $event->hasConferenceEventsURL() ) {
+
+ // print the Event permalink
+ echo HTML::a(
+ $event->getEventURL(),
+ esc_html( $event->getEventTitle() )
+ );
+ } else {
+
+ // just print the Event title
+ echo esc_html( $event->getEventTitle() );
+ }
+ ?></td>
+ <td><?= HTML::a(
+ $event->getConferenceURL(),
+ esc_html( $event->getConferenceTitle() )
+ ) ?></td>
+ <td>
+ <span class="tooltipped" data-position="top" data-tooltip="<?= esc_attr( $event->getLocationAddress() ) ?>">
+ <?= esc_html( $event->getLocationName() ) ?>
+ </span><br />
+ </td>
+ <td>
+ <?php printf(
+ __("Ore <b>%s</b> (il %s)"),
+ $event->getEventStart("H:i"),
+ $event->getEventStart("d/m/Y")
+ ) ?><br />
+ <small><?= $event->getEventHumanStart() ?></small>
+ </td>
+ </tr>
+ <?php endforeach ?>
+ </tbody>
+ </table>
+ </div>
+ <?php endif ?>
+
+ <!-- Start social -->
+ <?php if( $user->isUserSocial() ): ?>
+ <div class="divider"></div>
+ <div class="section">
+ <h3><?= __("Social") ?></h3>
+ <div class="row">
+ <?php
+ $user->has( User::RSS ) and SocialBox::spawn( $user, "RSS", $user->get( User::RSS ), 'home.png' );
+ $user->has( User::FACEBOOK ) and SocialBox::spawn( $user, "Facebook", $user->getUserFacebruck(), 'facebook_logo.png' );
+ $user->has( User::GOOGLE_PLUS ) and SocialBox::spawn( $user, "Google+", $user->getUserGuggolpluz(), 'google.png' );
+ $user->has( User::TWITTER ) and SocialBox::spawn( $user, "Twitter", $user->getUserTuitt(), 'twitter.png' );
+ $user->has( User::LINKEDIN ) and SocialBox::spawn( $user, "Linkedin", $user->getUserLinkeddon(), 'linkedin.png' );
+ $user->has( User::GITHUB ) and SocialBox::spawn( $user, "Github", $user->getUserGithubbo(), 'github.png' );
+ ?>
+ </div>
+ </div>
+ <?php endif ?>
+ <!-- End social -->
+<?php
+
+Footer::spawn();
diff --git a/load.php b/load.php
new file mode 100644
index 0000000..c3941c6
--- /dev/null
+++ b/load.php
@@ -0,0 +1,36 @@
+<?php
+# Linux Day Torino - prepare the conference core
+# Copyright (C) 2016, 2017, 2018, 2019, 2020 Valerio Bozzolan, Linux Day Torino
+#
+# This program is free software: you can redistribute it and/or modify
+# it under the terms of the GNU Affero General Public License as published by
+# the Free Software Foundation, either version 3 of the License, or
+# (at your option) any later version.
+#
+# This program is distributed in the hope that it will be useful,
+# but WITHOUT ANY WARRANTY; without even the implied warranty of
+# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
+# GNU Affero General Public License for more details.
+#
+# You should have received a copy of the GNU Affero General Public License
+# along with this program. If not, see <http://www.gnu.org/licenses/>.
+
+// this file load the 'suckless-conference' framework
+
+// note: you should have loaded the suckless-php framework before this
+
+// do not load if called directly
+if( !defined( 'ABSPATH' ) ) {
+ exit;
+}
+
+// autoload any requested conference-related class
+spl_autoload_register( function( $c ) {
+ $path = __DIR__ . "/includes/class-$c.php";
+ if( is_file( $path ) ) {
+ require $path;
+ }
+} );
+
+// load some dummy conference-related shortcuts
+require __DIR__ . '/includes/functions.php';

File Metadata

Mime Type
application/octet-stream
Expires
Tue, Apr 30, 16:11 (1 d, 23 h)
Storage Engine
chunks
Storage Format
Chunks
Storage Handle
pceqRMhsjfbq
Default Alt Text
(4 MB)

Event Timeline