twee2 0.2.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,17 @@
1
+ Command-line compiler turning Twee-like files into Twine2-like output.
2
+ -------------------------------------------------------------------------------
3
+ Usage:
4
+
5
+ twee2 build [input.tw2] [output.html] [[--format=story_format]]
6
+ Compiles the specified twee-like file into an output file. optionally
7
+ specify the format (Harlowe, Paperthin, Snowman, SugarCube, etc.).
8
+
9
+ twee2 watch [input.tw2] [output.html] [[--format=story_format]]
10
+ Syntax is the same as build, but twee2 will automatically watch for
11
+ changes to your input file and recompile dynamically.
12
+
13
+ twee2 formats
14
+ Lists the output formats that are understood.
15
+
16
+ twee2 help
17
+ Displays this message.
@@ -0,0 +1,118 @@
1
+ Encoding.default_external = Encoding::UTF_8
2
+ Encoding.default_internal = Encoding::UTF_8
3
+
4
+ require "twee2/version"
5
+
6
+ # Prerequisites (managed by bundler)
7
+ require 'rubygems'
8
+ require 'bundler/setup'
9
+ require 'thor'
10
+ require 'json'
11
+ require 'builder'
12
+ require 'filewatcher'
13
+ require 'haml'
14
+ require 'coffee_script'
15
+
16
+ module Twee2
17
+ # Constants
18
+ DEFAULT_FORMAT = 'Harlowe'
19
+ HAML_OPTIONS = {
20
+ remove_whitespace: true
21
+ }
22
+
23
+ def self.build(input, output, options = {})
24
+ # Read and parse format file
25
+ format_file = File::read(buildpath("storyFormats/#{options[:format]}/format.js"))
26
+ format_data = format_file.match(/(["'])source\1 *: *(["']).*?[^\\]\2/)[0]
27
+ format_data_for_json = "\{#{format_data}\}"
28
+ result = JSON.parse(format_data_for_json)['source']
29
+ # Read and parse input file
30
+ passages, current_passage = {}, nil
31
+ File::read(input).each_line do |line| # REFACTOR: switch this to using regular expressions, why not?
32
+ if line =~ /^:: *([^\[]*?) *(\[(.*?)\])? *[\r\n]+$/
33
+ passages[current_passage = $1.strip] = { tags: ($3 || '').split(' '), content: '', exclude_from_output: false, pid: nil}
34
+ elsif current_passage
35
+ passages[current_passage][:content] << line
36
+ end
37
+ end
38
+ passages.each_key{|k| passages[k][:content].strip!} # Strip excessive trailing whitespace
39
+ # Run each passage through a preprocessor, if required
40
+ passages.each_key do |k|
41
+ # HAML
42
+ if passages[k][:tags].include? 'haml'
43
+ passages[k][:content] = Haml::Engine.new(passages[k][:content], HAML_OPTIONS).render
44
+ passages[k][:tags].delete 'haml'
45
+ end
46
+ # Coffeescript
47
+ if passages[k][:tags].include? 'coffee'
48
+ passages[k][:content] = CoffeeScript.compile(passages[k][:content])
49
+ passages[k][:tags].delete 'coffee'
50
+ end
51
+ end
52
+ # Extract 'special' passages and mark them as not being included in output
53
+ story_name, story_css, story_js, pid, story_start_pid = 'An unnamed story', '', '', 0, 1
54
+ passages.each_key do |k|
55
+ if k == 'StoryTitle'
56
+ story_name = passages[k][:content]
57
+ passages[k][:exclude_from_output] = true
58
+ elsif %w{StorySubtitle StoryAuthor StoryMenu StorySettings StoryIncludes}.include? k
59
+ puts "WARNING: ignoring passage '#{k}'"
60
+ passages[k][:exclude_from_output] = true
61
+ elsif passages[k][:tags].include? 'stylesheet'
62
+ story_css << "#{passages[k][:content]}\n"
63
+ passages[k][:exclude_from_output] = true
64
+ elsif passages[k][:tags].include? 'script'
65
+ story_js << "#{passages[k][:content]}\n"
66
+ passages[k][:exclude_from_output] = true
67
+ elsif k == 'Start'
68
+ passages[k][:pid] = (pid += 1)
69
+ story_start_pid = pid
70
+ else
71
+ passages[k][:pid] = (pid += 1)
72
+ end
73
+ end
74
+ # Generate XML in Twine 2 format
75
+ story_data = Builder::XmlMarkup.new
76
+ # TODO: what is tw-storydata's "options" attribute for?
77
+ story_data.tag!('tw-storydata', { name: story_name, startnode: story_start_pid, creator: 'Twee2', 'creator-version' => Twee2::VERSION, ifid: 'TODO', format: options[:format], options: '' }) do
78
+ story_data.style(story_css, role: 'stylesheet', id: 'twine-user-stylesheet', type: 'text/twine-css')
79
+ story_data.script(story_js, role: 'script', id: 'twine-user-script', type: 'text/twine-javascript')
80
+ passages.each do |k,v|
81
+ unless v[:exclude_from_output]
82
+ story_data.tag!('tw-passagedata', { pid: v[:pid], name: k, tags: v[:tags].join(' ') }, v[:content])
83
+ end
84
+ end
85
+ end
86
+ # Produce output file
87
+ result.gsub!('{{STORY_NAME}}', story_name)
88
+ result.gsub!('{{STORY_DATA}}', story_data.target!)
89
+ File::open(output, 'w') do |out|
90
+ out.print result
91
+ end
92
+ puts "Done"
93
+ end
94
+
95
+ def self.watch(input, output, options = {})
96
+ puts "Compiling #{output}"
97
+ build(input, output, options)
98
+ puts "Watching #{input}"
99
+ FileWatcher.new(input).watch do
100
+ puts "Recompiling #{output}"
101
+ build(input, output, options)
102
+ end
103
+ end
104
+
105
+ def self.formats
106
+ puts "I understand the following output formats:"
107
+ puts Dir.open(buildpath('storyFormats')).to_a.sort.reject{|d|d=~/^\./}.map{|f|" * #{f}"}.join("\n")
108
+ end
109
+
110
+ def self.help
111
+ puts "Twee2 #{Twee2::VERSION}"
112
+ puts File.read(buildpath('doc/usage.txt'))
113
+ end
114
+
115
+ def self.buildpath(path)
116
+ File.join(File.dirname(File.expand_path(__FILE__)), "../#{path}")
117
+ end
118
+ end
@@ -0,0 +1,3 @@
1
+ module Twee2
2
+ VERSION = "0.2.0"
3
+ end
@@ -0,0 +1 @@
1
+ window.storyFormat({"name":"Harlowe","version":"1.1.1","author":"Leon Arnott","description":"The default story format for Twine 2.","image":"icon.svg","url":"http://twinery.org/","proofing":false,"source":"<!DOCTYPE html>\n<html>\n<head>\n<meta charset=\"utf-8\">\n<title>{{STORY_NAME}}</title>\n<style title=\"Twine CSS\">@-webkit-keyframes appear{0%{opacity:0}to{opacity:1}}@keyframes appear{0%{opacity:0}to{opacity:1}}@-webkit-keyframes fade-in-out{0%,to{opacity:0}50%{opacity:1}}@keyframes fade-in-out{0%,to{opacity:0}50%{opacity:1}}@-webkit-keyframes rumble{50%{-webkit-transform:translateY(-.2em);transform:translateY(-.2em)}}@keyframes rumble{50%{-webkit-transform:translateY(-.2em);transform:translateY(-.2em)}}@-webkit-keyframes shudder{50%{-webkit-transform:translateX(0.2em);transform:translateX(0.2em)}}@keyframes shudder{50%{-webkit-transform:translateX(0.2em);transform:translateX(0.2em)}}@-webkit-keyframes box-flash{0%{background-color:#fff;color:#fff}}@keyframes box-flash{0%{background-color:#fff;color:#fff}}@-webkit-keyframes pulse{0%{-webkit-transform:scale(0,0);transform:scale(0,0)}20%{-webkit-transform:scale(1.2,1.2);transform:scale(1.2,1.2)}40%{-webkit-transform:scale(0.9,.9);transform:scale(0.9,.9)}60%{-webkit-transform:scale(1.05,1.05);transform:scale(1.05,1.05)}80%{-webkit-transform:scale(0.925,.925);transform:scale(0.925,.925)}to{-webkit-transform:scale(1,1);transform:scale(1,1)}}@keyframes pulse{0%{-webkit-transform:scale(0,0);transform:scale(0,0)}20%{-webkit-transform:scale(1.2,1.2);transform:scale(1.2,1.2)}40%{-webkit-transform:scale(0.9,.9);transform:scale(0.9,.9)}60%{-webkit-transform:scale(1.05,1.05);transform:scale(1.05,1.05)}80%{-webkit-transform:scale(0.925,.925);transform:scale(0.925,.925)}to{-webkit-transform:scale(1,1);transform:scale(1,1)}}@-webkit-keyframes shudder-in{0%,to{-webkit-transform:translateX(0em);transform:translateX(0em)}25%,45%,5%{-webkit-transform:translateX(-1em);transform:translateX(-1em)}15%,35%,55%{-webkit-transform:translateX(1em);transform:translateX(1em)}65%{-webkit-transform:translateX(-.6em);transform:translateX(-.6em)}75%{-webkit-transform:translateX(0.6em);transform:translateX(0.6em)}85%{-webkit-transform:translateX(-.2em);transform:translateX(-.2em)}95%{-webkit-transform:translateX(0.2em);transform:translateX(0.2em)}}@keyframes shudder-in{0%,to{-webkit-transform:translateX(0em);transform:translateX(0em)}25%,45%,5%{-webkit-transform:translateX(-1em);transform:translateX(-1em)}15%,35%,55%{-webkit-transform:translateX(1em);transform:translateX(1em)}65%{-webkit-transform:translateX(-.6em);transform:translateX(-.6em)}75%{-webkit-transform:translateX(0.6em);transform:translateX(0.6em)}85%{-webkit-transform:translateX(-.2em);transform:translateX(-.2em)}95%{-webkit-transform:translateX(0.2em);transform:translateX(0.2em)}}.debug-mode tw-expression[type=hookref]{background-color:rgba(114,123,140,.15)}.debug-mode tw-expression[type=hookref]::after{font-size:.8rem;padding-left:.2rem;padding-right:.2rem;vertical-align:top;content:\"?\" attr(name)}.debug-mode tw-expression[type=variable]{background-color:rgba(140,127,114,.15)}.debug-mode tw-expression[type=variable]::after{font-size:.8rem;padding-left:.2rem;padding-right:.2rem;vertical-align:top;content:\"$\" attr(name)}.debug-mode tw-expression[type=macro]:nth-of-type(4n+0){background-color:rgba(135,153,102,.15)}.debug-mode tw-expression[type=macro]:nth-of-type(2n+1){background-color:rgba(102,153,102,.15)}.debug-mode tw-expression[type=macro]:nth-of-type(4n+2){background-color:rgba(102,153,136,.15)}.debug-mode tw-expression[type=macro][name=display]{background-color:rgba(0,169,255,.1)!important}.debug-mode tw-expression[type=macro][name=else],.debug-mode tw-expression[type=macro][name=else]+tw-hook:not([name]),.debug-mode tw-expression[type=macro][name=elseif],.debug-mode tw-expression[type=macro][name=elseif]+tw-hook:not([name]),.debug-mode tw-expression[type=macro][name=if],.debug-mode tw-expression[type=macro][name=if]+tw-hook:not([name]),.debug-mode tw-expression[type=macro][name=unless],.debug-mode tw-expression[type=macro][name=unless]+tw-hook:not([name]){background-color:rgba(0,255,0,.1)!important}.debug-mode tw-expression[type=macro].false{background-color:rgba(255,0,0,.2)!important}.debug-mode tw-expression[type=macro].false+tw-hook:not([name]){display:none}.debug-mode tw-expression[type=macro][name=\"a\"],.debug-mode tw-expression[type=macro][name=array],.debug-mode tw-expression[type=macro][name=color],.debug-mode tw-expression[type=macro][name=colour],.debug-mode tw-expression[type=macro][name=datamap],.debug-mode tw-expression[type=macro][name=dataset],.debug-mode tw-expression[type=macro][name=num],.debug-mode tw-expression[type=macro][name=number],.debug-mode tw-expression[type=macro][name=print],.debug-mode tw-expression[type=macro][name=text]{background-color:rgba(254,255,0,.2)!important}.debug-mode tw-expression[type=macro][name=put],.debug-mode tw-expression[type=macro][name=set]{background-color:rgba(255,127,0,.2)!important}.debug-mode tw-expression[type=macro][name=script]{background-color:rgba(255,191,0,.2)!important}.debug-mode tw-expression[type=macro][name=style]{background-color:rgba(184,197,197,.2)!important}.debug-mode tw-expression[type=macro][name^=click],.debug-mode tw-expression[type=macro][name^=link],.debug-mode tw-expression[type=macro][name^=mouseout],.debug-mode tw-expression[type=macro][name^=mouseover]{background-color:rgba(127,223,31,.2)!important}.debug-mode tw-expression[type=macro][name^=append],.debug-mode tw-expression[type=macro][name^=prepend],.debug-mode tw-expression[type=macro][name^=remove],.debug-mode tw-expression[type=macro][name^=replace]{background-color:rgba(223,95,31,.2)!important}.debug-mode tw-expression[type=macro][name=live]{background-color:rgba(31,95,223,.2)!important}.debug-mode tw-expression[type=macro]::before{content:\"(\" attr(name) \":)\";padding:0 .5rem;font-size:1rem;vertical-align:middle;line-height:normal;background-color:inherit;border:1px solid rgba(255,255,255,.5)}.debug-mode tw-hook{background-color:rgba(0,84,255,.1)!important}.debug-mode tw-hook::before{font-size:.8rem;padding-left:.2rem;padding-right:.2rem;vertical-align:top;content:\"[\"}.debug-mode tw-hook::after{font-size:.8rem;padding-left:.2rem;padding-right:.2rem;vertical-align:top;content:\"]\"}.debug-mode tw-hook[name]::after{font-size:.8rem;padding-left:.2rem;padding-right:.2rem;vertical-align:top;content:\"]<\" attr(name) \"|\"}.debug-mode tw-pseudo-hook{background-color:rgba(255,170,0,.1)!important}.debug-mode tw-collapsed::before{font-size:.8rem;padding-left:.2rem;padding-right:.2rem;vertical-align:top;content:\"{\"}.debug-mode tw-collapsed::after{font-size:.8rem;padding-left:.2rem;padding-right:.2rem;vertical-align:top;content:\"}\"}.debug-mode tw-verbatim::after,.debug-mode tw-verbatim::before{font-size:.8rem;padding-left:.2rem;padding-right:.2rem;vertical-align:top;content:\"`\"}.debug-mode tw-align[style*=\"text-align: center\"]{background:linear-gradient(to right,rgba(255,204,188,0) 0,rgba(255,204,188,.25) 50%,rgba(255,204,188,0) 100%)}.debug-mode tw-align[style*=\"text-align: left\"]{background:linear-gradient(to right,rgba(255,204,188,.25) 0,rgba(255,204,188,0) 100%)}.debug-mode tw-align[style*=\"text-align: right\"]{background:linear-gradient(to right,rgba(255,204,188,0) 0,rgba(255,204,188,.25) 100%)}.debug-mode p{background-color:rgba(255,212,0,.1)}.debug-mode tw-enchantment{animation:enchantment .5s infinite;-webkit-animation:enchantment .5s infinite;border:1px solid}.debug-mode tw-broken-link::after,.debug-mode tw-link::after{font-size:.8rem;padding-left:.2rem;padding-right:.2rem;vertical-align:top;content:attr(passage-name)}.debug-mode tw-include{background-color:rgba(204,127,50,.1)}.debug-mode tw-include::before{font-size:.8rem;padding-left:.2rem;padding-right:.2rem;vertical-align:top;content:attr(type) \" \\\"\" attr(title) \"\\\"\"}@keyframes enchantment{0%,to{border-color:#ffb366}50%{border-color:#6fc}}@-webkit-keyframes enchantment{0%,to{border-color:#ffb366}50%{border-color:#6fc}}tw-debugger{position:fixed;bottom:0;right:0;z-index:999999;min-width:10em;min-height:1em;padding:1em;font-size:1.5em;border-left:solid #000 2px;border-top:solid #000 2px;border-top-left-radius:.5em;background:#fff;transition:opacity .2s;-webkit-transition:opacity .2s;opacity:.8}@media screen and (max-width:1280px){tw-debugger{font-size:1.25em}}@media screen and (max-width:960px){tw-debugger{font-size:1em}}@media screen and (max-width:640px){tw-debugger{font-size:.8em}}tw-debugger:hover{opacity:1}.show-invisibles{border-radius:3px;border:1px solid #999;background-color:#fff;font-size:inherit}.debug-mode .show-invisibles{background-color:#eee;box-shadow:inset #ddd 3px 5px .5em}.link,tw-icon,tw-link{cursor:pointer}.enchantment-link,tw-link{color:#4169E1;font-weight:700;text-decoration:none;transition:color .2s ease-in-out}.enchantment-link:hover,tw-link:hover{color:#00bfff}.enchantment-link:active,tw-link:active{color:#DD4B39}.visited{color:#6941e1}.visited:hover{color:#E3E}tw-broken-link{color:#933;border-bottom:2px solid #933;cursor:not-allowed}.enchantment-hover{border-bottom:1px dashed #666}.enchantment-mouseout{border:rgba(63,148,191,.25) solid}.enchantment-mouseout:hover{background-color:rgba(63,148,191,.25);border:1px solid transparent;border-radius:.2em}html{font:100% Georgia,serif;margin:0;background-color:transparent;color:#000;height:100%;overflow-x:hidden;box-sizing:border-box}*,:after,:before{position:relative;box-sizing:inherit}body{margin:0;background-color:transparent}tw-storydata{display:none}tw-story{display:-webkit-box;display:-webkit-flex;display:-moz-flex;display:-ms-flexbox;display:flex;-webkit-box-direction:normal;-webkit-box-orient:vertical;-webkit-flex-direction:column;-moz-flex-direction:column;-ms-flex-direction:column;flex-direction:column;width:60%;font-size:1.5em;line-height:1.5em;margin:5% auto}@media screen and (max-width:1024px){tw-story{font-size:1.2em}}@media screen and (max-width:896px){tw-story{font-size:1.05em}}@media screen and (max-width:768px){tw-story{font-size:.9em}}tw-passage{display:block}tw-sidebar{left:-5em;width:3em;position:absolute;text-align:center;display:block}tw-icon{display:block;margin:.5em 0;opacity:.1;font-size:2.75em}tw-icon:hover{opacity:.3}tw-error{display:inline-block;border-radius:.2em;padding:.2em;font-size:1rem;cursor:help}tw-error.error{background-color:rgba(222,57,189,.4);color:#000}tw-error.warning{background-color:rgba(222,140,57,.4);color:#000;display:none}.debug-mode tw-error.warning{display:inline}tw-error-explanation{display:block;font-size:.8rem;line-height:1rem}tw-error-explanation-button{cursor:pointer;line-height:0;border-radius:1px;border:1px solid #000;font-size:.8rem;margin:0 .4rem;opacity:.5}tw-error-explanation-button .folddown-arrowhead{display:inline-block}tw-notifier{border-radius:.2em;padding:.2em;font-size:1rem;background-color:rgba(222,181,57,.4);display:none}.debug-mode tw-notifier{display:inline}tw-notifier::before{content:attr(message)}tw-colour{border:1px solid #000;display:inline-block;width:1em;height:1em}h1{font-size:3em}h2{font-size:2.25em}h3{font-size:1.75em}h1,h2,h3,h4,h5,h6{line-height:1em;margin:.6em 0}pre{font-size:1rem}small{font-size:70%}big{font-size:120%}mark{color:rgba(0,0,0,.6);background-color:#ff9}ins{color:rgba(0,0,0,.6);background-color:rgba(254,242,204,.5);border-radius:.5em;box-shadow:0 0 .2em #ffe699;text-decoration:none}del{background-color:#000;text-decoration:none}center{text-align:center;margin:0 auto;width:60%}blink{text-decoration:none;animation:fade-in-out 1s steps(1,end) infinite alternate;-webkit-animation:fade-in-out 1s steps(1,end) infinite alternate}tw-align{display:block}tw-outline{color:#fff;text-shadow:-1px -1px 0 #000,1px -1px 0 #000,-1px 1px 0 #000,1px 1px 0 #000}tw-shadow{text-shadow:.08em .08em .08em #000}tw-emboss{text-shadow:.08em .08em 0 #000;color:#fff}tw-condense{letter-spacing:-.08em}tw-expand{letter-spacing:.1em}tw-blur{color:transparent;text-shadow:0 0 .08em #000}tw-blurrier{color:transparent;text-shadow:0 0 .2em #000}tw-blurrier::selection{background-color:transparent;color:transparent}tw-blurrier::-moz-selection{background-color:transparent;color:transparent}tw-smear{color:transparent;text-shadow:0 0 .02em rgba(0,0,0,.75),-.2em 0 .5em rgba(0,0,0,.5),.2em 0 .5em rgba(0,0,0,.5)}tw-mirror{display:inline-block;transform:scaleX(-1);-webkit-transform:scaleX(-1)}tw-upside-down{display:inline-block;transform:scaleY(-1);-webkit-transform:scaleY(-1)}tw-fade-in-out{text-decoration:none;animation:fade-in-out 2s ease-in-out infinite alternate;-webkit-animation:fade-in-out 2s ease-in-out infinite alternate}tw-rumble{-webkit-animation:rumble linear .1s 0s infinite;animation:rumble linear .1s 0s infinite;display:inline-block}tw-shudder{-webkit-animation:shudder linear .1s 0s infinite;animation:shudder linear .1s 0s infinite;display:inline-block}tw-shudder-in{animation:shudder-in 1s ease-out;-webkit-animation:shudder-in 1s ease-out}.transition-in{-webkit-animation:appear 0ms step-start;animation:appear 0ms step-start}.transition-out{-webkit-animation:appear 0ms step-end;animation:appear 0ms step-end}.transition-in[data-t8n^=dissolve],[data-t8n^=fade-in].transition-in{-webkit-animation:appear .8s;animation:appear .8s}[data-t8n^=dissolve].transition-out{-webkit-animation:appear .8s reverse;animation:appear .8s reverse}.transition-in[data-t8n^=shudder],[data-t8n^=shudder-in].transition-in{display:inline-block;-webkit-animation:shudder-in .8s;animation:shudder-in .8s}.transition-out[data-t8n^=shudder],[data-t8n^=shudder-out].transition-out{display:inline-block;-webkit-animation:shudder-out .8s;animation:shudder-out .8s}[data-t8n^=boxflash].transition-in{-webkit-animation:box-flash .8s;animation:box-flash .8s}[data-t8n^=pulse].transition-in{-webkit-animation:pulse .8s;animation:pulse .8s}[data-t8n^=pulse].transition-out{-webkit-animation:pulse .8s reverse;animation:pulse .8s reverse}[data-t8n$=fast]{animation-duration:.4s;-webkit-animation-duration:.4s}[data-t8n$=slow]{animation-duration:1.2s;-webkit-animation-duration:1.2s}</style>\n</head>\n\n<body>\n\n<tw-story></tw-story>\n\n{{STORY_DATA}}\n\n<script title=\"Twine engine code\" data-main=\"harlowe\">/**\n * @license almond 0.3.0 Copyright (c) 2011-2014, The Dojo Foundation All Rights Reserved.\n * Available via the MIT or new BSD license.\n * see: http://github.com/jrburke/almond for details\n */\r\n\r\n/*!\n * jQuery JavaScript Library v2.1.1\n * http://jquery.com/\n *\n * Includes Sizzle.js\n * http://sizzlejs.com/\n *\n * Copyright 2005, 2014 jQuery Foundation, Inc. and other contributors\n * Released under the MIT license\n * http://jquery.org/license\n *\n * Date: 2014-05-01T17:11Z\n */\r\n\r\n/*!\n * Sizzle CSS Selector Engine v1.10.19\n * http://sizzlejs.com/\n *\n * Copyright 2013 jQuery Foundation, Inc. and other contributors\n * Released under the MIT license\n * http://jquery.org/license\n *\n * Date: 2014-04-18\n */\r\n\r\n/*!\n * https://github.com/paulmillr/es6-shim\n * @license es6-shim Copyright 2013-2014 by Paul Miller (http://paulmillr.com)\n * and contributors, MIT License\n * es6-shim: v0.22.1\n * see https://github.com/paulmillr/es6-shim/blob/0.22.1/LICENSE\n * Details and documentation:\n * https://github.com/paulmillr/es6-shim/\n */\r\n\r\n// with permission and license, per https://twitter.com/inexorabletash/status/372206509540659200\r\n\r\n/**\n * requestAnimationFrame version: \"0.0.17\" Copyright (c) 2011-2012, Cyril Agosta ( cyril.agosta.dev@gmail.com) All Rights Reserved.\n * Available via the MIT license.\n * see: http://github.com/cagosta/requestAnimationFrame for details\n *\n * http://paulirish.com/2011/requestanimationframe-for-smart-animating/\n * http://my.opera.com/emoller/blog/2011/12/20/requestanimationframe-for-smart-er-animating\n * requestAnimationFrame polyfill by Erik Möller. fixes from Paul Irish and Tino Zijdel\n * MIT license\n *\n */\r\n\r\n/*!\r\n * Natural Sort algorithm for Javascript - Version 0.7 - Released under MIT license\r\n * Author: Jim Palmer (based on chunking idea from Dave Koelle)\r\n * Expanded by Leon Arnott to use Intl.Collator, 2015.\r\n */\r\n\r\n(function(){var requirejs,require,define;(function(e){function h(e,t){return f.call(e,t)}function p(e,t){var n,r,i,s,o,a,f,l,h,p,d,v=t&&t.split(\"/\"),m=u.map,g=m&&m[\"*\"]||{};if(e&&e.charAt(0)===\".\")if(t){v=v.slice(0,v.length-1),e=e.split(\"/\"),o=e.length-1,u.nodeIdCompat&&c.test(e[o])&&(e[o]=e[o].replace(c,\"\")),e=v.concat(e);for(h=0;h<e.length;h+=1){d=e[h];if(d===\".\")e.splice(h,1),h-=1;else if(d===\"..\"){if(h===1&&(e[2]===\"..\"||e[0]===\"..\"))break;h>0&&(e.splice(h-1,2),h-=2)}}e=e.join(\"/\")}else e.indexOf(\"./\")===0&&(e=e.substring(2));if((v||g)&&m){n=e.split(\"/\");for(h=n.length;h>0;h-=1){r=n.slice(0,h).join(\"/\");if(v)for(p=v.length;p>0;p-=1){i=m[v.slice(0,p).join(\"/\")];if(i){i=i[r];if(i){s=i,a=h;break}}}if(s)break;!f&&g&&g[r]&&(f=g[r],l=h)}!s&&f&&(s=f,a=l),s&&(n.splice(0,a,s),e=n.join(\"/\"))}return e}function d(t,r){return function(){var i=l.call(arguments,0);return typeof i[0]!=\"string\"&&i.length===1&&i.push(null),n.apply(e,i.concat([t,r]))}}function v(e){return function(t){return p(t,e)}}function m(e){return function(t){s[e]=t}}function g(n){if(h(o,n)){var r=o[n];delete o[n],a[n]=!0,t.apply(e,r)}if(!h(s,n)&&!h(a,n))throw new Error(\"No \"+n);return s[n]}function y(e){var t,n=e?e.indexOf(\"!\"):-1;return n>-1&&(t=e.substring(0,n),e=e.substring(n+1,e.length)),[t,e]}function b(e){return function(){return u&&u.config&&u.config[e]||{}}}var t,n,r,i,s={},o={},u={},a={},f=Object.prototype.hasOwnProperty,l=[].slice,c=/\\.js$/;r=function(e,t){var n,r=y(e),i=r[0];return e=r[1],i&&(i=p(i,t),n=g(i)),i?n&&n.normalize?e=n.normalize(e,v(t)):e=p(e,t):(e=p(e,t),r=y(e),i=r[0],e=r[1],i&&(n=g(i))),{f:i?i+\"!\"+e:e,n:e,pr:i,p:n}},i={require:function(e){return d(e)},exports:function(e){var t=s[e];return typeof t!=\"undefined\"?t:s[e]={}},module:function(e){return{id:e,uri:\"\",exports:s[e],config:b(e)}}},t=function(t,n,u,f){var l,c,p,v,y,b=[],w=typeof u,E;f=f||t;if(w===\"undefined\"||w===\"function\"){n=!n.length&&u.length?[\"require\",\"exports\",\"module\"]:n;for(y=0;y<n.length;y+=1){v=r(n[y],f),c=v.f;if(c===\"require\")b[y]=i.require(t);else if(c===\"exports\")b[y]=i.exports(t),E=!0;else if(c===\"module\")l=b[y]=i.module(t);else if(h(s,c)||h(o,c)||h(a,c))b[y]=g(c);else{if(!v.p)throw new Error(t+\" missing \"+c);v.p.load(v.n,d(f,!0),m(c),{}),b[y]=s[c]}}p=u?u.apply(s[t],b):undefined;if(t)if(l&&l.exports!==e&&l.exports!==s[t])s[t]=l.exports;else if(p!==e||!E)s[t]=p}else t&&(s[t]=u)},requirejs=require=n=function(s,o,a,f,l){if(typeof s==\"string\")return i[s]?i[s](o):g(r(s,o).f);if(!s.splice){u=s,u.deps&&n(u.deps,u.callback);if(!o)return;o.splice?(s=o,o=a,a=null):s=e}return o=o||function(){},typeof a==\"function\"&&(a=f,f=l),f?t(e,s,o,a):setTimeout(function(){t(e,s,o,a)},4),n},n.config=function(e){return n(e)},requirejs._defined=s,define=function(e,t,n){t.splice||(n=t,t=[]),!h(s,e)&&!h(o,e)&&(o[e]=[e,t,n])},define.amd={jQuery:!0}})(),define(\"almond\",function(){}),function(e,t){typeof module==\"object\"&&typeof module.exports==\"object\"?module.exports=e.document?t(e,!0):function(e){if(!e.document)throw new Error(\"jQuery requires a window with a document\");return t(e)}:t(e)}(typeof window!=\"undefined\"?window:this,function(window,noGlobal){function isArraylike(e){var t=e.length,n=jQuery.type(e);return n===\"function\"||jQuery.isWindow(e)?!1:e.nodeType===1&&t?!0:n===\"array\"||t===0||typeof t==\"number\"&&t>0&&t-1 in e}function winnow(e,t,n){if(jQuery.isFunction(t))return jQuery.grep(e,function(e,r){return!!t.call(e,r,e)!==n});if(t.nodeType)return jQuery.grep(e,function(e){return e===t!==n});if(typeof t==\"string\"){if(risSimple.test(t))return jQuery.filter(t,e,n);t=jQuery.filter(t,e)}return jQuery.grep(e,function(e){return indexOf.call(t,e)>=0!==n})}function sibling(e,t){while((e=e[t])&&e.nodeType!==1);return e}function createOptions(e){var t=optionsCache[e]={};return jQuery.each(e.match(rnotwhite)||[],function(e,n){t[n]=!0}),t}function completed(){document.removeEventListener(\"DOMContentLoaded\",completed,!1),window.removeEventListener(\"load\",completed,!1),jQuery.ready()}function Data(){Object.defineProperty(this.cache={},0,{get:function(){return{}}}),this.expando=jQuery.expando+Math.random()}function dataAttr(e,t,n){var r;if(n===undefined&&e.nodeType===1){r=\"data-\"+t.replace(rmultiDash,\"-$1\").toLowerCase(),n=e.getAttribute(r);if(typeof n==\"string\"){try{n=n===\"true\"?!0:n===\"false\"?!1:n===\"null\"?null:+n+\"\"===n?+n:rbrace.test(n)?jQuery.parseJSON(n):n}catch(i){}data_user.set(e,t,n)}else n=undefined}return n}function returnTrue(){return!0}function returnFalse(){return!1}function safeActiveElement(){try{return document.activeElement}catch(e){}}function manipulationTarget(e,t){return jQuery.nodeName(e,\"table\")&&jQuery.nodeName(t.nodeType!==11?t:t.firstChild,\"tr\")?e.getElementsByTagName(\"tbody\")[0]||e.appendChild(e.ownerDocument.createElement(\"tbody\")):e}function disableScript(e){return e.type=(e.getAttribute(\"type\")!==null)+\"/\"+e.type,e}function restoreScript(e){var t=rscriptTypeMasked.exec(e.type);return t?e.type=t[1]:e.removeAttribute(\"type\"),e}function setGlobalEval(e,t){var n=0,r=e.length;for(;n<r;n++)data_priv.set(e[n],\"globalEval\",!t||data_priv.get(t[n],\"globalEval\"))}function cloneCopyEvent(e,t){var n,r,i,s,o,u,a,f;if(t.nodeType!==1)return;if(data_priv.hasData(e)){s=data_priv.access(e),o=data_priv.set(t,s),f=s.events;if(f){delete o.handle,o.events={};for(i in f)for(n=0,r=f[i].length;n<r;n++)jQuery.event.add(t,i,f[i][n])}}data_user.hasData(e)&&(u=data_user.access(e),a=jQuery.extend({},u),data_user.set(t,a))}function getAll(e,t){var n=e.getElementsByTagName?e.getElementsByTagName(t||\"*\"):e.querySelectorAll?e.querySelectorAll(t||\"*\"):[];return t===undefined||t&&jQuery.nodeName(e,t)?jQuery.merge([e],n):n}function fixInput(e,t){var n=t.nodeName.toLowerCase();if(n===\"input\"&&rcheckableType.test(e.type))t.checked=e.checked;else if(n===\"input\"||n===\"textarea\")t.defaultValue=e.defaultValue}function actualDisplay(e,t){var n,r=jQuery(t.createElement(e)).appendTo(t.body),i=window.getDefaultComputedStyle&&(n=window.getDefaultComputedStyle(r[0]))?n.display:jQuery.css(r[0],\"display\");return r.detach(),i}function defaultDisplay(e){var t=document,n=elemdisplay[e];if(!n){n=actualDisplay(e,t);if(n===\"none\"||!n)iframe=(iframe||jQuery(\"<iframe frameborder='0' width='0' height='0'/>\")).appendTo(t.documentElement),t=iframe[0].contentDocument,t.write(),t.close(),n=actualDisplay(e,t),iframe.detach();elemdisplay[e]=n}return n}function curCSS(e,t,n){var r,i,s,o,u=e.style;return n=n||getStyles(e),n&&(o=n.getPropertyValue(t)||n[t]),n&&(o===\"\"&&!jQuery.contains(e.ownerDocument,e)&&(o=jQuery.style(e,t)),rnumnonpx.test(o)&&rmargin.test(t)&&(r=u.width,i=u.minWidth,s=u.maxWidth,u.minWidth=u.maxWidth=u.width=o,o=n.width,u.width=r,u.minWidth=i,u.maxWidth=s)),o!==undefined?o+\"\":o}function addGetHookIf(e,t){return{get:function(){if(e()){delete this.get;return}return(this.get=t).apply(this,arguments)}}}function vendorPropName(e,t){if(t in e)return t;var n=t[0].toUpperCase()+t.slice(1),r=t,i=cssPrefixes.length;while(i--){t=cssPrefixes[i]+n;if(t in e)return t}return r}function setPositiveNumber(e,t,n){var r=rnumsplit.exec(t);return r?Math.max(0,r[1]-(n||0))+(r[2]||\"px\"):t}function augmentWidthOrHeight(e,t,n,r,i){var s=n===(r?\"border\":\"content\")?4:t===\"width\"?1:0,o=0;for(;s<4;s+=2)n===\"margin\"&&(o+=jQuery.css(e,n+cssExpand[s],!0,i)),r?(n===\"content\"&&(o-=jQuery.css(e,\"padding\"+cssExpand[s],!0,i)),n!==\"margin\"&&(o-=jQuery.css(e,\"border\"+cssExpand[s]+\"Width\",!0,i))):(o+=jQuery.css(e,\"padding\"+cssExpand[s],!0,i),n!==\"padding\"&&(o+=jQuery.css(e,\"border\"+cssExpand[s]+\"Width\",!0,i)));return o}function getWidthOrHeight(e,t,n){var r=!0,i=t===\"width\"?e.offsetWidth:e.offsetHeight,s=getStyles(e),o=jQuery.css(e,\"boxSizing\",!1,s)===\"border-box\";if(i<=0||i==null){i=curCSS(e,t,s);if(i<0||i==null)i=e.style[t];if(rnumnonpx.test(i))return i;r=o&&(support.boxSizingReliable()||i===e.style[t]),i=parseFloat(i)||0}return i+augmentWidthOrHeight(e,t,n||(o?\"border\":\"content\"),r,s)+\"px\"}function showHide(e,t){var n,r,i,s=[],o=0,u=e.length;for(;o<u;o++){r=e[o];if(!r.style)continue;s[o]=data_priv.get(r,\"olddisplay\"),n=r.style.display,t?(!s[o]&&n===\"none\"&&(r.style.display=\"\"),r.style.display===\"\"&&isHidden(r)&&(s[o]=data_priv.access(r,\"olddisplay\",defaultDisplay(r.nodeName)))):(i=isHidden(r),(n!==\"none\"||!i)&&data_priv.set(r,\"olddisplay\",i?n:jQuery.css(r,\"display\")))}for(o=0;o<u;o++){r=e[o];if(!r.style)continue;if(!t||r.style.display===\"none\"||r.style.display===\"\")r.style.display=t?s[o]||\"\":\"none\"}return e}function Tween(e,t,n,r,i){return new Tween.prototype.init(e,t,n,r,i)}function createFxNow(){return setTimeout(function(){fxNow=undefined}),fxNow=jQuery.now()}function genFx(e,t){var n,r=0,i={height:e};t=t?1:0;for(;r<4;r+=2-t)n=cssExpand[r],i[\"margin\"+n]=i[\"padding\"+n]=e;return t&&(i.opacity=i.width=e),i}function createTween(e,t,n){var r,i=(tweeners[t]||[]).concat(tweeners[\"*\"]),s=0,o=i.length;for(;s<o;s++)if(r=i[s].call(n,t,e))return r}function defaultPrefilter(e,t,n){var r,i,s,o,u,a,f,l,c=this,h={},p=e.style,d=e.nodeType&&isHidden(e),v=data_priv.get(e,\"fxshow\");n.queue||(u=jQuery._queueHooks(e,\"fx\"),u.unqueued==null&&(u.unqueued=0,a=u.empty.fire,u.empty.fire=function(){u.unqueued||a()}),u.unqueued++,c.always(function(){c.always(function(){u.unqueued--,jQuery.queue(e,\"fx\").length||u.empty.fire()})})),e.nodeType===1&&(\"height\"in t||\"width\"in t)&&(n.overflow=[p.overflow,p.overflowX,p.overflowY],f=jQuery.css(e,\"display\"),l=f===\"none\"?data_priv.get(e,\"olddisplay\")||defaultDisplay(e.nodeName):f,l===\"inline\"&&jQuery.css(e,\"float\")===\"none\"&&(p.display=\"inline-block\")),n.overflow&&(p.overflow=\"hidden\",c.always(function(){p.overflow=n.overflow[0],p.overflowX=n.overflow[1],p.overflowY=n.overflow[2]}));for(r in t){i=t[r];if(rfxtypes.exec(i)){delete t[r],s=s||i===\"toggle\";if(i===(d?\"hide\":\"show\")){if(i!==\"show\"||!v||v[r]===undefined)continue;d=!0}h[r]=v&&v[r]||jQuery.style(e,r)}else f=undefined}if(!jQuery.isEmptyObject(h)){v?\"hidden\"in v&&(d=v.hidden):v=data_priv.access(e,\"fxshow\",{}),s&&(v.hidden=!d),d?jQuery(e).show():c.done(function(){jQuery(e).hide()}),c.done(function(){var t;data_priv.remove(e,\"fxshow\");for(t in h)jQuery.style(e,t,h[t])});for(r in h)o=createTween(d?v[r]:0,r,c),r in v||(v[r]=o.start,d&&(o.end=o.start,o.start=r===\"width\"||r===\"height\"?1:0))}else(f===\"none\"?defaultDisplay(e.nodeName):f)===\"inline\"&&(p.display=f)}function propFilter(e,t){var n,r,i,s,o;for(n in e){r=jQuery.camelCase(n),i=t[r],s=e[n],jQuery.isArray(s)&&(i=s[1],s=e[n]=s[0]),n!==r&&(e[r]=s,delete e[n]),o=jQuery.cssHooks[r];if(o&&\"expand\"in o){s=o.expand(s),delete e[r];for(n in s)n in e||(e[n]=s[n],t[n]=i)}else t[r]=i}}function Animation(e,t,n){var r,i,s=0,o=animationPrefilters.length,u=jQuery.Deferred().always(function(){delete a.elem}),a=function(){if(i)return!1;var t=fxNow||createFxNow(),n=Math.max(0,f.startTime+f.duration-t),r=n/f.duration||0,s=1-r,o=0,a=f.tweens.length;for(;o<a;o++)f.tweens[o].run(s);return u.notifyWith(e,[f,s,n]),s<1&&a?n:(u.resolveWith(e,[f]),!1)},f=u.promise({elem:e,props:jQuery.extend({},t),opts:jQuery.extend(!0,{specialEasing:{}},n),originalProperties:t,originalOptions:n,startTime:fxNow||createFxNow(),duration:n.duration,tweens:[],createTween:function(t,n){var r=jQuery.Tween(e,f.opts,t,n,f.opts.specialEasing[t]||f.opts.easing);return f.tweens.push(r),r},stop:function(t){var n=0,r=t?f.tweens.length:0;if(i)return this;i=!0;for(;n<r;n++)f.tweens[n].run(1);return t?u.resolveWith(e,[f,t]):u.rejectWith(e,[f,t]),this}}),l=f.props;propFilter(l,f.opts.specialEasing);for(;s<o;s++){r=animationPrefilters[s].call(f,e,l,f.opts);if(r)return r}return jQuery.map(l,createTween,f),jQuery.isFunction(f.opts.start)&&f.opts.start.call(e,f),jQuery.fx.timer(jQuery.extend(a,{elem:e,anim:f,queue:f.opts.queue})),f.progress(f.opts.progress).done(f.opts.done,f.opts.complete).fail(f.opts.fail).always(f.opts.always)}function addToPrefiltersOrTransports(e){return function(t,n){typeof t!=\"string\"&&(n=t,t=\"*\");var r,i=0,s=t.toLowerCase().match(rnotwhite)||[];if(jQuery.isFunction(n))while(r=s[i++])r[0]===\"+\"?(r=r.slice(1)||\"*\",(e[r]=e[r]||[]).unshift(n)):(e[r]=e[r]||[]).push(n)}}function inspectPrefiltersOrTransports(e,t,n,r){function o(u){var a;return i[u]=!0,jQuery.each(e[u]||[],function(e,u){var f=u(t,n,r);if(typeof f==\"string\"&&!s&&!i[f])return t.dataTypes.unshift(f),o(f),!1;if(s)return!(a=f)}),a}var i={},s=e===transports;return o(t.dataTypes[0])||!i[\"*\"]&&o(\"*\")}function ajaxExtend(e,t){var n,r,i=jQuery.ajaxSettings.flatOptions||{};for(n in t)t[n]!==undefined&&((i[n]?e:r||(r={}))[n]=t[n]);return r&&jQuery.extend(!0,e,r),e}function ajaxHandleResponses(e,t,n){var r,i,s,o,u=e.contents,a=e.dataTypes;while(a[0]===\"*\")a.shift(),r===undefined&&(r=e.mimeType||t.getResponseHeader(\"Content-Type\"));if(r)for(i in u)if(u[i]&&u[i].test(r)){a.unshift(i);break}if(a[0]in n)s=a[0];else{for(i in n){if(!a[0]||e.converters[i+\" \"+a[0]]){s=i;break}o||(o=i)}s=s||o}if(s)return s!==a[0]&&a.unshift(s),n[s]}function ajaxConvert(e,t,n,r){var i,s,o,u,a,f={},l=e.dataTypes.slice();if(l[1])for(o in e.converters)f[o.toLowerCase()]=e.converters[o];s=l.shift();while(s){e.responseFields[s]&&(n[e.responseFields[s]]=t),!a&&r&&e.dataFilter&&(t=e.dataFilter(t,e.dataType)),a=s,s=l.shift();if(s)if(s===\"*\")s=a;else if(a!==\"*\"&&a!==s){o=f[a+\" \"+s]||f[\"* \"+s];if(!o)for(i in f){u=i.split(\" \");if(u[1]===s){o=f[a+\" \"+u[0]]||f[\"* \"+u[0]];if(o){o===!0?o=f[i]:f[i]!==!0&&(s=u[0],l.unshift(u[1]));break}}}if(o!==!0)if(o&&e[\"throws\"])t=o(t);else try{t=o(t)}catch(c){return{state:\"parsererror\",error:o?c:\"No conversion from \"+a+\" to \"+s}}}}return{state:\"success\",data:t}}function buildParams(e,t,n,r){var i;if(jQuery.isArray(t))jQuery.each(t,function(t,i){n||rbracket.test(e)?r(e,i):buildParams(e+\"[\"+(typeof i==\"object\"?t:\"\")+\"]\",i,n,r)});else if(!n&&jQuery.type(t)===\"object\")for(i in t)buildParams(e+\"[\"+i+\"]\",t[i],n,r);else r(e,t)}function getWindow(e){return jQuery.isWindow(e)?e:e.nodeType===9&&e.defaultView}var arr=[],slice=arr.slice,concat=arr.concat,push=arr.push,indexOf=arr.indexOf,class2type={},toString=class2type.toString,hasOwn=class2type.hasOwnProperty,support={},document=window.document,version=\"2.1.1\",jQuery=function(e,t){return new jQuery.fn.init(e,t)},rtrim=/^[\\s\\uFEFF\\xA0]+|[\\s\\uFEFF\\xA0]+$/g,rmsPrefix=/^-ms-/,rdashAlpha=/-([\\da-z])/gi,fcamelCase=function(e,t){return t.toUpperCase()};jQuery.fn=jQuery.prototype={jquery:version,constructor:jQuery,selector:\"\",length:0,toArray:function(){return slice.call(this)},get:function(e){return e!=null?e<0?this[e+this.length]:this[e]:slice.call(this)},pushStack:function(e){var t=jQuery.merge(this.constructor(),e);return t.prevObject=this,t.context=this.context,t},each:function(e,t){return jQuery.each(this,e,t)},map:function(e){return this.pushStack(jQuery.map(this,function(t,n){return e.call(t,n,t)}))},slice:function(){return this.pushStack(slice.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(e){var t=this.length,n=+e+(e<0?t:0);return this.pushStack(n>=0&&n<t?[this[n]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:push,sort:arr.sort,splice:arr.splice},jQuery.extend=jQuery.fn.extend=function(){var e,t,n,r,i,s,o=arguments[0]||{},u=1,a=arguments.length,f=!1;typeof o==\"boolean\"&&(f=o,o=arguments[u]||{},u++),typeof o!=\"object\"&&!jQuery.isFunction(o)&&(o={}),u===a&&(o=this,u--);for(;u<a;u++)if((e=arguments[u])!=null)for(t in e){n=o[t],r=e[t];if(o===r)continue;f&&r&&(jQuery.isPlainObject(r)||(i=jQuery.isArray(r)))?(i?(i=!1,s=n&&jQuery.isArray(n)?n:[]):s=n&&jQuery.isPlainObject(n)?n:{},o[t]=jQuery.extend(f,s,r)):r!==undefined&&(o[t]=r)}return o},jQuery.extend({expando:\"jQuery\"+(version+Math.random()).replace(/\\D/g,\"\"),isReady:!0,error:function(e){throw new Error(e)},noop:function(){},isFunction:function(e){return jQuery.type(e)===\"function\"},isArray:Array.isArray,isWindow:function(e){return e!=null&&e===e.window},isNumeric:function(e){return!jQuery.isArray(e)&&e-parseFloat(e)>=0},isPlainObject:function(e){return jQuery.type(e)!==\"object\"||e.nodeType||jQuery.isWindow(e)?!1:e.constructor&&!hasOwn.call(e.constructor.prototype,\"isPrototypeOf\")?!1:!0},isEmptyObject:function(e){var t;for(t in e)return!1;return!0},type:function(e){return e==null?e+\"\":typeof e==\"object\"||typeof e==\"function\"?class2type[toString.call(e)]||\"object\":typeof e},globalEval:function(code){var script,indirect=eval;code=jQuery.trim(code),code&&(code.indexOf(\"use strict\")===1?(script=document.createElement(\"script\"),script.text=code,document.head.appendChild(script).parentNode.removeChild(script)):indirect(code))},camelCase:function(e){return e.replace(rmsPrefix,\"ms-\").replace(rdashAlpha,fcamelCase)},nodeName:function(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()},each:function(e,t,n){var r,i=0,s=e.length,o=isArraylike(e);if(n)if(o)for(;i<s;i++){r=t.apply(e[i],n);if(r===!1)break}else for(i in e){r=t.apply(e[i],n);if(r===!1)break}else if(o)for(;i<s;i++){r=t.call(e[i],i,e[i]);if(r===!1)break}else for(i in e){r=t.call(e[i],i,e[i]);if(r===!1)break}return e},trim:function(e){return e==null?\"\":(e+\"\").replace(rtrim,\"\")},makeArray:function(e,t){var n=t||[];return e!=null&&(isArraylike(Object(e))?jQuery.merge(n,typeof e==\"string\"?[e]:e):push.call(n,e)),n},inArray:function(e,t,n){return t==null?-1:indexOf.call(t,e,n)},merge:function(e,t){var n=+t.length,r=0,i=e.length;for(;r<n;r++)e[i++]=t[r];return e.length=i,e},grep:function(e,t,n){var r,i=[],s=0,o=e.length,u=!n;for(;s<o;s++)r=!t(e[s],s),r!==u&&i.push(e[s]);return i},map:function(e,t,n){var r,i=0,s=e.length,o=isArraylike(e),u=[];if(o)for(;i<s;i++)r=t(e[i],i,n),r!=null&&u.push(r);else for(i in e)r=t(e[i],i,n),r!=null&&u.push(r);return concat.apply([],u)},guid:1,proxy:function(e,t){var n,r,i;return typeof t==\"string\"&&(n=e[t],t=e,e=n),jQuery.isFunction(e)?(r=slice.call(arguments,2),i=function(){return e.apply(t||this,r.concat(slice.call(arguments)))},i.guid=e.guid=e.guid||jQuery.guid++,i):undefined},now:Date.now,support:support}),jQuery.each(\"Boolean Number String Function Array Date RegExp Object Error\".split(\" \"),function(e,t){class2type[\"[object \"+t+\"]\"]=t.toLowerCase()});var Sizzle=function(e){function st(e,t,r,i){var s,u,f,l,c,d,g,y,S,x;(t?t.ownerDocument||t:E)!==p&&h(t),t=t||p,r=r||[];if(!e||typeof e!=\"string\")return r;if((l=t.nodeType)!==1&&l!==9)return[];if(v&&!i){if(s=Z.exec(e))if(f=s[1]){if(l===9){u=t.getElementById(f);if(!u||!u.parentNode)return r;if(u.id===f)return r.push(u),r}else if(t.ownerDocument&&(u=t.ownerDocument.getElementById(f))&&b(t,u)&&u.id===f)return r.push(u),r}else{if(s[2])return P.apply(r,t.getElementsByTagName(e)),r;if((f=s[3])&&n.getElementsByClassName&&t.getElementsByClassName)return P.apply(r,t.getElementsByClassName(f)),r}if(n.qsa&&(!m||!m.test(e))){y=g=w,S=t,x=l===9&&e;if(l===1&&t.nodeName.toLowerCase()!==\"object\"){d=o(e),(g=t.getAttribute(\"id\"))?y=g.replace(tt,\"\\\\$&\"):t.setAttribute(\"id\",y),y=\"[id='\"+y+\"'] \",c=d.length;while(c--)d[c]=y+mt(d[c]);S=et.test(e)&&dt(t.parentNode)||t,x=d.join(\",\")}if(x)try{return P.apply(r,S.querySelectorAll(x)),r}catch(T){}finally{g||t.removeAttribute(\"id\")}}}return a(e.replace(z,\"$1\"),t,r,i)}function ot(){function t(n,i){return e.push(n+\" \")>r.cacheLength&&delete t[e.shift()],t[n+\" \"]=i}var e=[];return t}function ut(e){return e[w]=!0,e}function at(e){var t=p.createElement(\"div\");try{return!!e(t)}catch(n){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function ft(e,t){var n=e.split(\"|\"),i=e.length;while(i--)r.attrHandle[n[i]]=t}function lt(e,t){var n=t&&e,r=n&&e.nodeType===1&&t.nodeType===1&&(~t.sourceIndex||A)-(~e.sourceIndex||A);if(r)return r;if(n)while(n=n.nextSibling)if(n===t)return-1;return e?1:-1}function ct(e){return function(t){var n=t.nodeName.toLowerCase();return n===\"input\"&&t.type===e}}function ht(e){return function(t){var n=t.nodeName.toLowerCase();return(n===\"input\"||n===\"button\")&&t.type===e}}function pt(e){return ut(function(t){return t=+t,ut(function(n,r){var i,s=e([],n.length,t),o=s.length;while(o--)n[i=s[o]]&&(n[i]=!(r[i]=n[i]))})})}function dt(e){return e&&typeof e.getElementsByTagName!==L&&e}function vt(){}function mt(e){var t=0,n=e.length,r=\"\";for(;t<n;t++)r+=e[t].value;return r}function gt(e,t,n){var r=t.dir,i=n&&r===\"parentNode\",s=x++;return t.first?function(t,n,s){while(t=t[r])if(t.nodeType===1||i)return e(t,n,s)}:function(t,n,o){var u,a,f=[S,s];if(o){while(t=t[r])if(t.nodeType===1||i)if(e(t,n,o))return!0}else while(t=t[r])if(t.nodeType===1||i){a=t[w]||(t[w]={});if((u=a[r])&&u[0]===S&&u[1]===s)return f[2]=u[2];a[r]=f;if(f[2]=e(t,n,o))return!0}}}function yt(e){return e.length>1?function(t,n,r){var i=e.length;while(i--)if(!e[i](t,n,r))return!1;return!0}:e[0]}function bt(e,t,n){var r=0,i=t.length;for(;r<i;r++)st(e,t[r],n);return n}function wt(e,t,n,r,i){var s,o=[],u=0,a=e.length,f=t!=null;for(;u<a;u++)if(s=e[u])if(!n||n(s,r,i))o.push(s),f&&t.push(u);return o}function Et(e,t,n,r,i,s){return r&&!r[w]&&(r=Et(r)),i&&!i[w]&&(i=Et(i,s)),ut(function(s,o,u,a){var f,l,c,h=[],p=[],d=o.length,v=s||bt(t||\"*\",u.nodeType?[u]:u,[]),m=e&&(s||!t)?wt(v,h,e,u,a):v,g=n?i||(s?e:d||r)?[]:o:m;n&&n(m,g,u,a);if(r){f=wt(g,p),r(f,[],u,a),l=f.length;while(l--)if(c=f[l])g[p[l]]=!(m[p[l]]=c)}if(s){if(i||e){if(i){f=[],l=g.length;while(l--)(c=g[l])&&f.push(m[l]=c);i(null,g=[],f,a)}l=g.length;while(l--)(c=g[l])&&(f=i?B.call(s,c):h[l])>-1&&(s[f]=!(o[f]=c))}}else g=wt(g===o?g.splice(d,g.length):g),i?i(null,o,g,a):P.apply(o,g)})}function St(e){var t,n,i,s=e.length,o=r.relative[e[0].type],u=o||r.relative[\" \"],a=o?1:0,l=gt(function(e){return e===t},u,!0),c=gt(function(e){return B.call(t,e)>-1},u,!0),h=[function(e,n,r){return!o&&(r||n!==f)||((t=n).nodeType?l(e,n,r):c(e,n,r))}];for(;a<s;a++)if(n=r.relative[e[a].type])h=[gt(yt(h),n)];else{n=r.filter[e[a].type].apply(null,e[a].matches);if(n[w]){i=++a;for(;i<s;i++)if(r.relative[e[i].type])break;return Et(a>1&&yt(h),a>1&&mt(e.slice(0,a-1).concat({value:e[a-2].type===\" \"?\"*\":\"\"})).replace(z,\"$1\"),n,a<i&&St(e.slice(a,i)),i<s&&St(e=e.slice(i)),i<s&&mt(e))}h.push(n)}return yt(h)}function xt(e,t){var n=t.length>0,i=e.length>0,s=function(s,o,u,a,l){var c,h,d,v=0,m=\"0\",g=s&&[],y=[],b=f,w=s||i&&r.find.TAG(\"*\",l),E=S+=b==null?1:Math.random()||.1,x=w.length;l&&(f=o!==p&&o);for(;m!==x&&(c=w[m])!=null;m++){if(i&&c){h=0;while(d=e[h++])if(d(c,o,u)){a.push(c);break}l&&(S=E)}n&&((c=!d&&c)&&v--,s&&g.push(c))}v+=m;if(n&&m!==v){h=0;while(d=t[h++])d(g,y,o,u);if(s){if(v>0)while(m--)!g[m]&&!y[m]&&(y[m]=_.call(a));y=wt(y)}P.apply(a,y),l&&!s&&y.length>0&&v+t.length>1&&st.uniqueSort(a)}return l&&(S=E,f=b),g};return n?ut(s):s}var t,n,r,i,s,o,u,a,f,l,c,h,p,d,v,m,g,y,b,w=\"sizzle\"+ -(new Date),E=e.document,S=0,x=0,T=ot(),N=ot(),C=ot(),k=function(e,t){return e===t&&(c=!0),0},L=typeof undefined,A=1<<31,O={}.hasOwnProperty,M=[],_=M.pop,D=M.push,P=M.push,H=M.slice,B=M.indexOf||function(e){var t=0,n=this.length;for(;t<n;t++)if(this[t]===e)return t;return-1},j=\"checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped\",F=\"[\\\\x20\\\\t\\\\r\\\\n\\\\f]\",I=\"(?:\\\\\\\\.|[\\\\w-]|[^\\\\x00-\\\\xa0])+\",q=I.replace(\"w\",\"w#\"),R=\"\\\\[\"+F+\"*(\"+I+\")(?:\"+F+\"*([*^$|!~]?=)\"+F+\"*(?:'((?:\\\\\\\\.|[^\\\\\\\\'])*)'|\\\"((?:\\\\\\\\.|[^\\\\\\\\\\\"])*)\\\"|(\"+q+\"))|)\"+F+\"*\\\\]\",U=\":(\"+I+\")(?:\\\\((\"+\"('((?:\\\\\\\\.|[^\\\\\\\\'])*)'|\\\"((?:\\\\\\\\.|[^\\\\\\\\\\\"])*)\\\")|\"+\"((?:\\\\\\\\.|[^\\\\\\\\()[\\\\]]|\"+R+\")*)|\"+\".*\"+\")\\\\)|)\",z=new RegExp(\"^\"+F+\"+|((?:^|[^\\\\\\\\])(?:\\\\\\\\.)*)\"+F+\"+$\",\"g\"),W=new RegExp(\"^\"+F+\"*,\"+F+\"*\"),X=new RegExp(\"^\"+F+\"*([>+~]|\"+F+\")\"+F+\"*\"),V=new RegExp(\"=\"+F+\"*([^\\\\]'\\\"]*?)\"+F+\"*\\\\]\",\"g\"),$=new RegExp(U),J=new RegExp(\"^\"+q+\"$\"),K={ID:new RegExp(\"^#(\"+I+\")\"),CLASS:new RegExp(\"^\\\\.(\"+I+\")\"),TAG:new RegExp(\"^(\"+I.replace(\"w\",\"w*\")+\")\"),ATTR:new RegExp(\"^\"+R),PSEUDO:new RegExp(\"^\"+U),CHILD:new RegExp(\"^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\\\(\"+F+\"*(even|odd|(([+-]|)(\\\\d*)n|)\"+F+\"*(?:([+-]|)\"+F+\"*(\\\\d+)|))\"+F+\"*\\\\)|)\",\"i\"),bool:new RegExp(\"^(?:\"+j+\")$\",\"i\"),needsContext:new RegExp(\"^\"+F+\"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\\\(\"+F+\"*((?:-\\\\d)?\\\\d*)\"+F+\"*\\\\)|)(?=[^-]|$)\",\"i\")},Q=/^(?:input|select|textarea|button)$/i,G=/^h\\d$/i,Y=/^[^{]+\\{\\s*\\[native \\w/,Z=/^(?:#([\\w-]+)|(\\w+)|\\.([\\w-]+))$/,et=/[+~]/,tt=/'|\\\\/g,nt=new RegExp(\"\\\\\\\\([\\\\da-f]{1,6}\"+F+\"?|(\"+F+\")|.)\",\"ig\"),rt=function(e,t,n){var r=\"0x\"+t-65536;return r!==r||n?t:r<0?String.fromCharCode(r+65536):String.fromCharCode(r>>10|55296,r&1023|56320)};try{P.apply(M=H.call(E.childNodes),E.childNodes),M[E.childNodes.length].nodeType}catch(it){P={apply:M.length?function(e,t){D.apply(e,H.call(t))}:function(e,t){var n=e.length,r=0;while(e[n++]=t[r++]);e.length=n-1}}}n=st.support={},s=st.isXML=function(e){var t=e&&(e.ownerDocument||e).documentElement;return t?t.nodeName!==\"HTML\":!1},h=st.setDocument=function(e){var t,i=e?e.ownerDocument||e:E,o=i.defaultView;if(i===p||i.nodeType!==9||!i.documentElement)return p;p=i,d=i.documentElement,v=!s(i),o&&o!==o.top&&(o.addEventListener?o.addEventListener(\"unload\",function(){h()},!1):o.attachEvent&&o.attachEvent(\"onunload\",function(){h()})),n.attributes=at(function(e){return e.className=\"i\",!e.getAttribute(\"className\")}),n.getElementsByTagName=at(function(e){return e.appendChild(i.createComment(\"\")),!e.getElementsByTagName(\"*\").length}),n.getElementsByClassName=Y.test(i.getElementsByClassName)&&at(function(e){return e.innerHTML=\"<div class='a'></div><div class='a i'></div>\",e.firstChild.className=\"i\",e.getElementsByClassName(\"i\").length===2}),n.getById=at(function(e){return d.appendChild(e).id=w,!i.getElementsByName||!i.getElementsByName(w).length}),n.getById?(r.find.ID=function(e,t){if(typeof t.getElementById!==L&&v){var n=t.getElementById(e);return n&&n.parentNode?[n]:[]}},r.filter.ID=function(e){var t=e.replace(nt,rt);return function(e){return e.getAttribute(\"id\")===t}}):(delete r.find.ID,r.filter.ID=function(e){var t=e.replace(nt,rt);return function(e){var n=typeof e.getAttributeNode!==L&&e.getAttributeNode(\"id\");return n&&n.value===t}}),r.find.TAG=n.getElementsByTagName?function(e,t){if(typeof t.getElementsByTagName!==L)return t.getElementsByTagName(e)}:function(e,t){var n,r=[],i=0,s=t.getElementsByTagName(e);if(e===\"*\"){while(n=s[i++])n.nodeType===1&&r.push(n);return r}return s},r.find.CLASS=n.getElementsByClassName&&function(e,t){if(typeof t.getElementsByClassName!==L&&v)return t.getElementsByClassName(e)},g=[],m=[];if(n.qsa=Y.test(i.querySelectorAll))at(function(e){e.innerHTML=\"<select msallowclip=''><option selected=''></option></select>\",e.querySelectorAll(\"[msallowclip^='']\").length&&m.push(\"[*^$]=\"+F+\"*(?:''|\\\"\\\")\"),e.querySelectorAll(\"[selected]\").length||m.push(\"\\\\[\"+F+\"*(?:value|\"+j+\")\"),e.querySelectorAll(\":checked\").length||m.push(\":checked\")}),at(function(e){var t=i.createElement(\"input\");t.setAttribute(\"type\",\"hidden\"),e.appendChild(t).setAttribute(\"name\",\"D\"),e.querySelectorAll(\"[name=d]\").length&&m.push(\"name\"+F+\"*[*^$|!~]?=\"),e.querySelectorAll(\":enabled\").length||m.push(\":enabled\",\":disabled\"),e.querySelectorAll(\"*,:x\"),m.push(\",.*:\")});return(n.matchesSelector=Y.test(y=d.matches||d.webkitMatchesSelector||d.mozMatchesSelector||d.oMatchesSelector||d.msMatchesSelector))&&at(function(e){n.disconnectedMatch=y.call(e,\"div\"),y.call(e,\"[s!='']:x\"),g.push(\"!=\",U)}),m=m.length&&new RegExp(m.join(\"|\")),g=g.length&&new RegExp(g.join(\"|\")),t=Y.test(d.compareDocumentPosition),b=t||Y.test(d.contains)?function(e,t){var n=e.nodeType===9?e.documentElement:e,r=t&&t.parentNode;return e===r||!!r&&r.nodeType===1&&!!(n.contains?n.contains(r):e.compareDocumentPosition&&e.compareDocumentPosition(r)&16)}:function(e,t){if(t)while(t=t.parentNode)if(t===e)return!0;return!1},k=t?function(e,t){if(e===t)return c=!0,0;var r=!e.compareDocumentPosition-!t.compareDocumentPosition;return r?r:(r=(e.ownerDocument||e)===(t.ownerDocument||t)?e.compareDocumentPosition(t):1,r&1||!n.sortDetached&&t.compareDocumentPosition(e)===r?e===i||e.ownerDocument===E&&b(E,e)?-1:t===i||t.ownerDocument===E&&b(E,t)?1:l?B.call(l,e)-B.call(l,t):0:r&4?-1:1)}:function(e,t){if(e===t)return c=!0,0;var n,r=0,s=e.parentNode,o=t.parentNode,u=[e],a=[t];if(!s||!o)return e===i?-1:t===i?1:s?-1:o?1:l?B.call(l,e)-B.call(l,t):0;if(s===o)return lt(e,t);n=e;while(n=n.parentNode)u.unshift(n);n=t;while(n=n.parentNode)a.unshift(n);while(u[r]===a[r])r++;return r?lt(u[r],a[r]):u[r]===E?-1:a[r]===E?1:0},i},st.matches=function(e,t){return st(e,null,null,t)},st.matchesSelector=function(e,t){(e.ownerDocument||e)!==p&&h(e),t=t.replace(V,\"='$1']\");if(n.matchesSelector&&v&&(!g||!g.test(t))&&(!m||!m.test(t)))try{var r=y.call(e,t);if(r||n.disconnectedMatch||e.document&&e.document.nodeType!==11)return r}catch(i){}return st(t,p,null,[e]).length>0},st.contains=function(e,t){return(e.ownerDocument||e)!==p&&h(e),b(e,t)},st.attr=function(e,t){(e.ownerDocument||e)!==p&&h(e);var i=r.attrHandle[t.toLowerCase()],s=i&&O.call(r.attrHandle,t.toLowerCase())?i(e,t,!v):undefined;return s!==undefined?s:n.attributes||!v?e.getAttribute(t):(s=e.getAttributeNode(t))&&s.specified?s.value:null},st.error=function(e){throw new Error(\"Syntax error, unrecognized expression: \"+e)},st.uniqueSort=function(e){var t,r=[],i=0,s=0;c=!n.detectDuplicates,l=!n.sortStable&&e.slice(0),e.sort(k);if(c){while(t=e[s++])t===e[s]&&(i=r.push(s));while(i--)e.splice(r[i],1)}return l=null,e},i=st.getText=function(e){var t,n=\"\",r=0,s=e.nodeType;if(!s)while(t=e[r++])n+=i(t);else if(s===1||s===9||s===11){if(typeof e.textContent==\"string\")return e.textContent;for(e=e.firstChild;e;e=e.nextSibling)n+=i(e)}else if(s===3||s===4)return e.nodeValue;return n},r=st.selectors={cacheLength:50,createPseudo:ut,match:K,attrHandle:{},find:{},relative:{\">\":{dir:\"parentNode\",first:!0},\" \":{dir:\"parentNode\"},\"+\":{dir:\"previousSibling\",first:!0},\"~\":{dir:\"previousSibling\"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(nt,rt),e[3]=(e[3]||e[4]||e[5]||\"\").replace(nt,rt),e[2]===\"~=\"&&(e[3]=\" \"+e[3]+\" \"),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),e[1].slice(0,3)===\"nth\"?(e[3]||st.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*(e[3]===\"even\"||e[3]===\"odd\")),e[5]=+(e[7]+e[8]||e[3]===\"odd\")):e[3]&&st.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return K.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||\"\":n&&$.test(n)&&(t=o(n,!0))&&(t=n.indexOf(\")\",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(nt,rt).toLowerCase();return e===\"*\"?function(){return!0}:function(e){return e.nodeName&&e.nodeName.toLowerCase()===t}},CLASS:function(e){var t=T[e+\" \"];return t||(t=new RegExp(\"(^|\"+F+\")\"+e+\"(\"+F+\"|$)\"))&&T(e,function(e){return t.test(typeof e.className==\"string\"&&e.className||typeof e.getAttribute!==L&&e.getAttribute(\"class\")||\"\")})},ATTR:function(e,t,n){return function(r){var i=st.attr(r,e);return i==null?t===\"!=\":t?(i+=\"\",t===\"=\"?i===n:t===\"!=\"?i!==n:t===\"^=\"?n&&i.indexOf(n)===0:t===\"*=\"?n&&i.indexOf(n)>-1:t===\"$=\"?n&&i.slice(-n.length)===n:t===\"~=\"?(\" \"+i+\" \").indexOf(n)>-1:t===\"|=\"?i===n||i.slice(0,n.length+1)===n+\"-\":!1):!0}},CHILD:function(e,t,n,r,i){var s=e.slice(0,3)!==\"nth\",o=e.slice(-4)!==\"last\",u=t===\"of-type\";return r===1&&i===0?function(e){return!!e.parentNode}:function(t,n,a){var f,l,c,h,p,d,v=s!==o?\"nextSibling\":\"previousSibling\",m=t.parentNode,g=u&&t.nodeName.toLowerCase(),y=!a&&!u;if(m){if(s){while(v){c=t;while(c=c[v])if(u?c.nodeName.toLowerCase()===g:c.nodeType===1)return!1;d=v=e===\"only\"&&!d&&\"nextSibling\"}return!0}d=[o?m.firstChild:m.lastChild];if(o&&y){l=m[w]||(m[w]={}),f=l[e]||[],p=f[0]===S&&f[1],h=f[0]===S&&f[2],c=p&&m.childNodes[p];while(c=++p&&c&&c[v]||(h=p=0)||d.pop())if(c.nodeType===1&&++h&&c===t){l[e]=[S,p,h];break}}else if(y&&(f=(t[w]||(t[w]={}))[e])&&f[0]===S)h=f[1];else while(c=++p&&c&&c[v]||(h=p=0)||d.pop())if((u?c.nodeName.toLowerCase()===g:c.nodeType===1)&&++h){y&&((c[w]||(c[w]={}))[e]=[S,h]);if(c===t)break}return h-=i,h===r||h%r===0&&h/r>=0}}},PSEUDO:function(e,t){var n,i=r.pseudos[e]||r.setFilters[e.toLowerCase()]||st.error(\"unsupported pseudo: \"+e);return i[w]?i(t):i.length>1?(n=[e,e,\"\",t],r.setFilters.hasOwnProperty(e.toLowerCase())?ut(function(e,n){var r,s=i(e,t),o=s.length;while(o--)r=B.call(e,s[o]),e[r]=!(n[r]=s[o])}):function(e){return i(e,0,n)}):i}},pseudos:{not:ut(function(e){var t=[],n=[],r=u(e.replace(z,\"$1\"));return r[w]?ut(function(e,t,n,i){var s,o=r(e,null,i,[]),u=e.length;while(u--)if(s=o[u])e[u]=!(t[u]=s)}):function(e,i,s){return t[0]=e,r(t,null,s,n),!n.pop()}}),has:ut(function(e){return function(t){return st(e,t).length>0}}),contains:ut(function(e){return function(t){return(t.textContent||t.innerText||i(t)).indexOf(e)>-1}}),lang:ut(function(e){return J.test(e||\"\")||st.error(\"unsupported lang: \"+e),e=e.replace(nt,rt).toLowerCase(),function(t){var n;do if(n=v?t.lang:t.getAttribute(\"xml:lang\")||t.getAttribute(\"lang\"))return n=n.toLowerCase(),n===e||n.indexOf(e+\"-\")===0;while((t=t.parentNode)&&t.nodeType===1);return!1}}),target:function(t){var n=e.location&&e.location.hash;return n&&n.slice(1)===t.id},root:function(e){return e===d},focus:function(e){return e===p.activeElement&&(!p.hasFocus||p.hasFocus())&&!!(e.type||e.href||~e.tabIndex)},enabled:function(e){return e.disabled===!1},disabled:function(e){return e.disabled===!0},checked:function(e){var t=e.nodeName.toLowerCase();return t===\"input\"&&!!e.checked||t===\"option\"&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,e.selected===!0},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeType<6)return!1;return!0},parent:function(e){return!r.pseudos.empty(e)},header:function(e){return G.test(e.nodeName)},input:function(e){return Q.test(e.nodeName)},button:function(e){var t=e.nodeName.toLowerCase();return t===\"input\"&&e.type===\"button\"||t===\"button\"},text:function(e){var t;return e.nodeName.toLowerCase()===\"input\"&&e.type===\"text\"&&((t=e.getAttribute(\"type\"))==null||t.toLowerCase()===\"text\")},first:pt(function(){return[0]}),last:pt(function(e,t){return[t-1]}),eq:pt(function(e,t,n){return[n<0?n+t:n]}),even:pt(function(e,t){var n=0;for(;n<t;n+=2)e.push(n);return e}),odd:pt(function(e,t){var n=1;for(;n<t;n+=2)e.push(n);return e}),lt:pt(function(e,t,n){var r=n<0?n+t:n;for(;--r>=0;)e.push(r);return e}),gt:pt(function(e,t,n){var r=n<0?n+t:n;for(;++r<t;)e.push(r);return e})}},r.pseudos.nth=r.pseudos.eq;for(t in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})r.pseudos[t]=ct(t);for(t in{submit:!0,reset:!0})r.pseudos[t]=ht(t);return vt.prototype=r.filters=r.pseudos,r.setFilters=new vt,o=st.tokenize=function(e,t){var n,i,s,o,u,a,f,l=N[e+\" \"];if(l)return t?0:l.slice(0);u=e,a=[],f=r.preFilter;while(u){if(!n||(i=W.exec(u)))i&&(u=u.slice(i[0].length)||u),a.push(s=[]);n=!1;if(i=X.exec(u))n=i.shift(),s.push({value:n,type:i[0].replace(z,\" \")}),u=u.slice(n.length);for(o in r.filter)(i=K[o].exec(u))&&(!f[o]||(i=f[o](i)))&&(n=i.shift(),s.push({value:n,type:o,matches:i}),u=u.slice(n.length));if(!n)break}return t?u.length:u?st.error(e):N(e,a).slice(0)},u=st.compile=function(e,t){var n,r=[],i=[],s=C[e+\" \"];if(!s){t||(t=o(e)),n=t.length;while(n--)s=St(t[n]),s[w]?r.push(s):i.push(s);s=C(e,xt(i,r)),s.selector=e}return s},a=st.select=function(e,t,i,s){var a,f,l,c,h,p=typeof e==\"function\"&&e,d=!s&&o(e=p.selector||e);i=i||[];if(d.length===1){f=d[0]=d[0].slice(0);if(f.length>2&&(l=f[0]).type===\"ID\"&&n.getById&&t.nodeType===9&&v&&r.relative[f[1].type]){t=(r.find.ID(l.matches[0].replace(nt,rt),t)||[])[0];if(!t)return i;p&&(t=t.parentNode),e=e.slice(f.shift().value.length)}a=K.needsContext.test(e)?0:f.length;while(a--){l=f[a];if(r.relative[c=l.type])break;if(h=r.find[c])if(s=h(l.matches[0].replace(nt,rt),et.test(f[0].type)&&dt(t.parentNode)||t)){f.splice(a,1),e=s.length&&mt(f);if(!e)return P.apply(i,s),i;break}}}return(p||u(e,d))(s,t,!v,i,et.test(e)&&dt(t.parentNode)||t),i},n.sortStable=w.split(\"\").sort(k).join(\"\")===w,n.detectDuplicates=!!c,h(),n.sortDetached=at(function(e){return e.compareDocumentPosition(p.createElement(\"div\"))&1}),at(function(e){return e.innerHTML=\"<a href='#'></a>\",e.firstChild.getAttribute(\"href\")===\"#\"})||ft(\"type|href|height|width\",function(e,t,n){if(!n)return e.getAttribute(t,t.toLowerCase()===\"type\"?1:2)}),(!n.attributes||!at(function(e){return e.innerHTML=\"<input/>\",e.firstChild.setAttribute(\"value\",\"\"),e.firstChild.getAttribute(\"value\")===\"\"}))&&ft(\"value\",function(e,t,n){if(!n&&e.nodeName.toLowerCase()===\"input\")return e.defaultValue}),at(function(e){return e.getAttribute(\"disabled\")==null})||ft(j,function(e,t,n){var r;if(!n)return e[t]===!0?t.toLowerCase():(r=e.getAttributeNode(t))&&r.specified?r.value:null}),st}(window);jQuery.find=Sizzle,jQuery.expr=Sizzle.selectors,jQuery.expr[\":\"]=jQuery.expr.pseudos,jQuery.unique=Sizzle.uniqueSort,jQuery.text=Sizzle.getText,jQuery.isXMLDoc=Sizzle.isXML,jQuery.contains=Sizzle.contains;var rneedsContext=jQuery.expr.match.needsContext,rsingleTag=/^<(\\w+)\\s*\\/?>(?:<\\/\\1>|)$/,risSimple=/^.[^:#\\[\\.,]*$/;jQuery.filter=function(e,t,n){var r=t[0];return n&&(e=\":not(\"+e+\")\"),t.length===1&&r.nodeType===1?jQuery.find.matchesSelector(r,e)?[r]:[]:jQuery.find.matches(e,jQuery.grep(t,function(e){return e.nodeType===1}))},jQuery.fn.extend({find:function(e){var t,n=this.length,r=[],i=this;if(typeof e!=\"string\")return this.pushStack(jQuery(e).filter(function(){for(t=0;t<n;t++)if(jQuery.contains(i[t],this))return!0}));for(t=0;t<n;t++)jQuery.find(e,i[t],r);return r=this.pushStack(n>1?jQuery.unique(r):r),r.selector=this.selector?this.selector+\" \"+e:e,r},filter:function(e){return this.pushStack(winnow(this,e||[],!1))},not:function(e){return this.pushStack(winnow(this,e||[],!0))},is:function(e){return!!winnow(this,typeof e==\"string\"&&rneedsContext.test(e)?jQuery(e):e||[],!1).length}});var rootjQuery,rquickExpr=/^(?:\\s*(<[\\w\\W]+>)[^>]*|#([\\w-]*))$/,init=jQuery.fn.init=function(e,t){var n,r;if(!e)return this;if(typeof e==\"string\"){e[0]===\"<\"&&e[e.length-1]===\">\"&&e.length>=3?n=[null,e,null]:n=rquickExpr.exec(e);if(n&&(n[1]||!t)){if(n[1]){t=t instanceof jQuery?t[0]:t,jQuery.merge(this,jQuery.parseHTML(n[1],t&&t.nodeType?t.ownerDocument||t:document,!0));if(rsingleTag.test(n[1])&&jQuery.isPlainObject(t))for(n in t)jQuery.isFunction(this[n])?this[n](t[n]):this.attr(n,t[n]);return this}return r=document.getElementById(n[2]),r&&r.parentNode&&(this.length=1,this[0]=r),this.context=document,this.selector=e,this}return!t||t.jquery?(t||rootjQuery).find(e):this.constructor(t).find(e)}return e.nodeType?(this.context=this[0]=e,this.length=1,this):jQuery.isFunction(e)?typeof rootjQuery.ready!=\"undefined\"?rootjQuery.ready(e):e(jQuery):(e.selector!==undefined&&(this.selector=e.selector,this.context=e.context),jQuery.makeArray(e,this))};init.prototype=jQuery.fn,rootjQuery=jQuery(document);var rparentsprev=/^(?:parents|prev(?:Until|All))/,guaranteedUnique={children:!0,contents:!0,next:!0,prev:!0};jQuery.extend({dir:function(e,t,n){var r=[],i=n!==undefined;while((e=e[t])&&e.nodeType!==9)if(e.nodeType===1){if(i&&jQuery(e).is(n))break;r.push(e)}return r},sibling:function(e,t){var n=[];for(;e;e=e.nextSibling)e.nodeType===1&&e!==t&&n.push(e);return n}}),jQuery.fn.extend({has:function(e){var t=jQuery(e,this),n=t.length;return this.filter(function(){var e=0;for(;e<n;e++)if(jQuery.contains(this,t[e]))return!0})},closest:function(e,t){var n,r=0,i=this.length,s=[],o=rneedsContext.test(e)||typeof e!=\"string\"?jQuery(e,t||this.context):0;for(;r<i;r++)for(n=this[r];n&&n!==t;n=n.parentNode)if(n.nodeType<11&&(o?o.index(n)>-1:n.nodeType===1&&jQuery.find.matchesSelector(n,e))){s.push(n);break}return this.pushStack(s.length>1?jQuery.unique(s):s)},index:function(e){return e?typeof e==\"string\"?indexOf.call(jQuery(e),this[0]):indexOf.call(this,e.jquery?e[0]:e):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){return this.pushStack(jQuery.unique(jQuery.merge(this.get(),jQuery(e,t))))},addBack:function(e){return this.add(e==null?this.prevObject:this.prevObject.filter(e))}}),jQuery.each({parent:function(e){var t=e.parentNode;return t&&t.nodeType!==11?t:null},parents:function(e){return jQuery.dir(e,\"parentNode\")},parentsUntil:function(e,t,n){return jQuery.dir(e,\"parentNode\",n)},next:function(e){return sibling(e,\"nextSibling\")},prev:function(e){return sibling(e,\"previousSibling\")},nextAll:function(e){return jQuery.dir(e,\"nextSibling\")},prevAll:function(e){return jQuery.dir(e,\"previousSibling\")},nextUntil:function(e,t,n){return jQuery.dir(e,\"nextSibling\",n)},prevUntil:function(e,t,n){return jQuery.dir(e,\"previousSibling\",n)},siblings:function(e){return jQuery.sibling((e.parentNode||{}).firstChild,e)},children:function(e){return jQuery.sibling(e.firstChild)},contents:function(e){return e.contentDocument||jQuery.merge([],e.childNodes)}},function(e,t){jQuery.fn[e]=function(n,r){var i=jQuery.map(this,t,n);return e.slice(-5)!==\"Until\"&&(r=n),r&&typeof r==\"string\"&&(i=jQuery.filter(r,i)),this.length>1&&(guaranteedUnique[e]||jQuery.unique(i),rparentsprev.test(e)&&i.reverse()),this.pushStack(i)}});var rnotwhite=/\\S+/g,optionsCache={};jQuery.Callbacks=function(e){e=typeof e==\"string\"?optionsCache[e]||createOptions(e):jQuery.extend({},e);var t,n,r,i,s,o,u=[],a=!e.once&&[],f=function(c){t=e.memory&&c,n=!0,o=i||0,i=0,s=u.length,r=!0;for(;u&&o<s;o++)if(u[o].apply(c[0],c[1])===!1&&e.stopOnFalse){t=!1;break}r=!1,u&&(a?a.length&&f(a.shift()):t?u=[]:l.disable())},l={add:function(){if(u){var n=u.length;(function o(t){jQuery.each(t,function(t,n){var r=jQuery.type(n);r===\"function\"?(!e.unique||!l.has(n))&&u.push(n):n&&n.length&&r!==\"string\"&&o(n)})})(arguments),r?s=u.length:t&&(i=n,f(t))}return this},remove:function(){return u&&jQuery.each(arguments,function(e,t){var n;while((n=jQuery.inArray(t,u,n))>-1)u.splice(n,1),r&&(n<=s&&s--,n<=o&&o--)}),this},has:function(e){return e?jQuery.inArray(e,u)>-1:!!u&&!!u.length},empty:function(){return u=[],s=0,this},disable:function(){return u=a=t=undefined,this},disabled:function(){return!u},lock:function(){return a=undefined,t||l.disable(),this},locked:function(){return!a},fireWith:function(e,t){return u&&(!n||a)&&(t=t||[],t=[e,t.slice?t.slice():t],r?a.push(t):f(t)),this},fire:function(){return l.fireWith(this,arguments),this},fired:function(){return!!n}};return l},jQuery.extend({Deferred:function(e){var t=[[\"resolve\",\"done\",jQuery.Callbacks(\"once memory\"),\"resolved\"],[\"reject\",\"fail\",jQuery.Callbacks(\"once memory\"),\"rejected\"],[\"notify\",\"progress\",jQuery.Callbacks(\"memory\")]],n=\"pending\",r={state:function(){return n},always:function(){return i.done(arguments).fail(arguments),this},then:function(){var e=arguments;return jQuery.Deferred(function(n){jQuery.each(t,function(t,s){var o=jQuery.isFunction(e[t])&&e[t];i[s[1]](function(){var e=o&&o.apply(this,arguments);e&&jQuery.isFunction(e.promise)?e.promise().done(n.resolve).fail(n.reject).progress(n.notify):n[s[0]+\"With\"](this===r?n.promise():this,o?[e]:arguments)})}),e=null}).promise()},promise:function(e){return e!=null?jQuery.extend(e,r):r}},i={};return r.pipe=r.then,jQuery.each(t,function(e,s){var o=s[2],u=s[3];r[s[1]]=o.add,u&&o.add(function(){n=u},t[e^1][2].disable,t[2][2].lock),i[s[0]]=function(){return i[s[0]+\"With\"](this===i?r:this,arguments),this},i[s[0]+\"With\"]=o.fireWith}),r.promise(i),e&&e.call(i,i),i},when:function(e){var t=0,n=slice.call(arguments),r=n.length,i=r!==1||e&&jQuery.isFunction(e.promise)?r:0,s=i===1?e:jQuery.Deferred(),o=function(e,t,n){return function(r){t[e]=this,n[e]=arguments.length>1?slice.call(arguments):r,n===u?s.notifyWith(t,n):--i||s.resolveWith(t,n)}},u,a,f;if(r>1){u=new Array(r),a=new Array(r),f=new Array(r);for(;t<r;t++)n[t]&&jQuery.isFunction(n[t].promise)?n[t].promise().done(o(t,f,n)).fail(s.reject).progress(o(t,a,u)):--i}return i||s.resolveWith(f,n),s.promise()}});var readyList;jQuery.fn.ready=function(e){return jQuery.ready.promise().done(e),this},jQuery.extend({isReady:!1,readyWait:1,holdReady:function(e){e?jQuery.readyWait++:jQuery.ready(!0)},ready:function(e){if(e===!0?--jQuery.readyWait:jQuery.isReady)return;jQuery.isReady=!0;if(e!==!0&&--jQuery.readyWait>0)return;readyList.resolveWith(document,[jQuery]),jQuery.fn.triggerHandler&&(jQuery(document).triggerHandler(\"ready\"),jQuery(document).off(\"ready\"))}}),jQuery.ready.promise=function(e){return readyList||(readyList=jQuery.Deferred(),document.readyState===\"complete\"?setTimeout(jQuery.ready):(document.addEventListener(\"DOMContentLoaded\",completed,!1),window.addEventListener(\"load\",completed,!1))),readyList.promise(e)},jQuery.ready.promise();var access=jQuery.access=function(e,t,n,r,i,s,o){var u=0,a=e.length,f=n==null;if(jQuery.type(n)===\"object\"){i=!0;for(u in n)jQuery.access(e,t,u,n[u],!0,s,o)}else if(r!==undefined){i=!0,jQuery.isFunction(r)||(o=!0),f&&(o?(t.call(e,r),t=null):(f=t,t=function(e,t,n){return f.call(jQuery(e),n)}));if(t)for(;u<a;u++)t(e[u],n,o?r:r.call(e[u],u,t(e[u],n)))}return i?e:f?t.call(e):a?t(e[0],n):s};jQuery.acceptData=function(e){return e.nodeType===1||e.nodeType===9||!+e.nodeType},Data.uid=1,Data.accepts=jQuery.acceptData,Data.prototype={key:function(e){if(!Data.accepts(e))return 0;var t={},n=e[this.expando];if(!n){n=Data.uid++;try{t[this.expando]={value:n},Object.defineProperties(e,t)}catch(r){t[this.expando]=n,jQuery.extend(e,t)}}return this.cache[n]||(this.cache[n]={}),n},set:function(e,t,n){var r,i=this.key(e),s=this.cache[i];if(typeof t==\"string\")s[t]=n;else if(jQuery.isEmptyObject(s))jQuery.extend(this.cache[i],t);else for(r in t)s[r]=t[r];return s},get:function(e,t){var n=this.cache[this.key(e)];return t===undefined?n:n[t]},access:function(e,t,n){var r;return t===undefined||t&&typeof t==\"string\"&&n===undefined?(r=this.get(e,t),r!==undefined?r:this.get(e,jQuery.camelCase(t))):(this.set(e,t,n),n!==undefined?n:t)},remove:function(e,t){var n,r,i,s=this.key(e),o=this.cache[s];if(t===undefined)this.cache[s]={};else{jQuery.isArray(t)?r=t.concat(t.map(jQuery.camelCase)):(i=jQuery.camelCase(t),t in o?r=[t,i]:(r=i,r=r in o?[r]:r.match(rnotwhite)||[])),n=r.length;while(n--)delete o[r[n]]}},hasData:function(e){return!jQuery.isEmptyObject(this.cache[e[this.expando]]||{})},discard:function(e){e[this.expando]&&delete this.cache[e[this.expando]]}};var data_priv=new Data,data_user=new Data,rbrace=/^(?:\\{[\\w\\W]*\\}|\\[[\\w\\W]*\\])$/,rmultiDash=/([A-Z])/g;jQuery.extend({hasData:function(e){return data_user.hasData(e)||data_priv.hasData(e)},data:function(e,t,n){return data_user.access(e,t,n)},removeData:function(e,t){data_user.remove(e,t)},_data:function(e,t,n){return data_priv.access(e,t,n)},_removeData:function(e,t){data_priv.remove(e,t)}}),jQuery.fn.extend({data:function(e,t){var n,r,i,s=this[0],o=s&&s.attributes;if(e===undefined){if(this.length){i=data_user.get(s);if(s.nodeType===1&&!data_priv.get(s,\"hasDataAttrs\")){n=o.length;while(n--)o[n]&&(r=o[n].name,r.indexOf(\"data-\")===0&&(r=jQuery.camelCase(r.slice(5)),dataAttr(s,r,i[r])));data_priv.set(s,\"hasDataAttrs\",!0)}}return i}return typeof e==\"object\"?this.each(function(){data_user.set(this,e)}):access(this,function(t){var n,r=jQuery.camelCase(e);if(s&&t===undefined){n=data_user.get(s,e);if(n!==undefined)return n;n=data_user.get(s,r);if(n!==undefined)return n;n=dataAttr(s,r,undefined);if(n!==undefined)return n;return}this.each(function(){var n=data_user.get(this,r);data_user.set(this,r,t),e.indexOf(\"-\")!==-1&&n!==undefined&&data_user.set(this,e,t)})},null,t,arguments.length>1,null,!0)},removeData:function(e){return this.each(function(){data_user.remove(this,e)})}}),jQuery.extend({queue:function(e,t,n){var r;if(e)return t=(t||\"fx\")+\"queue\",r=data_priv.get(e,t),n&&(!r||jQuery.isArray(n)?r=data_priv.access(e,t,jQuery.makeArray(n)):r.push(n)),r||[]},dequeue:function(e,t){t=t||\"fx\";var n=jQuery.queue(e,t),r=n.length,i=n.shift(),s=jQuery._queueHooks(e,t),o=function(){jQuery.dequeue(e,t)};i===\"inprogress\"&&(i=n.shift(),r--),i&&(t===\"fx\"&&n.unshift(\"inprogress\"),delete s.stop,i.call(e,o,s)),!r&&s&&s.empty.fire()},_queueHooks:function(e,t){var n=t+\"queueHooks\";return data_priv.get(e,n)||data_priv.access(e,n,{empty:jQuery.Callbacks(\"once memory\").add(function(){data_priv.remove(e,[t+\"queue\",n])})})}}),jQuery.fn.extend({queue:function(e,t){var n=2;return typeof e!=\"string\"&&(t=e,e=\"fx\",n--),arguments.length<n?jQuery.queue(this[0],e):t===undefined?this:this.each(function(){var n=jQuery.queue(this,e,t);jQuery._queueHooks(this,e),e===\"fx\"&&n[0]!==\"inprogress\"&&jQuery.dequeue(this,e)})},dequeue:function(e){return this.each(function(){jQuery.dequeue(this,e)})},clearQueue:function(e){return this.queue(e||\"fx\",[])},promise:function(e,t){var n,r=1,i=jQuery.Deferred(),s=this,o=this.length,u=function(){--r||i.resolveWith(s,[s])};typeof e!=\"string\"&&(t=e,e=undefined),e=e||\"fx\";while(o--)n=data_priv.get(s[o],e+\"queueHooks\"),n&&n.empty&&(r++,n.empty.add(u));return u(),i.promise(t)}});var pnum=/[+-]?(?:\\d*\\.|)\\d+(?:[eE][+-]?\\d+|)/.source,cssExpand=[\"Top\",\"Right\",\"Bottom\",\"Left\"],isHidden=function(e,t){return e=t||e,jQuery.css(e,\"display\")===\"none\"||!jQuery.contains(e.ownerDocument,e)},rcheckableType=/^(?:checkbox|radio)$/i;(function(){var e=document.createDocumentFragment(),t=e.appendChild(document.createElement(\"div\")),n=document.createElement(\"input\");n.setAttribute(\"type\",\"radio\"),n.setAttribute(\"checked\",\"checked\"),n.setAttribute(\"name\",\"t\"),t.appendChild(n),support.checkClone=t.cloneNode(!0).cloneNode(!0).lastChild.checked,t.innerHTML=\"<textarea>x</textarea>\",support.noCloneChecked=!!t.cloneNode(!0).lastChild.defaultValue})();var strundefined=typeof undefined;support.focusinBubbles=\"onfocusin\"in window;var rkeyEvent=/^key/,rmouseEvent=/^(?:mouse|pointer|contextmenu)|click/,rfocusMorph=/^(?:focusinfocus|focusoutblur)$/,rtypenamespace=/^([^.]*)(?:\\.(.+)|)$/;jQuery.event={global:{},add:function(e,t,n,r,i){var s,o,u,a,f,l,c,h,p,d,v,m=data_priv.get(e);if(!m)return;n.handler&&(s=n,n=s.handler,i=s.selector),n.guid||(n.guid=jQuery.guid++),(a=m.events)||(a=m.events={}),(o=m.handle)||(o=m.handle=function(t){return typeof jQuery!==strundefined&&jQuery.event.triggered!==t.type?jQuery.event.dispatch.apply(e,arguments):undefined}),t=(t||\"\").match(rnotwhite)||[\"\"],f=t.length;while(f--){u=rtypenamespace.exec(t[f])||[],p=v=u[1],d=(u[2]||\"\").split(\".\").sort();if(!p)continue;c=jQuery.event.special[p]||{},p=(i?c.delegateType:c.bindType)||p,c=jQuery.event.special[p]||{},l=jQuery.extend({type:p,origType:v,data:r,handler:n,guid:n.guid,selector:i,needsContext:i&&jQuery.expr.match.needsContext.test(i),namespace:d.join(\".\")},s),(h=a[p])||(h=a[p]=[],h.delegateCount=0,(!c.setup||c.setup.call(e,r,d,o)===!1)&&e.addEventListener&&e.addEventListener(p,o,!1)),c.add&&(c.add.call(e,l),l.handler.guid||(l.handler.guid=n.guid)),i?h.splice(h.delegateCount++,0,l):h.push(l),jQuery.event.global[p]=!0}},remove:function(e,t,n,r,i){var s,o,u,a,f,l,c,h,p,d,v,m=data_priv.hasData(e)&&data_priv.get(e);if(!m||!(a=m.events))return;t=(t||\"\").match(rnotwhite)||[\"\"],f=t.length;while(f--){u=rtypenamespace.exec(t[f])||[],p=v=u[1],d=(u[2]||\"\").split(\".\").sort();if(!p){for(p in a)jQuery.event.remove(e,p+t[f],n,r,!0);continue}c=jQuery.event.special[p]||{},p=(r?c.delegateType:c.bindType)||p,h=a[p]||[],u=u[2]&&new RegExp(\"(^|\\\\.)\"+d.join(\"\\\\.(?:.*\\\\.|)\")+\"(\\\\.|$)\"),o=s=h.length;while(s--)l=h[s],(i||v===l.origType)&&(!n||n.guid===l.guid)&&(!u||u.test(l.namespace))&&(!r||r===l.selector||r===\"**\"&&l.selector)&&(h.splice(s,1),l.selector&&h.delegateCount--,c.remove&&c.remove.call(e,l));o&&!h.length&&((!c.teardown||c.teardown.call(e,d,m.handle)===!1)&&jQuery.removeEvent(e,p,m.handle),delete a[p])}jQuery.isEmptyObject(a)&&(delete m.handle,data_priv.remove(e,\"events\"))},trigger:function(e,t,n,r){var i,s,o,u,a,f,l,c=[n||document],h=hasOwn.call(e,\"type\")?e.type:e,p=hasOwn.call(e,\"namespace\")?e.namespace.split(\".\"):[];s=o=n=n||document;if(n.nodeType===3||n.nodeType===8)return;if(rfocusMorph.test(h+jQuery.event.triggered))return;h.indexOf(\".\")>=0&&(p=h.split(\".\"),h=p.shift(),p.sort()),a=h.indexOf(\":\")<0&&\"on\"+h,e=e[jQuery.expando]?e:new jQuery.Event(h,typeof e==\"object\"&&e),e.isTrigger=r?2:3,e.namespace=p.join(\".\"),e.namespace_re=e.namespace?new RegExp(\"(^|\\\\.)\"+p.join(\"\\\\.(?:.*\\\\.|)\")+\"(\\\\.|$)\"):null,e.result=undefined,e.target||(e.target=n),t=t==null?[e]:jQuery.makeArray(t,[e]),l=jQuery.event.special[h]||{};if(!r&&l.trigger&&l.trigger.apply(n,t)===!1)return;if(!r&&!l.noBubble&&!jQuery.isWindow(n)){u=l.delegateType||h,rfocusMorph.test(u+h)||(s=s.parentNode);for(;s;s=s.parentNode)c.push(s),o=s;o===(n.ownerDocument||document)&&c.push(o.defaultView||o.parentWindow||window)}i=0;while((s=c[i++])&&!e.isPropagationStopped())e.type=i>1?u:l.bindType||h,f=(data_priv.get(s,\"events\")||{})[e.type]&&data_priv.get(s,\"handle\"),f&&f.apply(s,t),f=a&&s[a],f&&f.apply&&jQuery.acceptData(s)&&(e.result=f.apply(s,t),e.result===!1&&e.preventDefault());return e.type=h,!r&&!e.isDefaultPrevented()&&(!l._default||l._default.apply(c.pop(),t)===!1)&&jQuery.acceptData(n)&&a&&jQuery.isFunction(n[h])&&!jQuery.isWindow(n)&&(o=n[a],o&&(n[a]=null),jQuery.event.triggered=h,n[h](),jQuery.event.triggered=undefined,o&&(n[a]=o)),e.result},dispatch:function(e){e=jQuery.event.fix(e);var t,n,r,i,s,o=[],u=slice.call(arguments),a=(data_priv.get(this,\"events\")||{})[e.type]||[],f=jQuery.event.special[e.type]||{};u[0]=e,e.delegateTarget=this;if(f.preDispatch&&f.preDispatch.call(this,e)===!1)return;o=jQuery.event.handlers.call(this,e,a),t=0;while((i=o[t++])&&!e.isPropagationStopped()){e.currentTarget=i.elem,n=0;while((s=i.handlers[n++])&&!e.isImmediatePropagationStopped())if(!e.namespace_re||e.namespace_re.test(s.namespace))e.handleObj=s,e.data=s.data,r=((jQuery.event.special[s.origType]||{}).handle||s.handler).apply(i.elem,u),r!==undefined&&(e.result=r)===!1&&(e.preventDefault(),e.stopPropagation())}return f.postDispatch&&f.postDispatch.call(this,e),e.result},handlers:function(e,t){var n,r,i,s,o=[],u=t.delegateCount,a=e.target;if(u&&a.nodeType&&(!e.button||e.type!==\"click\"))for(;a!==this;a=a.parentNode||this)if(a.disabled!==!0||e.type!==\"click\"){r=[];for(n=0;n<u;n++)s=t[n],i=s.selector+\" \",r[i]===undefined&&(r[i]=s.needsContext?jQuery(i,this).index(a)>=0:jQuery.find(i,this,null,[a]).length),r[i]&&r.push(s);r.length&&o.push({elem:a,handlers:r})}return u<t.length&&o.push({elem:this,handlers:t.slice(u)}),o},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(e,t){return e.which==null&&(e.which=t.charCode!=null?t.charCode:t.keyCode),e}},mouseHooks:{props:\"button buttons clientX clientY offsetX offsetY pageX pageY screenX screenY toElement\".split(\" \"),filter:function(e,t){var n,r,i,s=t.button;return e.pageX==null&&t.clientX!=null&&(n=e.target.ownerDocument||document,r=n.documentElement,i=n.body,e.pageX=t.clientX+(r&&r.scrollLeft||i&&i.scrollLeft||0)-(r&&r.clientLeft||i&&i.clientLeft||0),e.pageY=t.clientY+(r&&r.scrollTop||i&&i.scrollTop||0)-(r&&r.clientTop||i&&i.clientTop||0)),!e.which&&s!==undefined&&(e.which=s&1?1:s&2?3:s&4?2:0),e}},fix:function(e){if(e[jQuery.expando])return e;var t,n,r,i=e.type,s=e,o=this.fixHooks[i];o||(this.fixHooks[i]=o=rmouseEvent.test(i)?this.mouseHooks:rkeyEvent.test(i)?this.keyHooks:{}),r=o.props?this.props.concat(o.props):this.props,e=new jQuery.Event(s),t=r.length;while(t--)n=r[t],e[n]=s[n];return e.target||(e.target=document),e.target.nodeType===3&&(e.target=e.target.parentNode),o.filter?o.filter(e,s):e},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==safeActiveElement()&&this.focus)return this.focus(),!1},delegateType:\"focusin\"},blur:{trigger:function(){if(this===safeActiveElement()&&this.blur)return this.blur(),!1},delegateType:\"focusout\"},click:{trigger:function(){if(this.type===\"checkbox\"&&this.click&&jQuery.nodeName(this,\"input\"))return this.click(),!1},_default:function(e){return jQuery.nodeName(e.target,\"a\")}},beforeunload:{postDispatch:function(e){e.result!==undefined&&e.originalEvent&&(e.originalEvent.returnValue=e.result)}}},simulate:function(e,t,n,r){var i=jQuery.extend(new jQuery.Event,n,{type:e,isSimulated:!0,originalEvent:{}});r?jQuery.event.trigger(i,null,t):jQuery.event.dispatch.call(t,i),i.isDefaultPrevented()&&n.preventDefault()}},jQuery.removeEvent=function(e,t,n){e.removeEventListener&&e.removeEventListener(t,n,!1)},jQuery.Event=function(e,t){if(!(this instanceof jQuery.Event))return new jQuery.Event(e,t);e&&e.type?(this.originalEvent=e,this.type=e.type,this.isDefaultPrevented=e.defaultPrevented||e.defaultPrevented===undefined&&e.returnValue===!1?returnTrue:returnFalse):this.type=e,t&&jQuery.extend(this,t),this.timeStamp=e&&e.timeStamp||jQuery.now(),this[jQuery.expando]=!0},jQuery.Event.prototype={isDefaultPrevented:returnFalse,isPropagationStopped:returnFalse,isImmediatePropagationStopped:returnFalse,preventDefault:function(){var e=this.originalEvent;this.isDefaultPrevented=returnTrue,e&&e.preventDefault&&e.preventDefault()},stopPropagation:function(){var e=this.originalEvent;this.isPropagationStopped=returnTrue,e&&e.stopPropagation&&e.stopPropagation()},stopImmediatePropagation:function(){var e=this.originalEvent;this.isImmediatePropagationStopped=returnTrue,e&&e.stopImmediatePropagation&&e.stopImmediatePropagation(),this.stopPropagation()}},jQuery.each({mouseenter:\"mouseover\",mouseleave:\"mouseout\",pointerenter:\"pointerover\",pointerleave:\"pointerout\"},function(e,t){jQuery.event.special[e]={delegateType:t,bindType:t,handle:function(e){var n,r=this,i=e.relatedTarget,s=e.handleObj;if(!i||i!==r&&!jQuery.contains(r,i))e.type=s.origType,n=s.handler.apply(this,arguments),e.type=t;return n}}}),support.focusinBubbles||jQuery.each({focus:\"focusin\",blur:\"focusout\"},function(e,t){var n=function(e){jQuery.event.simulate(t,e.target,jQuery.event.fix(e),!0)};jQuery.event.special[t]={setup:function(){var r=this.ownerDocument||this,i=data_priv.access(r,t);i||r.addEventListener(e,n,!0),data_priv.access(r,t,(i||0)+1)},teardown:function(){var r=this.ownerDocument||this,i=data_priv.access(r,t)-1;i?data_priv.access(r,t,i):(r.removeEventListener(e,n,!0),data_priv.remove(r,t))}}}),jQuery.fn.extend({on:function(e,t,n,r,i){var s,o;if(typeof e==\"object\"){typeof t!=\"string\"&&(n=n||t,t=undefined);for(o in e)this.on(o,t,n,e[o],i);return this}n==null&&r==null?(r=t,n=t=undefined):r==null&&(typeof t==\"string\"?(r=n,n=undefined):(r=n,n=t,t=undefined));if(r===!1)r=returnFalse;else if(!r)return this;return i===1&&(s=r,r=function(e){return jQuery().off(e),s.apply(this,arguments)},r.guid=s.guid||(s.guid=jQuery.guid++)),this.each(function(){jQuery.event.add(this,e,r,n,t)})},one:function(e,t,n,r){return this.on(e,t,n,r,1)},off:function(e,t,n){var r,i;if(e&&e.preventDefault&&e.handleObj)return r=e.handleObj,jQuery(e.delegateTarget).off(r.namespace?r.origType+\".\"+r.namespace:r.origType,r.selector,r.handler),this;if(typeof e==\"object\"){for(i in e)this.off(i,t,e[i]);return this}if(t===!1||typeof t==\"function\")n=t,t=undefined;return n===!1&&(n=returnFalse),this.each(function(){jQuery.event.remove(this,e,n,t)})},trigger:function(e,t){return this.each(function(){jQuery.event.trigger(e,t,this)})},triggerHandler:function(e,t){var n=this[0];if(n)return jQuery.event.trigger(e,t,n,!0)}});var rxhtmlTag=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\\w:]+)[^>]*)\\/>/gi,rtagName=/<([\\w:]+)/,rhtml=/<|&#?\\w+;/,rnoInnerhtml=/<(?:script|style|link)/i,rchecked=/checked\\s*(?:[^=]|=\\s*.checked.)/i,rscriptType=/^$|\\/(?:java|ecma)script/i,rscriptTypeMasked=/^true\\/(.*)/,rcleanScript=/^\\s*<!(?:\\[CDATA\\[|--)|(?:\\]\\]|--)>\\s*$/g,wrapMap={option:[1,\"<select multiple='multiple'>\",\"</select>\"],thead:[1,\"<table>\",\"</table>\"],col:[2,\"<table><colgroup>\",\"</colgroup></table>\"],tr:[2,\"<table><tbody>\",\"</tbody></table>\"],td:[3,\"<table><tbody><tr>\",\"</tr></tbody></table>\"],_default:[0,\"\",\"\"]};wrapMap.optgroup=wrapMap.option,wrapMap.tbody=wrapMap.tfoot=wrapMap.colgroup=wrapMap.caption=wrapMap.thead,wrapMap.th=wrapMap.td,jQuery.extend({clone:function(e,t,n){var r,i,s,o,u=e.cloneNode(!0),a=jQuery.contains(e.ownerDocument,e);if(!support.noCloneChecked&&(e.nodeType===1||e.nodeType===11)&&!jQuery.isXMLDoc(e)){o=getAll(u),s=getAll(e);for(r=0,i=s.length;r<i;r++)fixInput(s[r],o[r])}if(t)if(n){s=s||getAll(e),o=o||getAll(u);for(r=0,i=s.length;r<i;r++)cloneCopyEvent(s[r],o[r])}else cloneCopyEvent(e,u);return o=getAll(u,\"script\"),o.length>0&&setGlobalEval(o,!a&&getAll(e,\"script\")),u},buildFragment:function(e,t,n,r){var i,s,o,u,a,f,l=t.createDocumentFragment(),c=[],h=0,p=e.length;for(;h<p;h++){i=e[h];if(i||i===0)if(jQuery.type(i)===\"object\")jQuery.merge(c,i.nodeType?[i]:i);else if(!rhtml.test(i))c.push(t.createTextNode(i));else{s=s||l.appendChild(t.createElement(\"div\")),o=(rtagName.exec(i)||[\"\",\"\"])[1].toLowerCase(),u=wrapMap[o]||wrapMap._default,s.innerHTML=u[1]+i.replace(rxhtmlTag,\"<$1></$2>\")+u[2],f=u[0];while(f--)s=s.lastChild;jQuery.merge(c,s.childNodes),s=l.firstChild,s.textContent=\"\"}}l.textContent=\"\",h=0;while(i=c[h++]){if(r&&jQuery.inArray(i,r)!==-1)continue;a=jQuery.contains(i.ownerDocument,i),s=getAll(l.appendChild(i),\"script\"),a&&setGlobalEval(s);if(n){f=0;while(i=s[f++])rscriptType.test(i.type||\"\")&&n.push(i)}}return l},cleanData:function(e){var t,n,r,i,s=jQuery.event.special,o=0;for(;(n=e[o])!==undefined;o++){if(jQuery.acceptData(n)){i=n[data_priv.expando];if(i&&(t=data_priv.cache[i])){if(t.events)for(r in t.events)s[r]?jQuery.event.remove(n,r):jQuery.removeEvent(n,r,t.handle);data_priv.cache[i]&&delete data_priv.cache[i]}}delete data_user.cache[n[data_user.expando]]}}}),jQuery.fn.extend({text:function(e){return access(this,function(e){return e===undefined?jQuery.text(this):this.empty().each(function(){if(this.nodeType===1||this.nodeType===11||this.nodeType===9)this.textContent=e})},null,e,arguments.length)},append:function(){return this.domManip(arguments,function(e){if(this.nodeType===1||this.nodeType===11||this.nodeType===9){var t=manipulationTarget(this,e);t.appendChild(e)}})},prepend:function(){return this.domManip(arguments,function(e){if(this.nodeType===1||this.nodeType===11||this.nodeType===9){var t=manipulationTarget(this,e);t.insertBefore(e,t.firstChild)}})},before:function(){return this.domManip(arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this)})},after:function(){return this.domManip(arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)})},remove:function(e,t){var n,r=e?jQuery.filter(e,this):this,i=0;for(;(n=r[i])!=null;i++)!t&&n.nodeType===1&&jQuery.cleanData(getAll(n)),n.parentNode&&(t&&jQuery.contains(n.ownerDocument,n)&&setGlobalEval(getAll(n,\"script\")),n.parentNode.removeChild(n));return this},empty:function(){var e,t=0;for(;(e=this[t])!=null;t++)e.nodeType===1&&(jQuery.cleanData(getAll(e,!1)),e.textContent=\"\");return this},clone:function(e,t){return e=e==null?!1:e,t=t==null?e:t,this.map(function(){return jQuery.clone(this,e,t)})},html:function(e){return access(this,function(e){var t=this[0]||{},n=0,r=this.length;if(e===undefined&&t.nodeType===1)return t.innerHTML;if(typeof e==\"string\"&&!rnoInnerhtml.test(e)&&!wrapMap[(rtagName.exec(e)||[\"\",\"\"])[1].toLowerCase()]){e=e.replace(rxhtmlTag,\"<$1></$2>\");try{for(;n<r;n++)t=this[n]||{},t.nodeType===1&&(jQuery.cleanData(getAll(t,!1)),t.innerHTML=e);t=0}catch(i){}}t&&this.empty().append(e)},null,e,arguments.length)},replaceWith:function(){var e=arguments[0];return this.domManip(arguments,function(t){e=this.parentNode,jQuery.cleanData(getAll(this)),e&&e.replaceChild(t,this)}),e&&(e.length||e.nodeType)?this:this.remove()},detach:function(e){return this.remove(e,!0)},domManip:function(e,t){e=concat.apply([],e);var n,r,i,s,o,u,a=0,f=this.length,l=this,c=f-1,h=e[0],p=jQuery.isFunction(h);if(p||f>1&&typeof h==\"string\"&&!support.checkClone&&rchecked.test(h))return this.each(function(n){var r=l.eq(n);p&&(e[0]=h.call(this,n,r.html())),r.domManip(e,t)});if(f){n=jQuery.buildFragment(e,this[0].ownerDocument,!1,this),r=n.firstChild,n.childNodes.length===1&&(n=r);if(r){i=jQuery.map(getAll(n,\"script\"),disableScript),s=i.length;for(;a<f;a++)o=n,a!==c&&(o=jQuery.clone(o,!0,!0),s&&jQuery.merge(i,getAll(o,\"script\"))),t.call(this[a],o,a);if(s){u=i[i.length-1].ownerDocument,jQuery.map(i,restoreScript);for(a=0;a<s;a++)o=i[a],rscriptType.test(o.type||\"\")&&!data_priv.access(o,\"globalEval\")&&jQuery.contains(u,o)&&(o.src?jQuery._evalUrl&&jQuery._evalUrl(o.src):jQuery.globalEval(o.textContent.replace(rcleanScript,\"\")))}}}return this}}),jQuery.each({appendTo:\"append\",prependTo:\"prepend\",insertBefore:\"before\",insertAfter:\"after\",replaceAll:\"replaceWith\"},function(e,t){jQuery.fn[e]=function(e){var n,r=[],i=jQuery(e),s=i.length-1,o=0;for(;o<=s;o++)n=o===s?this:this.clone(!0),jQuery(i[o])[t](n),push.apply(r,n.get());return this.pushStack(r)}});var iframe,elemdisplay={},rmargin=/^margin/,rnumnonpx=new RegExp(\"^(\"+pnum+\")(?!px)[a-z%]+$\",\"i\"),getStyles=function(e){return e.ownerDocument.defaultView.getComputedStyle(e,null)};(function(){function s(){i.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\",i.innerHTML=\"\",n.appendChild(r);var s=window.getComputedStyle(i,null);e=s.top!==\"1%\",t=s.width===\"4px\",n.removeChild(r)}var e,t,n=document.documentElement,r=document.createElement(\"div\"),i=document.createElement(\"div\");if(!i.style)return;i.style.backgroundClip=\"content-box\",i.cloneNode(!0).style.backgroundClip=\"\",support.clearCloneStyle=i.style.backgroundClip===\"content-box\",r.style.cssText=\"border:0;width:0;height:0;top:0;left:-9999px;margin-top:1px;position:absolute\",r.appendChild(i),window.getComputedStyle&&jQuery.extend(support,{pixelPosition:function(){return s(),e},boxSizingReliable:function(){return t==null&&s(),t},reliableMarginRight:function(){var e,t=i.appendChild(document.createElement(\"div\"));return t.style.cssText=i.style.cssText=\"-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:0\",t.style.marginRight=t.style.width=\"0\",i.style.width=\"1px\",n.appendChild(r),e=!parseFloat(window.getComputedStyle(t,null).marginRight),n.removeChild(r),e}})})(),jQuery.swap=function(e,t,n,r){var i,s,o={};for(s in t)o[s]=e.style[s],e.style[s]=t[s];i=n.apply(e,r||[]);for(s in t)e.style[s]=o[s];return i};var rdisplayswap=/^(none|table(?!-c[ea]).+)/,rnumsplit=new RegExp(\"^(\"+pnum+\")(.*)$\",\"i\"),rrelNum=new RegExp(\"^([+-])=(\"+pnum+\")\",\"i\"),cssShow={position:\"absolute\",visibility:\"hidden\",display:\"block\"},cssNormalTransform={letterSpacing:\"0\",fontWeight:\"400\"},cssPrefixes=[\"Webkit\",\"O\",\"Moz\",\"ms\"];jQuery.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=curCSS(e,\"opacity\");return n===\"\"?\"1\":n}}}},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\":\"cssFloat\"},style:function(e,t,n,r){if(!e||e.nodeType===3||e.nodeType===8||!e.style)return;var i,s,o,u=jQuery.camelCase(t),a=e.style;t=jQuery.cssProps[u]||(jQuery.cssProps[u]=vendorPropName(a,u)),o=jQuery.cssHooks[t]||jQuery.cssHooks[u];if(n===undefined)return o&&\"get\"in o&&(i=o.get(e,!1,r))!==undefined?i:a[t];s=typeof n,s===\"string\"&&(i=rrelNum.exec(n))&&(n=(i[1]+1)*i[2]+parseFloat(jQuery.css(e,t)),s=\"number\");if(n==null||n!==n)return;s===\"number\"&&!jQuery.cssNumber[u]&&(n+=\"px\"),!support.clearCloneStyle&&n===\"\"&&t.indexOf(\"background\")===0&&(a[t]=\"inherit\");if(!o||!(\"set\"in o)||(n=o.set(e,n,r))!==undefined)a[t]=n},css:function(e,t,n,r){var i,s,o,u=jQuery.camelCase(t);return t=jQuery.cssProps[u]||(jQuery.cssProps[u]=vendorPropName(e.style,u)),o=jQuery.cssHooks[t]||jQuery.cssHooks[u],o&&\"get\"in o&&(i=o.get(e,!0,n)),i===undefined&&(i=curCSS(e,t,r)),i===\"normal\"&&t in cssNormalTransform&&(i=cssNormalTransform[t]),n===\"\"||n?(s=parseFloat(i),n===!0||jQuery.isNumeric(s)?s||0:i):i}}),jQuery.each([\"height\",\"width\"],function(e,t){jQuery.cssHooks[t]={get:function(e,n,r){if(n)return rdisplayswap.test(jQuery.css(e,\"display\"))&&e.offsetWidth===0?jQuery.swap(e,cssShow,function(){return getWidthOrHeight(e,t,r)}):getWidthOrHeight(e,t,r)},set:function(e,n,r){var i=r&&getStyles(e);return setPositiveNumber(e,n,r?augmentWidthOrHeight(e,t,r,jQuery.css(e,\"boxSizing\",!1,i)===\"border-box\",i):0)}}}),jQuery.cssHooks.marginRight=addGetHookIf(support.reliableMarginRight,function(e,t){if(t)return jQuery.swap(e,{display:\"inline-block\"},curCSS,[e,\"marginRight\"])}),jQuery.each({margin:\"\",padding:\"\",border:\"Width\"},function(e,t){jQuery.cssHooks[e+t]={expand:function(n){var r=0,i={},s=typeof n==\"string\"?n.split(\" \"):[n];for(;r<4;r++)i[e+cssExpand[r]+t]=s[r]||s[r-2]||s[0];return i}},rmargin.test(e)||(jQuery.cssHooks[e+t].set=setPositiveNumber)}),jQuery.fn.extend({css:function(e,t){return access(this,function(e,t,n){var r,i,s={},o=0;if(jQuery.isArray(t)){r=getStyles(e),i=t.length;for(;o<i;o++)s[t[o]]=jQuery.css(e,t[o],!1,r);return s}return n!==undefined?jQuery.style(e,t,n):jQuery.css(e,t)},e,t,arguments.length>1)},show:function(){return showHide(this,!0)},hide:function(){return showHide(this)},toggle:function(e){return typeof e==\"boolean\"?e?this.show():this.hide():this.each(function(){isHidden(this)?jQuery(this).show():jQuery(this).hide()})}}),jQuery.Tween=Tween,Tween.prototype={constructor:Tween,init:function(e,t,n,r,i,s){this.elem=e,this.prop=n,this.easing=i||\"swing\",this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=s||(jQuery.cssNumber[n]?\"\":\"px\")},cur:function(){var e=Tween.propHooks[this.prop];return e&&e.get?e.get(this):Tween.propHooks._default.get(this)},run:function(e){var t,n=Tween.propHooks[this.prop];return this.options.duration?this.pos=t=jQuery.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):this.pos=t=e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):Tween.propHooks._default.set(this),this}},Tween.prototype.init.prototype=Tween.prototype,Tween.propHooks={_default:{get:function(e){var t;return e.elem[e.prop]==null||!!e.elem.style&&e.elem.style[e.prop]!=null?(t=jQuery.css(e.elem,e.prop,\"\"),!t||t===\"auto\"?0:t):e.elem[e.prop]},set:function(e){jQuery.fx.step[e.prop]?jQuery.fx.step[e.prop](e):e.elem.style&&(e.elem.style[jQuery.cssProps[e.prop]]!=null||jQuery.cssHooks[e.prop])?jQuery.style(e.elem,e.prop,e.now+e.unit):e.elem[e.prop]=e.now}}},Tween.propHooks.scrollTop=Tween.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},jQuery.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2}},jQuery.fx=Tween.prototype.init,jQuery.fx.step={};var fxNow,timerId,rfxtypes=/^(?:toggle|show|hide)$/,rfxnum=new RegExp(\"^(?:([+-])=|)(\"+pnum+\")([a-z%]*)$\",\"i\"),rrun=/queueHooks$/,animationPrefilters=[defaultPrefilter],tweeners={\"*\":[function(e,t){var n=this.createTween(e,t),r=n.cur(),i=rfxnum.exec(t),s=i&&i[3]||(jQuery.cssNumber[e]?\"\":\"px\"),o=(jQuery.cssNumber[e]||s!==\"px\"&&+r)&&rfxnum.exec(jQuery.css(n.elem,e)),u=1,a=20;if(o&&o[3]!==s){s=s||o[3],i=i||[],o=+r||1;do u=u||\".5\",o/=u,jQuery.style(n.elem,e,o+s);while(u!==(u=n.cur()/r)&&u!==1&&--a)}return i&&(o=n.start=+o||+r||0,n.unit=s,n.end=i[1]?o+(i[1]+1)*i[2]:+i[2]),n}]};jQuery.Animation=jQuery.extend(Animation,{tweener:function(e,t){jQuery.isFunction(e)?(t=e,e=[\"*\"]):e=e.split(\" \");var n,r=0,i=e.length;for(;r<i;r++)n=e[r],tweeners[n]=tweeners[n]||[],tweeners[n].unshift(t)},prefilter:function(e,t){t?animationPrefilters.unshift(e):animationPrefilters.push(e)}}),jQuery.speed=function(e,t,n){var r=e&&typeof e==\"object\"?jQuery.extend({},e):{complete:n||!n&&t||jQuery.isFunction(e)&&e,duration:e,easing:n&&t||t&&!jQuery.isFunction(t)&&t};r.duration=jQuery.fx.off?0:typeof r.duration==\"number\"?r.duration:r.duration in jQuery.fx.speeds?jQuery.fx.speeds[r.duration]:jQuery.fx.speeds._default;if(r.queue==null||r.queue===!0)r.queue=\"fx\";return r.old=r.complete,r.complete=function(){jQuery.isFunction(r.old)&&r.old.call(this),r.queue&&jQuery.dequeue(this,r.queue)},r},jQuery.fn.extend({fadeTo:function(e,t,n,r){return this.filter(isHidden).css(\"opacity\",0).show().end().animate({opacity:t},e,n,r)},animate:function(e,t,n,r){var i=jQuery.isEmptyObject(e),s=jQuery.speed(t,n,r),o=function(){var t=Animation(this,jQuery.extend({},e),s);(i||data_priv.get(this,\"finish\"))&&t.stop(!0)};return o.finish=o,i||s.queue===!1?this.each(o):this.queue(s.queue,o)},stop:function(e,t,n){var r=function(e){var t=e.stop;delete e.stop,t(n)};return typeof e!=\"string\"&&(n=t,t=e,e=undefined),t&&e!==!1&&this.queue(e||\"fx\",[]),this.each(function(){var t=!0,i=e!=null&&e+\"queueHooks\",s=jQuery.timers,o=data_priv.get(this);if(i)o[i]&&o[i].stop&&r(o[i]);else for(i in o)o[i]&&o[i].stop&&rrun.test(i)&&r(o[i]);for(i=s.length;i--;)s[i].elem===this&&(e==null||s[i].queue===e)&&(s[i].anim.stop(n),t=!1,s.splice(i,1));(t||!n)&&jQuery.dequeue(this,e)})},finish:function(e){return e!==!1&&(e=e||\"fx\"),this.each(function(){var t,n=data_priv.get(this),r=n[e+\"queue\"],i=n[e+\"queueHooks\"],s=jQuery.timers,o=r?r.length:0;n.finish=!0,jQuery.queue(this,e,[]),i&&i.stop&&i.stop.call(this,!0);for(t=s.length;t--;)s[t].elem===this&&s[t].queue===e&&(s[t].anim.stop(!0),s.splice(t,1));for(t=0;t<o;t++)r[t]&&r[t].finish&&r[t].finish.call(this);delete n.finish})}}),jQuery.each([\"toggle\",\"show\",\"hide\"],function(e,t){var n=jQuery.fn[t];jQuery.fn[t]=function(e,r,i){return e==null||typeof e==\"boolean\"?n.apply(this,arguments):this.animate(genFx(t,!0),e,r,i)}}),jQuery.each({slideDown:genFx(\"show\"),slideUp:genFx(\"hide\"),slideToggle:genFx(\"toggle\"),fadeIn:{opacity:\"show\"},fadeOut:{opacity:\"hide\"},fadeToggle:{opacity:\"toggle\"}},function(e,t){jQuery.fn[e]=function(e,n,r){return this.animate(t,e,n,r)}}),jQuery.timers=[],jQuery.fx.tick=function(){var e,t=0,n=jQuery.timers;fxNow=jQuery.now();for(;t<n.length;t++)e=n[t],!e()&&n[t]===e&&n.splice(t--,1);n.length||jQuery.fx.stop(),fxNow=undefined},jQuery.fx.timer=function(e){jQuery.timers.push(e),e()?jQuery.fx.start():jQuery.timers.pop()},jQuery.fx.interval=13,jQuery.fx.start=function(){timerId||(timerId=setInterval(jQuery.fx.tick,jQuery.fx.interval))},jQuery.fx.stop=function(){clearInterval(timerId),timerId=null},jQuery.fx.speeds={slow:600,fast:200,_default:400},jQuery.fn.delay=function(e,t){return e=jQuery.fx?jQuery.fx.speeds[e]||e:e,t=t||\"fx\",this.queue(t,function(t,n){var r=setTimeout(t,e);n.stop=function(){clearTimeout(r)}})},function(){var e=document.createElement(\"input\"),t=document.createElement(\"select\"),n=t.appendChild(document.createElement(\"option\"));e.type=\"checkbox\",support.checkOn=e.value!==\"\",support.optSelected=n.selected,t.disabled=!0,support.optDisabled=!n.disabled,e=document.createElement(\"input\"),e.value=\"t\",e.type=\"radio\",support.radioValue=e.value===\"t\"}();var nodeHook,boolHook,attrHandle=jQuery.expr.attrHandle;jQuery.fn.extend({attr:function(e,t){return access(this,jQuery.attr,e,t,arguments.length>1)},removeAttr:function(e){return this.each(function(){jQuery.removeAttr(this,e)})}}),jQuery.extend({attr:function(e,t,n){var r,i,s=e.nodeType;if(!e||s===3||s===8||s===2)return;if(typeof e.getAttribute===strundefined)return jQuery.prop(e,t,n);if(s!==1||!jQuery.isXMLDoc(e))t=t.toLowerCase(),r=jQuery.attrHooks[t]||(jQuery.expr.match.bool.test(t)?boolHook:nodeHook);if(n===undefined)return r&&\"get\"in r&&(i=r.get(e,t))!==null?i:(i=jQuery.find.attr(e,t),i==null?undefined:i);if(n!==null)return r&&\"set\"in r&&(i=r.set(e,n,t))!==undefined?i:(e.setAttribute(t,n+\"\"),n);jQuery.removeAttr(e,t)},removeAttr:function(e,t){var n,r,i=0,s=t&&t.match(rnotwhite);if(s&&e.nodeType===1)while(n=s[i++])r=jQuery.propFix[n]||n,jQuery.expr.match.bool.test(n)&&(e[r]=!1),e.removeAttribute(n)},attrHooks:{type:{set:function(e,t){if(!support.radioValue&&t===\"radio\"&&jQuery.nodeName(e,\"input\")){var n=e.value;return e.setAttribute(\"type\",t),n&&(e.value=n),t}}}}}),boolHook={set:function(e,t,n){return t===!1?jQuery.removeAttr(e,n):e.setAttribute(n,n),n}},jQuery.each(jQuery.expr.match.bool.source.match(/\\w+/g),function(e,t){var n=attrHandle[t]||jQuery.find.attr;attrHandle[t]=function(e,t,r){var i,s;return r||(s=attrHandle[t],attrHandle[t]=i,i=n(e,t,r)!=null?t.toLowerCase():null,attrHandle[t]=s),i}});var rfocusable=/^(?:input|select|textarea|button)$/i;jQuery.fn.extend({prop:function(e,t){return access(this,jQuery.prop,e,t,arguments.length>1)},removeProp:function(e){return this.each(function(){delete this[jQuery.propFix[e]||e]})}}),jQuery.extend({propFix:{\"for\":\"htmlFor\",\"class\":\"className\"},prop:function(e,t,n){var r,i,s,o=e.nodeType;if(!e||o===3||o===8||o===2)return;return s=o!==1||!jQuery.isXMLDoc(e),s&&(t=jQuery.propFix[t]||t,i=jQuery.propHooks[t]),n!==undefined?i&&\"set\"in i&&(r=i.set(e,n,t))!==undefined?r:e[t]=n:i&&\"get\"in i&&(r=i.get(e,t))!==null?r:e[t]},propHooks:{tabIndex:{get:function(e){return e.hasAttribute(\"tabindex\")||rfocusable.test(e.nodeName)||e.href?e.tabIndex:-1}}}}),support.optSelected||(jQuery.propHooks.selected={get:function(e){var t=e.parentNode;return t&&t.parentNode&&t.parentNode.selectedIndex,null}}),jQuery.each([\"tabIndex\",\"readOnly\",\"maxLength\",\"cellSpacing\",\"cellPadding\",\"rowSpan\",\"colSpan\",\"useMap\",\"frameBorder\",\"contentEditable\"],function(){jQuery.propFix[this.toLowerCase()]=this});var rclass=/[\\t\\r\\n\\f]/g;jQuery.fn.extend({addClass:function(e){var t,n,r,i,s,o,u=typeof e==\"string\"&&e,a=0,f=this.length;if(jQuery.isFunction(e))return this.each(function(t){jQuery(this).addClass(e.call(this,t,this.className))});if(u){t=(e||\"\").match(rnotwhite)||[];for(;a<f;a++){n=this[a],r=n.nodeType===1&&(n.className?(\" \"+n.className+\" \").replace(rclass,\" \"):\" \");if(r){s=0;while(i=t[s++])r.indexOf(\" \"+i+\" \")<0&&(r+=i+\" \");o=jQuery.trim(r),n.className!==o&&(n.className=o)}}}return this},removeClass:function(e){var t,n,r,i,s,o,u=arguments.length===0||typeof e==\"string\"&&e,a=0,f=this.length;if(jQuery.isFunction(e))return this.each(function(t){jQuery(this).removeClass(e.call(this,t,this.className))});if(u){t=(e||\"\").match(rnotwhite)||[];for(;a<f;a++){n=this[a],r=n.nodeType===1&&(n.className?(\" \"+n.className+\" \").replace(rclass,\" \"):\"\");if(r){s=0;while(i=t[s++])while(r.indexOf(\" \"+i+\" \")>=0)r=r.replace(\" \"+i+\" \",\" \");o=e?jQuery.trim(r):\"\",n.className!==o&&(n.className=o)}}}return this},toggleClass:function(e,t){var n=typeof e;return typeof t==\"boolean\"&&n===\"string\"?t?this.addClass(e):this.removeClass(e):jQuery.isFunction(e)?this.each(function(n){jQuery(this).toggleClass(e.call(this,n,this.className,t),t)}):this.each(function(){if(n===\"string\"){var t,r=0,i=jQuery(this),s=e.match(rnotwhite)||[];while(t=s[r++])i.hasClass(t)?i.removeClass(t):i.addClass(t)}else if(n===strundefined||n===\"boolean\")this.className&&data_priv.set(this,\"__className__\",this.className),this.className=this.className||e===!1?\"\":data_priv.get(this,\"__className__\")||\"\"})},hasClass:function(e){var t=\" \"+e+\" \",n=0,r=this.length;for(;n<r;n++)if(this[n].nodeType===1&&(\" \"+this[n].className+\" \").replace(rclass,\" \").indexOf(t)>=0)return!0;return!1}});var rreturn=/\\r/g;jQuery.fn.extend({val:function(e){var t,n,r,i=this[0];if(!arguments.length){if(i)return t=jQuery.valHooks[i.type]||jQuery.valHooks[i.nodeName.toLowerCase()],t&&\"get\"in t&&(n=t.get(i,\"value\"))!==undefined?n:(n=i.value,typeof n==\"string\"?n.replace(rreturn,\"\"):n==null?\"\":n);return}return r=jQuery.isFunction(e),this.each(function(n){var i;if(this.nodeType!==1)return;r?i=e.call(this,n,jQuery(this).val()):i=e,i==null?i=\"\":typeof i==\"number\"?i+=\"\":jQuery.isArray(i)&&(i=jQuery.map(i,function(e){return e==null?\"\":e+\"\"})),t=jQuery.valHooks[this.type]||jQuery.valHooks[this.nodeName.toLowerCase()];if(!t||!(\"set\"in t)||t.set(this,i,\"value\")===undefined)this.value=i})}}),jQuery.extend({valHooks:{option:{get:function(e){var t=jQuery.find.attr(e,\"value\");return t!=null?t:jQuery.trim(jQuery.text(e))}},select:{get:function(e){var t,n,r=e.options,i=e.selectedIndex,s=e.type===\"select-one\"||i<0,o=s?null:[],u=s?i+1:r.length,a=i<0?u:s?i:0;for(;a<u;a++){n=r[a];if((n.selected||a===i)&&(support.optDisabled?!n.disabled:n.getAttribute(\"disabled\")===null)&&(!n.parentNode.disabled||!jQuery.nodeName(n.parentNode,\"optgroup\"))){t=jQuery(n).val();if(s)return t;o.push(t)}}return o},set:function(e,t){var n,r,i=e.options,s=jQuery.makeArray(t),o=i.length;while(o--){r=i[o];if(r.selected=jQuery.inArray(r.value,s)>=0)n=!0}return n||(e.selectedIndex=-1),s}}}}),jQuery.each([\"radio\",\"checkbox\"],function(){jQuery.valHooks[this]={set:function(e,t){if(jQuery.isArray(t))return e.checked=jQuery.inArray(jQuery(e).val(),t)>=0}},support.checkOn||(jQuery.valHooks[this].get=function(e){return e.getAttribute(\"value\")===null?\"on\":e.value})}),jQuery.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(e,t){jQuery.fn[t]=function(e,n){return arguments.length>0?this.on(t,null,e,n):this.trigger(t)}}),jQuery.fn.extend({hover:function(e,t){return this.mouseenter(e).mouseleave(t||e)},bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return arguments.length===1?this.off(e,\"**\"):this.off(t,e||\"**\",n)}});var nonce=jQuery.now(),rquery=/\\?/;jQuery.parseJSON=function(e){return JSON.parse(e+\"\")},jQuery.parseXML=function(e){var t,n;if(!e||typeof e!=\"string\")return null;try{n=new DOMParser,t=n.parseFromString(e,\"text/xml\")}catch(r){t=undefined}return(!t||t.getElementsByTagName(\"parsererror\").length)&&jQuery.error(\"Invalid XML: \"+e),t};var ajaxLocParts,ajaxLocation,rhash=/#.*$/,rts=/([?&])_=[^&]*/,rheaders=/^(.*?):[ \\t]*([^\\r\\n]*)$/mg,rlocalProtocol=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,rnoContent=/^(?:GET|HEAD)$/,rprotocol=/^\\/\\//,rurl=/^([\\w.+-]+:)(?:\\/\\/(?:[^\\/?#]*@|)([^\\/?#:]*)(?::(\\d+)|)|)/,prefilters={},transports={},allTypes=\"*/\".concat(\"*\");try{ajaxLocation=location.href}catch(e){ajaxLocation=document.createElement(\"a\"),ajaxLocation.href=\"\",ajaxLocation=ajaxLocation.href}ajaxLocParts=rurl.exec(ajaxLocation.toLowerCase())||[],jQuery.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:ajaxLocation,type:\"GET\",isLocal:rlocalProtocol.test(ajaxLocParts[1]),global:!0,processData:!0,async:!0,contentType:\"application/x-www-form-urlencoded; charset=UTF-8\",accepts:{\"*\":allTypes,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\":jQuery.parseJSON,\"text xml\":jQuery.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?ajaxExtend(ajaxExtend(e,jQuery.ajaxSettings),t):ajaxExtend(jQuery.ajaxSettings,e)},ajaxPrefilter:addToPrefiltersOrTransports(prefilters),ajaxTransport:addToPrefiltersOrTransports(transports),ajax:function(e,t){function S(e,t,s,u){var f,m,g,b,E,S=t;if(y===2)return;y=2,o&&clearTimeout(o),n=undefined,i=u||\"\",w.readyState=e>0?4:0,f=e>=200&&e<300||e===304,s&&(b=ajaxHandleResponses(l,w,s)),b=ajaxConvert(l,b,w,f);if(f)l.ifModified&&(E=w.getResponseHeader(\"Last-Modified\"),E&&(jQuery.lastModified[r]=E),E=w.getResponseHeader(\"etag\"),E&&(jQuery.etag[r]=E)),e===204||l.type===\"HEAD\"?S=\"nocontent\":e===304?S=\"notmodified\":(S=b.state,m=b.data,g=b.error,f=!g);else{g=S;if(e||!S)S=\"error\",e<0&&(e=0)}w.status=e,w.statusText=(t||S)+\"\",f?p.resolveWith(c,[m,S,w]):p.rejectWith(c,[w,S,g]),w.statusCode(v),v=undefined,a&&h.trigger(f?\"ajaxSuccess\":\"ajaxError\",[w,l,f?m:g]),d.fireWith(c,[w,S]),a&&(h.trigger(\"ajaxComplete\",[w,l]),--jQuery.active||jQuery.event.trigger(\"ajaxStop\"))}typeof e==\"object\"&&(t=e,e=undefined),t=t||{};var n,r,i,s,o,u,a,f,l=jQuery.ajaxSetup({},t),c=l.context||l,h=l.context&&(c.nodeType||c.jquery)?jQuery(c):jQuery.event,p=jQuery.Deferred(),d=jQuery.Callbacks(\"once memory\"),v=l.statusCode||{},m={},g={},y=0,b=\"canceled\",w={readyState:0,getResponseHeader:function(e){var t;if(y===2){if(!s){s={};while(t=rheaders.exec(i))s[t[1].toLowerCase()]=t[2]}t=s[e.toLowerCase()]}return t==null?null:t},getAllResponseHeaders:function(){return y===2?i:null},setRequestHeader:function(e,t){var n=e.toLowerCase();return y||(e=g[n]=g[n]||e,m[e]=t),this},overrideMimeType:function(e){return y||(l.mimeType=e),this},statusCode:function(e){var t;if(e)if(y<2)for(t in e)v[t]=[v[t],e[t]];else w.always(e[w.status]);return this},abort:function(e){var t=e||b;return n&&n.abort(t),S(0,t),this}};p.promise(w).complete=d.add,w.success=w.done,w.error=w.fail,l.url=((e||l.url||ajaxLocation)+\"\").replace(rhash,\"\").replace(rprotocol,ajaxLocParts[1]+\"//\"),l.type=t.method||t.type||l.method||l.type,l.dataTypes=jQuery.trim(l.dataType||\"*\").toLowerCase().match(rnotwhite)||[\"\"],l.crossDomain==null&&(u=rurl.exec(l.url.toLowerCase()),l.crossDomain=!(!u||u[1]===ajaxLocParts[1]&&u[2]===ajaxLocParts[2]&&(u[3]||(u[1]===\"http:\"?\"80\":\"443\"))===(ajaxLocParts[3]||(ajaxLocParts[1]===\"http:\"?\"80\":\"443\")))),l.data&&l.processData&&typeof l.data!=\"string\"&&(l.data=jQuery.param(l.data,l.traditional)),inspectPrefiltersOrTransports(prefilters,l,t,w);if(y===2)return w;a=l.global,a&&jQuery.active++===0&&jQuery.event.trigger(\"ajaxStart\"),l.type=l.type.toUpperCase(),l.hasContent=!rnoContent.test(l.type),r=l.url,l.hasContent||(l.data&&(r=l.url+=(rquery.test(r)?\"&\":\"?\")+l.data,delete l.data),l.cache===!1&&(l.url=rts.test(r)?r.replace(rts,\"$1_=\"+nonce++):r+(rquery.test(r)?\"&\":\"?\")+\"_=\"+nonce++)),l.ifModified&&(jQuery.lastModified[r]&&w.setRequestHeader(\"If-Modified-Since\",jQuery.lastModified[r]),jQuery.etag[r]&&w.setRequestHeader(\"If-None-Match\",jQuery.etag[r])),(l.data&&l.hasContent&&l.contentType!==!1||t.contentType)&&w.setRequestHeader(\"Content-Type\",l.contentType),w.setRequestHeader(\"Accept\",l.dataTypes[0]&&l.accepts[l.dataTypes[0]]?l.accepts[l.dataTypes[0]]+(l.dataTypes[0]!==\"*\"?\", \"+allTypes+\"; q=0.01\":\"\"):l.accepts[\"*\"]);for(f in l.headers)w.setRequestHeader(f,l.headers[f]);if(!l.beforeSend||l.beforeSend.call(c,w,l)!==!1&&y!==2){b=\"abort\";for(f in{success:1,error:1,complete:1})w[f](l[f]);n=inspectPrefiltersOrTransports(transports,l,t,w);if(!n)S(-1,\"No Transport\");else{w.readyState=1,a&&h.trigger(\"ajaxSend\",[w,l]),l.async&&l.timeout>0&&(o=setTimeout(function(){w.abort(\"timeout\")},l.timeout));try{y=1,n.send(m,S)}catch(E){if(!(y<2))throw E;S(-1,E)}}return w}return w.abort()},getJSON:function(e,t,n){return jQuery.get(e,t,n,\"json\")},getScript:function(e,t){return jQuery.get(e,undefined,t,\"script\")}}),jQuery.each([\"get\",\"post\"],function(e,t){jQuery[t]=function(e,n,r,i){return jQuery.isFunction(n)&&(i=i||r,r=n,n=undefined),jQuery.ajax({url:e,type:t,dataType:i,data:n,success:r})}}),jQuery.each([\"ajaxStart\",\"ajaxStop\",\"ajaxComplete\",\"ajaxError\",\"ajaxSuccess\",\"ajaxSend\"],function(e,t){jQuery.fn[t]=function(e){return this.on(t,e)}}),jQuery._evalUrl=function(e){return jQuery.ajax({url:e,type:\"GET\",dataType:\"script\",async:!1,global:!1,\"throws\":!0})},jQuery.fn.extend({wrapAll:function(e){var t;return jQuery.isFunction(e)?this.each(function(t){jQuery(this).wrapAll(e.call(this,t))}):(this[0]&&(t=jQuery(e,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&t.insertBefore(this[0]),t.map(function(){var e=this;while(e.firstElementChild)e=e.firstElementChild;return e}).append(this)),this)},wrapInner:function(e){return jQuery.isFunction(e)?this.each(function(t){jQuery(this).wrapInner(e.call(this,t))}):this.each(function(){var t=jQuery(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)})},wrap:function(e){var t=jQuery.isFunction(e);return this.each(function(n){jQuery(this).wrapAll(t?e.call(this,n):e)})},unwrap:function(){return this.parent().each(function(){jQuery.nodeName(this,\"body\")||jQuery(this).replaceWith(this.childNodes)}).end()}}),jQuery.expr.filters.hidden=function(e){return e.offsetWidth<=0&&e.offsetHeight<=0},jQuery.expr.filters.visible=function(e){return!jQuery.expr.filters.hidden(e)};var r20=/%20/g,rbracket=/\\[\\]$/,rCRLF=/\\r?\\n/g,rsubmitterTypes=/^(?:submit|button|image|reset|file)$/i,rsubmittable=/^(?:input|select|textarea|keygen)/i;jQuery.param=function(e,t){var n,r=[],i=function(e,t){t=jQuery.isFunction(t)?t():t==null?\"\":t,r[r.length]=encodeURIComponent(e)+\"=\"+encodeURIComponent(t)};t===undefined&&(t=jQuery.ajaxSettings&&jQuery.ajaxSettings.traditional);if(jQuery.isArray(e)||e.jquery&&!jQuery.isPlainObject(e))jQuery.each(e,function(){i(this.name,this.value)});else for(n in e)buildParams(n,e[n],t,i);return r.join(\"&\").replace(r20,\"+\")},jQuery.fn.extend({serialize:function(){return jQuery.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var e=jQuery.prop(this,\"elements\");return e?jQuery.makeArray(e):this}).filter(function(){var e=this.type;return this.name&&!jQuery(this).is(\":disabled\")&&rsubmittable.test(this.nodeName)&&!rsubmitterTypes.test(e)&&(this.checked||!rcheckableType.test(e))}).map(function(e,t){var n=jQuery(this).val();return n==null?null:jQuery.isArray(n)?jQuery.map(n,function(e){return{name:t.name,value:e.replace(rCRLF,\"\\r\\n\")}}):{name:t.name,value:n.replace(rCRLF,\"\\r\\n\")}}).get()}}),jQuery.ajaxSettings.xhr=function(){try{return new XMLHttpRequest}catch(e){}};var xhrId=0,xhrCallbacks={},xhrSuccessStatus={0:200,1223:204},xhrSupported=jQuery.ajaxSettings.xhr();window.ActiveXObject&&jQuery(window).on(\"unload\",function(){for(var e in xhrCallbacks)xhrCallbacks[e]()}),support.cors=!!xhrSupported&&\"withCredentials\"in xhrSupported,support.ajax=xhrSupported=!!xhrSupported,jQuery.ajaxTransport(function(e){var t;if(support.cors||xhrSupported&&!e.crossDomain)return{send:function(n,r){var i,s=e.xhr(),o=++xhrId;s.open(e.type,e.url,e.async,e.username,e.password);if(e.xhrFields)for(i in e.xhrFields)s[i]=e.xhrFields[i];e.mimeType&&s.overrideMimeType&&s.overrideMimeType(e.mimeType),!e.crossDomain&&!n[\"X-Requested-With\"]&&(n[\"X-Requested-With\"]=\"XMLHttpRequest\");for(i in n)s.setRequestHeader(i,n[i]);t=function(e){return function(){t&&(delete xhrCallbacks[o],t=s.onload=s.onerror=null,e===\"abort\"?s.abort():e===\"error\"?r(s.status,s.statusText):r(xhrSuccessStatus[s.status]||s.status,s.statusText,typeof s.responseText==\"string\"?{text:s.responseText}:undefined,s.getAllResponseHeaders()))}},s.onload=t(),s.onerror=t(\"error\"),t=xhrCallbacks[o]=t(\"abort\");try{s.send(e.hasContent&&e.data||null)}catch(u){if(t)throw u}},abort:function(){t&&t()}}}),jQuery.ajaxSetup({accepts:{script:\"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript\"},contents:{script:/(?:java|ecma)script/},converters:{\"text script\":function(e){return jQuery.globalEval(e),e}}}),jQuery.ajaxPrefilter(\"script\",function(e){e.cache===undefined&&(e.cache=!1),e.crossDomain&&(e.type=\"GET\")}),jQuery.ajaxTransport(\"script\",function(e){if(e.crossDomain){var t,n;return{send:function(r,i){t=jQuery(\"<script>\").prop({async:!0,charset:e.scriptCharset,src:e.url}).on(\"load error\",n=function(e){t.remove(),n=null,e&&i(e.type===\"error\"?404:200,e.type)}),document.head.appendChild(t[0])},abort:function(){n&&n()}}}});var oldCallbacks=[],rjsonp=/(=)\\?(?=&|$)|\\?\\?/;jQuery.ajaxSetup({jsonp:\"callback\",jsonpCallback:function(){var e=oldCallbacks.pop()||jQuery.expando+\"_\"+nonce++;return this[e]=!0,e}}),jQuery.ajaxPrefilter(\"json jsonp\",function(e,t,n){var r,i,s,o=e.jsonp!==!1&&(rjsonp.test(e.url)?\"url\":typeof e.data==\"string\"&&!(e.contentType||\"\").indexOf(\"application/x-www-form-urlencoded\")&&rjsonp.test(e.data)&&\"data\");if(o||e.dataTypes[0]===\"jsonp\")return r=e.jsonpCallback=jQuery.isFunction(e.jsonpCallback)?e.jsonpCallback():e.jsonpCallback,o?e[o]=e[o].replace(rjsonp,\"$1\"+r):e.jsonp!==!1&&(e.url+=(rquery.test(e.url)?\"&\":\"?\")+e.jsonp+\"=\"+r),e.converters[\"script json\"]=function(){return s||jQuery.error(r+\" was not called\"),s[0]},e.dataTypes[0]=\"json\",i=window[r],window[r]=function(){s=arguments},n.always(function(){window[r]=i,e[r]&&(e.jsonpCallback=t.jsonpCallback,oldCallbacks.push(r)),s&&jQuery.isFunction(i)&&i(s[0]),s=i=undefined}),\"script\"}),jQuery.parseHTML=function(e,t,n){if(!e||typeof e!=\"string\")return null;typeof t==\"boolean\"&&(n=t,t=!1),t=t||document;var r=rsingleTag.exec(e),i=!n&&[];return r?[t.createElement(r[1])]:(r=jQuery.buildFragment([e],t,i),i&&i.length&&jQuery(i).remove(),jQuery.merge([],r.childNodes))};var _load=jQuery.fn.load;jQuery.fn.load=function(e,t,n){if(typeof e!=\"string\"&&_load)return _load.apply(this,arguments);var r,i,s,o=this,u=e.indexOf(\" \");return u>=0&&(r=jQuery.trim(e.slice(u)),e=e.slice(0,u)),jQuery.isFunction(t)?(n=t,t=undefined):t&&typeof t==\"object\"&&(i=\"POST\"),o.length>0&&jQuery.ajax({url:e,type:i,dataType:\"html\",data:t}).done(function(e){s=arguments,o.html(r?jQuery(\"<div>\").append(jQuery.parseHTML(e)).find(r):e)}).complete(n&&function(e,t){o.each(n,s||[e.responseText,t,e])}),this},jQuery.expr.filters.animated=function(e){return jQuery.grep(jQuery.timers,function(t){return e===t.elem}).length};var docElem=window.document.documentElement;jQuery.offset={setOffset:function(e,t,n){var r,i,s,o,u,a,f,l=jQuery.css(e,\"position\"),c=jQuery(e),h={};l===\"static\"&&(e.style.position=\"relative\"),u=c.offset(),s=jQuery.css(e,\"top\"),a=jQuery.css(e,\"left\"),f=(l===\"absolute\"||l===\"fixed\")&&(s+a).indexOf(\"auto\")>-1,f?(r=c.position(),o=r.top,i=r.left):(o=parseFloat(s)||0,i=parseFloat(a)||0),jQuery.isFunction(t)&&(t=t.call(e,n,u)),t.top!=null&&(h.top=t.top-u.top+o),t.left!=null&&(h.left=t.left-u.left+i),\"using\"in t?t.using.call(e,h):c.css(h)}},jQuery.fn.extend({offset:function(e){if(arguments.length)return e===undefined?this:this.each(function(t){jQuery.offset.setOffset(this,e,t)});var t,n,r=this[0],i={top:0,left:0},s=r&&r.ownerDocument;if(!s)return;return t=s.documentElement,jQuery.contains(t,r)?(typeof r.getBoundingClientRect!==strundefined&&(i=r.getBoundingClientRect()),n=getWindow(s),{top:i.top+n.pageYOffset-t.clientTop,left:i.left+n.pageXOffset-t.clientLeft}):i},position:function(){if(!this[0])return;var e,t,n=this[0],r={top:0,left:0};return jQuery.css(n,\"position\")===\"fixed\"?t=n.getBoundingClientRect():(e=this.offsetParent(),t=this.offset(),jQuery.nodeName(e[0],\"html\")||(r=e.offset()),r.top+=jQuery.css(e[0],\"borderTopWidth\",!0),r.left+=jQuery.css(e[0],\"borderLeftWidth\",!0)),{top:t.top-r.top-jQuery.css(n,\"marginTop\",!0),left:t.left-r.left-jQuery.css(n,\"marginLeft\",!0)}},offsetParent:function(){return this.map(function(){var e=this.offsetParent||docElem;while(e&&!jQuery.nodeName(e,\"html\")&&jQuery.css(e,\"position\")===\"static\")e=e.offsetParent;return e||docElem})}}),jQuery.each({scrollLeft:\"pageXOffset\",scrollTop:\"pageYOffset\"},function(e,t){var n=\"pageYOffset\"===t;jQuery.fn[e]=function(r){return access(this,function(e,r,i){var s=getWindow(e);if(i===undefined)return s?s[t]:e[r];s?s.scrollTo(n?window.pageXOffset:i,n?i:window.pageYOffset):e[r]=i},e,r,arguments.length,null)}}),jQuery.each([\"top\",\"left\"],function(e,t){jQuery.cssHooks[t]=addGetHookIf(support.pixelPosition,function(e,n){if(n)return n=curCSS(e,t),rnumnonpx.test(n)?jQuery(e).position()[t]+\"px\":n})}),jQuery.each({Height:\"height\",Width:\"width\"},function(e,t){jQuery.each({padding:\"inner\"+e,content:t,\"\":\"outer\"+e},function(n,r){jQuery.fn[r]=function(r,i){var s=arguments.length&&(n||typeof r!=\"boolean\"),o=n||(r===!0||i===!0?\"margin\":\"border\");return access(this,function(t,n,r){var i;return jQuery.isWindow(t)?t.document.documentElement[\"client\"+e]:t.nodeType===9?(i=t.documentElement,Math.max(t.body[\"scroll\"+e],i[\"scroll\"+e],t.body[\"offset\"+e],i[\"offset\"+e],i[\"client\"+e])):r===undefined?jQuery.css(t,n,o):jQuery.style(t,n,r,o)},t,s?r:undefined,s,null)}})}),jQuery.fn.size=function(){return this.length},jQuery.fn.andSelf=jQuery.fn.addBack,typeof define==\"function\"&&define.amd&&define(\"jquery\",[],function(){return jQuery});var _jQuery=window.jQuery,_$=window.$;return jQuery.noConflict=function(e){return window.$===jQuery&&(window.$=_$),e&&window.jQuery===jQuery&&(window.jQuery=_jQuery),jQuery},typeof noGlobal===strundefined&&(window.jQuery=window.$=jQuery),jQuery}),function(e,t){typeof define==\"function\"&&define.amd?define(\"es6-shim\",t):typeof exports==\"object\"?module.exports=t():e.returnExports=t()}(this,function(){\"use strict\";var e=function(e){try{e()}catch(t){return!1}return!0},t=function(e,t){try{var n=function(){e.apply(this,arguments)};return n.__proto__?(Object.setPrototypeOf(n,e),n.prototype=Object.create(e.prototype,{constructor:{value:e}}),t(n)):!1}catch(r){return!1}},n=function(){try{return Object.defineProperty({},\"x\",{}),!0}catch(e){return!1}},r=function(){var e=!1;if(String.prototype.startsWith)try{\"/a/\".startsWith(/a/)}catch(t){e=!0}return e},i=new Function(\"return this;\"),s=i(),o=s.isFinite,u=!!Object.defineProperty&&n(),a=r(),f=Function.call.bind(String.prototype.indexOf),l=Function.call.bind(Object.prototype.toString),c=Function.call.bind(Object.prototype.hasOwnProperty),h,p=function(){},d=s.Symbol||{},v={string:function(e){return l(e)===\"[object String]\"},regex:function(e){return l(e)===\"[object RegExp]\"},symbol:function(e){return typeof s.Symbol==\"function\"&&typeof e==\"symbol\"}},m=function(e,t,n,r){if(!r&&t in e)return;u?Object.defineProperty(e,t,{configurable:!0,enumerable:!1,writable:!0,value:n}):e[t]=n},g={getter:function(e,t,n){if(!u)throw new TypeError(\"getters require true ES5 support\");Object.defineProperty(e,t,{configurable:!0,enumerable:!1,get:n})},proxy:function(e,t,n){if(!u)throw new TypeError(\"getters require true ES5 support\");var r=Object.getOwnPropertyDescriptor(e,t);Object.defineProperty(n,t,{configurable:r.configurable,enumerable:r.enumerable,get:function(){return e[t]},set:function(r){e[t]=r}})},redefine:function(e,t,n){if(u){var r=Object.getOwnPropertyDescriptor(e,t);r.value=n,Object.defineProperty(e,t,r)}else e[t]=n}},y=function(e,t){Object.keys(t).forEach(function(n){var r=t[n];m(e,n,r,!1)})},b=Object.create||function(e,t){function n(){}n.prototype=e;var r=new n;return typeof t!=\"undefined\"&&y(r,t),r},w=v.symbol(d.iterator)?d.iterator:\"_es6-shim iterator_\";s.Set&&typeof (new s.Set)[\"@@iterator\"]==\"function\"&&(w=\"@@iterator\");var E=function(e,t){t||(t=function(){return this});var n={};n[w]=t,y(e,n),!e[w]&&v.symbol(w)&&(e[w]=t)},S=function(t){var n=l(t),r=n===\"[object Arguments]\";return r||(r=n!==\"[object Array]\"&&t!==null&&typeof t==\"object\"&&typeof t.length==\"number\"&&t.length>=0&&l(t.callee)===\"[object Function]\"),r},x={CheckObjectCoercible:function(e,t){if(e==null)throw new TypeError(t||\"Cannot call method on \"+e);return e},TypeIsObject:function(e){return e!=null&&Object(e)===e},ToObject:function(e,t){return Object(x.CheckObjectCoercible(e,t))},IsCallable:function(e){return typeof e==\"function\"&&l(e)===\"[object Function]\"},ToInt32:function(e){return e>>0},ToUint32:function(e){return e>>>0},ToInteger:function(e){var t=+e;return Number.isNaN(t)?0:t===0||!Number.isFinite(t)?t:(t>0?1:-1)*Math.floor(Math.abs(t))},ToLength:function(e){var t=x.ToInteger(e);return t<=0?0:t>Number.MAX_SAFE_INTEGER?Number.MAX_SAFE_INTEGER:t},SameValue:function(e,t){return e===t?e===0?1/e===1/t:!0:Number.isNaN(e)&&Number.isNaN(t)},SameValueZero:function(e,t){return e===t||Number.isNaN(e)&&Number.isNaN(t)},IsIterable:function(e){return x.TypeIsObject(e)&&(typeof e[w]!=\"undefined\"||S(e))},GetIterator:function(e){if(S(e))return new h(e,\"value\");var t=e[w];if(!x.IsCallable(t))throw new TypeError(\"value is not an iterable\");var n=t.call(e);if(!x.TypeIsObject(n))throw new TypeError(\"bad iterator\");return n},IteratorNext:function(e){var t=arguments.length>1?e.next(arguments[1]):e.next();if(!x.TypeIsObject(t))throw new TypeError(\"bad iterator\");return t},Construct:function(e,t){var n;x.IsCallable(e[\"@@create\"])?n=e[\"@@create\"]():n=b(e.prototype||null),y(n,{_es6construct:!0});var r=e.apply(n,t);return x.TypeIsObject(r)?r:n}},T=function(e){if(!x.TypeIsObject(e))throw new TypeError(\"bad object\");return e._es6construct||(e.constructor&&x.IsCallable(e.constructor[\"@@create\"])&&(e=e.constructor[\"@@create\"](e)),y(e,{_es6construct:!0})),e},N=function(){function e(e){var t=Math.floor(e),n=e-t;return n<.5?t:n>.5?t+1:t%2?t+1:t}function t(t,n,r){var i=(1<<n-1)-1,s,o,u,a,f,l,c;t!==t?(o=(1<<n)-1,u=Math.pow(2,r-1),s=0):t===Infinity||t===-Infinity?(o=(1<<n)-1,u=0,s=t<0?1:0):t===0?(o=0,u=0,s=1/t===-Infinity?1:0):(s=t<0,t=Math.abs(t),t>=Math.pow(2,1-i)?(o=Math.min(Math.floor(Math.log(t)/Math.LN2),1023),u=e(t/Math.pow(2,o)*Math.pow(2,r)),u/Math.pow(2,r)>=2&&(o+=1,u=1),o>i?(o=(1<<n)-1,u=0):(o+=i,u-=Math.pow(2,r))):(o=0,u=e(t/Math.pow(2,1-i-r)))),f=[];for(a=r;a;a-=1)f.push(u%2?1:0),u=Math.floor(u/2);for(a=n;a;a-=1)f.push(o%2?1:0),o=Math.floor(o/2);f.push(s?1:0),f.reverse(),l=f.join(\"\"),c=[];while(l.length)c.push(parseInt(l.slice(0,8),2)),l=l.slice(8);return c}function n(e,t,n){var r=[],i,s,o,u,a,f,l,c;for(i=e.length;i;i-=1){o=e[i-1];for(s=8;s;s-=1)r.push(o%2?1:0),o>>=1}return r.reverse(),u=r.join(\"\"),a=(1<<t-1)-1,f=parseInt(u.slice(0,1),2)?-1:1,l=parseInt(u.slice(1,1+t),2),c=parseInt(u.slice(1+t),2),l===(1<<t)-1?c!==0?NaN:f*Infinity:l>0?f*Math.pow(2,l-a)*(1+c/Math.pow(2,n)):c!==0?f*Math.pow(2,-(a-1))*(c/Math.pow(2,n)):f<0?0:0}function r(e){return n(e,11,52)}function i(e){return t(e,11,52)}function s(e){return n(e,8,23)}function o(e){return t(e,8,23)}var u={toFloat32:function(e){return s(o(e))}};if(typeof Float32Array!=\"undefined\"){var a=new Float32Array(1);u.toFloat32=function(e){return a[0]=e,a[0]}}return u}();y(String,{fromCodePoint:function(t){var n=[],r;for(var i=0,s=arguments.length;i<s;i++){r=Number(arguments[i]);if(!x.SameValue(r,x.ToInteger(r))||r<0||r>1114111)throw new RangeError(\"Invalid code point \"+r);r<65536?n.push(String.fromCharCode(r)):(r-=65536,n.push(String.fromCharCode((r>>10)+55296)),n.push(String.fromCharCode(r%1024+56320)))}return n.join(\"\")},raw:function(t){var n=x.ToObject(t,\"bad callSite\"),r=n.raw,i=x.ToObject(r,\"bad raw value\"),s=i.length,o=x.ToLength(s);if(o<=0)return\"\";var u=[],a=0,f,l,c,h;while(a<o){f=String(a),l=i[f],c=String(l),u.push(c);if(a+1>=o)break;l=a+1<arguments.length?arguments[a+1]:\"\",h=String(l),u.push(h),a++}return u.join(\"\")}});if(String.fromCodePoint.length!==1){var C=Function.apply.bind(String.fromCodePoint);m(String,\"fromCodePoint\",function(e){return C(this,arguments)},!0)}var k={repeat:function(){var e=function(t,n){if(n<1)return\"\";if(n%2)return e(t,n-1)+t;var r=e(t,n/2);return r+r};return function(t){var n=String(x.CheckObjectCoercible(this));t=x.ToInteger(t);if(t<0||t===Infinity)throw new RangeError(\"Invalid String#repeat value\");return e(n,t)}}(),startsWith:function(e){var t=String(x.CheckObjectCoercible(this));if(v.regex(e))throw new TypeError('Cannot call method \"startsWith\" with a regex');e=String(e);var n=arguments.length>1?arguments[1]:void 0,r=Math.max(x.ToInteger(n),0);return t.slice(r,r+e.length)===e},endsWith:function(e){var t=String(x.CheckObjectCoercible(this));if(v.regex(e))throw new TypeError('Cannot call method \"endsWith\" with a regex');e=String(e);var n=t.length,r=arguments.length>1?arguments[1]:void 0,i=typeof r==\"undefined\"?n:x.ToInteger(r),s=Math.min(Math.max(i,0),n);return t.slice(s-e.length,s)===e},includes:function(t){var n=arguments.length>1?arguments[1]:void 0;return f(this,t,n)!==-1},codePointAt:function(e){var t=String(x.CheckObjectCoercible(this)),n=x.ToInteger(e),r=t.length;if(n>=0&&n<r){var i=t.charCodeAt(n),s=n+1===r;if(i<55296||i>56319||s)return i;var o=t.charCodeAt(n+1);return o<56320||o>57343?i:(i-55296)*1024+(o-56320)+65536}}};y(String.prototype,k);var L=\"…\".trim().length!==1;if(L){delete String.prototype.trim;var A=[\"\t\\n\u000b\\f\\r   ᠎    \",\"          \\u2028\",\"\\u2029\"].join(\"\"),O=new RegExp(\"(^[\"+A+\"]+)|([\"+A+\"]+$)\",\"g\");y(String.prototype,{trim:function(){if(typeof this==\"undefined\"||this===null)throw new TypeError(\"can't convert \"+this+\" to object\");return String(this).replace(O,\"\")}})}var M=function(e){this._s=String(x.CheckObjectCoercible(e)),this._i=0};M.prototype.next=function(){var e=this._s,t=this._i;if(typeof e==\"undefined\"||t>=e.length)return this._s=void 0,{value:void 0,done:!0};var n=e.charCodeAt(t),r,i;return n<55296||n>56319||t+1===e.length?i=1:(r=e.charCodeAt(t+1),i=r<56320||r>57343?1:2),this._i=t+i,{value:e.substr(t,i),done:!1}},E(M.prototype),E(String.prototype,function(){return new M(this)}),a||y(String.prototype,{startsWith:k.startsWith,endsWith:k.endsWith});var _={from:function(e){var t=arguments.length>1?arguments[1]:void 0,n=x.ToObject(e,\"bad iterable\");if(typeof t!=\"undefined\"&&!x.IsCallable(t))throw new TypeError(\"Array.from: when provided, the second argument must be a function\");var r=arguments.length>2,i=r?arguments[2]:void 0,s=x.IsIterable(n),o,u,a,f;if(s){a=0,u=x.IsCallable(this)?Object(new this):[];var l=s?x.GetIterator(n):null,c;do c=x.IteratorNext(l),c.done||(f=c.value,t?u[a]=r?t.call(i,f,a):t(f,a):u[a]=f,a+=1);while(!c.done);o=a}else{o=x.ToLength(n.length),u=x.IsCallable(this)?Object(new this(o)):new Array(o);for(a=0;a<o;++a)f=n[a],t?u[a]=r?t.call(i,f,a):t(f,a):u[a]=f}return u.length=o,u},of:function(){return Array.from(arguments)}};y(Array,_);var D=function(){try{return Array.from({length:-1}).length===0}catch(e){return!1}};D()||m(Array,\"from\",_.from,!0),h=function(e,t){this.i=0,this.array=e,this.kind=t},y(h.prototype,{next:function(){var e=this.i,t=this.array;if(this instanceof h){if(typeof t!=\"undefined\"){var n=x.ToLength(t.length);for(;e<n;e++){var r=this.kind,i;return r===\"key\"?i=e:r===\"value\"?i=t[e]:r===\"entry\"&&(i=[e,t[e]]),this.i=e+1,{value:i,done:!1}}}return this.array=void 0,{value:void 0,done:!0}}throw new TypeError(\"Not an ArrayIterator\")}}),E(h.prototype);var P={copyWithin:function(e,t){var n=arguments[2],r=x.ToObject(this),i=x.ToLength(r.length);e=x.ToInteger(e),t=x.ToInteger(t);var s=e<0?Math.max(i+e,0):Math.min(e,i),o=t<0?Math.max(i+t,0):Math.min(t,i);n=typeof n==\"undefined\"?i:x.ToInteger(n);var u=n<0?Math.max(i+n,0):Math.min(n,i),a=Math.min(u-o,i-s),f=1;o<s&&s<o+a&&(f=-1,o+=a-1,s+=a-1);while(a>0)c(r,o)?r[s]=r[o]:delete r[o],o+=f,s+=f,a-=1;return r},fill:function(e){var t=arguments.length>1?arguments[1]:void 0,n=arguments.length>2?arguments[2]:void 0,r=x.ToObject(this),i=x.ToLength(r.length);t=x.ToInteger(typeof t==\"undefined\"?0:t),n=x.ToInteger(typeof n==\"undefined\"?i:n);var s=t<0?Math.max(i+t,0):Math.min(t,i),o=n<0?i+n:n;for(var u=s;u<i&&u<o;++u)r[u]=e;return r},find:function(t){var n=x.ToObject(this),r=x.ToLength(n.length);if(!x.IsCallable(t))throw new TypeError(\"Array#find: predicate must be a function\");var i=arguments.length>1?arguments[1]:null;for(var s=0,o;s<r;s++){o=n[s];if(i){if(t.call(i,o,s,n))return o}else if(t(o,s,n))return o}},findIndex:function(t){var n=x.ToObject(this),r=x.ToLength(n.length);if(!x.IsCallable(t))throw new TypeError(\"Array#findIndex: predicate must be a function\");var i=arguments.length>1?arguments[1]:null;for(var s=0;s<r;s++)if(i){if(t.call(i,n[s],s,n))return s}else if(t(n[s],s,n))return s;return-1},keys:function(){return new h(this,\"key\")},values:function(){return new h(this,\"value\")},entries:function(){return new h(this,\"entry\")}};Array.prototype.keys&&!x.IsCallable([1].keys().next)&&delete Array.prototype.keys,Array.prototype.entries&&!x.IsCallable([1].entries().next)&&delete Array.prototype.entries,Array.prototype.keys&&Array.prototype.entries&&!Array.prototype.values&&Array.prototype[w]&&(y(Array.prototype,{values:Array.prototype[w]}),v.symbol(d.unscopables)&&(Array.prototype[d.unscopables].values=!0)),y(Array.prototype,P),E(Array.prototype,function(){return this.values()}),Object.getPrototypeOf&&E(Object.getPrototypeOf([].values()));var H=Math.pow(2,53)-1;y(Number,{MAX_SAFE_INTEGER:H,MIN_SAFE_INTEGER:-H,EPSILON:2.220446049250313e-16,parseInt:s.parseInt,parseFloat:s.parseFloat,isFinite:function(e){return typeof e==\"number\"&&o(e)},isInteger:function(e){return Number.isFinite(e)&&x.ToInteger(e)===e},isSafeInteger:function(e){return Number.isInteger(e)&&Math.abs(e)<=Number.MAX_SAFE_INTEGER},isNaN:function(e){return e!==e}}),[,1].find(function(e,t){return t===0})||m(Array.prototype,\"find\",P.find,!0),[,1].findIndex(function(e,t){return t===0})!==0&&m(Array.prototype,\"findIndex\",P.findIndex,!0),u&&y(Object,{assign:function(e,t){if(!x.TypeIsObject(e))throw new TypeError(\"target must be an object\");return Array.prototype.reduce.call(arguments,function(e,t){return Object.keys(Object(t)).reduce(function(e,n){return e[n]=t[n],e},e)})},is:function(e,t){return x.SameValue(e,t)},setPrototypeOf:function(e,t){var n,r=function(e,t){if(!x.TypeIsObject(e))throw new TypeError(\"cannot set prototype on a non-object\");if(t!==null&&!x.TypeIsObject(t))throw new TypeError(\"can only set prototype to an object or null\"+t)},i=function(e,t){return r(e,t),n.call(e,t),e};try{n=e.getOwnPropertyDescriptor(e.prototype,t).set,n.call({},null)}catch(s){if(e.prototype!=={}[t])return;n=function(e){this[t]=e},i.polyfill=i(i({},null),e.prototype)instanceof e}return i}(Object,\"__proto__\")}),Object.setPrototypeOf&&Object.getPrototypeOf&&Object.getPrototypeOf(Object.setPrototypeOf({},null))!==null&&Object.getPrototypeOf(Object.create(null))===null&&function(){var e=Object.create(null),t=Object.getPrototypeOf,n=Object.setPrototypeOf;Object.getPrototypeOf=function(n){var r=t(n);return r===e?null:r},Object.setPrototypeOf=function(t,r){return r===null&&(r=e),n(t,r)},Object.setPrototypeOf.polyfill=!1}();try{Object.keys(\"foo\")}catch(B){var j=Object.keys;Object.keys=function(e){return j(x.ToObject(e))}}if(!RegExp.prototype.flags&&u){var F=function(){if(!x.TypeIsObject(this))throw new TypeError(\"Method called on incompatible type: must be an object.\");var t=\"\";return this.global&&(t+=\"g\"),this.ignoreCase&&(t+=\"i\"),this.multiline&&(t+=\"m\"),this.unicode&&(t+=\"u\"),this.sticky&&(t+=\"y\"),t};g.getter(RegExp.prototype,\"flags\",F)}var I=function(){try{return String(new RegExp(/a/g,\"i\"))===\"/a/i\"}catch(e){return!1}}();if(!I&&u){var q=RegExp,R=function Z(e,t){return v.regex(e)&&v.string(t)?new Z(e.source,t):new q(e,t)};m(R,\"toString\",q.toString.bind(q),!0),Object.setPrototypeOf&&Object.setPrototypeOf(q,R),Object.getOwnPropertyNames(q).forEach(function(e){if(e===\"$input\")return;if(e in p)return;g.proxy(q,e,R)}),R.prototype=q.prototype,g.redefine(q.prototype,\"constructor\",R),RegExp=R,g.redefine(s,\"RegExp\",R)}var U={acosh:function(e){return e=Number(e),Number.isNaN(e)||e<1?NaN:e===1?0:e===Infinity?e:Math.log(e+Math.sqrt(e*e-1))},asinh:function(e){return e=Number(e),e===0||!o(e)?e:e<0?-Math.asinh(-e):Math.log(e+Math.sqrt(e*e+1))},atanh:function(e){return e=Number(e),Number.isNaN(e)||e<-1||e>1?NaN:e===-1?-Infinity:e===1?Infinity:e===0?e:.5*Math.log((1+e)/(1-e))},cbrt:function(e){e=Number(e);if(e===0)return e;var t=e<0,n;return t&&(e=-e),n=Math.pow(e,1/3),t?-n:n},clz32:function(e){e=Number(e);var t=x.ToUint32(e);return t===0?32:32-t.toString(2).length},cosh:function(e){return e=Number(e),e===0?1:Number.isNaN(e)?NaN:o(e)?(e<0&&(e=-e),e>21?Math.exp(e)/2:(Math.exp(e)+Math.exp(-e))/2):Infinity},expm1:function(e){return e=Number(e),e===-Infinity?-1:!o(e)||e===0?e:Math.exp(e)-1},hypot:function(e,t){var n=!1,r=!0,i=!1,s=[];Array.prototype.every.call(arguments,function(e){var t=Number(e);return Number.isNaN(t)?n=!0:t===Infinity||t===-Infinity?i=!0:t!==0&&(r=!1),i?!1:(n||s.push(Math.abs(t)),!0)});if(i)return Infinity;if(n)return NaN;if(r)return 0;s.sort(function(e,t){return t-e});var o=s[0],u=s.map(function(e){return e/o}),a=u.reduce(function(e,t){return e+t*t},0);return o*Math.sqrt(a)},log2:function(e){return Math.log(e)*Math.LOG2E},log10:function(e){return Math.log(e)*Math.LOG10E},log1p:function(e){e=Number(e);if(e<-1||Number.isNaN(e))return NaN;if(e===0||e===Infinity)return e;if(e===-1)return-Infinity;var t=0,n=50;if(e<0||e>1)return Math.log(1+e);for(var r=1;r<n;r++)r%2===0?t-=Math.pow(e,r)/r:t+=Math.pow(e,r)/r;return t},sign:function(e){var t=+e;return t===0?t:Number.isNaN(t)?t:t<0?-1:1},sinh:function(e){return e=Number(e),!o(e)||e===0?e:(Math.exp(e)-Math.exp(-e))/2},tanh:function(e){return e=Number(e),Number.isNaN(e)||e===0?e:e===Infinity?1:e===-Infinity?-1:(Math.exp(e)-Math.exp(-e))/(Math.exp(e)+Math.exp(-e))},trunc:function(e){var t=Number(e);return t<0?-Math.floor(-t):Math.floor(t)},imul:function(e,t){e=x.ToUint32(e),t=x.ToUint32(t);var n=e>>>16&65535,r=e&65535,i=t>>>16&65535,s=t&65535;return r*s+(n*s+r*i<<16>>>0)|0},fround:function(e){if(e===0||e===Infinity||e===-Infinity||Number.isNaN(e))return e;var t=Number(e);return N.toFloat32(t)}};y(Math,U),Math.imul(4294967295,5)!==-5&&(Math.imul=U.imul);var z=function(){var e,t;x.IsPromise=function(e){return x.TypeIsObject(e)?e._promiseConstructor?typeof e._status==\"undefined\"?!1:!0:!1:!1};var n=function(e){if(!x.IsCallable(e))throw new TypeError(\"bad promise constructor\");var t=this,n=function(e,n){t.resolve=e,t.reject=n};t.promise=x.Construct(e,[n]);if(!t.promise._es6construct)throw new TypeError(\"bad promise constructor\");if(!x.IsCallable(t.resolve)||!x.IsCallable(t.reject))throw new TypeError(\"bad promise constructor\")},r=s.setTimeout,i;typeof window!=\"undefined\"&&x.IsCallable(window.postMessage)&&(i=function(){var e=[],t=\"zero-timeout-message\",n=function(n){e.push(n),window.postMessage(t,\"*\")},r=function(n){if(n.source===window&&n.data===t){n.stopPropagation();if(e.length===0)return;var r=e.shift();r()}};return window.addEventListener(\"message\",r,!0),n});var o=function(){var e=s.Promise;return e&&e.resolve&&function(t){return e.resolve().then(t)}},u=x.IsCallable(s.setImmediate)?s.setImmediate.bind(s):typeof process==\"object\"&&process.nextTick?process.nextTick:o()||(x.IsCallable(i)?i():function(e){r(e,0)}),a=function(e,t){if(!x.TypeIsObject(e))return!1;var n=t.resolve,r=t.reject;try{var i=e.then;if(!x.IsCallable(i))return!1;i.call(e,n,r)}catch(s){r(s)}return!0},f=function(e,t){e.forEach(function(e){u(function(){var n=e.handler,r=e.capability,i=r.resolve,s=r.reject;try{var o=n(t);if(o===r.promise)throw new TypeError(\"self resolution\");var u=a(o,r);u||i(o)}catch(f){s(f)}})})},l=function(e,t,r){return function(i){if(i===e)return r(new TypeError(\"self resolution\"));var s=e._promiseConstructor,o=new n(s),u=a(i,o);return u?o.promise.then(t,r):t(i)}};e=function(e){var t=this;t=T(t);if(!t._promiseConstructor)throw new TypeError(\"bad promise\");if(typeof t._status!=\"undefined\")throw new TypeError(\"promise already initialized\");if(!x.IsCallable(e))throw new TypeError(\"not a valid resolver\");t._status=\"unresolved\",t._resolveReactions=[],t._rejectReactions=[];var n=function(e){if(t._status!==\"unresolved\")return;var n=t._resolveReactions;t._result=e,t._resolveReactions=void 0,t._rejectReactions=void 0,t._status=\"has-resolution\",f(n,e)},r=function(e){if(t._status!==\"unresolved\")return;var n=t._rejectReactions;t._result=e,t._resolveReactions=void 0,t._rejectReactions=void 0,t._status=\"has-rejection\",f(n,e)};try{e(n,r)}catch(i){r(i)}return t},t=e.prototype;var c=function(e,t,n,r){var i=!1;return function(s){if(i)return;i=!0,t[e]=s;if(--r.count===0){var o=n.resolve;o(t)}}};return y(e,{\"@@create\":function(e){var n=this,r=n.prototype||t;return e=e||b(r),y(e,{_status:void 0,_result:void 0,_resolveReactions:void 0,_rejectReactions:void 0,_promiseConstructor:void 0}),e._promiseConstructor=n,e},all:function(t){var r=this,i=new n(r),s=i.resolve,o=i.reject;try{if(!x.IsIterable(t))throw new TypeError(\"bad iterable\");var u=x.GetIterator(t),a=[],f={count:1};for(var l=0;;l++){var h=x.IteratorNext(u);if(h.done)break;var p=r.resolve(h.value),d=c(l,a,i,f);f.count++,p.then(d,i.reject)}--f.count===0&&s(a)}catch(v){o(v)}return i.promise},race:function(t){var r=this,i=new n(r),s=i.resolve,o=i.reject;try{if(!x.IsIterable(t))throw new TypeError(\"bad iterable\");var u=x.GetIterator(t);for(;;){var a=x.IteratorNext(u);if(a.done)break;var f=r.resolve(a.value);f.then(s,o)}}catch(l){o(l)}return i.promise},reject:function(t){var r=this,i=new n(r),s=i.reject;return s(t),i.promise},resolve:function(t){var r=this;if(x.IsPromise(t)){var i=t._promiseConstructor;if(i===r)return t}var s=new n(r),o=s.resolve;return o(t),s.promise}}),y(t,{\"catch\":function(e){return this.then(void 0,e)},then:function(t,r){var i=this;if(!x.IsPromise(i))throw new TypeError(\"not a promise\");var s=this.constructor,o=new n(s);x.IsCallable(r)||(r=function(e){throw e}),x.IsCallable(t)||(t=function(e){return e});var u=l(i,t,r),a={capability:o,handler:u},c={capability:o,handler:r};switch(i._status){case\"unresolved\":i._resolveReactions.push(a),i._rejectReactions.push(c);break;case\"has-resolution\":f([a],i._result);break;case\"has-rejection\":f([c],i._result);break;default:throw new TypeError(\"unexpected\")}return o.promise}}),e}();s.Promise&&(delete s.Promise.accept,delete s.Promise.defer,delete s.Promise.prototype.chain),y(s,{Promise:z});var W=t(s.Promise,function(e){return e.resolve(42)instanceof e}),X=function(){try{return s.Promise.reject(42).then(null,5).then(null,p),!0}catch(e){return!1}}(),V=function(){try{Promise.call(3,p)}catch(e){return!0}return!1}();if(!W||!X||!V)Promise=z,m(s,\"Promise\",z,!0);var $=function(e){var t=Object.keys(e.reduce(function(e,t){return e[t]=!0,e},{}));return e.join(\":\")===t.join(\":\")},J=$([\"z\",\"a\",\"bb\"]),K=$([\"z\",1,\"a\",\"3\",2]);if(u){var Q=function(t){if(!J)return null;var n=typeof t;return n===\"string\"?\"$\"+t:n===\"number\"?K?t:\"n\"+t:null},G=function(){return Object.create?Object.create(null):{}},Y={Map:function(){function t(e,t){this.key=e,this.value=t,this.next=null,this.prev=null}function n(e,t){this.head=e._head,this.i=this.head,this.kind=t}function r(e){var n=this;if(!x.TypeIsObject(n))throw new TypeError(\"Map does not accept arguments when called as a function\");n=T(n);if(!n._es6map)throw new TypeError(\"bad map\");var r=new t(null,null);r.next=r.prev=r,y(n,{_head:r,_storage:G(),_size:0});if(typeof e!=\"undefined\"&&e!==null){var i=x.GetIterator(e),s=n.set;if(!x.IsCallable(s))throw new TypeError(\"bad map\");for(;;){var o=x.IteratorNext(i);if(o.done)break;var u=o.value;if(!x.TypeIsObject(u))throw new TypeError(\"expected iterable of pairs\");s.call(n,u[0],u[1])}}return n}var e={};t.prototype.isRemoved=function(){return this.key===e},n.prototype={next:function(){var e=this.i,t=this.kind,n=this.head,r;if(typeof this.i==\"undefined\")return{value:void 0,done:!0};while(e.isRemoved()&&e!==n)e=e.prev;while(e.next!==n){e=e.next;if(!e.isRemoved())return t===\"key\"?r=e.key:t===\"value\"?r=e.value:r=[e.key,e.value],this.i=e,{value:r,done:!1}}return this.i=void 0,{value:void 0,done:!0}}},E(n.prototype);var i=r.prototype;return y(r,{\"@@create\":function(e){var t=this,n=t.prototype||i;return e=e||b(n),y(e,{_es6map:!0}),e}}),g.getter(r.prototype,\"size\",function(){if(typeof this._size==\"undefined\")throw new TypeError(\"size method called on incompatible Map\");return this._size}),y(r.prototype,{get:function(e){var t=Q(e);if(t!==null){var n=this._storage[t];if(n)return n.value;return}var r=this._head,i=r;while((i=i.next)!==r)if(x.SameValueZero(i.key,e))return i.value},has:function(e){var t=Q(e);if(t!==null)return typeof this._storage[t]!=\"undefined\";var n=this._head,r=n;while((r=r.next)!==n)if(x.SameValueZero(r.key,e))return!0;return!1},set:function(e,n){var r=this._head,i=r,s,o=Q(e);if(o!==null){if(typeof this._storage[o]!=\"undefined\")return this._storage[o].value=n,this;s=this._storage[o]=new t(e,n),i=r.prev}while((i=i.next)!==r)if(x.SameValueZero(i.key,e))return i.value=n,this;return s=s||new t(e,n),x.SameValue(0,e)&&(s.key=0),s.next=this._head,s.prev=this._head.prev,s.prev.next=s,s.next.prev=s,this._size+=1,this},\"delete\":function(t){var n=this._head,r=n,i=Q(t);if(i!==null){if(typeof this._storage[i]==\"undefined\")return!1;r=this._storage[i].prev,delete this._storage[i]}while((r=r.next)!==n)if(x.SameValueZero(r.key,t))return r.key=r.value=e,r.prev.next=r.next,r.next.prev=r.prev,this._size-=1,!0;return!1},clear:function(){this._size=0,this._storage=G();var t=this._head,n=t,r=n.next;while((n=r)!==t)n.key=n.value=e,r=n.next,n.next=n.prev=t;t.next=t.prev=t},keys:function(){return new n(this,\"key\")},values:function(){return new n(this,\"value\")},entries:function(){return new n(this,\"key+value\")},forEach:function(e){var t=arguments.length>1?arguments[1]:null,n=this.entries();for(var r=n.next();!r.done;r=n.next())t?e.call(t,r.value[1],r.value[0],this):e(r.value[1],r.value[0],this)}}),E(r.prototype,function(){return this.entries()}),r}(),Set:function(){var e=function(t){var n=this;if(!x.TypeIsObject(n))throw new TypeError(\"Set does not accept arguments when called as a function\");n=T(n);if(!n._es6set)throw new TypeError(\"bad set\");y(n,{\"[[SetData]]\":null,_storage:G()});if(typeof t!=\"undefined\"&&t!==null){var r=x.GetIterator(t),i=n.add;if(!x.IsCallable(i))throw new TypeError(\"bad set\");for(;;){var s=x.IteratorNext(r);if(s.done)break;var o=s.value;i.call(n,o)}}return n},t=e.prototype;y(e,{\"@@create\":function(e){var n=this,r=n.prototype||t;return e=e||b(r),y(e,{_es6set:!0}),e}});var n=function(t){if(!t[\"[[SetData]]\"]){var n=t[\"[[SetData]]\"]=new Y.Map;Object.keys(t._storage).forEach(function(e){e.charCodeAt(0)===36?e=e.slice(1):e.charAt(0)===\"n\"?e=+e.slice(1):e=+e,n.set(e,e)}),t._storage=null}};return g.getter(e.prototype,\"size\",function(){if(typeof this._storage==\"undefined\")throw new TypeError(\"size method called on incompatible Set\");return n(this),this[\"[[SetData]]\"].size}),y(e.prototype,{has:function(e){var t;return this._storage&&(t=Q(e))!==null?!!this._storage[t]:(n(this),this[\"[[SetData]]\"].has(e))},add:function(e){var t;return this._storage&&(t=Q(e))!==null?(this._storage[t]=!0,this):(n(this),this[\"[[SetData]]\"].set(e,e),this)},\"delete\":function(e){var t;if(this._storage&&(t=Q(e))!==null){var r=c(this._storage,t);return delete this._storage[t]&&r}return n(this),this[\"[[SetData]]\"][\"delete\"](e)},clear:function(){this._storage?this._storage=G():this[\"[[SetData]]\"].clear()},values:function(){return n(this),this[\"[[SetData]]\"].values()},entries:function(){return n(this),this[\"[[SetData]]\"].entries()},forEach:function(e){var t=arguments.length>1?arguments[1]:null,r=this;n(r),this[\"[[SetData]]\"].forEach(function(n,i){t?e.call(t,i,i,r):e(i,i,r)})}}),m(e,\"keys\",e.values,!0),E(e.prototype,function(){return this.values()}),e}()};y(s,Y);if(s.Map||s.Set)if(typeof s.Map.prototype.clear!=\"function\"||(new s.Set).size!==0||(new s.Map).size!==0||typeof s.Map.prototype.keys!=\"function\"||typeof s.Set.prototype.keys!=\"function\"||typeof s.Map.prototype.forEach!=\"function\"||typeof s.Set.prototype.forEach!=\"function\"||e(s.Map)||e(s.Set)||!t(s.Map,function(e){var t=new e([]);return t.set(42,42),t instanceof e}))s.Map=Y.Map,s.Set=Y.Set;s.Set.prototype.keys!==s.Set.prototype.values&&m(s.Set.prototype,\"keys\",s.Set.prototype.values,!0),E(Object.getPrototypeOf((new s.Map).keys())),E(Object.getPrototypeOf((new s.Set).keys()))}return s}),define(\"jqueryplugins\",[\"jquery\"],function(e){\"use strict\";e.prototype.extend({popAttr:function(e){var t=this.attr(e);return this.removeAttr(e),t},popData:function(e){var t=this.data(e);return this.removeData(e),t},tag:function(){return this[0]&&this[0].tagName&&this[0].tagName.toLowerCase()},textNodes:function(){return this.length===1&&this[0]instanceof Text?[this[0]]:Array.apply(0,this.add(this.contents().add(this.find(\"*\").contents())).filter(function(){return this instanceof Text})).sort(function(e,t){return e.compareDocumentPosition(t)&2?1:-1})},prevTextNode:function(){var e=this.first()[0],t=this.parent(),n;return t.length?(n=t.textNodes().filter(function(t){var n=t.compareDocumentPosition(e);return n&4&&!(n&8)}),n=n[n.length-1],n?n:t.prevTextNode()):null},nextTextNode:function(){var e=this.last()[0],t=this.parent(),n;return t.length?(n=t.textNodes().filter(function(t){var n=t.compareDocumentPosition(e);return n&2&&!(n&8)})[0],n?n:t.nextTextNode()):null}})}),function(){\"use strict\";function n(){var e,t;for(e=0;e<arguments.length;e++)for(t in arguments[e])this[t]=arguments[e][t]}function r(e,t){var n;e.childAt=e.childAt||{};for(n=t.start;n<t.end;n+=1)e.childAt[n]=t}function i(e,t,n,r){return(!e.canFollow||e.canFollow.indexOf(n&&n.type)>-1)&&(!e.cannotFollow||e.cannotFollow.indexOf(n&&n.type)===-1&&!(e.cannotFollow.indexOf(\"text\")>-1&&r))&&(!e.peek||e.peek===t.slice(0,e.peek.length))}function s(e){var n=e.innerText,r,s,u,a,f,l,c,h=[],p=0,d=p,v=n.length,m=null,g,y;while(p<v){f=n.slice(p),c=(h.length?h[0]:e).innerMode;for(r=0,s=c.length;r<s;r+=1){u=t[c[r]];if(!i(u,f,m,d<p)||!u.pattern.test(f))continue;a=u.pattern.exec(f),g=u.fn(a),y=!1;if(g.matches){for(l=0;l<h.length;l+=1)if(h[l].type in g.matches){y=!0;break}if(l>=h.length&&!g.isFront)continue}d<p&&e.addChild({type:\"text\",text:n.slice(d,p),innerMode:c}),m=e.addChild(g),p+=m.text.length,d=p,y&&(o(e,m,h[l]),h=h.slice(l+1)),m.isFrontToken()&&h.unshift(m);break}r===s&&(p+=1,m===null&&(m={type:\"text\"}))}d<p&&e.addChild({type:\"text\",text:n.slice(d,p),innerMode:(h.length?h[0]:e).innerMode});while(h.length>0)h.shift().demote();return e}function o(e,t,n){var i=e.children.indexOf(t),s=e.children.indexOf(n),o,u;t.children=e.children.splice(s+1,i-(s+1)),t.children.forEach(function(e){r(t,e)}),t.type=t.matches[n.type],t.innerText=\"\";for(o=0,u=t.children.length;o<u;o++)t.innerText+=t.children[o].text;t.start=n.start,t.text=n.text+t.innerText+t.text,Object.keys(n).forEach(function(e){Object.hasOwnProperty.call(t,e)||(t[e]=n[e])}),t.isFront&&(t.isFront=!1),e.children.splice(s,1),r(e,t)}var e,t={};n.prototype={constructor:n,addChild:function(t){var i=this.lastChildEnd(),o;return o=new n({start:i,end:t.text&&i+t.text.length,children:[]},t),o.innerText&&s(o),this.children.push(o),r(this,o),o},lastChild:function(){return this.children?this.children[this.children.length-1]||null:null},lastChildEnd:function(){var t=this.lastChild();return t?t.end:this.start+Math.max(0,this.text.indexOf(this.innerText))},tokenAt:function(t){var n,r;if(t<this.start||t>=this.end)return null;if(this.childAt)return this.childAt[t]&&this.childAt[t].tokenAt(t)||this;if(this.children.length)for(n=0;n<this.children.length;n+=1){r=this.children[n].tokenAt(t);if(r)return r}return this},pathAt:function(t){var n=[],r,i;if(t<this.start||t>=this.end)return[];if(this.childAt)return(this.childAt[t]&&this.childAt[t].pathAt(t)||[]).concat(this);if(this.children.length)for(r=0;r<this.children.length;r+=1){i=this.children[r].pathAt(t);if(i.length){n.concat(i);break}}return n.concat(this)},nearestTokenAt:function(t){return t<this.start||t>=this.end?null:this.children?this.children.reduce(function(e,n){return e||(t>=n.start&&t<n.end?n:null)},null):this},everyLeaf:function u(e){var t;return!this.children||this.children.length===0?!!e(this):this.children.everyLeaf(function(){t=t&&!!u(e)})},isWhitespace:function(){return this.everyLeaf(function(e){return e.type===\"whitespace\"||!e.text.trim()})},isFrontToken:function(){return this.isFront},isBackToken:function(){return\"matches\"in this},demote:function(){this.type=\"text\"},error:function(e){this.type=\"error\",this.message=e},toString:function(){var e=this.type+\"(\"+this.start+\"→\"+this.end+\")\";return this.children&&this.children.length>0&&(e+=\"[\"+this.children+\"]\"),e}},e={lex:function(t,r){var i=s(new n({type:\"root\",start:r||0,end:t.length,text:t,innerText:t,children:[],childAt:{},innerMode:e.startMode}));return i},rules:t},typeof module==\"object\"?module.exports=e:typeof define==\"function\"&&define.amd?define(\"lexer\",[],function(){return e}):typeof StoryFormat==\"function\"&&this instanceof StoryFormat?(this.modules||(this.modules={}),this.modules.Lexer=e):this.TwineLexer=e}.call(this||(typeof global!=\"undefined\"?global:window)),function(){\"use strict\";function t(e){return e&&typeof e==\"object\"?(Object.keys(e).forEach(function(n){e[n]=t(e[n])}),e):(e+\"\").replace(/[\\-\\[\\]\\/\\{\\}\\(\\)\\*\\+\\?\\.\\\\\\^\\$\\|]/g,\"\\\\$&\")}function n(){return\"[^\"+Array.apply(0,arguments).map(t).join(\"\")+\"]*\"}function r(e){return function(){return\"(\"+e+Array.apply(0,arguments).join(\"|\")+\")\"}}var e,i=r(\"?:\"),s=r(\"?!\"),o=r(\"?=\"),u=\"[ \\\\f\\\\t\\\\v  ᠎ - \\u2028\\u2029   ]*\",a=u.replace(\"*\",\"+\"),f=\"\\\\b\",l=\"\\\\\\\\\\\\n\\\\\\\\?|\\\\n\\\\\\\\\",c=\"\\\\n(?!\\\\\\\\)\",h=\"[\\\\w\\\\-À-Þß-ÿŐŰőű]\",p=\"[\\\\wÀ-Þß-ÿŐŰőű]\",d=i(\"\\\\n\",\"$\"),v=\"(\"+i(l,\"[^\\\\n]\")+\"+)\",m=\"\\\\*\",g=u+\"(\"+m+\"+)\"+a+v+d,y=\"(?:0\\\\.)\",b=u+\"(\"+y+\"+)\"+a+v+d,w=u+\"-{3,}\"+u+d,E=u+\"(#{1,6})\"+u+v+d,S=u+\"(==+>|<=+|=+><=+|<==+>)\"+u+d,x={opener:\"\\\\[\\\\[(?!\\\\[)\",text:\"(\"+n(\"]\")+\")\",rightSeparator:i(\"\\\\->\",\"\\\\|\"),leftSeparator:\"<\\\\-\",closer:\"\\\\]\\\\]\",legacySeparator:\"\\\\|\",legacyText:\"(\"+i(\"[^\\\\|\\\\]]\",\"\\\\]\"+s(\"\\\\]\"))+\"+)\"},T=h.replace(\"\\\\-\",\"\")+\"*\"+h.replace(\"\\\\-\",\"\").replace(\"\\\\w\",\"a-zA-Z\")+h.replace(\"\\\\-\",\"\")+\"*\",N=\"\\\\$(\"+T+\")\",C=\"'s\"+a+\"(\"+T+\")\",k=\"(\"+T+\")\"+a+\"of\"+f+s(\"it\"+f),L=\"'s\"+a,A=\"of\"+f,O=i(\"it\",\"time\")+f,M=\"its\"+a+\"(\"+T+\")\",_=\"its\"+a,D=\"(\"+T+\")\"+a+\"of\"+a+\"it\"+f,P=\"of\"+f+a+\"it\"+f,H={opener:\"\\\\(\",name:\"(\"+i(h.replace(\"]\",\"\\\\/]\")+h+\"*\",N)+\"):\",closer:\"\\\\)\"},B=\"<<[^>\\\\s]+\\\\s*(?:\\\\\\\\.|'(?:[^'\\\\\\\\]*\\\\\\\\.)*[^'\\\\\\\\]*'|\\\"(?:[^\\\"\\\\\\\\]*\\\\\\\\.)*[^\\\"\\\\\\\\]*\\\"|[^'\\\"\\\\\\\\>]|>(?!>))*>>\",j={name:\"[a-zA-Z][\\\\w\\\\-]*\",attrs:\"(?:\\\"[^\\\"]*\\\"|'[^']*'|[^'\\\">])*?\"},F=\"\\\\|(\"+h.replace(\"]\",\"_]\")+\"*)>\",I=\"<(\"+h.replace(\"]\",\"_]\")+\"*)\\\\|\",q=\"\\\\b(\\\\d+(?:\\\\.\\\\d+)?(?:[eE][+\\\\-]?\\\\d+)?|NaN)\"+s(\"m?s\")+\"\\\\b\";x.main=x.opener+i(x.text+x.rightSeparator,x.text.replace(\"*\",\"*?\")+x.leftSeparator)+x.text,e={upperLetter:\"[A-ZÀ-ÞŐŰ]\",lowerLetter:\"[a-z0-9_\\\\-ß-ÿőű]\",anyLetter:h,anyLetterStrict:p,whitespace:a,escapedLine:l,br:c,commentFront:\"<!--\",commentBack:\"-->\",tag:\"<\\\\/?\"+j.name+j.attrs+\">\",tagPeek:\"<\",scriptStyleTag:\"<(\"+i(\"script\",\"style\")+\")\"+j.attrs+\">\"+\"[^]*?\"+\"<\\\\/\\\\1>\",scriptStyleTagOpener:\"<\",url:\"(\"+i(\"https?\",\"mailto\",\"javascript\",\"ftp\",\"data\")+\":\\\\/\\\\/[^\\\\s<]+[^<.,:;\\\"')\\\\]\\\\s])\",bullet:m,hr:w,heading:E,align:S,bulleted:g,numbered:b,delOpener:t(\"~~\"),italicOpener:t(\"//\"),boldOpener:t(\"''\"),supOpener:t(\"^^\"),strongFront:t(\"**\"),strongBack:t(\"**\"),emFront:t(\"*\"),emBack:t(\"*\"),verbatimOpener:\"`+\",collapsedFront:\"{\",collapsedBack:\"}\",hookAppendedFront:\"\\\\[\",hookPrependedFront:F+\"\\\\[\",hookAnonymousFront:\"\\\\[\",hookBack:\"\\\\]\"+s(I),hookAppendedBack:\"\\\\]\"+I,passageLink:x.main+x.closer,passageLinkPeek:\"[[\",legacyLink:x.opener+x.legacyText+x.legacySeparator+x.legacyText+x.closer,legacyLinkPeek:\"[[\",simpleLink:x.opener+x.legacyText+x.closer,simpleLinkPeek:\"[[\",macroFront:H.opener+o(H.name),macroFrontPeek:\"(\",macroName:H.name,groupingFront:\"\\\\(\"+s(H.name),groupingFrontPeek:\"(\",groupingBack:\"\\\\)\",twine1Macro:B,twine1MacroPeek:\"<<\",property:C,propertyPeek:\"'s\",belongingProperty:k,possessiveOperator:L,belongingOperator:A,belongingOperatorPeek:\"of\",itsOperator:_,itsOperatorPeek:\"its\",belongingItOperator:P,belongingItOperatorPeek:\"of\",variable:N,variablePeek:\"$\",hookRef:\"\\\\?(\"+h+\"+)\\\\b\",hookRefPeek:\"?\",cssTime:\"(\\\\d+\\\\.?\\\\d*|\\\\d*\\\\.?\\\\d+)(m?s)\"+f,colour:i(i(\"Red\",\"Orange\",\"Yellow\",\"Lime\",\"Green\",\"Cyan\",\"Aqua\",\"Blue\",\"Navy\",\"Purple\",\"Fuchsia\",\"Magenta\",\"White\",\"Gray\",\"Grey\",\"Black\"),\"#[\\\\dA-Fa-f]{3}(?:[\\\\dA-Fa-f]{3})?\"),number:q,\"boolean\":i(\"true\",\"false\")+f,identifier:O,itsProperty:M,itsPropertyPeek:\"its\",belongingItProperty:D,escapedStringChar:\"\\\\\\\\[^\\\\n]\",singleStringOpener:\"'\",doubleStringOpener:'\"',is:\"is\"+s(\" not\",\" in\")+f,isNot:\"is not\"+f,and:\"and\"+f,or:\"or\"+f,not:\"not\"+f,inequality:i(\"<(?!=)\",\"<=\",\">(?!=)\",\">=\"),isIn:\"is in\"+f,contains:\"contains\"+f,addition:t(\"+\")+s(\"=\"),subtraction:t(\"-\")+s(\"=\"),multiplication:t(\"*\")+s(\"=\"),division:i(\"/\",\"%\")+s(\"=\"),comma:\",\",spread:\"\\\\.\\\\.\\\\.\"+s(\"\\\\.\"),to:i(\"to\"+f,\"=\"),into:\"into\"+f,augmentedAssign:i(\"\\\\+\",\"\\\\-\",\"\\\\*\",\"\\\\/\",\"%\")+\"=\"},typeof module==\"object\"?module.exports=e:typeof define==\"function\"&&define.amd?define(\"patterns\",[],function(){return e}):typeof StoryFormat==\"function\"&&this instanceof StoryFormat?(this.modules||(this.modules={}),this.modules.Patterns=e):this.Patterns=e}.call(this||(typeof global!=\"undefined\"?global:window)),function(){\"use strict\";function t(t){function f(e){return e=e||\"innerText\",function(t){var n=t.reduceRight(function(e,t,n){return e||(n?t:\"\")},\"\"),r={};return r[e]=n,r}}function l(e,t){var n={};return n[e]=t,function(){return{isFront:!0,matches:n}}}function h(e,t){return Object.keys(t).forEach(function(n){var r=t[n].fn;t[n].fn=function(t){var i=r(t);return i.text||(i.text=t[0]),i.type||(i.type=n),i.innerMode||(i.innerMode=e),i}}),t}var n,r,i,s,o,u=[],a=[],c=Object.bind(0,null);return n=h(u,{hr:{fn:c},bulleted:{fn:function(e){return{depth:e[1].length,innerText:e[2]}}},numbered:{fn:function(e){return{depth:e[1].length/2,innerText:e[2]}}},heading:{fn:function(e){return{depth:e[1].length,innerText:e[2]}}},align:{fn:function(e){var t,n=e[1],r=n.indexOf(\"><\");return~r?(t=Math.round(r/(n.length-2)*50),t===25&&(t=\"center\")):n[0]===\"<\"&&n.slice(-1)===\">\"?t=\"justify\":n.indexOf(\">\")>-1?t=\"right\":n.indexOf(\"<\")>-1&&(t=\"left\"),{align:t}}}}),Object.keys(n).forEach(function(e){n[e].canFollow=[null,\"br\",\"hr\",\"bulleted\",\"numbered\",\"heading\",\"align\"],n[e].cannotFollow=[\"text\"]}),r=h(u,{twine1Macro:{fn:function(){return{type:\"error\",message:\"Twine 2 macros use a different syntax to Twine 1 macros.\"}}},br:{fn:c},emBack:{fn:function(){return{matches:{emFront:\"em\"}}}},strongBack:{fn:function(){return{matches:{strongFront:\"strong\"}}}},strongFront:{fn:function(){return{isFront:!0}}},emFront:{fn:function(){return{isFront:!0}}},boldOpener:{fn:l(\"boldOpener\",\"bold\")},italicOpener:{fn:l(\"italicOpener\",\"italic\")},delOpener:{fn:l(\"delOpener\",\"del\")},supOpener:{fn:l(\"supOpener\",\"sup\")},commentFront:{fn:function(){return{isFront:!0}}},commentBack:{fn:function(){return{matches:{commentFront:\"comment\"}}}},scriptStyleTag:{fn:c},tag:{fn:c},url:{fn:c},passageLink:{fn:function(e){var t=e[1],n=e[2],r=e[3];return{type:\"twineLink\",innerText:n?r:t,passage:t?r:n}}},simpleLink:{fn:function(e){return{type:\"twineLink\",innerText:e[1],passage:e[1]}}},hookPrependedFront:{fn:function(e){return{name:e[1],isFront:!0,tagPosition:\"prepended\"}}},hookAnonymousFront:{fn:function(){return{isFront:!0,demote:function(){this.error(\"This tagged hook doesn't have a matching ].\")}}},canFollow:[\"macro\",\"variable\"]},hookAppendedFront:{fn:function(){return{isFront:!0}},cannotFollow:[\"macro\",\"variable\"]},hookBack:{fn:function(){return{type:\"hookAppendedBack\",matches:{hookPrependedFront:\"hook\",hookAnonymousFront:\"hook\"}}}},hookAppendedBack:{fn:function(e){return{name:e[1],tagPosition:\"appended\",matches:{hookAppendedFront:\"hook\"}}}},verbatimOpener:{fn:function(e){var t=e[0].length,n={};return n[\"verbatim\"+t]=\"verbatim\",{type:\"verbatim\"+t,isFront:!0,matches:n}}},collapsedFront:{fn:function(){return{isFront:!0}}},collapsedBack:{fn:function(){return{matches:{collapsedFront:\"collapsed\"}}}},escapedLine:{fn:c},legacyLink:{fn:function(e){return{type:\"twineLink\",innerText:e[1],passage:e[2]}}}}),i=h(a,{macroFront:{fn:function(e){return{isFront:!0,name:e[1]}}},groupingBack:{fn:function(){return{matches:{groupingFront:\"grouping\",macroFront:\"macro\"}}}},hookRef:{fn:f(\"name\")},variable:{fn:f(\"name\")},whitespace:{fn:c,cannotFollow:\"text\"}}),s=h(a,Object.assign({macroName:{canFollow:[\"macroFront\"],fn:function(e){return e[2]?{isMethodCall:!0,innerText:e[2]}:{isMethodCall:!1}}},groupingFront:{fn:function(){return{isFront:!0}}},property:{fn:f(\"name\"),canFollow:[\"variable\",\"hookRef\",\"property\",\"itsProperty\",\"belongingItProperty\",\"macro\",\"grouping\",\"string\"]},possessiveOperator:{fn:c},itsProperty:{fn:f(\"name\")},itsOperator:{fn:c},belongingItProperty:{cannotFollow:[\"text\"],fn:f(\"name\")},belongingItOperator:{cannotFollow:[\"text\"],fn:c},belongingProperty:{cannotFollow:[\"text\"],fn:f(\"name\")},belongingOperator:{cannotFollow:[\"text\"],fn:c},escapedStringChar:{fn:function(){return{type:\"text\"}}},singleStringOpener:{fn:function(){return{isFront:!0,matches:{singleStringOpener:\"string\"}}}},doubleStringOpener:{fn:function(){return{isFront:!0,matches:{doubleStringOpener:\"string\"}}}},cssTime:{fn:function(e){return{value:+e[1]*(e[2].toLowerCase()===\"s\"?1e3:1)}}},colour:{cannotFollow:[\"text\"],fn:function(e){var t,n=e[0].toLowerCase(),r={red:\"e61919\",orange:\"e68019\",yellow:\"e5e619\",lime:\"80e619\",green:\"19e619\",cyan:\"19e5e6\",aqua:\"19e5e6\",blue:\"197fe6\",navy:\"1919e6\",purple:\"7f19e6\",fuchsia:\"e619e5\",magenta:\"e619e5\",white:\"fff\",black:\"000\",gray:\"888\",grey:\"888\"};return Object.hasOwnProperty.call(r,n)?t=\"#\"+r[n]:t=n,{colour:t}}},number:{fn:function(e){return{value:parseFloat(e[0])}}},addition:{fn:c},subtraction:{fn:c},multiplication:{fn:c},division:{fn:c},inequality:{fn:function(e){return{operator:e[0]}}},augmentedAssign:{fn:function(e){return{operator:e[0][0]}}},identifier:{fn:f(\"name\")}},[\"boolean\",\"is\",\"to\",\"into\",\"and\",\"or\",\"not\",\"isNot\",\"contains\",\"isIn\"].reduce(function(e,t){return e[t]={fn:c,cannotFollow:[\"text\"]},e},{}),[\"comma\",\"spread\",\"addition\",\"subtraction\",\"multiplication\",\"division\"].reduce(function(e,t){return e[t]={fn:c},e},{}))),[].push.apply(u,Object.keys(n).concat(Object.keys(r)).concat(Object.keys(i))),[].push.apply(a,Object.keys(i).concat(Object.keys(s))),o=Object.assign({},n,r,i,s),Object.keys(o).forEach(function(t){var n=e[t];typeof n!=\"string\"?o[t].pattern=n:o[t].pattern=new RegExp(\"^(?:\"+n+\")\",\"i\"),e[t+\"Peek\"]&&(o[t].peek=e[t+\"Peek\"])}),Object.assign(t.rules,o),t.startMode=u,t}function n(n){var r=Object.freeze({lex:t(n).lex,Patterns:e});return r}var e;Object.assign=Object.assign||function(t){var n=1,r,i;for(;n<arguments.length;n++){r=arguments[n];for(i in r)Object.hasOwnProperty.call(r,i)&&(t[i]=r[i])}return t},typeof module==\"object\"?(e=require(\"patterns\"),module.exports=n(require(\"lexer\"))):typeof define==\"function\"&&define.amd?define(\"markup\",[\"lexer\",\"patterns\"],function(t,r){return e=r,n(t)}):typeof StoryFormat==\"function\"&&this instanceof StoryFormat?(e=this.modules.Patterns,this.modules.Markup=n(this.modules.Lexer),this.lex=this.modules.Markup.lex):(e=this.Patterns,this.TwineMarkup=n(this.TwineLexer))}.call(this||(typeof global!=\"undefined\"?global:window)),define(\"utils/selectors\",[],function(){\"use strict\";return Object.freeze({passage:\"tw-passage\",story:\"tw-story\",sidebar:\"tw-sidebar\",internalLink:\"tw-link\",brokenLink:\"tw-broken-link\",hook:\"tw-hook\",pseudoHook:\"tw-pseudo-hook\",expression:\"tw-expression\",enchanter:\"[enchanter]\",script:\"[role=script]\",stylesheet:\"[role=stylesheet]\",storyData:\"tw-storydata\",passageData:\"tw-passagedata\",whitespace:\"tw-char[char=space], tw-char[char=tab], br\",collapsed:\"tw-collapsed\"})}),define(\"utils/customelements\",[],function(){\"use strict\";if(!document.registerElement)return;var e={};return function t(n,r){var i,s=Object.create(HTMLElement.prototype),o={};return r=Array.from(arguments).slice(1),r.forEach(function(e){o[e]={value:null}}),Object.defineProperties(s,o),i=document.registerElement(n,{prototype:s}),e[n]=i,t}(\"tw-storydata\",\"storyname\",\"startnode\",\"creator\",\"creator-version\",\"options\")(\"tw-passagedata\",\"name\",\"pid\",\"position\")(\"tw-story\")(\"tw-debugger\")(\"tw-passage\")(\"tw-link\",\"passage-name\")(\"tw-broken-link\",\"passage-name\")(\"tw-expression\",\"type\",\"name\",\"js\")(\"tw-sidebar\")(\"tw-icon\")(\"tw-align\")(\"tw-collapsed\")(\"tw-verbatim\")(\"tw-hook\",\"name\",\"source\")(\"tw-pseudo-hook\")(\"tw-transition-container\")(\"tw-error\")(\"tw-error-explanation\")(\"tw-error-explanation-button\")(\"tw-notifier\",\"message\"),Object.freeze(e)}),define(\"utils\",[\"jquery\",\"markup\",\"utils/selectors\",\"utils/customelements\"],function(e,t,n){\"use strict\";function f(e){var t=[];return Array.prototype.every.call(e.find(\"*\"),function(e){return e.hidden||/none|inline/.test(e.style.display)?!0:o.indexOf(e.tagName.toLowerCase())>-1||/none|inline/.test(e.style.display)?!1:u.indexOf(e.tagName.toLowerCase())>-1?!0:(t.push(e),!0)})&&t.every(function(e){return/none|inline/.test(e.style.display)})}var r={configurable:0,writable:0},i={\"transition-in\":Object.create(null),\"transition-out\":Object.create(null)},s,o=\"audio,blockquote,canvas,div,h1,h2,h3,h4,h5,hr,ol,p,pre,table,ul,video,tw-align\".split(\",\"),u=\"a,b,i,em,strong,sup,sub,abbr,acronym,s,strike,del,big,small,script,img,button,input,tw-link,tw-broken-link,tw-verbatim,tw-collapsed,tw-error\".split(\",\"),a=[\"audio\"],l={lockProperties:function(e){var t,n,i=Object.keys(e),s={};for(t=0;t<i.length;t++)n=i[t],s[n]=r;return Object.defineProperties(e,s)},lockProperty:function(e,t,n){var i=Object.create(r);return n&&(i.value=n),Object.defineProperty(e,t,i),e},getInheritedPropertyDescriptor:function(e,t){while(e&&!e.hasOwnProperty(t))e=Object.getPrototypeOf(e);return e&&Object.getOwnPropertyDescriptor(e,t)||null},toJSLiteral:JSON.stringify,toTSStringLiteral:function(e){var t=Math.max.apply(0,(e.match(/(`+)/g)||[]).map(function(e){return e.length}).concat(0))+1;return\"`\".repeat(t)+e+\"`\".repeat(t)},cssTimeUnit:function(e){var t;if(typeof e==\"string\"){e=e.toLowerCase();if(e.slice(-2)===\"ms\")return+e.slice(0,-2)||0;if(e.slice(-1)===\"s\")return+e.slice(0,-1)*1e3||0}else if(Array.isArray(e))return t=[],e.forEach(function(e){var n=l.cssTimeUnit(e);n>0&&t.push(n)}),t;return 0},nth:function(e){var t=(e+\"\").slice(-1);return e+(t===\"1\"?\"st\":t===\"2\"?\"nd\":t===\"3\"?\"rd\":\"th\")},plural:function(e,t){return e+\" \"+t+(e>1?\"s\":\"\")},unescape:function(e){return e.replace(/&(?:amp|lt|gt|quot|nbsp|zwnj|#39|#96);/g,function(e){return{\"&amp;\":\"&\",\"&gt;\":\">\",\"&lt;\":\"<\",\"&quot;\":'\"',\"&#39;\":\"'\",\"&nbsp;\":String.fromCharCode(160),\"&zwnj;\":String.fromCharCode(8204)}[e]})},escape:function(e){return e.replace(/[&><\"']/g,function(e){return{\"&\":\"&amp;\",\">\":\"&gt;\",\"<\":\"&lt;\",'\"':\"&quot;\",\"'\":\"&#39;\"}[e]})},insensitiveName:function(e){return(e+\"\").toLowerCase().replace(/-|_/g,\"\")},wrapHTMLTag:function(e,t){return\"<\"+t+\">\"+e+\"</\"+t+\">\"},findAndFilter:function(t,n){return t=e(t||l.storyElement),t.filter(n).add(t.find(n))},closestHookSpan:function(e){var t=e.closest(n.hook+\",\"+n.pseudoHook);return t.length?t:e},transitionReplace:function(t,n,r){var i,s,o;t=l.closestHookSpan(t),i=e(\"<tw-transition-container>\").css(\"position\",\"relative\"),i.insertBefore(t.first()),n&&(s=e(\"<tw-transition-container>\").appendTo(i),n.appendTo(s)),o=e(\"<tw-transition-container>\").css(\"position\",\"absolute\").prependTo(i),t.detach().appendTo(o),l.transitionOut(o,r),n&&l.transitionIn(s,r,function(){s.unwrap().children().first().unwrap()})},transitionOut:function(e,t){function s(){e.remove()}var n,r=f(e),i=e.length>1||!r||[\"tw-hook\",\"tw-passage\"].indexOf(e.tag())===-1;i&&(e=e.wrapAll(\"<tw-transition-container>\").parent()),e.attr(\"data-t8n\",t).addClass(\"transition-out\"),f(e)&&e.css(\"display\",\"inline-block\"),n=l.transitionTime(t,\"transition-out\"),n?window.setTimeout(s,n):s()},transitionIn:function(e,t){function s(){var t=l.findAndFilter(e,a.join(\",\")).length===0;i&&t?e.contents().unwrap():e.removeClass(\"transition-in\").removeAttr(\"data-t8n\")}var n,r=f(e),i=e.length>1||!r||[\"tw-hook\",\"tw-passage\"].indexOf(e.tag())===-1;i&&(e=e.wrapAll(\"<tw-transition-container>\").parent()),e.attr(\"data-t8n\",t).addClass(\"transition-in\"),f(e)&&e.css(\"display\",\"inline-block\"),n=l.transitionTime(t,\"transition-in\"),n?window.setTimeout(s,n):s()},transitionTime:function(t,n){var r;return i[n][t]||(r=e(\"<p>\").appendTo(document.body).attr(\"data-t8n\",t).addClass(n),i[n][t]=l.cssTimeUnit(r.css(\"animation-duration\"))+l.cssTimeUnit(r.css(\"animation-delay\")),r.remove()),i[n][t]},$:function(t,n){return e(t,n||l.storyElement).not(\".transition-out, .transition-out *\")},log:function(e){if(!window.console)return;console.log(e)},impossible:function(e,t){if(!window.console)return;console.error(e+\"(): \"+t)},assert:function(e){if(!window.console)return;e||console.error(\"Assertion failed!\")},assertMustHave:function(e,t){if(!window.console)return;for(var n=0;n<t.length;n+=1)t[n]in e||console.error(\"Assertion failed: \"+e+\" lacks property \"+t[n])},assertOnlyHas:function(e,t){if(!window.console)return;for(var n in e)t.indexOf(n)===-1&&console.error(\"Assertion failed: \"+e+\" had unexpected property '\"+n+\"'!\")},get storyElement(){return s}};return e(document).ready(function(){s=e(n.story)}),Object.freeze(l)}),define(\"twinescript/compiler\",[\"utils\"],function(e){\"use strict\";function t(e,t){var n,r=arguments.length===1?t:Array.prototype.slice.call(arguments,1);for(n=0;n<e.length;n+=1)if(0+r.indexOf(e[n].type)>-1)return n;return NaN}function n(e){var n=Array.prototype.slice.call(arguments,0);return n[0]=Array.from(e).reverse(),e.length-1-t.apply(0,n)}function r(i,s){var o,u,a,f,l,c,h,p,d,v=!0,m=!0,g=!1;if(!i)return\"\";i=[].concat(i);if(i.length===1){l=i[0];if(l.type===\"identifier\")return s?\"TwineError.create('keyword','I can\\\\'t use \\\\'\"+l.text+\"\\\\' in this position.') \":\" Operations.Identifiers.\"+l.text.toLowerCase()+\" \";if(l.type===\"variable\")return\"VarRef.create(State.variables,\"+e.toJSLiteral(l.name)+\")\"+(s?\"\":\".get()\");if(l.type===\"hookRef\")return s?\"VarRef.create(section.selectHook('?\"+l.name+\"'), 'TwineScript_Assignee')\":\" section.selectHook('?\"+l.name+\"') \";if(l.type===\"string\")return l.text.replace(/\\n/g,\"\\\\n\");if(l.type===\"colour\")return\"Colour.create(\"+e.toJSLiteral(l.colour)+\")\";if(l.type===\"root\")return r(l.children)}return(o=t(i,\"comma\"))>-1?(c=\",\",m=!1):(o=t(i,\"spread\"))>-1?(c=\"Operations.makeSpreader(\",a=r(i.splice(o+1))+\")\",v=!1):(o=t(i,\"to\"))>-1?(p=\"to\",u=\"Operations.setIt(\"+r(i.slice(0,o),\"varRef\")+\")\"):(o=t(i,\"into\"))>-1?(p=\"into\",a=r(i.slice(0,o),\"varRef\"),u=\"Operations.setIt(\"+r(i.slice(o+1),\"varRef\")+\")\"):(o=t(i,\"augmentedAssign\"))>-1?(p=i[o].operator,u=r(i.slice(0,o),\"varRef\"),a=\"Operations['\"+p+\"'](\"+(r(i.slice(0,o))+\",\"+r(i.splice(o+1)))+\")\"):(o=t(i,\"and\",\"or\"))>-1?h=i[o].type:(o=t(i,\"is\",\"isNot\"))>-1?(g=!0,h=i[o].type):(o=t(i,\"contains\",\"isIn\"))>-1?(g=!0,h=i[o].type):(o=t(i,\"inequality\"))>-1?(g=!0,h=i[o].operator):(o=t(i,\"addition\",\"subtraction\"))>-1?(h=i[o].text,u=r(i.slice(0,o)),u.trim()||(u=\"0\")):(o=t(i,\"multiplication\",\"division\"))>-1?h=i[o].text:(o=t(i,\"not\"))>-1?(c=\"Operations.not(\",a=r(i.splice(o+1))+\")\",v=!1):(o=t(i,\"belongingProperty\"))>-1?(a=\"VarRef.create(\"+r(i.slice(o+1),\"varref\")+\",\"+e.toJSLiteral(i[o].name)+\")\"+(s?\"\":\".get()\"),c=\" \",v=m=!1):(o=t(i,\"belongingOperator\",\"belongingItOperator\"))>-1?(i[o].type.includes(\"It\")&&(a=\"Operations.Identifiers.it\",m=!1),d=\"belonging\"):(o=n(i,\"property\"))>-1?(u=\"VarRef.create(\"+r(i.slice(0,o),\"varref\")+\",\"+e.toJSLiteral(i[o].name)+\")\"+(s?\"\":\".get()\"),c=\" \",v=m=!1):(o=n(i,\"itsProperty\"))>-1||(o=t(i,\"belongingItProperty\"))>-1?(u=\"VarRef.create(Operations.Identifiers.it,\"+e.toJSLiteral(i[o].name)+\").get()\",c=\" \",v=m=!1):(o=n(i,\"possessiveOperator\",\"itsOperator\"))>-1?(i[o].type.includes(\"it\")&&(u=\"Operations.Identifiers.it\",v=!1),d=\"possessive\"):(o=t(i,\"macro\"))>-1?(f=i[o].children[0],e.assert(f.type===\"macroName\"),c=\"Macros.run(\"+(f.isMethodCall?r(f.children):'\"'+i[o].name+'\"')+\", [\"+\"section,\"+r(i[o].children.slice(1))+\"])\",v=m=!1):(o=t(i,\"grouping\"))>-1&&(c=\"(\"+r(i[o].children,s)+\")\",v=m=!1),o>-1?(u=u||r(i.slice(0,o),s).trim(),a=a||r(i.splice(o+1)).trim(),g&&!u&&(u=\" Operations.Identifiers.it \"),v&&!u||m&&!a?\"TwineError.create('operation','I need some code to be \"+(v?\"left \":\"\")+(v&&m?\"and \":\"\")+(m?\"right \":\"\")+\"of \"+'\"'+i[o].text+'\"'+\"')\":c?u+c+a:p?\"Operations.makeAssignmentRequest(\"+[u,a,e.toJSLiteral(p)]+\")\":d?\"VarRef.create(\"+(d===\"belonging\"?a:u)+\",{computed:true,value:\"+(d===\"belonging\"?u:a)+\"})\"+(s?\"\":\".get()\"):h?\" Operations[\"+e.toJSLiteral(h)+\"](\"+u+\",\"+a+\") \":\"\"):i.length===1?((l.value||l.text)+\"\").trim()||\" \":i.reduce(function(e,t){return e+r(t,s)},\"\")}return r}),define(\"internaltypes/twineerror\",[\"jquery\",\"utils\"],function(e,t){\"use strict\";var n={syntax:\"The markup seems to contain a mistake.\",saving:\"I tried to save or load the game, but I couldn't do it.\",operation:\"I tried to use an operation on some data, but the data's type was incorrect.\",macrocall:\"I tried to use a macro, but its call wasn't written correctly.\",datatype:\"I tried to use a macro, but was given the wrong type of data to it.\",keyword:\"I was given a keyword in a way that I didn't understand.\",changer:\"This is a command to change a hook, but it isn't being used correctly.\",infinite:\"I almost ended up doing the same thing over and over, forever.\",property:\"I tried to access a value in a string/array/datamap, but I couldn't find it.\",unimplemented:\"I currently don't have this particular feature. I'm sorry.\",javascript:\"This error message was reported by your browser's Javascript engine. I don't understand it either, but it usually means that an expression was badly written.\"},r={create:function(e,r,i){return r||t.impossible(\"TwineError.create\",\"called with only 1 string.\"),t.assert(i||e in n),Object.assign(Object.create(this),{type:e,message:r,explanation:i})},fromError:function(e){return r.create(\"javascript\",\"☕ \"+e.message)},containsError:function i(){return Array.from(arguments).reduce(function(e,t){return e?e:t instanceof Error?t:r.isPrototypeOf(t)?t:Array.isArray(t)?i.apply(this,t):!1},!1)},createWarning:function(e,t){return Object.assign(this.create(e,t),{warning:!0})},render:function(r){r=r||\"\";var i=e(\"<tw-error class='\"+(this.type===\"javascript\"?\"javascript \":\"\")+(this.warning?\"warning\":\"error\")+\"' title='\"+t.escape(r)+\"'>\"+t.escape(this.message)+\"</tw-error>\"),s=e(\"<tw-error-explanation>\").text(this.explanation||n[this.type]).hide(),o=e(\"<tw-error-explanation-button tabindex=0>\").html(\"<span class='folddown-arrowhead'>&#9658;</span>\");return o.on(\"click\",function(){s.toggle(),o.children(\".folddown-arrowhead\").css(\"transform\",\"rotate(\"+(s.is(\":visible\")?\"90deg\":\"0deg\")+\")\")}),i.append(o).append(s),i}};return r}),define(\"renderer\",[\"utils\",\"markup\",\"twinescript/compiler\",\"internaltypes/twineerror\"],function(e,t,n,r){\"use strict\";function i(t,n){var r=u.render(t.children);return r&&e.wrapHTMLTag(r,n)}var s=\"text-align: center; max-width:50%; \",o=e.escape,u={options:{},exec:function(){var n,r;return function(i){return typeof i!=\"string\"?(e.impossible(\"Renderer.exec\",\"source was not a string, but \"+typeof i),\"\"):i===n?r:(n=i,r=this.render(t.lex(i).children),r)}}(),render:function a(f){var l,c,h,p,d,v,m,g,y=0,b=\"\";if(!f)return b;c=f.length;for(;y<c;y+=1){l=f[y];switch(l.type){case\"error\":b+=r.create(\"syntax\",l.message).render(o(l.text))[0].outerHTML;break;case\"numbered\":case\"bulleted\":h=l.type===\"numbered\"?\"ol\":\"ul\",b+=\"<\"+h+\">\",p=1;while(y<c&&f[y]&&f[y].type===l.type)b+=(\"<\"+h+\">\").repeat(Math.max(0,f[y].depth-p)),b+=(\"</\"+h+\">\").repeat(Math.max(0,p-f[y].depth)),p=f[y].depth,b+=i(f[y],\"li\"),y+=1;y-=1,b+=(\"</\"+h+\">\").repeat(p+1);break;case\"align\":while(l&&l.type===\"align\"){d=\"\",v=\"\",m=l.align,g=y+=1;if(m===\"left\")break;while(y<c&&f[y]&&f[y].type!==\"align\")y+=1;v+=a(f.slice(g,y));switch(m){case\"center\":d+=s+\"margin-left: auto; margin-right: auto;\";break;case\"justify\":case\"right\":d+=\"text-align: \"+m+\";\";break;default:+m&&(d+=s+\"margin-left: \"+m+\"%;\")}b+=\"<tw-align \"+(d?'style=\"'+d+'\"':\"\")+(u.options.debug?' title=\"'+l.text+'\"':\"\")+\">\"+v+\"</tw-align>\\n\",l=f[y]}break;case\"heading\":b+=i(l,\"h\"+l.depth);break;case\"br\":case\"hr\":b+=\"<\"+l.type+\">\";break;case\"escapedLine\":case\"comment\":break;case\"inlineUrl\":b+='<a class=\"link\" href=\"'+o(l.text)+'\">'+l.text+\"</a>\";break;case\"scriptStyleTag\":case\"tag\":b+=l.text.startsWith(\"</\")?l.text:l.text.replace(/>$/,\" data-raw>\");break;case\"sub\":case\"sup\":case\"del\":case\"strong\":case\"em\":b+=i(l,l.type);break;case\"bold\":b+=i(l,\"b\");break;case\"italic\":b+=i(l,\"i\");break;case\"twineLink\":var w=t.lex(\"(link-goto:\"+e.toJSLiteral(l.innerText)+\",\"+e.toJSLiteral(l.passage)+\")\");b+=a(w.children);break;case\"hook\":b+=\"<tw-hook \"+(l.name?'name=\"'+l.name+'\"':\"\")+(u.options.debug&&l.name?' title=\"Hook: ?'+l.name+'\"':\"\")+' source=\"'+o(l.innerText)+'\">'+\"</tw-hook>\";break;case\"verbatim\":b+=e.wrapHTMLTag(o(l.innerText).replace(/\\n/g,\"<br>\"),\"tw-verbatim\");break;case\"collapsed\":b+=i(l,\"tw-collapsed\");break;case\"hookRef\":case\"variable\":case\"macro\":b+='<tw-expression type=\"'+l.type+'\" name=\"'+o(l.name||l.text)+'\"'+(u.options.debug?' title=\"'+o(l.text)+'\"':\"\")+' js=\"'+o(n(l))+'\">'+\"</tw-expression>\";break;default:b+=l.children&&l.children.length?a(l.children):l.text}}return b}};return Object.freeze(u)}),define(\"passages\",[\"jquery\",\"utils\",\"utils/selectors\"],function(e,t,n){\"use strict\";function r(e){return Object.assign(new Map([[\"source\",t.unescape(e.html())],[\"tags\",(e.attr(\"tags\")||\"\").split(/\\s/)],[\"name\",e.attr(\"name\")]]),{TwineScript_TypeName:\"passage datamap\",TwineScript_ObjectName:\"a passage datamap\"})}var i=Object.assign(new Map,{TwineScript_ObjectName:\"the Passages datamap\",getTagged:function(e){var t=[];return this.forEach(function(n){var r=n instanceof Map&&n.get(\"tags\");Array.isArray(r)&&r.indexOf(e)>-1&&t.push(n)}),t.sort(function(e,t){return e.get(\"name\")>t.get(\"name\")})},create:r});return e(document).ready(function(){Array.from(e(n.storyData+\" > \"+n.passageData)).forEach(function(t){t=e(t),i.set(t.attr(\"name\"),new r(t))})}),i}),define(\"state\",[\"utils\",\"passages\"],function(e,t){\"use strict\";var n={TwineScript_ObjectName:\"this story's variables\",TwineScript_Writeproof:[]},r={passage:\"\",variables:n,create:function(e,t){var n=Object.create(r);return n.passage=e||\"\",n.variables=Object.assign(Object.create(this.variables),t),n}},i=[],s=-1,o=r.create(),u=!0,a=Object.assign({get passage(){return o.passage},get variables(){return o.variables},get pastLength(){return s},get futureLength(){return i.length-1-s},passageNameVisited:function(e){var n,r=0;if(!t.get(e))return 0;for(n=0;n<=s;n++)r+=+(e===i[n].passage);return r},passageNameLastVisited:function(e){var n;if(!t.get(e))return Infinity;if(e===o.passage)return 0;for(n=s;n>0;n--)if(i[n].passage===e)return s-n+1;return Infinity},pastPassageNames:function(){var e,t=[];for(e=s-1;e>=0;e--)t.unshift(i[e].passage);return t},newPresent:function(e){o=(i[s]||r).create(e)},play:function(t){o||e.impossible(\"State.play\",\"present is undefined!\"),o.passage=t,i=i.slice(0,s+1).concat(o),s+=1,this.newPresent(t)},rewind:function(e){var t=1,n=!1;if(e)if(typeof e==\"string\"){t=this.passageNameLastVisited(e);if(t===Infinity)return}else typeof e==\"number\"&&(t=e);for(;t>0&&s>0;t--)n=!0,s-=1;return n&&this.newPresent(i[s].passage),n},fastForward:function(e){var t=1,n=!1;typeof e==\"number\"&&(t=e);for(;t>0&&i.length>0;t--)n=!0,s+=1;return n&&this.newPresent(i[s].passage),n},reset:function(){i=[],s=-1,o=r.create(),u=!0}},function(){function e(t){return typeof t==\"number\"||typeof t==\"boolean\"||typeof t==\"string\"||t===null||Array.isArray(t)&&t.every(e)||t instanceof Set&&Array.from(t).every(e)||t instanceof Map&&Array.from(t.values()).every(e)}function t(e,t){return t instanceof Set?{\"(dataset:)\":Array.from(t)}:t instanceof Map?{\"(datamap:)\":Array.from(t)}:t}function o(e,t){if(Object.prototype.isPrototypeOf(t)){if(Array.isArray(t[\"(dataset:)\"]))return new Set(t[\"(dataset:)\"]);if(Array.isArray(t[\"(datamap:)\"]))return new Map(t[\"(datamap:)\"])}return t}function a(){var n=i.slice(0,s+1);u=u&&n.every(function(t){return Object.keys(t.variables).every(function(n){var r=t.variables[n];return e(r)})});if(!u)return!1;try{return JSON.stringify(n,t)}catch(r){return!1}}function f(e){var t,u=n;try{t=JSON.parse(e,o)}catch(a){return!1}if(!Array.isArray(t))return!1;if((t=t.map(function(e){return typeof e!=\"object\"||!e.hasOwnProperty(\"passage\")||!e.hasOwnProperty(\"variables\")?!1:(e.variables=Object.assign(Object.create(u),e.variables),u=e.variables,Object.assign(Object.create(r),e))})).indexOf(!1)>-1)return!1;i=t,s=i.length-1,this.newPresent(i[s].passage)}return{serialise:a,deserialise:f}}());return Object.seal(r),Object.freeze(a)}),define(\"utils/operationutils\",[\"utils\",\"internaltypes/twineerror\"],function(e,t){\"use strict\";function n(e){return!!e&&(typeof e==\"object\"||typeof e==\"function\")}function r(e){return Array.isArray(e)?\"array\":e instanceof Map?\"datamap\":e instanceof Set?\"dataset\":e&&typeof e==\"object\"?\"object\":\"\"}function i(n,r){e.assert(n instanceof Map);if(typeof r!=\"string\"&&typeof r!=\"number\")return t.create(\"property\",\"Only strings and numbers can be used as data names for \"+a(n)+\", not \"+a(r)+\".\");var i=typeof r==\"string\"?+r:\"\"+r;return!Number.isNaN(i)&&n.has(i)?t.create(\"property\",\"You mustn't use both \"+a(r)+\" and \"+a(i)+\" as data names in the same datamap.\"):!0}function s(e){return typeof e==\"string\"||Array.isArray(e)}function o(t){if(!n(t))return t;if(typeof t.TwineScript_Clone==\"function\")return t.TwineScript_Clone();if(Array.isArray(t))return[].concat(t);if(t instanceof Map)return Object.assign(new Map(t),t);if(t instanceof Set)return Object.assign(new Set(t),t);if(typeof t==\"function\")return Object.assign(t.bind(),t);switch(Object.getPrototypeOf(t)){case Object.prototype:return Object.assign({},t);case null:return Object.assign(Object.create(null),t)}return e.impossible(\"Operations.clone\",\"The value \"+t+\" cannot be cloned!\"),t}function u(e,t,r){return typeof t==\"string\"&&n(r)&&\"TwineScript_ToString\"in r?e(t,r.TwineScript_ToString()):typeof r==\"string\"&&n(t)&&\"TwineScript_ToString\"in t?e(t.TwineScript_ToString(),r):!1}function a(t){return n(t)&&\"TwineScript_ObjectName\"in t?t.TwineScript_ObjectName:Array.isArray(t)?\"an array\":t instanceof Map?\"a datamap\":t instanceof Set?\"a dataset\":typeof t==\"boolean\"?\"the logic value '\"+t+\"'\":typeof t==\"string\"||typeof t==\"number\"?\"the \"+typeof t+\" \"+e.toJSLiteral(t):t===undefined?\"an empty variable\":\"...whatever this is\"}function f(t){if(t.innerType)return t.pattern===\"either\"?(e.assert(Array.isArray(t.innerType)),t.innerType.map(f).join(\" or \")):t.pattern===\"optional\"?\"(an optional) \"+f(t.innerType):f(t.innerType);return t===String||t===Number||t===Boolean?\"a \"+typeof t():t===Map?\"a datamap\":t===Set?\"a dataset\":t===Array?\"an array\":n(t)&&\"TwineScript_TypeName\"in t?t.TwineScript_TypeName:a(t)}function l(e,t){return typeof e!=\"object\"&&typeof t!=\"object\"?e===t:Array.isArray(e)&&Array.isArray(t)?e.length!==t.length?!1:e.every(function(e,n){return l(t[n],e)}):e instanceof Map&&t instanceof Map?l(Array.from(e.entries()).sort(),Array.from(t.entries()).sort()):e instanceof Set&&t instanceof Set?l(Array.from(e.values()),Array.from(t.values())):e&&typeof e.TwineScript_is==\"function\"?e.TwineScript_is(t):Object.is(e,t)}function c(e,t){if(e){if(typeof e==\"string\")return e.indexOf(t)>-1;if(Array.isArray(e))return e.some(function(e){return l(e,t)});if(e instanceof Set||e instanceof Map)return Array.from(e.keys()).some(function(e){return l(e,t)})}return l(e,t)}function h(e,n,i){var s,o=typeof e==\"string\";return!n||!i?t.create(\"macrocall\",\"The sub\"+r(e)+\" index arguments must not be 0 or NaN.\"):(n<0&&(n=e.length+n+1),i<0&&(i=e.length+i+1),n>i?h(e,i,n):(o&&(e=Array.from(e)),s=e.slice(n>0?n-1:n,i),o?s.join(\"\"):s))}var p=Object.freeze({isObject:n,isValidDatamapName:i,collectionType:r,isSequential:s,clone:o,coerceToString:u,objectName:a,typeName:f,is:l,contains:c,subset:h,numericIndex:/^(?:[1-9]\\d*|0)$/});return p}),define(\"macros\",[\"jquery\",\"utils\",\"utils/operationutils\",\"internaltypes/twineerror\"],function(e,t,n,r){\"use strict\";function u(e){return function(i){i=i.reduce(function(e,t){if(t&&t.spreader===!0)if(Array.isArray(t.value)||typeof t.value==\"string\")for(var i=0;i<t.value.length;i++)e.push(t.value[i]);else t.value instanceof Set?t.value.forEach(function(t){e.push(t)}):e.push(r.create(\"operation\",\"I can't spread out \"+n.objectName(t.value)+\", which is not a string, dataset or array.\"));else e.push(t);return e},[]);var s=r.containsError(i);return s?s:e.apply(0,i)}}function a(e,t){if(t===null)return e===undefined;if(t.innerType){if(t.pattern===\"optional\"||t.pattern===\"zero or more\")return e===undefined?!0:a(e,t.innerType);if(t.pattern===\"either\")return t.innerType.some(function(t){return a(e,t)});if(t.pattern===\"wrapped\")return a(e,t.innerType)}return t!==undefined&&e===undefined?!1:t===i.TypeSignature.Any&&e!==undefined?!0:t===String?typeof e==\"string\":t===Boolean?typeof e==\"boolean\":t===Number?typeof e==\"number\":t===Array?Array.isArray(e):t===Map||t===Set?e instanceof t:Object.isPrototypeOf.call(t,e)}function f(e,i,s){var o;return s?(s=[].concat(s),e=\"(\"+(Array.isArray(e)&&e.length>1?e[0]:e)+\":)\",s.length>0?o=\"The \"+e+\" macro must only be given \"+s.map(n.typeName).reduce(function(e,t,n,r){return e+(n===0?\"\":n<r.length-1?\", \":\", and \")+t},\"\")+(s.length>1?\", in that order\":\".\"):o=\"The macro must not be given any data - just write \"+e+\".\",function(){var f=Array.from(arguments).slice(1),l,c,h,p,d;for(h=0,p=Math.max(f.length,s.length);h<p;h+=1){l=s[h],c=f[h];if(h>=s.length&&!d)return r.create(\"typesignature\",f.length-s.length+\" too many values were given to this \"+e+\" macro.\",o);l||(l=d),l.innerType&&(l.pattern===\"rest\"||l.pattern===\"zero or more\")&&(d=l.innerType,l.pattern===\"rest\"&&(l=l.innerType));if(!a(c,l))return c===undefined?r.create(\"typesignature\",\"The \"+e+\" macro needs \"+t.plural(s.length-h,\"more value\")+\".\",o):r.create(\"typesignature\",e+\"'s \"+t.nth(h+1)+\" value is \"+n.objectName(c)+\", but should be \"+n.typeName(l)+\".\",l.message||o)}return i.apply(0,arguments)}):i}function l(e,n,r){Array.isArray(e)?e.forEach(function(e){t.lockProperty(s,t.insensitiveName(e),r)}):t.lockProperty(s,t.insensitiveName(e),r)}var i,s={},o={};return i={has:function(e){return e=t.insensitiveName(e),s.hasOwnProperty(e)},get:function(e){return e=t.insensitiveName(e),s.hasOwnProperty(e)&&s[e]},add:function c(e,t,n){return l(e,\"value\",u(f(e,t,n))),c},addChanger:function h(e,n,r,i){return t.assert(r),l(e,\"changer\",u(f(e,n,i))),o[Array.isArray(e)?e[0]:e]=r,h},getChangerFn:function(t){return o[t]},TypeSignature:{optional:function(e){return{pattern:\"optional\",innerType:e}},zeroOrMore:function(e){return{pattern:\"zero or more\",innerType:e}},either:function(){return{pattern:\"either\",innerType:Array.from(arguments)}},rest:function(e){return{pattern:\"rest\",innerType:e}},wrapped:function(e,t){return{pattern:\"wrapped\",innerType:e,message:t}},Any:{TwineScript_TypeName:\"anything\"}},run:function(e,t){var n;return r.containsError(e)?e:i.has(e)?(n=i.get(e),n(t)):r.create(\"macrocall\",\"I can't run the macro '\"+e+\"' because it doesn't exist.\")}},Object.freeze(i)}),define(\"datatypes/colour\",[\"utils\",\"jquery\"],function(e,t){\"use strict\";function u(e){if(e in o)return o[e];var n=t(\"<p>\").css(\"background-color\",e).css(\"background-color\");return n.startsWith(\"rgb\")?n=n.match(/\\d+/g).reduce(function(e,t,n){return e[\"rgb\"[n]]=+t,e},{}):n={r:192,g:192,b:192},o[e]=n,n}function a(e){return typeof e!=\"string\"?e:(e=e.replace(\"#\",\"\"),e=e.replace(i,\"$1$1$2$2$3$3\"),{r:parseInt(e.slice(0,2),16),g:parseInt(e.slice(2,4),16),b:parseInt(e.slice(4,6),16)})}var n,r=/^([\\da-fA-F])$/,i=/^([\\da-fA-F])([\\da-fA-F])([\\da-fA-F])$/,s=/^([\\da-fA-F])([\\da-fA-F])([\\da-fA-F])([\\da-fA-F])([\\da-fA-F])([\\da-fA-F])$/,o=Object.create(null);return n=Object.freeze({colour:!0,TwineScript_TypeName:\"a colour\",TwineScript_ObjectName:\"a colour\",\"TwineScript_+\":function(e){var t=this,r=e;return n.create({r:Math.min(Math.round((t.r+r.r)*.6),255),g:Math.min(Math.round((t.g+r.g)*.6),255),b:Math.min(Math.round((t.b+r.b)*.6),255)})},TwineScript_Print:function(){return\"<tw-colour style='background-color:rgb(\"+[this.r,this.g,this.b].join(\",\")+\");'></span>\"},TwineScript_is:function(e){return n.isPrototypeOf(e)&&e.r===this.r&&e.g===this.g&&e.b===this.b},TwineScript_Clone:function(){return n.create(this)},toHexString:function(){return e.assert(this!==n),\"#\"+this.r.toString(16).replace(r,\"0$1\")+this.g.toString(16).replace(r,\"0$1\")+this.b.toString(16).replace(r,\"0$1\")},create:function(e){return typeof e==\"string\"?n.isHexString(e)?this.create(a(e)):this.create(u(e)):Object.assign(Object.create(this),e)},isHexString:function(e){return typeof e==\"string\"&&e[0]===\"#\"&&(e.slice(1).match(i)||e.slice(1).match(s))}}),n}),define(\"internaltypes/varref\",[\"utils\",\"state\",\"internaltypes/twineerror\",\"utils/operationutils\"],function(e,t,n,r){\"use strict\";function f(e,t){var i,u;if(u=n.containsError(e,t))return u;if(e instanceof Map&&(u=n.containsError(r.isValidDatamapName(e,t))))return u;if(s(e)){if(typeof t==\"number\")t-=1;else if(i=/(\\d+)(?:st|[nr]d|th)last/i.exec(t))t=-i[1]+\"\";else if(i=/(\\d+)(?:st|[nr]d|th)/i.exec(t))t=i[1]-1+\"\";else if(t===\"last\")t=-1;else if(t!==\"length\")return n.create(\"property\",\"You can only use positions ('4th', 'last', '2ndlast', (2), etc.) and 'length' with \"+o(e)+\", not '\"+t+\"'.\")}else if(e instanceof Set){if(t!==\"length\")return n.create(\"property\",\"You can only get the 'length' of a \"+o(e)+\".\",\"To check contained values, use the 'contains' operator.\");t=\"size\"}return t}function l(e,t){return e instanceof Map?e.get(t):(s(e)&&+t<0&&(t=e.length+ +t),e[t])}function c(e){return e.computed?\"(\"+o(e.value)+\")\":\"'\"+e+\"'\"}function h(e,t){var r=\"I won't add \"+c(t)+\" to \"+o(e)+\" because it's one of my special system collections.\",i=\"I can't modify '\"+c(t)+\"' because it holds one of my special system collections.\";if(e instanceof Map)return e.TwineScript_Sealed&&!e.has(t)?n.create(\"operation\",r):e.TwineScript_Writeproof&&e.TwineScript_Writeproof.indexOf(t)>-1?n.create(\"operation\",i):!0;if(s(e)){if(t===\"length\")return n.create(\"operation\",\"I can't forcibly alter the length of \"+o(e)+\".\");if(+t!==(t|0))return n.create(\"property\",o(e)+\" can only have position keys ('3rd', '1st', (5), etc.), not \"+c(t)+\".\")}return!e.TwineScript_Sealed||t in e?e.TwineScript_Writeproof&&e.TwineScript_Writeproof.indexOf(t)>-1?n.create(\"operation\",i):!0:n.create(\"operation\",r)}function p(e,t,n){e instanceof Map?e.set(t,n):(s(e)&&+t<0&&(t=e.length+ +t),e[t]=n)}function d(e){function t(){return e}return{get:t,set:t,\"delete\":t}}var i=r.isObject,s=r.isSequential,o=r.objectName,u=r.clone,a=0,v=Object.freeze({varref:!0,get:function(){var e=this.deepestObject,r=this.deepestProperty;return typeof e==\"string\"&&(e=Array.from(e)),s(e)&&+r<0&&(r=e.length+ +r),(e instanceof Map?!!e.has(r):r in Object(e))?l(e,r):e===t.variables?a:n.create(\"property\",\"I can't find a \"+c(this.propertyChain.slice(-1)[0])+\" data name in \"+o(e))},set:function(e){var t,s;e&&e.TwineScript_AssignValue&&(e=e.TwineScript_AssignValue());if(s=n.containsError(h(this.deepestObject,this.deepestProperty)))return s;t=this.object,this.compiledPropertyChain.slice(0,-1).every(function(e){var n,i=l(t,e);return r.isObject(i)?(n=u(i),t instanceof Map?t.set(e,n):t[e]=n,t=n,!0):!1}),this.deepestObject=t,i(e)&&(e=u(e)),p(this.deepestObject,this.deepestProperty,e)},\"delete\":function(){var e=this.deepestObject,t=this.deepestProperty;if(Array.isArray(e)&&r.numericIndex.exec(t)){e.splice(t,1);return}if(e instanceof Map||e instanceof Set){e.delete(t);return}if(!delete e[t])return n.create(\"property\",\"I couldn't delete '\"+t+\"' from \"+o(e)+\".\")},create:function(e,t){var r,i,s=[];return(r=n.containsError(e))?d(r):(t=[].concat(t),v.isPrototypeOf(e)&&(t=e.propertyChain.concat(t),e=e.object),i=e,s=t.reduce(function(e,r,s){var o;return r.computed&&(r=r.value),r=f(i,r),(o=n.containsError([e].concat(r)))?o:(s<t.length-1&&(i=l(i,r)),e.concat(r))},[]),(r=n.containsError(s))?d(r):Object.assign(Object.create(v),{object:e,propertyChain:t,compiledPropertyChain:s,deepestProperty:s.slice(-1)[0],deepestObject:i}))},get TwineScript_ObjectName(){return(this.object===t.variables?\"$\":o(this.object)+\"'s \")+this.propertyChain.reduce(function(e,t){return e+\"'s \"+c(t)})}});return v}),define(\"datatypes/assignmentrequest\",[\"utils\"],function(e){\"use strict\";var t=Object.freeze({assignmentRequest:!0,TwineScript_TypeName:\"an assignment operation\",TwineScript_ObjectName:\"an assignment operation\",TwineScript_Print:function(){return\"[an assignment operation]\"},create:function(t,n,r){return e.assert(\"propertyChain\"in t&&\"object\"in t),Object.assign(Object.create(this),{dest:t,src:n,operator:r})},TwineScript_Clone:function(){return t.create(this.dest,this.src,this.operator)}});return t}),define(\"twinescript/operations\",[\"utils\",\"state\",\"datatypes/colour\",\"datatypes/assignmentrequest\",\"utils/operationutils\",\"internaltypes/twineerror\"],function(e,t,n,r,i,s){\"use strict\";function p(e,t,n,r){return n=n||\"do this to\",function(i,o){var u;return t.length===1&&(o=i),(u=s.containsError(i,o))?u:typeof i!==e||typeof o!==e?s.create(\"operation\",\"I can only \"+n+\" \"+e+\"s, not \"+l(typeof i!==e?i:o)+\".\",r):t(i,o)}}function d(e){return function(t,n){var r;return(r=s.containsError(t,n))?r:t&&t.varref?s.create(\"operation\",\"I can't give an expression a new value.\"):typeof t!=typeof n||a(t)!==a(n)?f(e,t,n)||s.create(\"operation\",l(t)+\" isn't the same type of data as \"+l(n)):e(t,n)}}function v(e){return function(t,n){return h=t,e(t,n)}}var o,u=i.isObject,a=i.collectionType,f=i.coerceToString,l=i.objectName,c=i.contains,h=0,m=\"If one of these values is a number, you may want to write a check that it 'is not 0'. Also, if one is a string, you may want to write a check that it 'is not \\\"\\\" '.\";return o={create:function(e){var t=Object.create(this);return t.Identifiers={get it(){return h},get time(){return Date.now()-e.timestamp}},t},and:p(\"boolean\",d(function(e,t){return e&&t}),\"use 'and' to join\",m),or:p(\"boolean\",d(function(e,t){return e||t}),\"use 'or' to join\",m),not:p(\"boolean\",function(e){return!e},\"use 'not' to invert\",m),\"+\":d(function(e,t){var n;return Array.isArray(e)?[].concat(e,t):e instanceof Map?(n=new Map(e),t.forEach(function(e,t){n.set(t,e)}),n):e instanceof Set?(n=new Set(e),t.forEach(function(e){n.add(e)}),n):typeof e[\"TwineScript_+\"]==\"function\"?e[\"TwineScript_+\"](t):\"string|number|boolean\".includes(typeof e)?e+t:s.create(\"operation\",\"I can't use + on \"+l(e)+\".\")}),\"-\":d(function(e,t){var n;return Array.isArray(e)?e.filter(function(e){return t.indexOf(e)===-1}):e instanceof Set?(n=new Set(e),t.forEach(function(e){n.delete(e)}),n):typeof e==\"string\"?e.split(t).join(\"\"):e-t}),\"*\":p(\"number\",d(function(e,t){return e*t}),\"multiply\"),\"/\":p(\"number\",d(function(e,t){return t===0?s.create(\"operation\",\"I can't divide \"+l(e)+\" by zero.\"):e/t}),\"divide\"),\"%\":p(\"number\",d(function(e,t){return t===0?s.create(\"operation\",\"I can't modulo \"+l(e)+\" by zero.\"):e%t}),\"modulus\"),\"<\":v(p(\"number\",d(function(e,t){return e<t}),\"do < to\")),\">\":v(p(\"number\",d(function(e,t){return e>t}),\"do > to\")),\"<=\":v(p(\"number\",d(function(e,t){return e<=t}),\"do <= to\")),\">=\":v(p(\"number\",d(function(e,t){return e>=t}),\"do >= to\")),is:v(i.is),isNot:v(function(e,t){return!o.is(e,t)}),contains:v(c),isIn:v(function(e,t){return c(t,e)}),makeSpreader:function(e){return{value:e,spreader:!0}},makeAssignmentRequest:function(e,t,n){var i,o=s.containsError(e,t);return o?o:!!u(e)&&\"compiledPropertyChain\"in e?(i=e.compiledPropertyChain,r.create(e,t,n)):s.create(\"operation\",\"I can't store a new value inside \"+l(e)+\".\")},setIt:function(e){return s.containsError(e)?e:e.varref?(h=e.get(),e):s.create(\"operation\",\"I can't put a new value into \"+l(e)+\".\")}},Object.freeze(o)}),define(\"twinescript/environ\",[\"macros\",\"state\",\"utils\",\"datatypes/colour\",\"internaltypes/varref\",\"internaltypes/twineerror\",\"twinescript/operations\"],function(Macros,State,Utils,Colour,VarRef,TwineError,OperationsProto){\"use strict\";return function environ(section){(typeof section!=\"object\"||!section)&&Utils.impossible(\"TwineScript.environ\",\"no Section argument was given!\");var Operations=OperationsProto.create(section);return Operations,Object.assign(section,{eval:function(){try{return eval(Array.from(arguments).join(\"\"))}catch(e){return Utils.log(e),Utils.log(Array.from(arguments).join(\"\")),e}}})}}),define(\"utils/hookutils\",[\"jquery\",\"utils\",\"utils/selectors\"],function(e,t,n){\"use strict\";function r(e,t,n){var r=e.textContent.length;if(t>=r)return;var i,s=[i=t===0?e:e.splitText(t)];return n&&(n<=0&&(n=r-n),n<r&&s.push(i.splitText(n-t))),s}function i(e,t){var n=[],s=\"\",o=[],u,a,f;if(!e.length||!t)return o;while(e.length>0){n.push(e[0]),s+=e[0].textContent,e.shift(),u=s.indexOf(t);if(u>-1){a=s.length-(u+t.length);while(u>=n[0].textContent.length)u-=n[0].textContent.length,n.shift();if(n.length===1){f=r(n[0],u,u+t.length),o.push(f[0]),f[1]&&e.unshift(f[1]);break}o.push(r(n[0],u,n[0].length)[0]),o.push.apply(o,n.slice(1,-1)),f=r(n[n.length-1],0,n[n.length-1].textContent.length-a),o.push(f[0]),f[1]&&e.unshift(f[1]),o=o.filter(Boolean);break}}return[o].concat(i(e,t))}var s={wrapTextNodes:function(t,n,r){var s=i(n.textNodes(),t),o=e();return s.forEach(function(t){o=o.add(e(t).wrapAll(r))}),o},selectorType:function(e){var t;return e&&typeof e==\"string\"?(t=/\\?(\\w*)/.exec(e),t&&t.length?\"hookRef\":\"string\"):\"undefined\"},hookToSelector:function(e){return e=e.replace(/\"/g,\"&quot;\"),n.hook+'[name=\"'+e+'\"]'}};return Object.freeze(s)}),define(\"datatypes/hookset\",[\"utils/hookutils\",\"jquery\"],function(e,t){\"use strict\";function n(t){var n=Array.from(arguments).slice(1),r=this.section.$(e.hookToSelector(this.selector.slice(1)));return t in r&&r[t].apply(r,n)}var r=Object.freeze({forEach:function(e){return n.call(this,\"each\",function(n){e(t(this),n)})},text:function(){return n.call(this,\"text\")},TwineScript_ToString:function(){return this.text()},TwineScript_Print:function(){return this.text()},get TwineScript_ObjectName(){return this.selector+\" (a hook reference)\"},TwineScript_TypeName:\"a hook reference (like ?this)\",get TwineScript_Assignee(){},set TwineScript_Assignee(e){return n.call(this,\"text\",e)},TwineScript_AssignValue:function(){return n.call(this,\"text\")},create:function(e,t){var n=Object.create(this);return n.section=e,n.selector=t,Object.freeze(n)}});return r}),define(\"internaltypes/pseudohookset\",[\"jquery\",\"utils/hookutils\"],function(e,t){\"use strict\";var n=Object.freeze({forEach:function(n){var r=t.wrapTextNodes(this.selector,this.section.dom,\"<tw-pseudo-hook>\").parent();r.each(function(t){n(e(this),t)}),r.contents().unwrap().parent().each(function(){this.normalize()})},create:function(e,t){var n=Object.create(this);return n.section=e,n.selector=t,n}});return n}),define(\"internaltypes/changedescriptor\",[\"jquery\",\"utils\",\"renderer\"],function(e,t,n){\"use strict\";var r,i;return r={source:\"\",enabled:!0,target:null,append:\"append\",transition:\"instant\",transitionTime:0,styles:null,attr:null,data:null,section:null,create:function(e,t){var n=Object.assign(Object.create(this),{attr:[].concat(this.attr||[]),styles:[].concat(this.styles||[])},e);return t&&t.run(n),n},update:function(){var e=this.target;Array.isArray(this.styles)&&setTimeout(function(){e.css(Object.assign.apply(0,[{}].concat(this.styles)))}.bind(this)),this.attr&&this.attr.forEach(function(t){e.attr(t)}),this.data&&e.data(this.data)},render:function(){var r=this.target,s=this.source,o=this.append,u=this.transition,a=this.enabled,f;t.assertOnlyHas(this,i);if(!r||!a)return e();if(!(o in r)){if(o!==\"replace\"){t.impossible(\"Section.render\",\"The target jQuery doesn't have a '\"+o+\"' method.\");return}r.empty(),o=\"append\"}return f=e(s&&e.parseHTML(n.exec(s),document,!0)),r[o](f.length?f:undefined),this.update(),u&&t.transitionIn(o===\"replace\"?r:f,u),f}},i=Object.keys(r),Object.seal(r)}),define(\"internaltypes/twinenotifier\",[\"jquery\",\"utils\"],function(e,t){\"use strict\";var n={create:function(e){return e||t.impossible(\"TwineNotifier.create\",\"called with only 1 string.\"),Object.assign(Object.create(n),{message:e})},render:function(){return e(\"<tw-notifier>\").attr(\"message\",this.message)}};return n}),define(\"section\",[\"jquery\",\"utils\",\"utils/selectors\",\"renderer\",\"twinescript/environ\",\"state\",\"utils/hookutils\",\"datatypes/hookset\",\"internaltypes/pseudohookset\",\"internaltypes/changedescriptor\",\"internaltypes/twineerror\",\"internaltypes/twinenotifier\"],function(e,t,n,r,i,s,o,u,a,f,l,c){\"use strict\";function p(e,r){var i=e.next(n.hook);if(r&&r.changer)i.length?this.renderInto(i.popAttr(\"source\"),i,r):e.replaceWith(l.create(\"changer\",\"The (\"+r.macroName+\":) command should be assigned to a variable or attached to a hook.\",\"Macros like (if: $alive) should be touching the left side of a hook: (if: $alive)[Breathe]\"),e.attr(\"title\"));else if(r&&r.live)g.call(this,i,r.delay,r.event);else if(r===!1||r===null||r===undefined){i.removeAttr(\"source\"),e.addClass(\"false\");if(i.length){t.insensitiveName(e.attr(\"name\"))!==\"elseif\"&&(this.stack[0].lastHookShown=!1);return}}i.length&&(this.stack[0].lastHookShown=!0)}function d(t){var n=this.eval(t.popAttr(\"js\")||\"\");if(l.containsError(n))n instanceof Error&&(n=l.fromError(n)),t.replaceWith(n.render(t.attr(\"title\"),t));else if(c.isPrototypeOf(n))t.append(n.render());else if(n&&n.TwineScript_Print&&!n.changer){n=n.TwineScript_Print();if(n.earlyExit)return!1;n instanceof e?t.append(n):l.containsError(n)?(n instanceof Error&&(n=l.fromError(n)),t.replaceWith(n.render(t.attr(\"title\"),t))):this.renderInto(n,t)}else typeof n==\"string\"||typeof n==\"number\"||typeof n==\"object\"&&n&&n.toString!==Object.prototype.toString?this.renderInto(n+\"\",t):p.call(this,t,n)}function m(n){function u(t){return e(this||t).parentsUntil(\"tw-collapsed\").filter(\"tw-verbatim, tw-expression, [collapsing=false]\").length===0}var r,i,s,o=0;i=n.prevTextNode(),e(i).parents(\"tw-collapsed\").length||(i=null),s=n.nextTextNode(),e(s).parents(\"tw-collapsed\").length||(s=null),t.findAndFilter(n,\"br:not([data-raw])\").filter(u).replaceWith(document.createTextNode(\" \")),r=n.textNodes(),r.reduce(function(e,t){return u(t)?(t.textContent=t.textContent.replace(/\\s+/g,\" \"),t.textContent[0]===\" \"&&(!e||!e.textContent||e.textContent.search(/\\s$/)>-1)&&(t.textContent=t.textContent.slice(1)),t):document.createTextNode(\"A\")},i),[].concat(r).reverse().every(function(e){return u(e)?e.textContent.match(/^\\s*$/)?(o+=e.textContent.length,e.textContent=\"\",!0):(e.textContent=e.textContent.replace(/\\s+$/,function(e){return o+=e.length,\"\"}),!1):!1}),o>0&&s&&(r[r.length-1].textContent+=\" \"),n[0]&&v()&&n[0].normalize()}function g(e,t){var r=e.popAttr(\"source\")||\"\",i;t=t===undefined?20:t,i=function(){if(!this.inDOM())return;this.renderInto(r,e,{append:\"replace\"});if(e.find(n.expression+\"[name='stop']\").length)return;if(!this.inDOM())return;setTimeout(i,t)}.bind(this),setTimeout(i,t)}var h,v=function(){var t;return function(){if(t!==undefined)return t;var n=e(\"<p>\");return n[0].normalize?(n.append(document.createTextNode(\"0-\"),document.createTextNode(\"2\"),document.createTextNode(\"\"))[0].normalize(),t=n.contents().length===1):t=!1}}();return h={create:function(n){var r;return t.assert(n instanceof e&&n.length===1),r=Object.assign(Object.create(this),{timestamp:Date.now(),dom:n||t.storyElement,stack:[],enchantments:[]}),r=i(r),r},inDOM:function(){return e(t.storyElement).find(this.dom).length>0},$:function(e){return t.$(e,this.dom)},evaluateTwineMarkup:function(t){var n=e(\"<p>\"),r;return this.renderInto(t,n),(r=n.find(\"tw-error\")).length>0?r:n.text()},selectHook:function(e){if(u.isPrototypeOf(e)||a.isPrototypeOf(e))return e;switch(o.selectorType(e)){case\"hookRef\":return u.create(this,e);case\"string\":return a.create(this,e)}return null},renderInto:function(r,i,s){var o=f.create({target:i,source:r}),u=e(),a=this;o.section=a,s&&[].concat(s).forEach(function(e){!e||!e.changer?Object.assign(o,e):e.run(o)}),typeof o.target==\"string\"&&(o.target=this.selectHook(o.target));if(!o.target){t.impossible(\"Section.renderInto\",\"ChangeDescriptor has source but not a target!\");return}this.stack.length>=50?u=l.create(\"infinite\",\"Printing this expression may have trapped me in an infinite loop.\").render(i.attr(\"title\")).replaceAll(i):o.target instanceof e?u=o.render():o.target.forEach(function(e){u=u.add(o.create({target:e}).render())}),this.stack.unshift(Object.create(null)),t.findAndFilter(u,n.hook+\",\"+n.expression).each(function(){var r=e(this);switch(r.tag()){case n.hook:r.attr(\"source\")&&(a.renderInto(r.attr(\"source\"),r),r.removeAttr(\"source\"));break;case n.expression:return d.call(a,r)}}),u.length&&i instanceof e&&i.is(n.hook)&&i.parents(\"tw-collapsed\").length>0&&m(u),t.findAndFilter(u,n.collapsed).each(function(){m(e(this))}),this.stack.shift(),this.stack.length===0&&this.updateEnchantments()},updateEnchantments:function(){this.enchantments.forEach(function(e){e.refreshScope(),e.enchantScope()})}},Object.preventExtensions(h)}),define(\"engine\",[\"jquery\",\"utils\",\"utils/selectors\",\"state\",\"section\",\"passages\"],function(e,t,n,r,i,s){\"use strict\";function u(){var t,i,s,u;return t=e(\"<tw-passage><tw-sidebar>\"),u=t.children(n.sidebar),o.permalink&&r.save&&u.append('<tw-icon tabindex=0 class=\"permalink\" title=\"Permanent link to this passage\"><a href=\"#'+r.save()+'\">&sect;'),i=e('<tw-icon tabindex=0 class=\"undo\" title=\"Undo\">&#8630;</tw-icon>').click(l.goBack),s=e('<tw-icon tabindex=0 class=\"redo\" title=\"Redo\">&#8631;</tw-icon>').click(l.goForward),r.pastLength<=0&&i.css(\"visibility\",\"hidden\"),r.futureLength<=0&&s.css(\"visibility\",\"hidden\"),u.append(i).append(s),t}function a(e,n){return\"<tw-include type=\"+e+\" title='\"+t.escape(n.get(\"name\"))+\"'>\"+n.get(\"source\")+\"</tw-include>\"}function f(n,f){var l,c=\"instant\",h=s.get(n),p,d,v,m=t.storyElement,g=m.parent();(!h||!(h instanceof Map)||!h.has(\"source\"))&&t.impossible(\"Engine.showPassage\",\"There's no passage with the name \\\"\"+n+'\"!'),m.detach(),p=t.$(m.children(t.passageSelector)),!f&&c&&t.transitionOut(p,c),l=u().appendTo(m),t.assert(l.length>0),d=i.create(l),v=h.get(\"source\"),v=(o.debug?s.getTagged(\"debug-header\").map(a.bind(0,\"debug-header\")).join(\"\"):\"\")+s.getTagged(\"header\").map(a.bind(0,\"header\")).join(\"\")+v+s.getTagged(\"footer\").map(a.bind(0,\"footer\")).join(\"\")+(o.debug?s.getTagged(\"debug-footer\").map(a.bind(0,\"debug-footer\")).join(\"\"):\"\"),r.pastLength<=0&&(o.debug&&(v=s.getTagged(\"debug-startup\").map(a.bind(0,\"debug-startup\")).join(\"\")+v),v=s.getTagged(\"startup\").map(a.bind(0,\"startup\")).join(\"\")+v),d.renderInto(v,l,[{transition:\"dissolve\"}]),e(\"html\").append(m),scroll(0,f?l.offset().top-e(window).height()*.05:g.offset().top)}var o=Object.create(null),l={goBack:function(){r.rewind()&&f(r.passage)},goForward:function(){r.fastForward()&&f(r.passage)},goToPassage:function(e,t){r.play(e),f(e,t)},showPassage:f,options:o};return Object.freeze(l)}),define(\"macrolib/values\",[\"utils\",\"macros\",\"utils/operationutils\",\"internaltypes/twineerror\"],function(e,t,n,r){\"use strict\";function f(e){return function(){var t=e.apply(this,arguments);return typeof t!=\"number\"||isNaN(t)?r.create(\"macrocall\",\"This mathematical expression doesn't compute!\"):t}}function l(){return arguments[~~(Math.random()*arguments.length)]}var i=t.TypeSignature.rest,s=t.TypeSignature.zeroOrMore,o=t.TypeSignature.wrapped,u=t.TypeSignature.Any;t.add([\"text\",\"string\"],function(){return Array.prototype.slice.call(arguments,1).join(\"\")},[s(t.TypeSignature.either(String,Number,Boolean,Array))])(\"substring\",function(t,r,i,s){return n.subset(r,i,s)},[String,Number,Number])([\"num\",\"number\"],function(t,i){return Number.isNaN(+i)?r.create(\"macrocall\",\"I couldn't convert \"+n.objectName(i)+\" to a number.\"):+i},[String]);var a=[o(Boolean,'If you gave a number, you may instead want to check that the number is not 0. If you gave a string, you may instead want to check that the string is not \"\".')];t.add(\"if\",function(t,n){return!!n},a)(\"unless\",function(t,n){return!n},a)(\"elseif\",function(t,n){return\"lastHookShown\"in t.stack[0]?t.stack[0].lastHookShown===!1&&!!n:r.create(\"macrocall\",\"There's nothing before this to do (else-if:) with.\")},a)(\"else\",function(t){return\"lastHookShown\"in t.stack[0]?t.stack[0].lastHookShown===!1:r.create(\"macrocall\",\"There's nothing before this to do (else:) with.\")},null),{weekday:[function(){return[\"Sun\",\"Mon\",\"Tues\",\"Wednes\",\"Thurs\",\"Fri\",\"Satur\"][(new Date).getDay()]+\"day\"},null],monthday:[function(){return(new Date).getDate()},null],currenttime:[function(){var e=new Date,t=e.getHours()<12;return e.getHours()%12+\":\"+e.getMinutes()+\" \"+(t?\"A\":\"P\")+\"M\"},null],currentdate:[function(){return(new Date).toDateString()},null],min:[Math.min,i(Number)],max:[Math.max,i(Number)],abs:[Math.abs,Number],sign:[Math.sign,Number],sin:[Math.sin,Number],cos:[Math.cos,Number],tan:[Math.tan,Number],floor:[Math.floor,Number],round:[Math.round,Number],ceil:[Math.ceil,Number],pow:[Math.pow,Number],exp:[Math.exp,Number],sqrt:[f(Math.sqrt),Number],log:[f(Math.log),Number],log10:[f(Math.log10),Number],log2:[f(Math.log2),Number],random:[function(t,i){var s,o;return t!==(t|0)||i!==(i|0)?r.create(\"macrocall\",\"(random:) only accepts whole numbers, not \"+n.objectName(t!==(t|0)?t:i)):(i?(s=Math.min(t,i),o=Math.max(t,i)):(s=0,o=t),o+=1,~~(Math.random()*(o-s))+s)},[Number,t.TypeSignature.optional(Number)]],either:[l,i(u)],alert:[function(e){return window.alert(e||\"\")},String],prompt:[function(e,t){return window.prompt(e||\"\",t||\"\")||\"\"},String,String],confirm:[function(e){return window.confirm(e||\"\")},String],openURL:[window.open,String],reload:[window.location.reload.bind(window.location),null],gotoURL:[window.location.assign.bind(window.location),String],pageURL:[function(){return window.location.href},null],\"\":function(){Object.keys(this).forEach(function(e){var n,r;e&&(n=this[e][0],r=this[e][1],t.add(e,function(){return n.apply(0,Array.from(arguments).slice(1))}.bind(this),r))}.bind(this))}}[\"\"]()}),function(e){(function(){if(e.requestAnimationFrame)return;e.webkitRequestAnimationFrame&&(e.requestAnimationFrame=e.webkitRequestAnimationFrame,e.cancelAnimationFrame=e.webkitCancelAnimationFrame||e.webkitCancelRequestAnimationFrame);var t=0;e.requestAnimationFrame=function(n){var r=(new Date).getTime(),i=Math.max(0,16-(r-t)),s=e.setTimeout(function(){n(r+i)},i);return t=r+i,s},e.cancelAnimationFrame=function(e){clearTimeout(e)}})(),typeof define==\"function\"&&define(\"requestAnimationFrame\",[],function(){return e.requestAnimationFrame})}(window),define(\"macrolib/commands\",[\"requestAnimationFrame\",\"macros\",\"utils\",\"state\",\"passages\",\"engine\",\"internaltypes/twineerror\",\"utils/operationutils\"],function(e,t,n,r,i,s,o,u){\"use strict\";function c(e){return\"(\"+e+\" \"+s.options.ifid+\") \"}var a=t.TypeSignature.Any,f=t.TypeSignature.optional,l=!!localStorage&&function(){try{return localStorage.setItem(\"test\",\"1\"),localStorage.removeItem(\"test\"),!0}catch(e){return!1}}();t.add(\"display\",function(t,r){return{TwineScript_ObjectName:\"a (display: \"+n.toJSLiteral(r)+\") command\",TwineScript_TypeName:\"a (display:) command\",TwineScript_Print:function(){return i.has(r)?n.unescape(i.get(r).get(\"source\")):o.create(\"macrocall\",\"I can't (display:) the passage '\"+r+\"' because it doesn't exist.\")}}},[String])(\"print\",function h(e,t){if(o.containsError(t))return t;if(t&&typeof t.TwineScript_Print==\"function\")t=t.TwineScript_Print();else if(t instanceof Map){t=Array.from(t.entries());if(o.containsError(t))return t;t=t.reduce(function(t,n){return t+\"<tr><td>\"+h(e,n[0]).TwineScript_Print()+\"</td><td>\"+h(e,n[1]).TwineScript_Print()+\"</td></tr>\"},\"<table class=datamap>\")+\"</table>\"}else if(t instanceof Set)t=Array.from(t.values());else if(Array.isArray(t))t+=\"\";else{if(u.isObject(t))return o.create(\"unimplemented\",\"I don't know how to print this value yet.\");t+=\"\"}return{TwineScript_ObjectName:\"a (print: \"+n.toJSLiteral(t)+\") command\",TwineScript_TypeName:\"a (print:) command\",TwineScript_Print:function(){return t}}},[a])(\"goto\",function(t,r){return{TwineScript_ObjectName:\"a (go-to: \"+n.toJSLiteral(r)+\") command\",TwineScript_TypeName:\"a (go-to:) command\",TwineScript_Print:function(){return i.has(r)?(e(s.goToPassage.bind(s,r,!1)),{earlyExit:1}):o.create(\"macrocall\",\"I can't (go-to:) the passage '\"+r+\"' because it doesn't exist.\")}}},[String])(\"live\",function(t,n){return{TwineScript_ObjectName:\"a (live: \"+n+\") command\",TwineScript_TypeName:\"a (live:) command\",live:!0,delay:n}},[f(Number)])(\"stop\",function(){return{TwineScript_ObjectName:\"a (stop:) command\",TwineScript_TypeName:\"a (stop:) command\",TwineScript_Print:function(){return\"\"}}},[])(\"savegame\",function(t,n,i){i=i||\"\";if(!l)return!1;var s=r.serialise();if(!s)return o.create(\"saving\",\"The game's variables contain a complex data structure; the game can no longer be saved.\");try{return localStorage.setItem(c(\"Saved Game\")+n,s),localStorage.setItem(c(\"Saved Game Filename\")+n,i),!0}catch(u){return!1}},[String,f(String)])(\"loadgame\",function(n,i){return{TwineScript_ObjectName:\"a (load-game:) command\",TwineScript_TypeName:\"a (load-game:) command\",TwineScript_Print:function(){var t=localStorage.getItem(c(\"Saved Game\")+i);return t?(r.deserialise(t),e(s.showPassage.bind(s,r.passage,!1)),{earlyExit:1}):o.create(\"saving\",\"I can't find a save slot named '\"+i+\"'!\")}}},[String])}),define(\"utils/naturalsort\",[],function(){\"use strict\";return function(t){return function n(e,r){var i=/(^-?[0-9]+(\\.?[0-9]*)[df]?e?[0-9]?$|^0x[0-9a-f]+$|[0-9]+)/gi,s=/(^[ ]*|[ ]*$)/g,o=/(^([\\w ]+,?[\\w ]+)?[\\w ]+,?[\\w ]+\\d+:\\d+(:\\d+)?[\\w ]?|^\\d{1,4}[\\/\\-]\\d{1,4}[\\/\\-]\\d{1,4}|^\\w+, \\w+ \\d+, \\d{4})/,u=/^0x[0-9a-f]+$/i,a=/^0/,f=function(e){return n.insensitive&&(\"\"+e).toLowerCase()||\"\"+e},l=f(e).replace(s,\"\")||\"\",c=f(r).replace(s,\"\")||\"\",h=l.replace(i,\"\\0$1\\0\").replace(/\\0$/,\"\").replace(/^\\0/,\"\").split(\"\\0\"),p=c.replace(i,\"\\0$1\\0\").replace(/\\0$/,\"\").replace(/^\\0/,\"\").split(\"\\0\"),d=parseInt(l.match(u))||h.length!==1&&l.match(o)&&Date.parse(l),v=parseInt(c.match(u))||d&&c.match(o)&&Date.parse(c)||null,m,g,y,b;t&&window.Intl&&window.Intl.Collator&&(y=window.Intl.Collator(t));if(v){if(d<v)return-1;if(d>v)return 1}for(var w=0,E=Math.max(h.length,p.length);w<E;w++){m=!(h[w]||\"\").match(a)&&parseFloat(h[w])||h[w]||0,g=!(p[w]||\"\").match(a)&&parseFloat(p[w])||p[w]||0;if(isNaN(m)!==isNaN(g))return isNaN(m)?1:-1;if(typeof m!=typeof g)m+=\"\",g+=\"\";else if(typeof m==\"string\"&&y){b=y.compare(m,g);if(b!==0)return b}if(m<g)return-1;if(m>g)return 1}return 0}}}),define(\"macrolib/datastructures\",[\"jquery\",\"utils/naturalsort\",\"macros\",\"utils\",\"utils/operationutils\",\"state\",\"engine\",\"passages\",\"datatypes/assignmentrequest\",\"internaltypes/twineerror\",\"internaltypes/twinenotifier\"],function(e,t,n,r,i,s,o,u,a,f,l){\"use strict\";var c=n.TypeSignature.optional,h=n.TypeSignature.rest,p=n.TypeSignature.zeroOrMore,d=n.TypeSignature.Any;n.add(\"set\",function(t,n){var r,s,u,a=\"\";n=Array.prototype.slice.call(arguments,1);for(r=0;r<n.length;r+=1){s=n[r];if(s.operator===\"into\")return f.create(\"macrocall\",\"Please say 'to' when using the (set:) macro.\");u=s.dest.set(s.src);if(f.isPrototypeOf(u))return u;o.options.debug&&(a+=(a?\"; \":\"\")+i.objectName(s.dest)+\" is now \"+i.objectName(s.src))}return a&&l.create(a)},[h(a)])(\"put\",function(t,n){var r,i,s;n=Array.prototype.slice.call(arguments,1);for(r=0;r<n.length;r+=1){i=n[r];if(i.operator===\"to\")return f.create(\"macrocall\",\"Please say 'into' when using the (put:) macro.\");s=i.dest.set(i.src);if(f.isPrototypeOf(s))return s}return\"\"},[h(a)])(\"move\",function(t,n){var r,i;if(n.src&&n.src.varref){r=n.src.get();if(i=f.containsError(r))return i;n.dest.set(r),n.src.delete()}else n.dest.set(n.src);return\"\"},[h(a)])([\"a\",\"array\"],function(){return Array.from(arguments).slice(1)},p(d))(\"range\",function v(e,t,n){if(t>n)return v(e,n,t);var r=[t];n-=t;while(n-->0)r.push(++t);return r},[Number,Number])(\"subarray\",function(t,n,r,s){return i.subset(n,r,s)},[Array,Number,Number])(\"shuffled\",function(){return Array.from(arguments).slice(1).reduce(function(e,t,n){var r=Math.random()*(n+1)|0;return r===n?e.push(t):(e.push(e[r]),e[r]=t),e},[])},[d,h(d)])(\"sorted\",function(){return Array.from(arguments).slice(1).sort(t(\"en\"))},[String,h(String)])(\"rotated\",function(t,n){var r=Array.from(arguments).slice(2);return n*=-1,n===0?f.create(\"macrocall\",\"I can't rotate these values by 0 positions.\"):Math.abs(n)>=r.length?f.create(\"macrocall\",\"I can't rotate these \"+r.length+\" values by \"+n+\" positions.\"):r.slice(n).concat(r.slice(0,n))},[d,d,h(d)])(\"datanames\",function(n,r){return Array.from(r.keys()).sort(t(\"en\"))},[Map])(\"datavalues\",function(n,r){return Array.from(r.entries()).sort(function(e,n){return[e[0],n[0]].sort(t(\"en\"))[0]===e[0]?-1:1}).map(function(e){return e[1]})},[Map])(\"history\",function(){return s.pastPassageNames()},[])(\"passage\",function(t,n){return u.get(n||s.passage)||f.create(\"macrocall\",\"There's no passage named '\"+n+\"' in this story.\")},[c(String)])(\"savedgames\",function(){function t(e){return\"(\"+e+\" \"+o.options.ifid+\") \"}var n=0,r=new Map,i;do{i=localStorage.key(n),n+=1;var s=t(\"Saved Game\");i&&i.startsWith(s)&&(i=i.slice(s.length),r.set(i,localStorage.getItem(t(\"Saved Game Filename\")+i)))}while(i);return r},[])(\"datamap\",function(){var e,t,n=new Map;return t=Array.from(arguments).slice(1).reduce(function(t,r){var s;if(f.containsError(t))return t;if(e===undefined)e=r;else{if(s=f.containsError(i.isValidDatamapName(n,e)))return s;if(n.has(e))return f.create(\"macrocall\",\"You used the same data name (\"+i.objectName(e)+\") twice in the same (datamap:) call.\");n.set(e,r),e=undefined}return t},!0),f.containsError(t)?t:e!==undefined?f.create(\"macrocall\",\"This datamap has a data name without a value.\"):n},p(d))(\"dataset\",function(){return new Set(Array.from(arguments).slice(1))},p(d))(\"count\",function(e,t,n){switch(i.collectionType(t)){case\"dataset\":case\"datamap\":return+t.has(name);case\"string\":return typeof n!=\"string\"?new TypeError(i.objectName(t)+\" can't contain \"+i.objectName(n)+\" because it isn't a string.\"):t.split(n).length-1;case\"array\":return t.reduce(function(e,t){return e+(t===n)},0)}},[d,d])}),define(\"datatypes/changercommand\",[\"utils\",\"macros\",\"utils/operationutils\"],function(e,t,n){\"use strict\";var r={changer:!0,TwineScript_TypeName:\"a changer command\",TwineScript_Print:function(){return\"[A '\"+this.macroName+\"' command]\"},create:function(t,n,r){return e.assert(n===undefined||Array.isArray(n)),Object.assign(Object.create(this),{macroName:t,params:n,next:r||null,TwineScript_ObjectName:\"a (\"+t+\":) command\"})},\"TwineScript_+\":function(e){var t=this.TwineScript_Clone();while(t.next)t=t.next;return t.next=e,t},TwineScript_is:function(e){if(r.isPrototypeOf(e))return this.macroName===e.macroName&&n.is(this.params,e.params)&&n.is(this.next,e.next)},TwineScript_Clone:function(){return this.create(this.macroName,this.params,this.next)},run:function(e){t.getChangerFn(this.macroName).apply(0,[e].concat(this.params)),this.next&&this.next.run(e)}};return Object.freeze(r)}),define(\"macrolib/stylechangers\",[\"jquery\",\"macros\",\"utils\",\"utils/selectors\",\"datatypes/colour\",\"datatypes/changercommand\",\"internaltypes/twineerror\"],function(e,t,n,r,i,s,o){\"use strict\";var u=t.TypeSignature.either;t.addChanger([\"hook\"],function(t,n){return s.create(\"hook\",[n])},function(e,t){e.attr.push({name:t})},[String])([\"transition\",\"t8n\"],function(t,r){var i=[\"dissolve\",\"shudder\",\"pulse\"];return r=n.insensitiveName(r),i.indexOf(r)===-1?o.create(\"macrocall\",\"'\"+r+'\" is not a valid (transition:)',\"Only the following names are recognised (capitalisation and hyphens ignored): \"+i.join(\", \")):s.create(\"transition\",[r])},function(e,t){return e.transition=t,e},[String])(\"font\",function(t,n){return s.create(\"font\",[n])},function(e,t){return e.styles.push({\"font-family\":t}),e},[String])(\"align\",function(t,n){var r,i,u=n.indexOf(\"><\");return/^(==+>|<=+|=+><=+|<==+>)$/.test(n)?(~u?(i=Math.round(u/(n.length-2)*50),r=Object.assign({\"text-align\":\"center\",\"max-width\":\"50%\"},i===25?{\"margin-left\":\"auto\",\"margin-right\":\"auto\"}:{\"margin-left\":i+\"%\"})):n[0]===\"<\"&&n.slice(-1)===\">\"?r={\"text-align\":\"justify\",\"max-width\":\"50%\"}:n.includes(\">\")&&(r={\"text-align\":\"right\"}),r.display=\"block\",s.create(\"align\",[r])):o.create(\"macrocall\",'The (align:) macro requires an alignment arrow (\"==>\", \"<==\", \"==><=\" etc.) be provided, not \"'+n+'\"')},function(e,t){e.styles.push(t)},[String])([\"text-colour\",\"text-color\",\"color\",\"colour\"],function(t,n){return n&&n.colour&&(n=n.toHexString(n)),s.create(\"text-colour\",[n])},function(e,t){return e.styles.push({color:t}),e},[u(String,i)])(\"text-rotate\",function(t,n){return s.create(\"rotate\",[n])},function(t,n){return t.styles.push({display:\"inline-block\",transform:function(){var t=e(this).css(\"transform\")||\"\";return t===\"none\"&&(t=\"\"),t+\" rotate(\"+n+\"deg)\"}}),t},[Number])(\"background\",function(t,n){return n&&n.colour&&(n=n.toHexString(n)),s.create(\"background\",[n])},function(e,t){var n;return i.isHexString(t)?n={\"background-color\":t}:n={\"background-size\":\"cover\",\"background-image\":\"url(\"+t+\")\"},e.styles.push(n),e},[u(String,i)]).apply(t,function(){var t={color:\"transparent\"},r=Object.assign(Object.create(null),{bold:{\"font-weight\":\"bold\"},italic:{\"font-style\":\"italic\"},underline:{\"text-decoration\":\"underline\"},strike:{\"text-decoration\":\"line-through\"},superscript:{\"vertical-align\":\"super\",\"font-size\":\".83em\"},subscript:{\"vertical-align\":\"sub\",\"font-size\":\".83em\"},blink:{animation:\"fade-in-out 1s steps(1,end) infinite alternate\"},shudder:{animation:\"shudder linear 0.1s 0s infinite\",display:\"inline-block\"},mark:{\"background-color\":\"hsla(60, 100%, 50%, 0.6)\"},condense:{\"letter-spacing\":\"-0.08em\"},expand:{\"letter-spacing\":\"0.1em\"},outline:[{\"text-shadow\":function(){var t=e(this).css(\"color\");return\"-1px -1px 0 \"+t+\", 1px -1px 0 \"+t+\",-1px 1px 0 \"+t+\", 1px 1px 0 \"+t}},{color:function(){return e(this).css(\"background-color\")}}],shadow:{\"text-shadow\":function(){return\"0.08em 0.08em 0.08em \"+e(this).css(\"color\")}},emboss:{\"text-shadow\":function(){return\"0.08em 0.08em 0em \"+e(this).css(\"color\")}},smear:[{\"text-shadow\":function(){var t=e(this).css(\"color\");return\"0em 0em 0.02em \"+t+\",\"+\"-0.2em 0em 0.5em \"+t+\",\"+\" 0.2em 0em 0.5em \"+t}},t],blur:[{\"text-shadow\":function(){return\"0em 0em 0.08em \"+e(this).css(\"color\")}},t],blurrier:[{\"text-shadow\":function(){return\"0em 0em 0.2em \"+e(this).css(\"color\")},\"user-select\":\"none\"},t],mirror:{display:\"inline-block\",transform:\"scaleX(-1)\"},upsidedown:{display:\"inline-block\",transform:\"scaleY(-1)\"},fadeinout:{animation:\"fade-in-out 2s ease-in-out infinite alternate\"},rumble:{animation:\"rumble linear 0.1s 0s infinite\",display:\"inline-block\"}});return[\"text-style\",function(t,i){return i=n.insensitiveName(i),i in r?s.create(\"text-style\",[i]):o.create(\"macrocall\",\"'\"+i+'\" is not a valid (textstyle:)',\"Only the following names are recognised (capitalisation and hyphens ignored): \"+Object.keys(r).join(\", \"))},function(e,t){return n.assert(t in r),e.styles=e.styles.concat(r[t]),e}]}(),[String])(\"css\",function(t,n){return n.trim().endsWith(\";\")||(n+=\";\"),s.create(\"css\",[n])},function(t,n){return t.attr.push({style:function(){return(e(this).attr(\"style\")||\"\")+n}}),t},[String])}),define(\"macrolib/enchantments\",[\"jquery\",\"utils\",\"macros\",\"datatypes/hookset\",\"datatypes/changercommand\"],function(e,t,n,r,i){\"use strict\";function u(n,o){return t.assert(n),e(function(){e(t.storyElement).on(n.event+\".enchantment\",\".\"+n.classList.replace(/ /g,\".\"),function(){var n=e(this),r=n.data(\"enchantmentEvent\");r&&r(n)})}),[function(t,n){return n.selector&&(n=n.selector),i.create(o,[n])},function(r,i){var s,o,u=e();return r.enabled=!1,n.rerender&&(r.target=i,r.append=n.rerender),s={enchantScope:function(){o=r.section.selectHook(i);if(!o)return;u=e(),o.forEach(function(e){var t;e.wrapAll(\"<tw-enchantment class='\"+n.classList+\"'>\"),t=e.parent(),u=u.add(t),e.parent().data(\"enchantmentEvent\",function(){var t;n.once&&(t=r.section.enchantments.indexOf(s),r.section.enchantments.splice(t,1),s.refreshScope()),r.section.renderInto(r.source,null,Object.assign({},r,{enabled:!0}))})})},refreshScope:function(){u.each(function(){e(this).contents().unwrap()})}},r.section.enchantments.push(s),s.enchantScope(),r},s(r,String)]}var s=n.TypeSignature.either,o=[\"replace\",\"append\",\"prepend\"];o.forEach(function(t){n.addChanger(t,function(e,n){return i.create(t,[n])},function(n,r){var i=e(n.target.context).parents().filter(\"tw-collapsed\").length>0;return i||(n.attr=[].concat(n.attr,{collapsing:!1})),n.target=r,n.append=t,n},s(r,String))});var a=[{name:\"click\",enchantDesc:{event:\"click\",once:!0,rerender:\"\",classList:\"link enchantment-link\"}},{name:\"mouseover\",enchantDesc:{event:\"mouseenter\",once:!0,rerender:\"\",classList:\"enchantment-mouseover\"}},{name:\"mouseout\",enchantDesc:{event:\"mouseleave\",once:!0,rerender:\"\",classList:\"enchantment-mouseout\"}}];a.forEach(function(e){n.addChanger.apply(0,[e.name].concat(u(e.enchantDesc,e.name)))}),o.forEach(function(e){a.forEach(function(t){var r=Object.assign({},t.enchantDesc,{rerender:e}),i=t.name+\"-\"+e;n.addChanger.apply(0,[i].concat(u(r,i)))})})}),define(\"macrolib/links\",[\"jquery\",\"macros\",\"utils\",\"utils/selectors\",\"state\",\"passages\",\"engine\",\"datatypes/changercommand\"],function(e,t,n,r,i,s,o,u){\"use strict\";var a=t.TypeSignature.optional;e(document).ready(function(){e(n.storyElement).on(\"click.passage-link\",r.internalLink,function(){var n=e(this),r=n.parent().data(\"clickEvent\");if(r){r(n);return}var i=n.attr(\"passage-name\");i&&o.goToPassage(i,!1)})}),t.addChanger([\"link\"],function(e,t){return u.create(\"link\",[t])},function(e,t){var n=e.source;e.source=\"<tw-link tabindex=0>\"+t+\"</tw-link>\",e.append=\"replace\",e.data={clickEvent:function(){e.source=n,e.section.renderInto(n+\"\",null,e)}}},[String]),t.add([\"link-goto\"],function(t,r,o){return{TwineScript_TypeName:\"a (link-goto: \"+n.toJSLiteral(r)+\", \"+n.toJSLiteral(o)+\") command\",TwineScript_ObjectName:\"a (link-goto:) command\",TwineScript_Print:function(){var u=-1,a;return a=t.evaluateTwineMarkup(n.unescape(o||r)),a instanceof e?a:s.has(a)?(u=i.passageNameVisited(a),\"<tw-link tabindex=0 \"+(u>0?'class=\"visited\" ':\"\")+'passage-name=\"'+n.escape(a)+'\">'+(r||o)+\"</tw-link>\"):'<tw-broken-link passage-name=\"'+n.escape(a)+'\">'+(r||o)+\"</tw-broken-link>\"}}},[String,a(String)])}),define(\"macrolib\",[\"utils\",\"macrolib/values\",\"macrolib/commands\",\"macrolib/datastructures\",\"macrolib/stylechangers\",\"macrolib/enchantments\",\"macrolib/links\"],function(e){\"use strict\";e.log(\"Loaded the built-in macros.\")}),define(\"repl\",[\"utils\",\"markup\",\"twinescript/compiler\",\"twinescript/environ\"],function(e,t,n,r){\"use strict\";window.REPL=function(e){var i=n(t.lex(\"(print:\"+e+\")\"));return console.log(i),r({}).eval(i)},window.LEX=function(e){var n=t.lex(e);return n.length===1?n[0]:n}}),require.config({paths:{jquery:\"../node_modules/jquery/dist/jquery\",almond:\"../node_modules/almond/almond\",\"es6-shim\":\"../node_modules/es6-shim/es6-shim\",requestAnimationFrame:\"../node_modules/requestanimationframe/app/requestAnimationFrame\",jqueryplugins:\"utils/jqueryplugins\",markup:\"./markup/markup\",lexer:\"./markup/lexer\",patterns:\"./markup/patterns\"},deps:[\"jquery\",\"es6-shim\",\"jqueryplugins\"]}),require([\"jquery\",\"renderer\",\"state\",\"engine\",\"passages\",\"utils\",\"utils/selectors\",\"macrolib\",\"repl\"],function($,Renderer,State,Engine,Passages,Utils,Selectors){\"use strict\";function _eval(text){return eval(text+\"\")}function testPlayCleanup(){[\"_\",\"Backbone\",\"Store\",\"Mn\",\"Marionette\",\"saveAs\",\"FastClick\",\"JSZip\",\"SVG\",\"requestAnimFrame\",\"UUID\",\"XDate\",\"CodeMirror\",\"ui\",\"nwui\",\"AppPref\",\"Passage\",\"StoryFormat\",\"Story\",\"AppPrefCollection\",\"PassageCollection\",\"StoryCollection\",\"StoryFormatCollection\",\"WelcomeView\",\"StoryItemView\",\"StoryListView\",\"PassageItemView\",\"StoryEditView\",\"TwineRouter\",\"TransRegion\",\"TwineApp\",\"app\",\"storyFormat\"].forEach(function(e){try{delete window[e]}catch(t){window[e]=undefined}})}var installHandlers=function(){var e=$(document.documentElement),t=\"<tw-debugger><button class='show-invisibles'>&#9903; Debug View</button></tw-debugger>\";e.on(\"keydown\",function(e){e.which===13&&e.target.getAttribute(\"tabindex\")===\"0\"&&$(e.target).trigger(\"click\")}),Engine.options.debug&&($(document.body).append(t),$(\".show-invisibles\").click(function(){e.toggleClass(\"debug-mode\").is(\".debug-mode\")})),installHandlers=null};(function(e){window.onerror=function(t,n,r,i,s){var o=s&&s.stack&&\"\\n\"+s.stack.replace(/\\([^\\)]+\\)/g,\"\")+\"\\n\"||\"(\"+t+\")\\n\";alert(\"Sorry to interrupt, but this page's code has got itself in a mess. \"+o+\"(This is probably due to a bug in the Twine game engine.)\"),window.onerror=e,typeof e==\"function\"&&e.apply(window,arguments)}})(window.onerror),$(document).ready(function(){var t=$(Selectors.storyData),n,r,i=$(Selectors.script),s=$(Selectors.stylesheet);if(t.length===0)return;\"TwineApp\"in window&&testPlayCleanup(),n=t.attr(\"options\"),n&&n.split(/\\s/).forEach(function(e){Renderer.options[e]=Engine.options[e]=!0}),r=t.attr(\"startnode\"),Renderer.options.ifid=Engine.options.ifid=t.attr(\"ifid\"),r||(r=[].reduce.call($(Selectors.passageData),function(e,t){var n=t.getAttribute(\"pid\");return n<e?n:e},Infinity)),r=$(Selectors.passageData+\"[pid=\"+r+\"]\").attr(\"name\"),installHandlers(),i.each(function(e){try{_eval($(this).html())}catch(t){alert(\"There is a problem with this story's script (#\"+(e+1)+\"):\\n\\n\"+t.message)}}),s.each(function(e){$(document.head).append('<style data-title=\"Story stylesheet '+(e+1)+'\">'+$(this).html())});if(window.location.hash&&!window.location.hash.includes(\"stories\")&&State.load(window.location.hash)){Engine.showPassage(State.passage);return}Engine.goToPassage(r)})}),define(\"harlowe\",function(){}),require([\"harlowe\"])})();</script>\n\n\n</body>\n</html>\n","setup": function(){(function(){"use strict";function n(){var e,t;for(e=0;e<arguments.length;e++)for(t in arguments[e])this[t]=arguments[e][t]}function r(e,t){var n;e.childAt=e.childAt||{};for(n=t.start;n<t.end;n+=1)e.childAt[n]=t}function i(e,t,n,r){return(!e.canFollow||e.canFollow.indexOf(n&&n.type)>-1)&&(!e.cannotFollow||e.cannotFollow.indexOf(n&&n.type)===-1&&!(e.cannotFollow.indexOf("text")>-1&&r))&&(!e.peek||e.peek===t.slice(0,e.peek.length))}function s(e){var n=e.innerText,r,s,u,a,f,l,c,h=[],p=0,d=p,v=n.length,m=null,g,y;while(p<v){f=n.slice(p),c=(h.length?h[0]:e).innerMode;for(r=0,s=c.length;r<s;r+=1){u=t[c[r]];if(!i(u,f,m,d<p)||!u.pattern.test(f))continue;a=u.pattern.exec(f),g=u.fn(a),y=!1;if(g.matches){for(l=0;l<h.length;l+=1)if(h[l].type in g.matches){y=!0;break}if(l>=h.length&&!g.isFront)continue}d<p&&e.addChild({type:"text",text:n.slice(d,p),innerMode:c}),m=e.addChild(g),p+=m.text.length,d=p,y&&(o(e,m,h[l]),h=h.slice(l+1)),m.isFrontToken()&&h.unshift(m);break}r===s&&(p+=1,m===null&&(m={type:"text"}))}d<p&&e.addChild({type:"text",text:n.slice(d,p),innerMode:(h.length?h[0]:e).innerMode});while(h.length>0)h.shift().demote();return e}function o(e,t,n){var i=e.children.indexOf(t),s=e.children.indexOf(n),o,u;t.children=e.children.splice(s+1,i-(s+1)),t.children.forEach(function(e){r(t,e)}),t.type=t.matches[n.type],t.innerText="";for(o=0,u=t.children.length;o<u;o++)t.innerText+=t.children[o].text;t.start=n.start,t.text=n.text+t.innerText+t.text,Object.keys(n).forEach(function(e){Object.hasOwnProperty.call(t,e)||(t[e]=n[e])}),t.isFront&&(t.isFront=!1),e.children.splice(s,1),r(e,t)}var e,t={};n.prototype={constructor:n,addChild:function(t){var i=this.lastChildEnd(),o;return o=new n({start:i,end:t.text&&i+t.text.length,children:[]},t),o.innerText&&s(o),this.children.push(o),r(this,o),o},lastChild:function(){return this.children?this.children[this.children.length-1]||null:null},lastChildEnd:function(){var t=this.lastChild();return t?t.end:this.start+Math.max(0,this.text.indexOf(this.innerText))},tokenAt:function(t){var n,r;if(t<this.start||t>=this.end)return null;if(this.childAt)return this.childAt[t]&&this.childAt[t].tokenAt(t)||this;if(this.children.length)for(n=0;n<this.children.length;n+=1){r=this.children[n].tokenAt(t);if(r)return r}return this},pathAt:function(t){var n=[],r,i;if(t<this.start||t>=this.end)return[];if(this.childAt)return(this.childAt[t]&&this.childAt[t].pathAt(t)||[]).concat(this);if(this.children.length)for(r=0;r<this.children.length;r+=1){i=this.children[r].pathAt(t);if(i.length){n.concat(i);break}}return n.concat(this)},nearestTokenAt:function(t){return t<this.start||t>=this.end?null:this.children?this.children.reduce(function(e,n){return e||(t>=n.start&&t<n.end?n:null)},null):this},everyLeaf:function u(e){var t;return!this.children||this.children.length===0?!!e(this):this.children.everyLeaf(function(){t=t&&!!u(e)})},isWhitespace:function(){return this.everyLeaf(function(e){return e.type==="whitespace"||!e.text.trim()})},isFrontToken:function(){return this.isFront},isBackToken:function(){return"matches"in this},demote:function(){this.type="text"},error:function(e){this.type="error",this.message=e},toString:function(){var e=this.type+"("+this.start+"→"+this.end+")";return this.children&&this.children.length>0&&(e+="["+this.children+"]"),e}},e={lex:function(t,r){var i=s(new n({type:"root",start:r||0,end:t.length,text:t,innerText:t,children:[],childAt:{},innerMode:e.startMode}));return i},rules:t},typeof module=="object"?module.exports=e:typeof define=="function"&&define.amd?define("lexer",[],function(){return e}):typeof StoryFormat=="function"&&this instanceof StoryFormat?(this.modules||(this.modules={}),this.modules.Lexer=e):this.TwineLexer=e}).call(this||(typeof global!="undefined"?global:window)),function(){"use strict";function t(e){return e&&typeof e=="object"?(Object.keys(e).forEach(function(n){e[n]=t(e[n])}),e):(e+"").replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g,"\\$&")}function n(){return"[^"+Array.apply(0,arguments).map(t).join("")+"]*"}function r(e){return function(){return"("+e+Array.apply(0,arguments).join("|")+")"}}var e,i=r("?:"),s=r("?!"),o=r("?="),u="[ \\f\\t\\v  ᠎ - \u2028\u2029   ]*",a=u.replace("*","+"),f="\\b",l="\\\\\\n\\\\?|\\n\\\\",c="\\n(?!\\\\)",h="[\\w\\-À-Þß-ÿŐŰőű]",p="[\\wÀ-Þß-ÿŐŰőű]",d=i("\\n","$"),v="("+i(l,"[^\\n]")+"+)",m="\\*",g=u+"("+m+"+)"+a+v+d,y="(?:0\\.)",b=u+"("+y+"+)"+a+v+d,w=u+"-{3,}"+u+d,E=u+"(#{1,6})"+u+v+d,S=u+"(==+>|<=+|=+><=+|<==+>)"+u+d,x={opener:"\\[\\[(?!\\[)",text:"("+n("]")+")",rightSeparator:i("\\->","\\|"),leftSeparator:"<\\-",closer:"\\]\\]",legacySeparator:"\\|",legacyText:"("+i("[^\\|\\]]","\\]"+s("\\]"))+"+)"},T=h.replace("\\-","")+"*"+h.replace("\\-","").replace("\\w","a-zA-Z")+h.replace("\\-","")+"*",N="\\$("+T+")",C="'s"+a+"("+T+")",k="("+T+")"+a+"of"+f+s("it"+f),L="'s"+a,A="of"+f,O=i("it","time")+f,M="its"+a+"("+T+")",_="its"+a,D="("+T+")"+a+"of"+a+"it"+f,P="of"+f+a+"it"+f,H={opener:"\\(",name:"("+i(h.replace("]","\\/]")+h+"*",N)+"):",closer:"\\)"},B="<<[^>\\s]+\\s*(?:\\\\.|'(?:[^'\\\\]*\\\\.)*[^'\\\\]*'|\"(?:[^\"\\\\]*\\\\.)*[^\"\\\\]*\"|[^'\"\\\\>]|>(?!>))*>>",j={name:"[a-zA-Z][\\w\\-]*",attrs:"(?:\"[^\"]*\"|'[^']*'|[^'\">])*?"},F="\\|("+h.replace("]","_]")+"*)>",I="<("+h.replace("]","_]")+"*)\\|",q="\\b(\\d+(?:\\.\\d+)?(?:[eE][+\\-]?\\d+)?|NaN)"+s("m?s")+"\\b";x.main=x.opener+i(x.text+x.rightSeparator,x.text.replace("*","*?")+x.leftSeparator)+x.text,e={upperLetter:"[A-ZÀ-ÞŐŰ]",lowerLetter:"[a-z0-9_\\-ß-ÿőű]",anyLetter:h,anyLetterStrict:p,whitespace:a,escapedLine:l,br:c,commentFront:"<!--",commentBack:"-->",tag:"<\\/?"+j.name+j.attrs+">",tagPeek:"<",scriptStyleTag:"<("+i("script","style")+")"+j.attrs+">"+"[^]*?"+"<\\/\\1>",scriptStyleTagOpener:"<",url:"("+i("https?","mailto","javascript","ftp","data")+":\\/\\/[^\\s<]+[^<.,:;\"')\\]\\s])",bullet:m,hr:w,heading:E,align:S,bulleted:g,numbered:b,delOpener:t("~~"),italicOpener:t("//"),boldOpener:t("''"),supOpener:t("^^"),strongFront:t("**"),strongBack:t("**"),emFront:t("*"),emBack:t("*"),verbatimOpener:"`+",collapsedFront:"{",collapsedBack:"}",hookAppendedFront:"\\[",hookPrependedFront:F+"\\[",hookAnonymousFront:"\\[",hookBack:"\\]"+s(I),hookAppendedBack:"\\]"+I,passageLink:x.main+x.closer,passageLinkPeek:"[[",legacyLink:x.opener+x.legacyText+x.legacySeparator+x.legacyText+x.closer,legacyLinkPeek:"[[",simpleLink:x.opener+x.legacyText+x.closer,simpleLinkPeek:"[[",macroFront:H.opener+o(H.name),macroFrontPeek:"(",macroName:H.name,groupingFront:"\\("+s(H.name),groupingFrontPeek:"(",groupingBack:"\\)",twine1Macro:B,twine1MacroPeek:"<<",property:C,propertyPeek:"'s",belongingProperty:k,possessiveOperator:L,belongingOperator:A,belongingOperatorPeek:"of",itsOperator:_,itsOperatorPeek:"its",belongingItOperator:P,belongingItOperatorPeek:"of",variable:N,variablePeek:"$",hookRef:"\\?("+h+"+)\\b",hookRefPeek:"?",cssTime:"(\\d+\\.?\\d*|\\d*\\.?\\d+)(m?s)"+f,colour:i(i("Red","Orange","Yellow","Lime","Green","Cyan","Aqua","Blue","Navy","Purple","Fuchsia","Magenta","White","Gray","Grey","Black"),"#[\\dA-Fa-f]{3}(?:[\\dA-Fa-f]{3})?"),number:q,"boolean":i("true","false")+f,identifier:O,itsProperty:M,itsPropertyPeek:"its",belongingItProperty:D,escapedStringChar:"\\\\[^\\n]",singleStringOpener:"'",doubleStringOpener:'"',is:"is"+s(" not"," in")+f,isNot:"is not"+f,and:"and"+f,or:"or"+f,not:"not"+f,inequality:i("<(?!=)","<=",">(?!=)",">="),isIn:"is in"+f,contains:"contains"+f,addition:t("+")+s("="),subtraction:t("-")+s("="),multiplication:t("*")+s("="),division:i("/","%")+s("="),comma:",",spread:"\\.\\.\\."+s("\\."),to:i("to"+f,"="),into:"into"+f,augmentedAssign:i("\\+","\\-","\\*","\\/","%")+"="},typeof module=="object"?module.exports=e:typeof define=="function"&&define.amd?define("patterns",[],function(){return e}):typeof StoryFormat=="function"&&this instanceof StoryFormat?(this.modules||(this.modules={}),this.modules.Patterns=e):this.Patterns=e}.call(this||(typeof global!="undefined"?global:window)),function(){"use strict";function t(t){function f(e){return e=e||"innerText",function(t){var n=t.reduceRight(function(e,t,n){return e||(n?t:"")},""),r={};return r[e]=n,r}}function l(e,t){var n={};return n[e]=t,function(){return{isFront:!0,matches:n}}}function h(e,t){return Object.keys(t).forEach(function(n){var r=t[n].fn;t[n].fn=function(t){var i=r(t);return i.text||(i.text=t[0]),i.type||(i.type=n),i.innerMode||(i.innerMode=e),i}}),t}var n,r,i,s,o,u=[],a=[],c=Object.bind(0,null);return n=h(u,{hr:{fn:c},bulleted:{fn:function(e){return{depth:e[1].length,innerText:e[2]}}},numbered:{fn:function(e){return{depth:e[1].length/2,innerText:e[2]}}},heading:{fn:function(e){return{depth:e[1].length,innerText:e[2]}}},align:{fn:function(e){var t,n=e[1],r=n.indexOf("><");return~r?(t=Math.round(r/(n.length-2)*50),t===25&&(t="center")):n[0]==="<"&&n.slice(-1)===">"?t="justify":n.indexOf(">")>-1?t="right":n.indexOf("<")>-1&&(t="left"),{align:t}}}}),Object.keys(n).forEach(function(e){n[e].canFollow=[null,"br","hr","bulleted","numbered","heading","align"],n[e].cannotFollow=["text"]}),r=h(u,{twine1Macro:{fn:function(){return{type:"error",message:"Twine 2 macros use a different syntax to Twine 1 macros."}}},br:{fn:c},emBack:{fn:function(){return{matches:{emFront:"em"}}}},strongBack:{fn:function(){return{matches:{strongFront:"strong"}}}},strongFront:{fn:function(){return{isFront:!0}}},emFront:{fn:function(){return{isFront:!0}}},boldOpener:{fn:l("boldOpener","bold")},italicOpener:{fn:l("italicOpener","italic")},delOpener:{fn:l("delOpener","del")},supOpener:{fn:l("supOpener","sup")},commentFront:{fn:function(){return{isFront:!0}}},commentBack:{fn:function(){return{matches:{commentFront:"comment"}}}},scriptStyleTag:{fn:c},tag:{fn:c},url:{fn:c},passageLink:{fn:function(e){var t=e[1],n=e[2],r=e[3];return{type:"twineLink",innerText:n?r:t,passage:t?r:n}}},simpleLink:{fn:function(e){return{type:"twineLink",innerText:e[1],passage:e[1]}}},hookPrependedFront:{fn:function(e){return{name:e[1],isFront:!0,tagPosition:"prepended"}}},hookAnonymousFront:{fn:function(){return{isFront:!0,demote:function(){this.error("This tagged hook doesn't have a matching ].")}}},canFollow:["macro","variable"]},hookAppendedFront:{fn:function(){return{isFront:!0}},cannotFollow:["macro","variable"]},hookBack:{fn:function(){return{type:"hookAppendedBack",matches:{hookPrependedFront:"hook",hookAnonymousFront:"hook"}}}},hookAppendedBack:{fn:function(e){return{name:e[1],tagPosition:"appended",matches:{hookAppendedFront:"hook"}}}},verbatimOpener:{fn:function(e){var t=e[0].length,n={};return n["verbatim"+t]="verbatim",{type:"verbatim"+t,isFront:!0,matches:n}}},collapsedFront:{fn:function(){return{isFront:!0}}},collapsedBack:{fn:function(){return{matches:{collapsedFront:"collapsed"}}}},escapedLine:{fn:c},legacyLink:{fn:function(e){return{type:"twineLink",innerText:e[1],passage:e[2]}}}}),i=h(a,{macroFront:{fn:function(e){return{isFront:!0,name:e[1]}}},groupingBack:{fn:function(){return{matches:{groupingFront:"grouping",macroFront:"macro"}}}},hookRef:{fn:f("name")},variable:{fn:f("name")},whitespace:{fn:c,cannotFollow:"text"}}),s=h(a,Object.assign({macroName:{canFollow:["macroFront"],fn:function(e){return e[2]?{isMethodCall:!0,innerText:e[2]}:{isMethodCall:!1}}},groupingFront:{fn:function(){return{isFront:!0}}},property:{fn:f("name"),canFollow:["variable","hookRef","property","itsProperty","belongingItProperty","macro","grouping","string"]},possessiveOperator:{fn:c},itsProperty:{fn:f("name")},itsOperator:{fn:c},belongingItProperty:{cannotFollow:["text"],fn:f("name")},belongingItOperator:{cannotFollow:["text"],fn:c},belongingProperty:{cannotFollow:["text"],fn:f("name")},belongingOperator:{cannotFollow:["text"],fn:c},escapedStringChar:{fn:function(){return{type:"text"}}},singleStringOpener:{fn:function(){return{isFront:!0,matches:{singleStringOpener:"string"}}}},doubleStringOpener:{fn:function(){return{isFront:!0,matches:{doubleStringOpener:"string"}}}},cssTime:{fn:function(e){return{value:+e[1]*(e[2].toLowerCase()==="s"?1e3:1)}}},colour:{cannotFollow:["text"],fn:function(e){var t,n=e[0].toLowerCase(),r={red:"e61919",orange:"e68019",yellow:"e5e619",lime:"80e619",green:"19e619",cyan:"19e5e6",aqua:"19e5e6",blue:"197fe6",navy:"1919e6",purple:"7f19e6",fuchsia:"e619e5",magenta:"e619e5",white:"fff",black:"000",gray:"888",grey:"888"};return Object.hasOwnProperty.call(r,n)?t="#"+r[n]:t=n,{colour:t}}},number:{fn:function(e){return{value:parseFloat(e[0])}}},addition:{fn:c},subtraction:{fn:c},multiplication:{fn:c},division:{fn:c},inequality:{fn:function(e){return{operator:e[0]}}},augmentedAssign:{fn:function(e){return{operator:e[0][0]}}},identifier:{fn:f("name")}},["boolean","is","to","into","and","or","not","isNot","contains","isIn"].reduce(function(e,t){return e[t]={fn:c,cannotFollow:["text"]},e},{}),["comma","spread","addition","subtraction","multiplication","division"].reduce(function(e,t){return e[t]={fn:c},e},{}))),[].push.apply(u,Object.keys(n).concat(Object.keys(r)).concat(Object.keys(i))),[].push.apply(a,Object.keys(i).concat(Object.keys(s))),o=Object.assign({},n,r,i,s),Object.keys(o).forEach(function(t){var n=e[t];typeof n!="string"?o[t].pattern=n:o[t].pattern=new RegExp("^(?:"+n+")","i"),e[t+"Peek"]&&(o[t].peek=e[t+"Peek"])}),Object.assign(t.rules,o),t.startMode=u,t}function n(n){var r=Object.freeze({lex:t(n).lex,Patterns:e});return r}var e;Object.assign=Object.assign||function(t){var n=1,r,i;for(;n<arguments.length;n++){r=arguments[n];for(i in r)Object.hasOwnProperty.call(r,i)&&(t[i]=r[i])}return t},typeof module=="object"?(e=require("patterns"),module.exports=n(require("lexer"))):typeof define=="function"&&define.amd?define("markup",["lexer","patterns"],function(t,r){return e=r,n(t)}):typeof StoryFormat=="function"&&this instanceof StoryFormat?(e=this.modules.Patterns,this.modules.Markup=n(this.modules.Lexer),this.lex=this.modules.Markup.lex):(e=this.Patterns,this.TwineMarkup=n(this.TwineLexer))}.call(this||(typeof global!="undefined"?global:window)),function(){"use strict";function r(e){return(e+"").toLowerCase().replace(/-|_/g,"")}function s(e,t){if(!e.update)return;var n=e.from.line,r=t.split("\n").slice(0,e.from.line+1);return r[n]=r[n].slice(0,e.from.ch)+e.text[0],r=r.concat(e.text.slice(1)),e.update({line:0,ch:0},e.to,r),r.join("\n")}var e,t,n,i="text,string,substring,num,number,if,unless,elseif,else,nonzero,first-nonzero,passage,nonempty,first-nonempty,weekday,monthday,currenttime,currentdate,min,max,abs,sign,sin,cos,tan,floor,round,ceil,pow,exp,sqrt,log,log10,log2,random,either,alert,prompt,confirm,openURL,reload,gotoURL,pageURL,hook,transition,t8n,font,align,text-colour,text-color,color,colour,text-rotate,background,text-style,css,replace,append,prepend,click,mouseover,mouseout,click-replace,mouseover-replace,mouseout-replace,click-append,mouseover-append,mouseout-append,click-prepend,mouseover-prepend,mouseout-prepend,set,put,move,a,array,range,subarray,shuffled,sorted,rotated,datanames,datavalues,history,datamap,dataset,count,display,print,goto,live,stop,savegame,savedgames,loadgame,link,link-goto".split(",").map(r);typeof define=="function"&&define.amd?define("markup",[],function(t){e=t.lex}):typeof StoryFormat=="function"&&this instanceof StoryFormat&&(e=this.modules.Markup.lex),window.CodeMirror&&CodeMirror.defineMode("harlowe",function(){var t,o=function(){var r=n.doc;t=e(r.getValue()),r.on("beforeChange",function(e,t){var n=r.getValue();s(t,n)}),r.off("change"),r.on("change",function(){var n=r.getValue();t=e(n)}),r.on("swapDoc",o),o=null};return{startState:function(){return n||(n=CodeMirror.modes.harlowe.cm,n.setOption("placeholder",["Enter the body text of your passage here.","''Bold'', //italics//, ^^superscript^^, ~~strikethrough~~, and <p>HTML tags</p> are available.","To display special symbols without them being transformed, put them between `backticks`.","To link to another passage, write the link text and the passage name like this: [[link text->passage name]]\nor this: [[passage name<-link text]]\nor this: [[link text]].","Macros like (set:) and (display:) are the programming of your passage. If you've (set:) a $variable, you can just enter its name to print it out.","To make a 'hook', put [single square brackets] around text - or leave it empty [] - then put a macro like (if:), a $variable, or a |nametag> outside the front, |like>[so].","Hooks can be used for many things: showing text (if:) something happened, applying a (text-style:), making a place to (append:) text later on, and much more!","Consult the Harlowe documentation for more information."].join("\n\n"))),{pos:0}},blankLine:function(e){e.pos++},token:function(n,s){var u,a,f,l,c={},h,p="";o&&o(),u=t.pathAt(s.pos),a=u[0];if(!a)return s.pos++,n.next(),null;while(a===a.tokenAt(s.pos)&&!n.eol())s.pos++,n.next();n.eol()&&s.pos++;for(h=0;h<u.length;h+=1){l=u[h].type,f="harlowe-"+l,c[f]>1&&(f+="-"+c[f]),c[f]=(c[f]||0)+1;switch(l){case"macroName":i.indexOf(r(u[h].text.slice(0,-1)))===-1&&(f+=" harlowe-error")}p+=f+" "}return p}}}),t=document.querySelector("style#cm-harlowe"),t||(t=document.createElement("style"),t.setAttribute("id","cm-harlowe"),document.head.appendChild(t)),t.innerHTML=function(){function e(e,t,n){return function(r){return"background-color: hsla("+e+","+t+"%,"+n+"%,"+r+");"}}var t=e(40,100,50),n=e(220,100,50),r="color: #a84186;",i=r+"font-style:italic;",s="color: #3333cc;",o="color: firebrick; background-color: hsla(17, 100%, 74%, 0.74);";return{hook:t(.05),"hook-2":t(.1),"hook-3":t(.15),"hook-4":t(.2),"hook-5":t(.25),"hook-6":t(.3),"hook-7":t(.35),"hook-8":t(.4),"^=hook, ^=hook-":"font-weight:bold;",error:o,macro:r,macroName:i,"^=macro ":"font-weight:bold;","bold, strong":"font-weight:bold;","italic, em":"font-style:italic;",verbatim:"background-color: hsla(0,0%,50%,0.1)","^=collapsed":"font-weight:bold; color: hsl(201, 100%, 30%);",collapsed:n(.025),"collapsed.hook":n(.05),"collapsed.hook-2":n(.1),"collapsed.hook-3":n(.15),"collapsed.hook-4":n(.2),"collapsed.hook-5":n(.25),"collapsed.hook-6":n(.3),"collapsed.hook-7":n(.35),"collapsed.hook-8":n(.4),twineLink:s,tag:"color: #4d4d9d;","boolean":"color: #626262;",string:"color: #008282;",number:"color: #A15000;",variable:"color: #005682;",hookRef:"color: #007f54;",heading:"font-weight:bold;",hr:"display:block; background-image: linear-gradient(0deg, transparent, transparent 45%, silver 45%, transparent 55%, transparent);",align:"display:block; color: hsl(14, 99%, 27%); background-color: hsla(14, 99%, 87%, 0.2);",escapedLine:"font-weight:bold; color: hsl(51, 100%, 30%);","identifier, property, belongingProperty, itsProperty, belongingItProperty, belongingItOperator":"color: #0076b2;",toString:function(){return Object.keys(this).reduce(function(e,t){var n;return t==="toString"?e:(n=t.split(", ").map(function r(e){return e.indexOf(".")>-1?e.split(/\./g).map(r).join(""):e.indexOf("^=")===0?"[class^='cm-harlowe-"+e.slice(2)+"']":".cm-harlowe-"+e}),e+n.join(", ")+"{"+this[t]+"}")}.bind(this),"")}}+""}()}.call(this);}});
@@ -0,0 +1,78 @@
1
+ <?xml version="1.0" encoding="UTF-8" standalone="no"?>
2
+ <!-- Created with Inkscape (http://www.inkscape.org/) -->
3
+
4
+ <svg
5
+ xmlns:dc="http://purl.org/dc/elements/1.1/"
6
+ xmlns:cc="http://creativecommons.org/ns#"
7
+ xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
8
+ xmlns:svg="http://www.w3.org/2000/svg"
9
+ xmlns="http://www.w3.org/2000/svg"
10
+ xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
11
+ xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
12
+ width="265.74731"
13
+ height="265.75"
14
+ id="svg2"
15
+ version="1.1"
16
+ inkscape:version="0.48.5 r10040"
17
+ sodipodi:docname="icon.svg">
18
+ <defs
19
+ id="defs4" />
20
+ <sodipodi:namedview
21
+ id="base"
22
+ pagecolor="#ffffff"
23
+ bordercolor="#666666"
24
+ borderopacity="1.0"
25
+ inkscape:pageopacity="0.0"
26
+ inkscape:pageshadow="2"
27
+ inkscape:zoom="0.7"
28
+ inkscape:cx="50.171434"
29
+ inkscape:cy="183.96838"
30
+ inkscape:document-units="px"
31
+ inkscape:current-layer="layer1"
32
+ showgrid="false"
33
+ inkscape:snap-to-guides="false"
34
+ inkscape:window-width="1206"
35
+ inkscape:window-height="741"
36
+ inkscape:window-x="0"
37
+ inkscape:window-y="0"
38
+ inkscape:window-maximized="0"
39
+ fit-margin-top="0"
40
+ fit-margin-left="0"
41
+ fit-margin-right="0"
42
+ fit-margin-bottom="0" />
43
+ <metadata
44
+ id="metadata7">
45
+ <rdf:RDF>
46
+ <cc:Work
47
+ rdf:about="">
48
+ <dc:format>image/svg+xml</dc:format>
49
+ <dc:type
50
+ rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
51
+ <dc:title />
52
+ </cc:Work>
53
+ </rdf:RDF>
54
+ </metadata>
55
+ <g
56
+ inkscape:label="Layer 1"
57
+ inkscape:groupmode="layer"
58
+ id="layer1"
59
+ transform="translate(-71.971426,-713.1875)">
60
+ <text
61
+ xml:space="preserve"
62
+ style="font-size:40px;font-style:normal;font-weight:normal;line-height:125%;letter-spacing:0px;word-spacing:0px;fill:#000000;fill-opacity:1;stroke:none;font-family:Sans"
63
+ x="66.571426"
64
+ y="947.505"
65
+ id="text2985"
66
+ sodipodi:linespacing="125%"><tspan
67
+ sodipodi:role="line"
68
+ id="tspan2987"
69
+ x="66.571426"
70
+ y="947.505"
71
+ style="font-size:300px;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;font-family:American Typewriter;-inkscape-font-specification:American Typewriter">H</tspan></text>
72
+ <path
73
+ style="fill:none;stroke:#000000;stroke-width:8;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none"
74
+ d="m 333.71429,720.36218 0,258.57143"
75
+ id="path2989"
76
+ inkscape:connector-curvature="0" />
77
+ </g>
78
+ </svg>
@@ -0,0 +1 @@
1
+ window.storyFormat({"name":"Paperthin","version":"1.0","description":"The default proofing format for Twine 2. Icon designed by <a href=\"http://www.thenounproject.com/Simon Child\">Simon Child</a> from the <a href=\"http://www.thenounproject.com\">Noun Project</a>","author":"<a href=\"http://chrisklimas.com\">Chris Klimas</a>","image":"icon.svg","url":"http://twinery.org/","license":"ZLib/Libpng","proofing":true,"source":"<!DOCTYPE html>\n<html>\n<head>\n<title>{{STORY_NAME}}\n</title>\n<meta charset=\"utf-8\">\n<style>\nbody\n{\n\tfont: 10pt Cousine, monospace;\n\tmargin: 2em;\n}\n\nh1\n{\n\tfont-size: 14pt;\n\ttext-align: center;\n\tmargin-bottom: 2em;\n}\n\ntw-passagedata\n{\n\tdisplay: block !important;\n\tline-height: 200%;\n\tmargin-bottom: 2em;\n\twhite-space: pre-wrap;\n}\n\ntw-passagedata + tw-passagedata\n{\n\tborder-top: 1pt dashed black;\n\tpadding-top: 2em;\n}\n\ntw-passagedata:before\n{\n\tcontent: attr(name);\n\tdisplay: block;\n\tfont-weight: bold;\n}\n</style>\n</head>\n\n<body>\n\n<h1>{{STORY_NAME}}\n</h1>\n{{STORY_DATA}}\n\n\n</body>\n</html>\n"});
@@ -0,0 +1,5 @@
1
+ <svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" version="1.1" id="Layer_1" x="0px" y="0px" width="100px" height="100px" viewBox="0 0 100 100" enable-background="new 0 0 100 100" xml:space="preserve">
2
+ <g>
3
+ <path d="M10.468,34.748v-1.412H4.536v1.412H10.468L10.468,34.748z M90.955,34.748h5.486v-1.412h-5.486V34.748L90.955,34.748z M70.091,87.301v1.959c0,0.779,0.632,1.412,1.411,1.412h1.96c0.78,0,1.413-0.633,1.413-1.412v-1.959 c0-0.78-0.633-1.412-1.413-1.412h-1.96C70.723,85.889,70.091,86.521,70.091,87.301L70.091,87.301z M76.341,87.301v1.959 c0,0.779,0.632,1.412,1.413,1.412h1.958c0.778,0,1.411-0.633,1.411-1.412v-1.959c0-0.78-0.633-1.412-1.411-1.412h-1.958 C76.973,85.889,76.341,86.521,76.341,87.301L76.341,87.301z M26.315,92.522v1.614c0,0.389,0.316,0.704,0.706,0.704h47.13 c0.391,0,0.707-0.315,0.707-0.704v-1.614c0-0.392-0.316-0.706-0.707-0.706h-47.13C26.631,91.816,26.315,92.131,26.315,92.522 L26.315,92.522z M16.979,81.497v1.958c0,0.781,0.633,1.414,1.413,1.414h1.958c0.78,0,1.413-0.633,1.413-1.414v-1.958 c0-0.78-0.632-1.413-1.413-1.413h-1.958C17.611,80.084,16.979,80.717,16.979,81.497L16.979,81.497z M23.229,81.497v1.958 c0,0.781,0.632,1.414,1.412,1.414h1.958c0.781,0,1.414-0.633,1.414-1.414v-1.958c0-0.78-0.633-1.413-1.414-1.413h-1.958 C23.861,80.084,23.229,80.717,23.229,81.497L23.229,81.497z M29.479,81.497v1.958c0,0.781,0.632,1.414,1.412,1.414h1.958 c0.781,0,1.414-0.633,1.414-1.414v-1.958c0-0.78-0.633-1.413-1.414-1.413h-1.958C30.111,80.084,29.479,80.717,29.479,81.497 L29.479,81.497z M35.729,81.497v1.958c0,0.781,0.633,1.414,1.413,1.414h1.958c0.78,0,1.413-0.633,1.413-1.414v-1.958 c0-0.78-0.633-1.413-1.413-1.413h-1.958C36.362,80.084,35.729,80.717,35.729,81.497L35.729,81.497z M41.979,81.497v1.958 c0,0.781,0.632,1.414,1.413,1.414h1.958c0.781,0,1.413-0.633,1.413-1.414v-1.958c0-0.78-0.632-1.413-1.413-1.413h-1.958 C42.612,80.084,41.979,80.717,41.979,81.497L41.979,81.497z M48.23,81.497v1.958c0,0.781,0.632,1.414,1.413,1.414h1.958 c0.78,0,1.413-0.633,1.413-1.414v-1.958c0-0.78-0.633-1.413-1.413-1.413h-1.958C48.862,80.084,48.23,80.717,48.23,81.497 L48.23,81.497z M54.479,81.497v1.958c0,0.781,0.633,1.414,1.414,1.414h1.959c0.779,0,1.412-0.633,1.412-1.414v-1.958 c0-0.78-0.633-1.413-1.412-1.413h-1.959C55.111,80.084,54.479,80.717,54.479,81.497L54.479,81.497z M60.73,81.497v1.958 c0,0.781,0.634,1.414,1.413,1.414h1.958c0.779,0,1.411-0.633,1.411-1.414v-1.958c0-0.78-0.632-1.413-1.411-1.413h-1.958 C61.364,80.084,60.73,80.717,60.73,81.497L60.73,81.497z M66.979,81.497v1.958c0,0.781,0.632,1.414,1.413,1.414h1.958 c0.781,0,1.413-0.633,1.413-1.414v-1.958c0-0.78-0.632-1.413-1.413-1.413h-1.958C67.611,80.084,66.979,80.717,66.979,81.497 L66.979,81.497z M73.23,81.497v1.958c0,0.781,0.632,1.414,1.414,1.414h1.957c0.779,0,1.412-0.633,1.412-1.414v-1.958 c0-0.78-0.633-1.413-1.412-1.413h-1.957C73.862,80.084,73.23,80.717,73.23,81.497L73.23,81.497z M79.48,81.497v1.958 c0,0.781,0.633,1.414,1.412,1.414h1.958c0.78,0,1.413-0.633,1.413-1.414v-1.958c0-0.78-0.633-1.413-1.413-1.413h-1.958 C80.113,80.084,79.48,80.717,79.48,81.497L79.48,81.497z M20.089,87.301v1.959c0,0.779,0.633,1.412,1.413,1.412h1.958 c0.78,0,1.413-0.633,1.413-1.412v-1.959c0-0.78-0.633-1.412-1.413-1.412h-1.958C20.722,85.889,20.089,86.521,20.089,87.301 L20.089,87.301z M13.84,75.692v1.959c0,0.78,0.632,1.413,1.413,1.413h1.958c0.781,0,1.413-0.633,1.413-1.413v-1.959 c0-0.778-0.632-1.412-1.413-1.412h-1.958C14.472,74.28,13.84,74.914,13.84,75.692L13.84,75.692z M20.09,75.692v1.959 c0,0.78,0.632,1.413,1.413,1.413h1.958c0.78,0,1.413-0.633,1.413-1.413v-1.959c0-0.778-0.632-1.412-1.413-1.412h-1.958 C20.722,74.28,20.09,74.914,20.09,75.692L20.09,75.692z M26.34,75.692v1.959c0,0.78,0.632,1.413,1.412,1.413h1.958 c0.78,0,1.413-0.633,1.413-1.413v-1.959c0-0.778-0.633-1.412-1.413-1.412h-1.958C26.972,74.28,26.34,74.914,26.34,75.692 L26.34,75.692z M32.589,75.692v1.959c0,0.78,0.633,1.413,1.414,1.413h1.958c0.78,0,1.412-0.633,1.412-1.413v-1.959 c0-0.778-0.632-1.412-1.412-1.412h-1.958C33.222,74.28,32.589,74.914,32.589,75.692L32.589,75.692z M38.84,75.692v1.959 c0,0.78,0.633,1.413,1.413,1.413h1.958c0.78,0,1.412-0.633,1.412-1.413v-1.959c0-0.778-0.632-1.412-1.412-1.412h-1.958 C39.473,74.28,38.84,74.914,38.84,75.692L38.84,75.692z M45.091,75.692v1.959c0,0.78,0.631,1.413,1.412,1.413h1.958 c0.781,0,1.413-0.633,1.413-1.413v-1.959c0-0.778-0.632-1.412-1.413-1.412h-1.958C45.722,74.28,45.091,74.914,45.091,75.692 L45.091,75.692z M51.34,75.692v1.959c0,0.78,0.634,1.413,1.412,1.413h1.959c0.781,0,1.413-0.633,1.413-1.413v-1.959 c0-0.778-0.632-1.412-1.413-1.412h-1.959C51.974,74.28,51.34,74.914,51.34,75.692L51.34,75.692z M57.59,75.692v1.959 c0,0.78,0.633,1.413,1.414,1.413h1.957c0.78,0,1.414-0.633,1.414-1.413v-1.959c0-0.778-0.634-1.412-1.414-1.412h-1.957 C58.223,74.28,57.59,74.914,57.59,75.692L57.59,75.692z M63.842,75.692v1.959c0,0.78,0.633,1.413,1.411,1.413h1.958 c0.781,0,1.414-0.633,1.414-1.413v-1.959c0-0.778-0.633-1.412-1.414-1.412h-1.958C64.475,74.28,63.842,74.914,63.842,75.692 L63.842,75.692z M70.091,75.692v1.959c0,0.78,0.632,1.413,1.413,1.413h1.958c0.78,0,1.413-0.633,1.413-1.413v-1.959 c0-0.778-0.633-1.412-1.413-1.412h-1.958C70.723,74.28,70.091,74.914,70.091,75.692L70.091,75.692z M76.341,75.692v1.959 c0,0.78,0.634,1.413,1.413,1.413h1.958c0.779,0,1.411-0.633,1.411-1.413v-1.959c0-0.778-0.632-1.412-1.411-1.412h-1.958 C76.975,74.28,76.341,74.914,76.341,75.692L76.341,75.692z M82.59,75.692v1.959c0,0.78,0.634,1.413,1.414,1.413h1.959 c0.779,0,1.412-0.633,1.412-1.413v-1.959c0-0.778-0.633-1.412-1.412-1.412h-1.959C83.224,74.28,82.59,74.914,82.59,75.692 L82.59,75.692z M26.339,87.301v1.959c0,0.779,0.632,1.412,1.413,1.412h1.958c0.781,0,1.413-0.633,1.413-1.412v-1.959 c0-0.78-0.632-1.412-1.413-1.412h-1.958C26.972,85.889,26.339,86.521,26.339,87.301L26.339,87.301z M32.589,87.301v1.959 c0,0.779,0.633,1.412,1.414,1.412h1.958c0.78,0,1.412-0.633,1.412-1.412v-1.959c0-0.78-0.632-1.412-1.412-1.412h-1.958 C33.222,85.889,32.589,86.521,32.589,87.301L32.589,87.301z M38.839,87.301v1.959c0,0.779,0.633,1.412,1.414,1.412h1.958 c0.78,0,1.413-0.633,1.413-1.412v-1.959c0-0.78-0.632-1.412-1.413-1.412h-1.958C39.472,85.889,38.839,86.521,38.839,87.301 L38.839,87.301z M45.09,87.301v1.959c0,0.779,0.632,1.412,1.413,1.412h1.958c0.781,0,1.412-0.633,1.412-1.412v-1.959 c0-0.78-0.631-1.412-1.412-1.412h-1.958C45.722,85.889,45.09,86.521,45.09,87.301L45.09,87.301z M51.34,87.301v1.959 c0,0.779,0.634,1.412,1.412,1.412h1.959c0.781,0,1.412-0.633,1.412-1.412v-1.959c0-0.78-0.631-1.412-1.412-1.412h-1.959 C51.974,85.889,51.34,86.521,51.34,87.301L51.34,87.301z M57.59,87.301v1.959c0,0.779,0.633,1.412,1.414,1.412h1.956 c0.781,0,1.415-0.633,1.415-1.412v-1.959c0-0.78-0.634-1.412-1.415-1.412h-1.956C58.223,85.889,57.59,86.521,57.59,87.301 L57.59,87.301z M63.84,87.301v1.959c0,0.779,0.635,1.412,1.413,1.412h1.958c0.781,0,1.412-0.633,1.412-1.412v-1.959 c0-0.78-0.631-1.412-1.412-1.412h-1.958C64.475,85.889,63.84,86.521,63.84,87.301L63.84,87.301z M20.424,39.256v5.531l21.795-0.052 v1.991c-0.067,3.078-2.576,5.559-5.647,5.598l-2.65,0.004c-2.644,0-4.787,1.98-4.787,4.423c0,2.444,2.143,4.425,4.787,4.425h33.429 c2.646,0,4.79-1.98,4.79-4.425c0-2.442-2.145-4.423-4.79-4.423l-2.542-0.004c-3.07-0.039-5.579-2.52-5.646-5.598v-2.032 l21.663-0.051v-5.387h-5.002v0.708H70.52v-0.708H30.673v0.708h-5.305v-0.708H20.424L20.424,39.256z M80.826,1.904H20.424v35.939 h4.944v-0.706h5.305v0.706H70.52v-0.706h5.305v0.706h5.002V1.904L80.826,1.904z M90.958,90.406c0,4.68-3.796,8.475-8.476,8.475 H18.946c-4.683,0-8.478-3.795-8.478-8.475V40.563H4.787c-0.779,0-1.412-0.634-1.412-1.413v-6.112c0-0.779,0.632-1.413,1.412-1.413 h5.681v-5.599l8.542-0.02V0.492h63.229v25.361l8.716-0.021v5.792h5.479c0.783,0,1.416,0.634,1.416,1.413v6.112 c0,0.779-0.633,1.413-1.416,1.413h-5.479L90.958,90.406L90.958,90.406z"/>
4
+ </g>
5
+ </svg>
@@ -0,0 +1 @@
1
+ window.storyFormat({"name":"Snowman","version":"1.1","description":"A minimal story format for authors experienced with HTML, CSS, and JavaScript.","author":"Chris Klimas","image":"icon.svg","url":"http://bitbucket.org/klembot/snowman-2","license":"MIT License","proofing":false,"source":"<!DOCTYPE html><html><head><title>{{STORY_NAME}}</title><meta charset=utf-8><style>a,body{color:#222}body{font:18px \"Helvetica Neue\",Helvetica,Arial,sans-serif}#passage{max-width:38em;margin:0 auto;line-height:145%}a{text-decoration:none;border-bottom:2px solid #bbb}a:hover{color:#cc8929;border-color:#cc8929}a:active{color:#ffb040;border-color:#ffb040}tw-storydata{display:none}@media screen and (max-device-width:480px){#passage{font-size:70%}}</style></head><body><div id=passage></div>{{STORY_DATA}}<script>function Passage(e,t,n,r){this.id=e,this.name=t,this.tags=n,this.source=_.unescape(r)}function Story(e){this.el=e,this.name=e.attr(\"name\"),this.startPassage=parseInt(e.attr(\"startnode\")),this.creator=e.attr(\"creator\"),this.creatorVersion=e.attr(\"creator-version\"),this.history=[],this.state={},this.checkpointName=\"\",this.ignoreErrors=!1,this.errorMessage=\"⚠ %s\",this.atCheckpoint=!1,this.passages=[];var t=this.passages;e.children(\"tw-passagedata\").each(function(e){var n=$(this),r=parseInt(n.attr(\"pid\")),i=n.attr(\"tags\");t[r]=new Passage(r,n.attr(\"name\"),\"\"!==i&&void 0!==i?i.split(\" \"):[],n.html())}),this.userScripts=_.map(e.children('*[type=\"text/twine-javascript\"]'),function(e){return $(e).html()}),this.userStyles=_.map(e.children('*[type=\"text/twine-css\"]'),function(e){return $(e).html()})}!function(e,t){\"object\"==typeof module&&\"object\"==typeof module.exports?module.exports=e.document?t(e,!0):function(e){if(!e.document)throw new Error(\"jQuery requires a window with a document\");return t(e)}:t(e)}(\"undefined\"!=typeof window?window:this,function(e,t){function n(e){var t=e.length,n=ie.type(e);return\"function\"===n||ie.isWindow(e)?!1:1===e.nodeType&&t?!0:\"array\"===n||0===t||\"number\"==typeof t&&t>0&&t-1 in e}function r(e,t,n){if(ie.isFunction(t))return ie.grep(e,function(e,r){return!!t.call(e,r,e)!==n});if(t.nodeType)return ie.grep(e,function(e){return e===t!==n});if(\"string\"==typeof t){if(pe.test(t))return ie.filter(t,e,n);t=ie.filter(t,e)}return ie.grep(e,function(e){return ie.inArray(e,t)>=0!==n})}function i(e,t){do e=e[t];while(e&&1!==e.nodeType);return e}function o(e){var t=xe[e]={};return ie.each(e.match(be)||[],function(e,n){t[n]=!0}),t}function a(){he.addEventListener?(he.removeEventListener(\"DOMContentLoaded\",s,!1),e.removeEventListener(\"load\",s,!1)):(he.detachEvent(\"onreadystatechange\",s),e.detachEvent(\"onload\",s))}function s(){(he.addEventListener||\"load\"===event.type||\"complete\"===he.readyState)&&(a(),ie.ready())}function u(e,t,n){if(void 0===n&&1===e.nodeType){var r=\"data-\"+t.replace(Se,\"-$1\").toLowerCase();if(n=e.getAttribute(r),\"string\"==typeof n){try{n=\"true\"===n?!0:\"false\"===n?!1:\"null\"===n?null:+n+\"\"===n?+n:Ce.test(n)?ie.parseJSON(n):n}catch(i){}ie.data(e,t,n)}else n=void 0}return n}function l(e){var t;for(t in e)if((\"data\"!==t||!ie.isEmptyObject(e[t]))&&\"toJSON\"!==t)return!1;return!0}function c(e,t,n,r){if(ie.acceptData(e)){var i,o,a=ie.expando,s=e.nodeType,u=s?ie.cache:e,l=s?e[a]:e[a]&&a;if(l&&u[l]&&(r||u[l].data)||void 0!==n||\"string\"!=typeof t)return l||(l=s?e[a]=V.pop()||ie.guid++:a),u[l]||(u[l]=s?{}:{toJSON:ie.noop}),(\"object\"==typeof t||\"function\"==typeof t)&&(r?u[l]=ie.extend(u[l],t):u[l].data=ie.extend(u[l].data,t)),o=u[l],r||(o.data||(o.data={}),o=o.data),void 0!==n&&(o[ie.camelCase(t)]=n),\"string\"==typeof t?(i=o[t],null==i&&(i=o[ie.camelCase(t)])):i=o,i}}function f(e,t,n){if(ie.acceptData(e)){var r,i,o=e.nodeType,a=o?ie.cache:e,s=o?e[ie.expando]:ie.expando;if(a[s]){if(t&&(r=n?a[s]:a[s].data)){ie.isArray(t)?t=t.concat(ie.map(t,ie.camelCase)):t in r?t=[t]:(t=ie.camelCase(t),t=t in r?[t]:t.split(\" \")),i=t.length;for(;i--;)delete r[t[i]];if(n?!l(r):!ie.isEmptyObject(r))return}(n||(delete a[s].data,l(a[s])))&&(o?ie.cleanData([e],!0):ne.deleteExpando||a!=a.window?delete a[s]:a[s]=null)}}}function p(){return!0}function d(){return!1}function h(){try{return he.activeElement}catch(e){}}function g(e){var t=Me.split(\"|\"),n=e.createDocumentFragment();if(n.createElement)for(;t.length;)n.createElement(t.pop());return n}function m(e,t){var n,r,i=0,o=typeof e.getElementsByTagName!==Te?e.getElementsByTagName(t||\"*\"):typeof e.querySelectorAll!==Te?e.querySelectorAll(t||\"*\"):void 0;if(!o)for(o=[],n=e.childNodes||e;null!=(r=n[i]);i++)!t||ie.nodeName(r,t)?o.push(r):ie.merge(o,m(r,t));return void 0===t||t&&ie.nodeName(e,t)?ie.merge([e],o):o}function y(e){je.test(e.type)&&(e.defaultChecked=e.checked)}function v(e,t){return ie.nodeName(e,\"table\")&&ie.nodeName(11!==t.nodeType?t:t.firstChild,\"tr\")?e.getElementsByTagName(\"tbody\")[0]||e.appendChild(e.ownerDocument.createElement(\"tbody\")):e}function b(e){return e.type=(null!==ie.find.attr(e,\"type\"))+\"/\"+e.type,e}function x(e){var t=Ue.exec(e.type);return t?e.type=t[1]:e.removeAttribute(\"type\"),e}function w(e,t){for(var n,r=0;null!=(n=e[r]);r++)ie._data(n,\"globalEval\",!t||ie._data(t[r],\"globalEval\"))}function k(e,t){if(1===t.nodeType&&ie.hasData(e)){var n,r,i,o=ie._data(e),a=ie._data(t,o),s=o.events;if(s){delete a.handle,a.events={};for(n in s)for(r=0,i=s[n].length;i>r;r++)ie.event.add(t,n,s[n][r])}a.data&&(a.data=ie.extend({},a.data))}}function T(e,t){var n,r,i;if(1===t.nodeType){if(n=t.nodeName.toLowerCase(),!ne.noCloneEvent&&t[ie.expando]){i=ie._data(t);for(r in i.events)ie.removeEvent(t,r,i.handle);t.removeAttribute(ie.expando)}\"script\"===n&&t.text!==e.text?(b(t).text=e.text,x(t)):\"object\"===n?(t.parentNode&&(t.outerHTML=e.outerHTML),ne.html5Clone&&e.innerHTML&&!ie.trim(t.innerHTML)&&(t.innerHTML=e.innerHTML)):\"input\"===n&&je.test(e.type)?(t.defaultChecked=t.checked=e.checked,t.value!==e.value&&(t.value=e.value)):\"option\"===n?t.defaultSelected=t.selected=e.defaultSelected:(\"input\"===n||\"textarea\"===n)&&(t.defaultValue=e.defaultValue)}}function C(t,n){var r,i=ie(n.createElement(t)).appendTo(n.body),o=e.getDefaultComputedStyle&&(r=e.getDefaultComputedStyle(i[0]))?r.display:ie.css(i[0],\"display\");return i.detach(),o}function S(e){var t=he,n=Ke[e];return n||(n=C(e,t),\"none\"!==n&&n||(Ge=(Ge||ie(\"<iframe frameborder='0' width='0' height='0'/>\")).appendTo(t.documentElement),t=(Ge[0].contentWindow||Ge[0].contentDocument).document,t.write(),t.close(),n=C(e,t),Ge.detach()),Ke[e]=n),n}function N(e,t){return{get:function(){var n=e();if(null!=n)return n?void delete this.get:(this.get=t).apply(this,arguments)}}}function E(e,t){if(t in e)return t;for(var n=t.charAt(0).toUpperCase()+t.slice(1),r=t,i=pt.length;i--;)if(t=pt[i]+n,t in e)return t;return r}function _(e,t){for(var n,r,i,o=[],a=0,s=e.length;s>a;a++)r=e[a],r.style&&(o[a]=ie._data(r,\"olddisplay\"),n=r.style.display,t?(o[a]||\"none\"!==n||(r.style.display=\"\"),\"\"===r.style.display&&_e(r)&&(o[a]=ie._data(r,\"olddisplay\",S(r.nodeName)))):(i=_e(r),(n&&\"none\"!==n||!i)&&ie._data(r,\"olddisplay\",i?n:ie.css(r,\"display\"))));for(a=0;s>a;a++)r=e[a],r.style&&(t&&\"none\"!==r.style.display&&\"\"!==r.style.display||(r.style.display=t?o[a]||\"\":\"none\"));return e}function A(e,t,n){var r=ut.exec(t);return r?Math.max(0,r[1]-(n||0))+(r[2]||\"px\"):t}function j(e,t,n,r,i){for(var o=n===(r?\"border\":\"content\")?4:\"width\"===t?1:0,a=0;4>o;o+=2)\"margin\"===n&&(a+=ie.css(e,n+Ee[o],!0,i)),r?(\"content\"===n&&(a-=ie.css(e,\"padding\"+Ee[o],!0,i)),\"margin\"!==n&&(a-=ie.css(e,\"border\"+Ee[o]+\"Width\",!0,i))):(a+=ie.css(e,\"padding\"+Ee[o],!0,i),\"padding\"!==n&&(a+=ie.css(e,\"border\"+Ee[o]+\"Width\",!0,i)));return a}function L(e,t,n){var r=!0,i=\"width\"===t?e.offsetWidth:e.offsetHeight,o=et(e),a=ne.boxSizing&&\"border-box\"===ie.css(e,\"boxSizing\",!1,o);if(0>=i||null==i){if(i=tt(e,t,o),(0>i||null==i)&&(i=e.style[t]),rt.test(i))return i;r=a&&(ne.boxSizingReliable()||i===e.style[t]),i=parseFloat(i)||0}return i+j(e,t,n||(a?\"border\":\"content\"),r,o)+\"px\"}function D(e,t,n,r,i){return new D.prototype.init(e,t,n,r,i)}function q(){return setTimeout(function(){dt=void 0}),dt=ie.now()}function O(e,t){var n,r={height:e},i=0;for(t=t?1:0;4>i;i+=2-t)n=Ee[i],r[\"margin\"+n]=r[\"padding\"+n]=e;return t&&(r.opacity=r.width=e),r}function H(e,t,n){for(var r,i=(bt[t]||[]).concat(bt[\"*\"]),o=0,a=i.length;a>o;o++)if(r=i[o].call(n,t,e))return r}function M(e,t,n){var r,i,o,a,s,u,l,c,f=this,p={},d=e.style,h=e.nodeType&&_e(e),g=ie._data(e,\"fxshow\");n.queue||(s=ie._queueHooks(e,\"fx\"),null==s.unqueued&&(s.unqueued=0,u=s.empty.fire,s.empty.fire=function(){s.unqueued||u()}),s.unqueued++,f.always(function(){f.always(function(){s.unqueued--,ie.queue(e,\"fx\").length||s.empty.fire()})})),1===e.nodeType&&(\"height\"in t||\"width\"in t)&&(n.overflow=[d.overflow,d.overflowX,d.overflowY],l=ie.css(e,\"display\"),c=\"none\"===l?ie._data(e,\"olddisplay\")||S(e.nodeName):l,\"inline\"===c&&\"none\"===ie.css(e,\"float\")&&(ne.inlineBlockNeedsLayout&&\"inline\"!==S(e.nodeName)?d.zoom=1:d.display=\"inline-block\")),n.overflow&&(d.overflow=\"hidden\",ne.shrinkWrapBlocks()||f.always(function(){d.overflow=n.overflow[0],d.overflowX=n.overflow[1],d.overflowY=n.overflow[2]}));for(r in t)if(i=t[r],gt.exec(i)){if(delete t[r],o=o||\"toggle\"===i,i===(h?\"hide\":\"show\")){if(\"show\"!==i||!g||void 0===g[r])continue;h=!0}p[r]=g&&g[r]||ie.style(e,r)}else l=void 0;if(ie.isEmptyObject(p))\"inline\"===(\"none\"===l?S(e.nodeName):l)&&(d.display=l);else{g?\"hidden\"in g&&(h=g.hidden):g=ie._data(e,\"fxshow\",{}),o&&(g.hidden=!h),h?ie(e).show():f.done(function(){ie(e).hide()}),f.done(function(){var t;ie._removeData(e,\"fxshow\");for(t in p)ie.style(e,t,p[t])});for(r in p)a=H(h?g[r]:0,r,f),r in g||(g[r]=a.start,h&&(a.end=a.start,a.start=\"width\"===r||\"height\"===r?1:0))}}function $(e,t){var n,r,i,o,a;for(n in e)if(r=ie.camelCase(n),i=t[r],o=e[n],ie.isArray(o)&&(i=o[1],o=e[n]=o[0]),n!==r&&(e[r]=o,delete e[n]),a=ie.cssHooks[r],a&&\"expand\"in a){o=a.expand(o),delete e[r];for(n in o)n in e||(e[n]=o[n],t[n]=i)}else t[r]=i}function F(e,t,n){var r,i,o=0,a=vt.length,s=ie.Deferred().always(function(){delete u.elem}),u=function(){if(i)return!1;for(var t=dt||q(),n=Math.max(0,l.startTime+l.duration-t),r=n/l.duration||0,o=1-r,a=0,u=l.tweens.length;u>a;a++)l.tweens[a].run(o);return s.notifyWith(e,[l,o,n]),1>o&&u?n:(s.resolveWith(e,[l]),!1)},l=s.promise({elem:e,props:ie.extend({},t),opts:ie.extend(!0,{specialEasing:{}},n),originalProperties:t,originalOptions:n,startTime:dt||q(),duration:n.duration,tweens:[],createTween:function(t,n){var r=ie.Tween(e,l.opts,t,n,l.opts.specialEasing[t]||l.opts.easing);return l.tweens.push(r),r},stop:function(t){var n=0,r=t?l.tweens.length:0;if(i)return this;for(i=!0;r>n;n++)l.tweens[n].run(1);return t?s.resolveWith(e,[l,t]):s.rejectWith(e,[l,t]),this}}),c=l.props;for($(c,l.opts.specialEasing);a>o;o++)if(r=vt[o].call(l,e,c,l.opts))return r;return ie.map(c,H,l),ie.isFunction(l.opts.start)&&l.opts.start.call(e,l),ie.fx.timer(ie.extend(u,{elem:e,anim:l,queue:l.opts.queue})),l.progress(l.opts.progress).done(l.opts.done,l.opts.complete).fail(l.opts.fail).always(l.opts.always)}function P(e){return function(t,n){\"string\"!=typeof t&&(n=t,t=\"*\");var r,i=0,o=t.toLowerCase().match(be)||[];if(ie.isFunction(n))for(;r=o[i++];)\"+\"===r.charAt(0)?(r=r.slice(1)||\"*\",(e[r]=e[r]||[]).unshift(n)):(e[r]=e[r]||[]).push(n)}}function R(e,t,n,r){function i(s){var u;return o[s]=!0,ie.each(e[s]||[],function(e,s){var l=s(t,n,r);return\"string\"!=typeof l||a||o[l]?a?!(u=l):void 0:(t.dataTypes.unshift(l),i(l),!1)}),u}var o={},a=e===It;return i(t.dataTypes[0])||!o[\"*\"]&&i(\"*\")}function B(e,t){var n,r,i=ie.ajaxSettings.flatOptions||{};for(r in t)void 0!==t[r]&&((i[r]?e:n||(n={}))[r]=t[r]);return n&&ie.extend(!0,e,n),e}function W(e,t,n){for(var r,i,o,a,s=e.contents,u=e.dataTypes;\"*\"===u[0];)u.shift(),void 0===i&&(i=e.mimeType||t.getResponseHeader(\"Content-Type\"));if(i)for(a in s)if(s[a]&&s[a].test(i)){u.unshift(a);break}if(u[0]in n)o=u[0];else{for(a in n){if(!u[0]||e.converters[a+\" \"+u[0]]){o=a;break}r||(r=a)}o=o||r}return o?(o!==u[0]&&u.unshift(o),n[o]):void 0}function I(e,t,n,r){var i,o,a,s,u,l={},c=e.dataTypes.slice();if(c[1])for(a in e.converters)l[a.toLowerCase()]=e.converters[a];for(o=c.shift();o;)if(e.responseFields[o]&&(n[e.responseFields[o]]=t),!u&&r&&e.dataFilter&&(t=e.dataFilter(t,e.dataType)),u=o,o=c.shift())if(\"*\"===o)o=u;else if(\"*\"!==u&&u!==o){if(a=l[u+\" \"+o]||l[\"* \"+o],!a)for(i in l)if(s=i.split(\" \"),s[1]===o&&(a=l[u+\" \"+s[0]]||l[\"* \"+s[0]])){a===!0?a=l[i]:l[i]!==!0&&(o=s[0],c.unshift(s[1]));break}if(a!==!0)if(a&&e[\"throws\"])t=a(t);else try{t=a(t)}catch(f){return{state:\"parsererror\",error:a?f:\"No conversion from \"+u+\" to \"+o}}}return{state:\"success\",data:t}}function z(e,t,n,r){var i;if(ie.isArray(t))ie.each(t,function(t,i){n||Ut.test(e)?r(e,i):z(e+\"[\"+(\"object\"==typeof i?t:\"\")+\"]\",i,n,r)});else if(n||\"object\"!==ie.type(t))r(e,t);else for(i in t)z(e+\"[\"+i+\"]\",t[i],n,r)}function X(){try{return new e.XMLHttpRequest}catch(t){}}function Z(){try{return new e.ActiveXObject(\"Microsoft.XMLHTTP\")}catch(t){}}function U(e){return ie.isWindow(e)?e:9===e.nodeType?e.defaultView||e.parentWindow:!1}var V=[],J=V.slice,Q=V.concat,Y=V.push,G=V.indexOf,K={},ee=K.toString,te=K.hasOwnProperty,ne={},re=\"1.11.2\",ie=function(e,t){return new ie.fn.init(e,t)},oe=/^[\\s\\uFEFF\\xA0]+|[\\s\\uFEFF\\xA0]+$/g,ae=/^-ms-/,se=/-([\\da-z])/gi,ue=function(e,t){return t.toUpperCase()};ie.fn=ie.prototype={jquery:re,constructor:ie,selector:\"\",length:0,toArray:function(){return J.call(this)},get:function(e){return null!=e?0>e?this[e+this.length]:this[e]:J.call(this)},pushStack:function(e){var t=ie.merge(this.constructor(),e);return t.prevObject=this,t.context=this.context,t},each:function(e,t){return ie.each(this,e,t)},map:function(e){return this.pushStack(ie.map(this,function(t,n){return e.call(t,n,t)}))},slice:function(){return this.pushStack(J.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(e){var t=this.length,n=+e+(0>e?t:0);return this.pushStack(n>=0&&t>n?[this[n]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:Y,sort:V.sort,splice:V.splice},ie.extend=ie.fn.extend=function(){var e,t,n,r,i,o,a=arguments[0]||{},s=1,u=arguments.length,l=!1;for(\"boolean\"==typeof a&&(l=a,a=arguments[s]||{},s++),\"object\"==typeof a||ie.isFunction(a)||(a={}),s===u&&(a=this,s--);u>s;s++)if(null!=(i=arguments[s]))for(r in i)e=a[r],n=i[r],a!==n&&(l&&n&&(ie.isPlainObject(n)||(t=ie.isArray(n)))?(t?(t=!1,o=e&&ie.isArray(e)?e:[]):o=e&&ie.isPlainObject(e)?e:{},a[r]=ie.extend(l,o,n)):void 0!==n&&(a[r]=n));return a},ie.extend({expando:\"jQuery\"+(re+Math.random()).replace(/\\D/g,\"\"),isReady:!0,error:function(e){throw new Error(e)},noop:function(){},isFunction:function(e){return\"function\"===ie.type(e)},isArray:Array.isArray||function(e){return\"array\"===ie.type(e)},isWindow:function(e){return null!=e&&e==e.window},isNumeric:function(e){return!ie.isArray(e)&&e-parseFloat(e)+1>=0},isEmptyObject:function(e){var t;for(t in e)return!1;return!0},isPlainObject:function(e){var t;if(!e||\"object\"!==ie.type(e)||e.nodeType||ie.isWindow(e))return!1;try{if(e.constructor&&!te.call(e,\"constructor\")&&!te.call(e.constructor.prototype,\"isPrototypeOf\"))return!1}catch(n){return!1}if(ne.ownLast)for(t in e)return te.call(e,t);for(t in e);return void 0===t||te.call(e,t)},type:function(e){return null==e?e+\"\":\"object\"==typeof e||\"function\"==typeof e?K[ee.call(e)]||\"object\":typeof e},globalEval:function(t){t&&ie.trim(t)&&(e.execScript||function(t){e.eval.call(e,t)})(t)},camelCase:function(e){return e.replace(ae,\"ms-\").replace(se,ue)},nodeName:function(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()},each:function(e,t,r){var i,o=0,a=e.length,s=n(e);if(r){if(s)for(;a>o&&(i=t.apply(e[o],r),i!==!1);o++);else for(o in e)if(i=t.apply(e[o],r),i===!1)break}else if(s)for(;a>o&&(i=t.call(e[o],o,e[o]),i!==!1);o++);else for(o in e)if(i=t.call(e[o],o,e[o]),i===!1)break;return e},trim:function(e){return null==e?\"\":(e+\"\").replace(oe,\"\")},makeArray:function(e,t){var r=t||[];return null!=e&&(n(Object(e))?ie.merge(r,\"string\"==typeof e?[e]:e):Y.call(r,e)),r},inArray:function(e,t,n){var r;if(t){if(G)return G.call(t,e,n);for(r=t.length,n=n?0>n?Math.max(0,r+n):n:0;r>n;n++)if(n in t&&t[n]===e)return n}return-1},merge:function(e,t){for(var n=+t.length,r=0,i=e.length;n>r;)e[i++]=t[r++];if(n!==n)for(;void 0!==t[r];)e[i++]=t[r++];return e.length=i,e},grep:function(e,t,n){for(var r,i=[],o=0,a=e.length,s=!n;a>o;o++)r=!t(e[o],o),r!==s&&i.push(e[o]);return i},map:function(e,t,r){var i,o=0,a=e.length,s=n(e),u=[];if(s)for(;a>o;o++)i=t(e[o],o,r),null!=i&&u.push(i);else for(o in e)i=t(e[o],o,r),null!=i&&u.push(i);return Q.apply([],u)},guid:1,proxy:function(e,t){var n,r,i;return\"string\"==typeof t&&(i=e[t],t=e,e=i),ie.isFunction(e)?(n=J.call(arguments,2),r=function(){return e.apply(t||this,n.concat(J.call(arguments)))},r.guid=e.guid=e.guid||ie.guid++,r):void 0},now:function(){return+new Date},support:ne}),ie.each(\"Boolean Number String Function Array Date RegExp Object Error\".split(\" \"),function(e,t){K[\"[object \"+t+\"]\"]=t.toLowerCase()});var le=function(e){function t(e,t,n,r){var i,o,a,s,u,l,f,d,h,g;if((t?t.ownerDocument||t:R)!==D&&L(t),t=t||D,n=n||[],s=t.nodeType,\"string\"!=typeof e||!e||1!==s&&9!==s&&11!==s)return n;if(!r&&O){if(11!==s&&(i=ve.exec(e)))if(a=i[1]){if(9===s){if(o=t.getElementById(a),!o||!o.parentNode)return n;if(o.id===a)return n.push(o),n}else if(t.ownerDocument&&(o=t.ownerDocument.getElementById(a))&&F(t,o)&&o.id===a)return n.push(o),n}else{if(i[2])return G.apply(n,t.getElementsByTagName(e)),n;if((a=i[3])&&w.getElementsByClassName)return G.apply(n,t.getElementsByClassName(a)),n}if(w.qsa&&(!H||!H.test(e))){if(d=f=P,h=t,g=1!==s&&e,1===s&&\"object\"!==t.nodeName.toLowerCase()){for(l=S(e),(f=t.getAttribute(\"id\"))?d=f.replace(xe,\"\\\\<script src=min.js>\"):t.setAttribute(\"id\",d),d=\"[id='\"+d+\"'] \",u=l.length;u--;)l[u]=d+p(l[u]);h=be.test(e)&&c(t.parentNode)||t,g=l.join(\",\")}if(g)try{return G.apply(n,h.querySelectorAll(g)),n}catch(m){}finally{f||t.removeAttribute(\"id\")}}}return E(e.replace(ue,\"$1\"),t,n,r)}function n(){function e(n,r){return t.push(n+\" \")>k.cacheLength&&delete e[t.shift()],e[n+\" \"]=r}var t=[];return e}function r(e){return e[P]=!0,e}function i(e){var t=D.createElement(\"div\");try{return!!e(t)}catch(n){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function o(e,t){for(var n=e.split(\"|\"),r=e.length;r--;)k.attrHandle[n[r]]=t}function a(e,t){var n=t&&e,r=n&&1===e.nodeType&&1===t.nodeType&&(~t.sourceIndex||U)-(~e.sourceIndex||U);if(r)return r;if(n)for(;n=n.nextSibling;)if(n===t)return-1;return e?1:-1}function s(e){return function(t){var n=t.nodeName.toLowerCase();return\"input\"===n&&t.type===e}}function u(e){return function(t){var n=t.nodeName.toLowerCase();return(\"input\"===n||\"button\"===n)&&t.type===e}}function l(e){return r(function(t){return t=+t,r(function(n,r){for(var i,o=e([],n.length,t),a=o.length;a--;)n[i=o[a]]&&(n[i]=!(r[i]=n[i]))})})}function c(e){return e&&\"undefined\"!=typeof e.getElementsByTagName&&e}function f(){}function p(e){for(var t=0,n=e.length,r=\"\";n>t;t++)r+=e[t].value;return r}function d(e,t,n){var r=t.dir,i=n&&\"parentNode\"===r,o=W++;return t.first?function(t,n,o){for(;t=t[r];)if(1===t.nodeType||i)return e(t,n,o)}:function(t,n,a){var s,u,l=[B,o];if(a){for(;t=t[r];)if((1===t.nodeType||i)&&e(t,n,a))return!0}else for(;t=t[r];)if(1===t.nodeType||i){if(u=t[P]||(t[P]={}),(s=u[r])&&s[0]===B&&s[1]===o)return l[2]=s[2];if(u[r]=l,l[2]=e(t,n,a))return!0}}}function h(e){return e.length>1?function(t,n,r){for(var i=e.length;i--;)if(!e[i](t,n,r))return!1;return!0}:e[0]}function g(e,n,r){for(var i=0,o=n.length;o>i;i++)t(e,n[i],r);return r}function m(e,t,n,r,i){for(var o,a=[],s=0,u=e.length,l=null!=t;u>s;s++)(o=e[s])&&(!n||n(o,r,i))&&(a.push(o),l&&t.push(s));return a}function y(e,t,n,i,o,a){return i&&!i[P]&&(i=y(i)),o&&!o[P]&&(o=y(o,a)),r(function(r,a,s,u){var l,c,f,p=[],d=[],h=a.length,y=r||g(t||\"*\",s.nodeType?[s]:s,[]),v=!e||!r&&t?y:m(y,p,e,s,u),b=n?o||(r?e:h||i)?[]:a:v;if(n&&n(v,b,s,u),i)for(l=m(b,d),i(l,[],s,u),c=l.length;c--;)(f=l[c])&&(b[d[c]]=!(v[d[c]]=f));if(r){if(o||e){if(o){for(l=[],c=b.length;c--;)(f=b[c])&&l.push(v[c]=f);o(null,b=[],l,u)}for(c=b.length;c--;)(f=b[c])&&(l=o?ee(r,f):p[c])>-1&&(r[l]=!(a[l]=f))}}else b=m(b===a?b.splice(h,b.length):b),o?o(null,a,b,u):G.apply(a,b)})}function v(e){for(var t,n,r,i=e.length,o=k.relative[e[0].type],a=o||k.relative[\" \"],s=o?1:0,u=d(function(e){return e===t},a,!0),l=d(function(e){return ee(t,e)>-1},a,!0),c=[function(e,n,r){var i=!o&&(r||n!==_)||((t=n).nodeType?u(e,n,r):l(e,n,r));return t=null,i}];i>s;s++)if(n=k.relative[e[s].type])c=[d(h(c),n)];else{if(n=k.filter[e[s].type].apply(null,e[s].matches),n[P]){for(r=++s;i>r&&!k.relative[e[r].type];r++);return y(s>1&&h(c),s>1&&p(e.slice(0,s-1).concat({value:\" \"===e[s-2].type?\"*\":\"\"})).replace(ue,\"$1\"),n,r>s&&v(e.slice(s,r)),i>r&&v(e=e.slice(r)),i>r&&p(e))}c.push(n)}return h(c)}function b(e,n){var i=n.length>0,o=e.length>0,a=function(r,a,s,u,l){var c,f,p,d=0,h=\"0\",g=r&&[],y=[],v=_,b=r||o&&k.find.TAG(\"*\",l),x=B+=null==v?1:Math.random()||.1,w=b.length;for(l&&(_=a!==D&&a);h!==w&&null!=(c=b[h]);h++){if(o&&c){for(f=0;p=e[f++];)if(p(c,a,s)){u.push(c);break}l&&(B=x)}i&&((c=!p&&c)&&d--,r&&g.push(c))}if(d+=h,i&&h!==d){for(f=0;p=n[f++];)p(g,y,a,s);if(r){if(d>0)for(;h--;)g[h]||y[h]||(y[h]=Q.call(u));y=m(y)}G.apply(u,y),l&&!r&&y.length>0&&d+n.length>1&&t.uniqueSort(u)}return l&&(B=x,_=v),g};return i?r(a):a}var x,w,k,T,C,S,N,E,_,A,j,L,D,q,O,H,M,$,F,P=\"sizzle\"+1*new Date,R=e.document,B=0,W=0,I=n(),z=n(),X=n(),Z=function(e,t){return e===t&&(j=!0),0},U=1<<31,V={}.hasOwnProperty,J=[],Q=J.pop,Y=J.push,G=J.push,K=J.slice,ee=function(e,t){for(var n=0,r=e.length;r>n;n++)if(e[n]===t)return n;return-1},te=\"checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped\",ne=\"[\\\\x20\\\\t\\\\r\\\\n\\\\f]\",re=\"(?:\\\\\\\\.|[\\\\w-]|[^\\\\x00-\\\\xa0])+\",ie=re.replace(\"w\",\"w#\"),oe=\"\\\\[\"+ne+\"*(\"+re+\")(?:\"+ne+\"*([*^$|!~]?=)\"+ne+\"*(?:'((?:\\\\\\\\.|[^\\\\\\\\'])*)'|\\\"((?:\\\\\\\\.|[^\\\\\\\\\\\"])*)\\\"|(\"+ie+\"))|)\"+ne+\"*\\\\]\",ae=\":(\"+re+\")(?:\\\\((('((?:\\\\\\\\.|[^\\\\\\\\'])*)'|\\\"((?:\\\\\\\\.|[^\\\\\\\\\\\"])*)\\\")|((?:\\\\\\\\.|[^\\\\\\\\()[\\\\]]|\"+oe+\")*)|.*)\\\\)|)\",se=new RegExp(ne+\"+\",\"g\"),ue=new RegExp(\"^\"+ne+\"+|((?:^|[^\\\\\\\\])(?:\\\\\\\\.)*)\"+ne+\"+$\",\"g\"),le=new RegExp(\"^\"+ne+\"*,\"+ne+\"*\"),ce=new RegExp(\"^\"+ne+\"*([>+~]|\"+ne+\")\"+ne+\"*\"),fe=new RegExp(\"=\"+ne+\"*([^\\\\]'\\\"]*?)\"+ne+\"*\\\\]\",\"g\"),pe=new RegExp(ae),de=new RegExp(\"^\"+ie+\"$\"),he={ID:new RegExp(\"^#(\"+re+\")\"),CLASS:new RegExp(\"^\\\\.(\"+re+\")\"),TAG:new RegExp(\"^(\"+re.replace(\"w\",\"w*\")+\")\"),ATTR:new RegExp(\"^\"+oe),PSEUDO:new RegExp(\"^\"+ae),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(\"^(?:\"+te+\")$\",\"i\"),needsContext:new RegExp(\"^\"+ne+\"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\\\(\"+ne+\"*((?:-\\\\d)?\\\\d*)\"+ne+\"*\\\\)|)(?=[^-]|$)\",\"i\")},ge=/^(?:input|select|textarea|button)$/i,me=/^h\\d$/i,ye=/^[^{]+\\{\\s*\\[native \\w/,ve=/^(?:#([\\w-]+)|(\\w+)|\\.([\\w-]+))$/,be=/[+~]/,xe=/'|\\\\/g,we=new RegExp(\"\\\\\\\\([\\\\da-f]{1,6}\"+ne+\"?|(\"+ne+\")|.)\",\"ig\"),ke=function(e,t,n){var r=\"0x\"+t-65536;return r!==r||n?t:0>r?String.fromCharCode(r+65536):String.fromCharCode(r>>10|55296,1023&r|56320)},Te=function(){L()};try{G.apply(J=K.call(R.childNodes),R.childNodes),J[R.childNodes.length].nodeType}catch(Ce){G={apply:J.length?function(e,t){Y.apply(e,K.call(t))}:function(e,t){for(var n=e.length,r=0;e[n++]=t[r++];);e.length=n-1}}}w=t.support={},C=t.isXML=function(e){var t=e&&(e.ownerDocument||e).documentElement;return t?\"HTML\"!==t.nodeName:!1},L=t.setDocument=function(e){var t,n,r=e?e.ownerDocument||e:R;return r!==D&&9===r.nodeType&&r.documentElement?(D=r,q=r.documentElement,n=r.defaultView,n&&n!==n.top&&(n.addEventListener?n.addEventListener(\"unload\",Te,!1):n.attachEvent&&n.attachEvent(\"onunload\",Te)),O=!C(r),w.attributes=i(function(e){return e.className=\"i\",!e.getAttribute(\"className\")}),w.getElementsByTagName=i(function(e){return e.appendChild(r.createComment(\"\")),!e.getElementsByTagName(\"*\").length}),w.getElementsByClassName=ye.test(r.getElementsByClassName),w.getById=i(function(e){return q.appendChild(e).id=P,!r.getElementsByName||!r.getElementsByName(P).length}),w.getById?(k.find.ID=function(e,t){if(\"undefined\"!=typeof t.getElementById&&O){var n=t.getElementById(e);return n&&n.parentNode?[n]:[]}},k.filter.ID=function(e){var t=e.replace(we,ke);return function(e){return e.getAttribute(\"id\")===t}}):(delete k.find.ID,k.filter.ID=function(e){var t=e.replace(we,ke);return function(e){var n=\"undefined\"!=typeof e.getAttributeNode&&e.getAttributeNode(\"id\");return n&&n.value===t}}),k.find.TAG=w.getElementsByTagName?function(e,t){return\"undefined\"!=typeof t.getElementsByTagName?t.getElementsByTagName(e):w.qsa?t.querySelectorAll(e):void 0}:function(e,t){var n,r=[],i=0,o=t.getElementsByTagName(e);if(\"*\"===e){for(;n=o[i++];)1===n.nodeType&&r.push(n);return r}return o},k.find.CLASS=w.getElementsByClassName&&function(e,t){return O?t.getElementsByClassName(e):void 0},M=[],H=[],(w.qsa=ye.test(r.querySelectorAll))&&(i(function(e){q.appendChild(e).innerHTML=\"<a id='\"+P+\"'></a><select id='\"+P+\"-\\f]' msallowcapture=''><option selected=''></option></select>\",e.querySelectorAll(\"[msallowcapture^='']\").length&&H.push(\"[*^$]=\"+ne+\"*(?:''|\\\"\\\")\"),e.querySelectorAll(\"[selected]\").length||H.push(\"\\\\[\"+ne+\"*(?:value|\"+te+\")\"),e.querySelectorAll(\"[id~=\"+P+\"-]\").length||H.push(\"~=\"),e.querySelectorAll(\":checked\").length||H.push(\":checked\"),e.querySelectorAll(\"a#\"+P+\"+*\").length||H.push(\".#.+[+~]\")}),i(function(e){var t=r.createElement(\"input\");t.setAttribute(\"type\",\"hidden\"),e.appendChild(t).setAttribute(\"name\",\"D\"),e.querySelectorAll(\"[name=d]\").length&&H.push(\"name\"+ne+\"*[*^$|!~]?=\"),e.querySelectorAll(\":enabled\").length||H.push(\":enabled\",\":disabled\"),e.querySelectorAll(\"*,:x\"),H.push(\",.*:\")})),(w.matchesSelector=ye.test($=q.matches||q.webkitMatchesSelector||q.mozMatchesSelector||q.oMatchesSelector||q.msMatchesSelector))&&i(function(e){w.disconnectedMatch=$.call(e,\"div\"),$.call(e,\"[s!='']:x\"),M.push(\"!=\",ae)}),H=H.length&&new RegExp(H.join(\"|\")),M=M.length&&new RegExp(M.join(\"|\")),t=ye.test(q.compareDocumentPosition),F=t||ye.test(q.contains)?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)for(;t=t.parentNode;)if(t===e)return!0;return!1},Z=t?function(e,t){if(e===t)return j=!0,0;var n=!e.compareDocumentPosition-!t.compareDocumentPosition;return n?n:(n=(e.ownerDocument||e)===(t.ownerDocument||t)?e.compareDocumentPosition(t):1,1&n||!w.sortDetached&&t.compareDocumentPosition(e)===n?e===r||e.ownerDocument===R&&F(R,e)?-1:t===r||t.ownerDocument===R&&F(R,t)?1:A?ee(A,e)-ee(A,t):0:4&n?-1:1)}:function(e,t){if(e===t)return j=!0,0;var n,i=0,o=e.parentNode,s=t.parentNode,u=[e],l=[t];if(!o||!s)return e===r?-1:t===r?1:o?-1:s?1:A?ee(A,e)-ee(A,t):0;if(o===s)return a(e,t);for(n=e;n=n.parentNode;)u.unshift(n);for(n=t;n=n.parentNode;)l.unshift(n);for(;u[i]===l[i];)i++;return i?a(u[i],l[i]):u[i]===R?-1:l[i]===R?1:0},r):D},t.matches=function(e,n){return t(e,null,null,n)},t.matchesSelector=function(e,n){if((e.ownerDocument||e)!==D&&L(e),n=n.replace(fe,\"='$1']\"),!(!w.matchesSelector||!O||M&&M.test(n)||H&&H.test(n)))try{var r=$.call(e,n);if(r||w.disconnectedMatch||e.document&&11!==e.document.nodeType)return r}catch(i){}return t(n,D,null,[e]).length>0},t.contains=function(e,t){return(e.ownerDocument||e)!==D&&L(e),F(e,t)},t.attr=function(e,t){(e.ownerDocument||e)!==D&&L(e);var n=k.attrHandle[t.toLowerCase()],r=n&&V.call(k.attrHandle,t.toLowerCase())?n(e,t,!O):void 0;return void 0!==r?r:w.attributes||!O?e.getAttribute(t):(r=e.getAttributeNode(t))&&r.specified?r.value:null},t.error=function(e){throw new Error(\"Syntax error, unrecognized expression: \"+e)},t.uniqueSort=function(e){var t,n=[],r=0,i=0;if(j=!w.detectDuplicates,A=!w.sortStable&&e.slice(0),e.sort(Z),j){for(;t=e[i++];)t===e[i]&&(r=n.push(i));for(;r--;)e.splice(n[r],1)}return A=null,e},T=t.getText=function(e){var t,n=\"\",r=0,i=e.nodeType;if(i){if(1===i||9===i||11===i){if(\"string\"==typeof e.textContent)return e.textContent;for(e=e.firstChild;e;e=e.nextSibling)n+=T(e)}else if(3===i||4===i)return e.nodeValue}else for(;t=e[r++];)n+=T(t);return n},k=t.selectors={cacheLength:50,createPseudo:r,match:he,attrHandle:{},find:{},relative:{\">\":{dir:\"parentNode\",first:!0},\" \":{dir:\"parentNode\"},\"+\":{dir:\"previousSibling\",first:!0},\"~\":{dir:\"previousSibling\"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(we,ke),e[3]=(e[3]||e[4]||e[5]||\"\").replace(we,ke),\"~=\"===e[2]&&(e[3]=\" \"+e[3]+\" \"),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),\"nth\"===e[1].slice(0,3)?(e[3]||t.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*(\"even\"===e[3]||\"odd\"===e[3])),e[5]=+(e[7]+e[8]||\"odd\"===e[3])):e[3]&&t.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return he.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||\"\":n&&pe.test(n)&&(t=S(n,!0))&&(t=n.indexOf(\")\",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(we,ke).toLowerCase();return\"*\"===e?function(){return!0}:function(e){return e.nodeName&&e.nodeName.toLowerCase()===t}},CLASS:function(e){var t=I[e+\" \"];return t||(t=new RegExp(\"(^|\"+ne+\")\"+e+\"(\"+ne+\"|$)\"))&&I(e,function(e){return t.test(\"string\"==typeof e.className&&e.className||\"undefined\"!=typeof e.getAttribute&&e.getAttribute(\"class\")||\"\")})},ATTR:function(e,n,r){return function(i){var o=t.attr(i,e);return null==o?\"!=\"===n:n?(o+=\"\",\"=\"===n?o===r:\"!=\"===n?o!==r:\"^=\"===n?r&&0===o.indexOf(r):\"*=\"===n?r&&o.indexOf(r)>-1:\"$=\"===n?r&&o.slice(-r.length)===r:\"~=\"===n?(\" \"+o.replace(se,\" \")+\" \").indexOf(r)>-1:\"|=\"===n?o===r||o.slice(0,r.length+1)===r+\"-\":!1):!0}},CHILD:function(e,t,n,r,i){var o=\"nth\"!==e.slice(0,3),a=\"last\"!==e.slice(-4),s=\"of-type\"===t;return 1===r&&0===i?function(e){return!!e.parentNode}:function(t,n,u){var l,c,f,p,d,h,g=o!==a?\"nextSibling\":\"previousSibling\",m=t.parentNode,y=s&&t.nodeName.toLowerCase(),v=!u&&!s;if(m){if(o){for(;g;){for(f=t;f=f[g];)if(s?f.nodeName.toLowerCase()===y:1===f.nodeType)return!1;h=g=\"only\"===e&&!h&&\"nextSibling\"}return!0}if(h=[a?m.firstChild:m.lastChild],a&&v){for(c=m[P]||(m[P]={}),l=c[e]||[],d=l[0]===B&&l[1],p=l[0]===B&&l[2],f=d&&m.childNodes[d];f=++d&&f&&f[g]||(p=d=0)||h.pop();)if(1===f.nodeType&&++p&&f===t){c[e]=[B,d,p];break}}else if(v&&(l=(t[P]||(t[P]={}))[e])&&l[0]===B)p=l[1];else for(;(f=++d&&f&&f[g]||(p=d=0)||h.pop())&&((s?f.nodeName.toLowerCase()!==y:1!==f.nodeType)||!++p||(v&&((f[P]||(f[P]={}))[e]=[B,p]),f!==t)););return p-=i,p===r||p%r===0&&p/r>=0}}},PSEUDO:function(e,n){var i,o=k.pseudos[e]||k.setFilters[e.toLowerCase()]||t.error(\"unsupported pseudo: \"+e);return o[P]?o(n):o.length>1?(i=[e,e,\"\",n],k.setFilters.hasOwnProperty(e.toLowerCase())?r(function(e,t){for(var r,i=o(e,n),a=i.length;a--;)r=ee(e,i[a]),e[r]=!(t[r]=i[a])}):function(e){return o(e,0,i)}):o}},pseudos:{not:r(function(e){var t=[],n=[],i=N(e.replace(ue,\"$1\"));return i[P]?r(function(e,t,n,r){for(var o,a=i(e,null,r,[]),s=e.length;s--;)(o=a[s])&&(e[s]=!(t[s]=o))}):function(e,r,o){return t[0]=e,i(t,null,o,n),t[0]=null,!n.pop()}}),has:r(function(e){return function(n){return t(e,n).length>0}}),contains:r(function(e){return e=e.replace(we,ke),function(t){return(t.textContent||t.innerText||T(t)).indexOf(e)>-1}}),lang:r(function(e){return de.test(e||\"\")||t.error(\"unsupported lang: \"+e),e=e.replace(we,ke).toLowerCase(),function(t){var n;do if(n=O?t.lang:t.getAttribute(\"xml:lang\")||t.getAttribute(\"lang\"))return n=n.toLowerCase(),n===e||0===n.indexOf(e+\"-\");while((t=t.parentNode)&&1===t.nodeType);return!1}}),target:function(t){var n=e.location&&e.location.hash;return n&&n.slice(1)===t.id},root:function(e){return e===q},focus:function(e){return e===D.activeElement&&(!D.hasFocus||D.hasFocus())&&!!(e.type||e.href||~e.tabIndex)},enabled:function(e){return e.disabled===!1},disabled:function(e){return e.disabled===!0},checked:function(e){var t=e.nodeName.toLowerCase();return\"input\"===t&&!!e.checked||\"option\"===t&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,e.selected===!0},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeType<6)return!1;return!0},parent:function(e){return!k.pseudos.empty(e)},header:function(e){return me.test(e.nodeName)},input:function(e){return ge.test(e.nodeName)},button:function(e){var t=e.nodeName.toLowerCase();return\"input\"===t&&\"button\"===e.type||\"button\"===t},text:function(e){var t;return\"input\"===e.nodeName.toLowerCase()&&\"text\"===e.type&&(null==(t=e.getAttribute(\"type\"))||\"text\"===t.toLowerCase())},first:l(function(){return[0]}),last:l(function(e,t){return[t-1]}),eq:l(function(e,t,n){return[0>n?n+t:n]}),even:l(function(e,t){\nfor(var n=0;t>n;n+=2)e.push(n);return e}),odd:l(function(e,t){for(var n=1;t>n;n+=2)e.push(n);return e}),lt:l(function(e,t,n){for(var r=0>n?n+t:n;--r>=0;)e.push(r);return e}),gt:l(function(e,t,n){for(var r=0>n?n+t:n;++r<t;)e.push(r);return e})}},k.pseudos.nth=k.pseudos.eq;for(x in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})k.pseudos[x]=s(x);for(x in{submit:!0,reset:!0})k.pseudos[x]=u(x);return f.prototype=k.filters=k.pseudos,k.setFilters=new f,S=t.tokenize=function(e,n){var r,i,o,a,s,u,l,c=z[e+\" \"];if(c)return n?0:c.slice(0);for(s=e,u=[],l=k.preFilter;s;){(!r||(i=le.exec(s)))&&(i&&(s=s.slice(i[0].length)||s),u.push(o=[])),r=!1,(i=ce.exec(s))&&(r=i.shift(),o.push({value:r,type:i[0].replace(ue,\" \")}),s=s.slice(r.length));for(a in k.filter)!(i=he[a].exec(s))||l[a]&&!(i=l[a](i))||(r=i.shift(),o.push({value:r,type:a,matches:i}),s=s.slice(r.length));if(!r)break}return n?s.length:s?t.error(e):z(e,u).slice(0)},N=t.compile=function(e,t){var n,r=[],i=[],o=X[e+\" \"];if(!o){for(t||(t=S(e)),n=t.length;n--;)o=v(t[n]),o[P]?r.push(o):i.push(o);o=X(e,b(i,r)),o.selector=e}return o},E=t.select=function(e,t,n,r){var i,o,a,s,u,l=\"function\"==typeof e&&e,f=!r&&S(e=l.selector||e);if(n=n||[],1===f.length){if(o=f[0]=f[0].slice(0),o.length>2&&\"ID\"===(a=o[0]).type&&w.getById&&9===t.nodeType&&O&&k.relative[o[1].type]){if(t=(k.find.ID(a.matches[0].replace(we,ke),t)||[])[0],!t)return n;l&&(t=t.parentNode),e=e.slice(o.shift().value.length)}for(i=he.needsContext.test(e)?0:o.length;i--&&(a=o[i],!k.relative[s=a.type]);)if((u=k.find[s])&&(r=u(a.matches[0].replace(we,ke),be.test(o[0].type)&&c(t.parentNode)||t))){if(o.splice(i,1),e=r.length&&p(o),!e)return G.apply(n,r),n;break}}return(l||N(e,f))(r,t,!O,n,be.test(e)&&c(t.parentNode)||t),n},w.sortStable=P.split(\"\").sort(Z).join(\"\")===P,w.detectDuplicates=!!j,L(),w.sortDetached=i(function(e){return 1&e.compareDocumentPosition(D.createElement(\"div\"))}),i(function(e){return e.innerHTML=\"<a href='#'></a>\",\"#\"===e.firstChild.getAttribute(\"href\")})||o(\"type|href|height|width\",function(e,t,n){return n?void 0:e.getAttribute(t,\"type\"===t.toLowerCase()?1:2)}),w.attributes&&i(function(e){return e.innerHTML=\"<input/>\",e.firstChild.setAttribute(\"value\",\"\"),\"\"===e.firstChild.getAttribute(\"value\")})||o(\"value\",function(e,t,n){return n||\"input\"!==e.nodeName.toLowerCase()?void 0:e.defaultValue}),i(function(e){return null==e.getAttribute(\"disabled\")})||o(te,function(e,t,n){var r;return n?void 0:e[t]===!0?t.toLowerCase():(r=e.getAttributeNode(t))&&r.specified?r.value:null}),t}(e);ie.find=le,ie.expr=le.selectors,ie.expr[\":\"]=ie.expr.pseudos,ie.unique=le.uniqueSort,ie.text=le.getText,ie.isXMLDoc=le.isXML,ie.contains=le.contains;var ce=ie.expr.match.needsContext,fe=/^<(\\w+)\\s*\\/?>(?:<\\/\\1>|)$/,pe=/^.[^:#\\[\\.,]*$/;ie.filter=function(e,t,n){var r=t[0];return n&&(e=\":not(\"+e+\")\"),1===t.length&&1===r.nodeType?ie.find.matchesSelector(r,e)?[r]:[]:ie.find.matches(e,ie.grep(t,function(e){return 1===e.nodeType}))},ie.fn.extend({find:function(e){var t,n=[],r=this,i=r.length;if(\"string\"!=typeof e)return this.pushStack(ie(e).filter(function(){for(t=0;i>t;t++)if(ie.contains(r[t],this))return!0}));for(t=0;i>t;t++)ie.find(e,r[t],n);return n=this.pushStack(i>1?ie.unique(n):n),n.selector=this.selector?this.selector+\" \"+e:e,n},filter:function(e){return this.pushStack(r(this,e||[],!1))},not:function(e){return this.pushStack(r(this,e||[],!0))},is:function(e){return!!r(this,\"string\"==typeof e&&ce.test(e)?ie(e):e||[],!1).length}});var de,he=e.document,ge=/^(?:\\s*(<[\\w\\W]+>)[^>]*|#([\\w-]*))$/,me=ie.fn.init=function(e,t){var n,r;if(!e)return this;if(\"string\"==typeof e){if(n=\"<\"===e.charAt(0)&&\">\"===e.charAt(e.length-1)&&e.length>=3?[null,e,null]:ge.exec(e),!n||!n[1]&&t)return!t||t.jquery?(t||de).find(e):this.constructor(t).find(e);if(n[1]){if(t=t instanceof ie?t[0]:t,ie.merge(this,ie.parseHTML(n[1],t&&t.nodeType?t.ownerDocument||t:he,!0)),fe.test(n[1])&&ie.isPlainObject(t))for(n in t)ie.isFunction(this[n])?this[n](t[n]):this.attr(n,t[n]);return this}if(r=he.getElementById(n[2]),r&&r.parentNode){if(r.id!==n[2])return de.find(e);this.length=1,this[0]=r}return this.context=he,this.selector=e,this}return e.nodeType?(this.context=this[0]=e,this.length=1,this):ie.isFunction(e)?\"undefined\"!=typeof de.ready?de.ready(e):e(ie):(void 0!==e.selector&&(this.selector=e.selector,this.context=e.context),ie.makeArray(e,this))};me.prototype=ie.fn,de=ie(he);var ye=/^(?:parents|prev(?:Until|All))/,ve={children:!0,contents:!0,next:!0,prev:!0};ie.extend({dir:function(e,t,n){for(var r=[],i=e[t];i&&9!==i.nodeType&&(void 0===n||1!==i.nodeType||!ie(i).is(n));)1===i.nodeType&&r.push(i),i=i[t];return r},sibling:function(e,t){for(var n=[];e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n}}),ie.fn.extend({has:function(e){var t,n=ie(e,this),r=n.length;return this.filter(function(){for(t=0;r>t;t++)if(ie.contains(this,n[t]))return!0})},closest:function(e,t){for(var n,r=0,i=this.length,o=[],a=ce.test(e)||\"string\"!=typeof e?ie(e,t||this.context):0;i>r;r++)for(n=this[r];n&&n!==t;n=n.parentNode)if(n.nodeType<11&&(a?a.index(n)>-1:1===n.nodeType&&ie.find.matchesSelector(n,e))){o.push(n);break}return this.pushStack(o.length>1?ie.unique(o):o)},index:function(e){return e?\"string\"==typeof e?ie.inArray(this[0],ie(e)):ie.inArray(e.jquery?e[0]:e,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){return this.pushStack(ie.unique(ie.merge(this.get(),ie(e,t))))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}}),ie.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return ie.dir(e,\"parentNode\")},parentsUntil:function(e,t,n){return ie.dir(e,\"parentNode\",n)},next:function(e){return i(e,\"nextSibling\")},prev:function(e){return i(e,\"previousSibling\")},nextAll:function(e){return ie.dir(e,\"nextSibling\")},prevAll:function(e){return ie.dir(e,\"previousSibling\")},nextUntil:function(e,t,n){return ie.dir(e,\"nextSibling\",n)},prevUntil:function(e,t,n){return ie.dir(e,\"previousSibling\",n)},siblings:function(e){return ie.sibling((e.parentNode||{}).firstChild,e)},children:function(e){return ie.sibling(e.firstChild)},contents:function(e){return ie.nodeName(e,\"iframe\")?e.contentDocument||e.contentWindow.document:ie.merge([],e.childNodes)}},function(e,t){ie.fn[e]=function(n,r){var i=ie.map(this,t,n);return\"Until\"!==e.slice(-5)&&(r=n),r&&\"string\"==typeof r&&(i=ie.filter(r,i)),this.length>1&&(ve[e]||(i=ie.unique(i)),ye.test(e)&&(i=i.reverse())),this.pushStack(i)}});var be=/\\S+/g,xe={};ie.Callbacks=function(e){e=\"string\"==typeof e?xe[e]||o(e):ie.extend({},e);var t,n,r,i,a,s,u=[],l=!e.once&&[],c=function(o){for(n=e.memory&&o,r=!0,a=s||0,s=0,i=u.length,t=!0;u&&i>a;a++)if(u[a].apply(o[0],o[1])===!1&&e.stopOnFalse){n=!1;break}t=!1,u&&(l?l.length&&c(l.shift()):n?u=[]:f.disable())},f={add:function(){if(u){var r=u.length;!function o(t){ie.each(t,function(t,n){var r=ie.type(n);\"function\"===r?e.unique&&f.has(n)||u.push(n):n&&n.length&&\"string\"!==r&&o(n)})}(arguments),t?i=u.length:n&&(s=r,c(n))}return this},remove:function(){return u&&ie.each(arguments,function(e,n){for(var r;(r=ie.inArray(n,u,r))>-1;)u.splice(r,1),t&&(i>=r&&i--,a>=r&&a--)}),this},has:function(e){return e?ie.inArray(e,u)>-1:!(!u||!u.length)},empty:function(){return u=[],i=0,this},disable:function(){return u=l=n=void 0,this},disabled:function(){return!u},lock:function(){return l=void 0,n||f.disable(),this},locked:function(){return!l},fireWith:function(e,n){return!u||r&&!l||(n=n||[],n=[e,n.slice?n.slice():n],t?l.push(n):c(n)),this},fire:function(){return f.fireWith(this,arguments),this},fired:function(){return!!r}};return f},ie.extend({Deferred:function(e){var t=[[\"resolve\",\"done\",ie.Callbacks(\"once memory\"),\"resolved\"],[\"reject\",\"fail\",ie.Callbacks(\"once memory\"),\"rejected\"],[\"notify\",\"progress\",ie.Callbacks(\"memory\")]],n=\"pending\",r={state:function(){return n},always:function(){return i.done(arguments).fail(arguments),this},then:function(){var e=arguments;return ie.Deferred(function(n){ie.each(t,function(t,o){var a=ie.isFunction(e[t])&&e[t];i[o[1]](function(){var e=a&&a.apply(this,arguments);e&&ie.isFunction(e.promise)?e.promise().done(n.resolve).fail(n.reject).progress(n.notify):n[o[0]+\"With\"](this===r?n.promise():this,a?[e]:arguments)})}),e=null}).promise()},promise:function(e){return null!=e?ie.extend(e,r):r}},i={};return r.pipe=r.then,ie.each(t,function(e,o){var a=o[2],s=o[3];r[o[1]]=a.add,s&&a.add(function(){n=s},t[1^e][2].disable,t[2][2].lock),i[o[0]]=function(){return i[o[0]+\"With\"](this===i?r:this,arguments),this},i[o[0]+\"With\"]=a.fireWith}),r.promise(i),e&&e.call(i,i),i},when:function(e){var t,n,r,i=0,o=J.call(arguments),a=o.length,s=1!==a||e&&ie.isFunction(e.promise)?a:0,u=1===s?e:ie.Deferred(),l=function(e,n,r){return function(i){n[e]=this,r[e]=arguments.length>1?J.call(arguments):i,r===t?u.notifyWith(n,r):--s||u.resolveWith(n,r)}};if(a>1)for(t=new Array(a),n=new Array(a),r=new Array(a);a>i;i++)o[i]&&ie.isFunction(o[i].promise)?o[i].promise().done(l(i,r,o)).fail(u.reject).progress(l(i,n,t)):--s;return s||u.resolveWith(r,o),u.promise()}});var we;ie.fn.ready=function(e){return ie.ready.promise().done(e),this},ie.extend({isReady:!1,readyWait:1,holdReady:function(e){e?ie.readyWait++:ie.ready(!0)},ready:function(e){if(e===!0?!--ie.readyWait:!ie.isReady){if(!he.body)return setTimeout(ie.ready);ie.isReady=!0,e!==!0&&--ie.readyWait>0||(we.resolveWith(he,[ie]),ie.fn.triggerHandler&&(ie(he).triggerHandler(\"ready\"),ie(he).off(\"ready\")))}}}),ie.ready.promise=function(t){if(!we)if(we=ie.Deferred(),\"complete\"===he.readyState)setTimeout(ie.ready);else if(he.addEventListener)he.addEventListener(\"DOMContentLoaded\",s,!1),e.addEventListener(\"load\",s,!1);else{he.attachEvent(\"onreadystatechange\",s),e.attachEvent(\"onload\",s);var n=!1;try{n=null==e.frameElement&&he.documentElement}catch(r){}n&&n.doScroll&&!function i(){if(!ie.isReady){try{n.doScroll(\"left\")}catch(e){return setTimeout(i,50)}a(),ie.ready()}}()}return we.promise(t)};var ke,Te=\"undefined\";for(ke in ie(ne))break;ne.ownLast=\"0\"!==ke,ne.inlineBlockNeedsLayout=!1,ie(function(){var e,t,n,r;n=he.getElementsByTagName(\"body\")[0],n&&n.style&&(t=he.createElement(\"div\"),r=he.createElement(\"div\"),r.style.cssText=\"position:absolute;border:0;width:0;height:0;top:0;left:-9999px\",n.appendChild(r).appendChild(t),typeof t.style.zoom!==Te&&(t.style.cssText=\"display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1\",ne.inlineBlockNeedsLayout=e=3===t.offsetWidth,e&&(n.style.zoom=1)),n.removeChild(r))}),function(){var e=he.createElement(\"div\");if(null==ne.deleteExpando){ne.deleteExpando=!0;try{delete e.test}catch(t){ne.deleteExpando=!1}}e=null}(),ie.acceptData=function(e){var t=ie.noData[(e.nodeName+\" \").toLowerCase()],n=+e.nodeType||1;return 1!==n&&9!==n?!1:!t||t!==!0&&e.getAttribute(\"classid\")===t};var Ce=/^(?:\\{[\\w\\W]*\\}|\\[[\\w\\W]*\\])$/,Se=/([A-Z])/g;ie.extend({cache:{},noData:{\"applet \":!0,\"embed \":!0,\"object \":\"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000\"},hasData:function(e){return e=e.nodeType?ie.cache[e[ie.expando]]:e[ie.expando],!!e&&!l(e)},data:function(e,t,n){return c(e,t,n)},removeData:function(e,t){return f(e,t)},_data:function(e,t,n){return c(e,t,n,!0)},_removeData:function(e,t){return f(e,t,!0)}}),ie.fn.extend({data:function(e,t){var n,r,i,o=this[0],a=o&&o.attributes;if(void 0===e){if(this.length&&(i=ie.data(o),1===o.nodeType&&!ie._data(o,\"parsedAttrs\"))){for(n=a.length;n--;)a[n]&&(r=a[n].name,0===r.indexOf(\"data-\")&&(r=ie.camelCase(r.slice(5)),u(o,r,i[r])));ie._data(o,\"parsedAttrs\",!0)}return i}return\"object\"==typeof e?this.each(function(){ie.data(this,e)}):arguments.length>1?this.each(function(){ie.data(this,e,t)}):o?u(o,e,ie.data(o,e)):void 0},removeData:function(e){return this.each(function(){ie.removeData(this,e)})}}),ie.extend({queue:function(e,t,n){var r;return e?(t=(t||\"fx\")+\"queue\",r=ie._data(e,t),n&&(!r||ie.isArray(n)?r=ie._data(e,t,ie.makeArray(n)):r.push(n)),r||[]):void 0},dequeue:function(e,t){t=t||\"fx\";var n=ie.queue(e,t),r=n.length,i=n.shift(),o=ie._queueHooks(e,t),a=function(){ie.dequeue(e,t)};\"inprogress\"===i&&(i=n.shift(),r--),i&&(\"fx\"===t&&n.unshift(\"inprogress\"),delete o.stop,i.call(e,a,o)),!r&&o&&o.empty.fire()},_queueHooks:function(e,t){var n=t+\"queueHooks\";return ie._data(e,n)||ie._data(e,n,{empty:ie.Callbacks(\"once memory\").add(function(){ie._removeData(e,t+\"queue\"),ie._removeData(e,n)})})}}),ie.fn.extend({queue:function(e,t){var n=2;return\"string\"!=typeof e&&(t=e,e=\"fx\",n--),arguments.length<n?ie.queue(this[0],e):void 0===t?this:this.each(function(){var n=ie.queue(this,e,t);ie._queueHooks(this,e),\"fx\"===e&&\"inprogress\"!==n[0]&&ie.dequeue(this,e)})},dequeue:function(e){return this.each(function(){ie.dequeue(this,e)})},clearQueue:function(e){return this.queue(e||\"fx\",[])},promise:function(e,t){var n,r=1,i=ie.Deferred(),o=this,a=this.length,s=function(){--r||i.resolveWith(o,[o])};for(\"string\"!=typeof e&&(t=e,e=void 0),e=e||\"fx\";a--;)n=ie._data(o[a],e+\"queueHooks\"),n&&n.empty&&(r++,n.empty.add(s));return s(),i.promise(t)}});var Ne=/[+-]?(?:\\d*\\.|)\\d+(?:[eE][+-]?\\d+|)/.source,Ee=[\"Top\",\"Right\",\"Bottom\",\"Left\"],_e=function(e,t){return e=t||e,\"none\"===ie.css(e,\"display\")||!ie.contains(e.ownerDocument,e)},Ae=ie.access=function(e,t,n,r,i,o,a){var s=0,u=e.length,l=null==n;if(\"object\"===ie.type(n)){i=!0;for(s in n)ie.access(e,t,s,n[s],!0,o,a)}else if(void 0!==r&&(i=!0,ie.isFunction(r)||(a=!0),l&&(a?(t.call(e,r),t=null):(l=t,t=function(e,t,n){return l.call(ie(e),n)})),t))for(;u>s;s++)t(e[s],n,a?r:r.call(e[s],s,t(e[s],n)));return i?e:l?t.call(e):u?t(e[0],n):o},je=/^(?:checkbox|radio)$/i;!function(){var e=he.createElement(\"input\"),t=he.createElement(\"div\"),n=he.createDocumentFragment();if(t.innerHTML=\" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>\",ne.leadingWhitespace=3===t.firstChild.nodeType,ne.tbody=!t.getElementsByTagName(\"tbody\").length,ne.htmlSerialize=!!t.getElementsByTagName(\"link\").length,ne.html5Clone=\"<:nav></:nav>\"!==he.createElement(\"nav\").cloneNode(!0).outerHTML,e.type=\"checkbox\",e.checked=!0,n.appendChild(e),ne.appendChecked=e.checked,t.innerHTML=\"<textarea>x</textarea>\",ne.noCloneChecked=!!t.cloneNode(!0).lastChild.defaultValue,n.appendChild(t),t.innerHTML=\"<input type='radio' checked='checked' name='t'/>\",ne.checkClone=t.cloneNode(!0).cloneNode(!0).lastChild.checked,ne.noCloneEvent=!0,t.attachEvent&&(t.attachEvent(\"onclick\",function(){ne.noCloneEvent=!1}),t.cloneNode(!0).click()),null==ne.deleteExpando){ne.deleteExpando=!0;try{delete t.test}catch(r){ne.deleteExpando=!1}}}(),function(){var t,n,r=he.createElement(\"div\");for(t in{submit:!0,change:!0,focusin:!0})n=\"on\"+t,(ne[t+\"Bubbles\"]=n in e)||(r.setAttribute(n,\"t\"),ne[t+\"Bubbles\"]=r.attributes[n].expando===!1);r=null}();var Le=/^(?:input|select|textarea)$/i,De=/^key/,qe=/^(?:mouse|pointer|contextmenu)|click/,Oe=/^(?:focusinfocus|focusoutblur)$/,He=/^([^.]*)(?:\\.(.+)|)$/;ie.event={global:{},add:function(e,t,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,m=ie._data(e);if(m){for(n.handler&&(u=n,n=u.handler,i=u.selector),n.guid||(n.guid=ie.guid++),(a=m.events)||(a=m.events={}),(c=m.handle)||(c=m.handle=function(e){return typeof ie===Te||e&&ie.event.triggered===e.type?void 0:ie.event.dispatch.apply(c.elem,arguments)},c.elem=e),t=(t||\"\").match(be)||[\"\"],s=t.length;s--;)o=He.exec(t[s])||[],d=g=o[1],h=(o[2]||\"\").split(\".\").sort(),d&&(l=ie.event.special[d]||{},d=(i?l.delegateType:l.bindType)||d,l=ie.event.special[d]||{},f=ie.extend({type:d,origType:g,data:r,handler:n,guid:n.guid,selector:i,needsContext:i&&ie.expr.match.needsContext.test(i),namespace:h.join(\".\")},u),(p=a[d])||(p=a[d]=[],p.delegateCount=0,l.setup&&l.setup.call(e,r,h,c)!==!1||(e.addEventListener?e.addEventListener(d,c,!1):e.attachEvent&&e.attachEvent(\"on\"+d,c))),l.add&&(l.add.call(e,f),f.handler.guid||(f.handler.guid=n.guid)),i?p.splice(p.delegateCount++,0,f):p.push(f),ie.event.global[d]=!0);e=null}},remove:function(e,t,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,m=ie.hasData(e)&&ie._data(e);if(m&&(c=m.events)){for(t=(t||\"\").match(be)||[\"\"],l=t.length;l--;)if(s=He.exec(t[l])||[],d=g=s[1],h=(s[2]||\"\").split(\".\").sort(),d){for(f=ie.event.special[d]||{},d=(r?f.delegateType:f.bindType)||d,p=c[d]||[],s=s[2]&&new RegExp(\"(^|\\\\.)\"+h.join(\"\\\\.(?:.*\\\\.|)\")+\"(\\\\.|$)\"),u=o=p.length;o--;)a=p[o],!i&&g!==a.origType||n&&n.guid!==a.guid||s&&!s.test(a.namespace)||r&&r!==a.selector&&(\"**\"!==r||!a.selector)||(p.splice(o,1),a.selector&&p.delegateCount--,f.remove&&f.remove.call(e,a));u&&!p.length&&(f.teardown&&f.teardown.call(e,h,m.handle)!==!1||ie.removeEvent(e,d,m.handle),delete c[d])}else for(d in c)ie.event.remove(e,d+t[l],n,r,!0);ie.isEmptyObject(c)&&(delete m.handle,ie._removeData(e,\"events\"))}},trigger:function(t,n,r,i){var o,a,s,u,l,c,f,p=[r||he],d=te.call(t,\"type\")?t.type:t,h=te.call(t,\"namespace\")?t.namespace.split(\".\"):[];if(s=c=r=r||he,3!==r.nodeType&&8!==r.nodeType&&!Oe.test(d+ie.event.triggered)&&(d.indexOf(\".\")>=0&&(h=d.split(\".\"),d=h.shift(),h.sort()),a=d.indexOf(\":\")<0&&\"on\"+d,t=t[ie.expando]?t:new ie.Event(d,\"object\"==typeof t&&t),t.isTrigger=i?2:3,t.namespace=h.join(\".\"),t.namespace_re=t.namespace?new RegExp(\"(^|\\\\.)\"+h.join(\"\\\\.(?:.*\\\\.|)\")+\"(\\\\.|$)\"):null,t.result=void 0,t.target||(t.target=r),n=null==n?[t]:ie.makeArray(n,[t]),l=ie.event.special[d]||{},i||!l.trigger||l.trigger.apply(r,n)!==!1)){if(!i&&!l.noBubble&&!ie.isWindow(r)){for(u=l.delegateType||d,Oe.test(u+d)||(s=s.parentNode);s;s=s.parentNode)p.push(s),c=s;c===(r.ownerDocument||he)&&p.push(c.defaultView||c.parentWindow||e)}for(f=0;(s=p[f++])&&!t.isPropagationStopped();)t.type=f>1?u:l.bindType||d,o=(ie._data(s,\"events\")||{})[t.type]&&ie._data(s,\"handle\"),o&&o.apply(s,n),o=a&&s[a],o&&o.apply&&ie.acceptData(s)&&(t.result=o.apply(s,n),t.result===!1&&t.preventDefault());if(t.type=d,!i&&!t.isDefaultPrevented()&&(!l._default||l._default.apply(p.pop(),n)===!1)&&ie.acceptData(r)&&a&&r[d]&&!ie.isWindow(r)){c=r[a],c&&(r[a]=null),ie.event.triggered=d;try{r[d]()}catch(g){}ie.event.triggered=void 0,c&&(r[a]=c)}return t.result}},dispatch:function(e){e=ie.event.fix(e);var t,n,r,i,o,a=[],s=J.call(arguments),u=(ie._data(this,\"events\")||{})[e.type]||[],l=ie.event.special[e.type]||{};if(s[0]=e,e.delegateTarget=this,!l.preDispatch||l.preDispatch.call(this,e)!==!1){for(a=ie.event.handlers.call(this,e,u),t=0;(i=a[t++])&&!e.isPropagationStopped();)for(e.currentTarget=i.elem,o=0;(r=i.handlers[o++])&&!e.isImmediatePropagationStopped();)(!e.namespace_re||e.namespace_re.test(r.namespace))&&(e.handleObj=r,e.data=r.data,n=((ie.event.special[r.origType]||{}).handle||r.handler).apply(i.elem,s),void 0!==n&&(e.result=n)===!1&&(e.preventDefault(),e.stopPropagation()));return l.postDispatch&&l.postDispatch.call(this,e),e.result}},handlers:function(e,t){var n,r,i,o,a=[],s=t.delegateCount,u=e.target;if(s&&u.nodeType&&(!e.button||\"click\"!==e.type))for(;u!=this;u=u.parentNode||this)if(1===u.nodeType&&(u.disabled!==!0||\"click\"!==e.type)){for(i=[],o=0;s>o;o++)r=t[o],n=r.selector+\" \",void 0===i[n]&&(i[n]=r.needsContext?ie(n,this).index(u)>=0:ie.find(n,this,null,[u]).length),i[n]&&i.push(r);i.length&&a.push({elem:u,handlers:i})}return s<t.length&&a.push({elem:this,handlers:t.slice(s)}),a},fix:function(e){if(e[ie.expando])return e;var t,n,r,i=e.type,o=e,a=this.fixHooks[i];for(a||(this.fixHooks[i]=a=qe.test(i)?this.mouseHooks:De.test(i)?this.keyHooks:{}),r=a.props?this.props.concat(a.props):this.props,e=new ie.Event(o),t=r.length;t--;)n=r[t],e[n]=o[n];return e.target||(e.target=o.srcElement||he),3===e.target.nodeType&&(e.target=e.target.parentNode),e.metaKey=!!e.metaKey,a.filter?a.filter(e,o):e},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(e,t){return null==e.which&&(e.which=null!=t.charCode?t.charCode:t.keyCode),e}},mouseHooks:{props:\"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement\".split(\" \"),filter:function(e,t){var n,r,i,o=t.button,a=t.fromElement;return null==e.pageX&&null!=t.clientX&&(r=e.target.ownerDocument||he,i=r.documentElement,n=r.body,e.pageX=t.clientX+(i&&i.scrollLeft||n&&n.scrollLeft||0)-(i&&i.clientLeft||n&&n.clientLeft||0),e.pageY=t.clientY+(i&&i.scrollTop||n&&n.scrollTop||0)-(i&&i.clientTop||n&&n.clientTop||0)),!e.relatedTarget&&a&&(e.relatedTarget=a===e.target?t.toElement:a),e.which||void 0===o||(e.which=1&o?1:2&o?3:4&o?2:0),e}},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==h()&&this.focus)try{return this.focus(),!1}catch(e){}},delegateType:\"focusin\"},blur:{trigger:function(){return this===h()&&this.blur?(this.blur(),!1):void 0},delegateType:\"focusout\"},click:{trigger:function(){return ie.nodeName(this,\"input\")&&\"checkbox\"===this.type&&this.click?(this.click(),!1):void 0},_default:function(e){return ie.nodeName(e.target,\"a\")}},beforeunload:{postDispatch:function(e){void 0!==e.result&&e.originalEvent&&(e.originalEvent.returnValue=e.result)}}},simulate:function(e,t,n,r){var i=ie.extend(new ie.Event,n,{type:e,isSimulated:!0,originalEvent:{}});r?ie.event.trigger(i,null,t):ie.event.dispatch.call(t,i),i.isDefaultPrevented()&&n.preventDefault()}},ie.removeEvent=he.removeEventListener?function(e,t,n){e.removeEventListener&&e.removeEventListener(t,n,!1)}:function(e,t,n){var r=\"on\"+t;e.detachEvent&&(typeof e[r]===Te&&(e[r]=null),e.detachEvent(r,n))},ie.Event=function(e,t){return this instanceof ie.Event?(e&&e.type?(this.originalEvent=e,this.type=e.type,this.isDefaultPrevented=e.defaultPrevented||void 0===e.defaultPrevented&&e.returnValue===!1?p:d):this.type=e,t&&ie.extend(this,t),this.timeStamp=e&&e.timeStamp||ie.now(),void(this[ie.expando]=!0)):new ie.Event(e,t)},ie.Event.prototype={isDefaultPrevented:d,isPropagationStopped:d,isImmediatePropagationStopped:d,preventDefault:function(){var e=this.originalEvent;this.isDefaultPrevented=p,e&&(e.preventDefault?e.preventDefault():e.returnValue=!1)},stopPropagation:function(){var e=this.originalEvent;this.isPropagationStopped=p,e&&(e.stopPropagation&&e.stopPropagation(),e.cancelBubble=!0)},stopImmediatePropagation:function(){var e=this.originalEvent;this.isImmediatePropagationStopped=p,e&&e.stopImmediatePropagation&&e.stopImmediatePropagation(),this.stopPropagation()}},ie.each({mouseenter:\"mouseover\",mouseleave:\"mouseout\",pointerenter:\"pointerover\",pointerleave:\"pointerout\"},function(e,t){ie.event.special[e]={delegateType:t,bindType:t,handle:function(e){var n,r=this,i=e.relatedTarget,o=e.handleObj;return(!i||i!==r&&!ie.contains(r,i))&&(e.type=o.origType,n=o.handler.apply(this,arguments),e.type=t),n}}}),ne.submitBubbles||(ie.event.special.submit={setup:function(){return ie.nodeName(this,\"form\")?!1:void ie.event.add(this,\"click._submit keypress._submit\",function(e){var t=e.target,n=ie.nodeName(t,\"input\")||ie.nodeName(t,\"button\")?t.form:void 0;n&&!ie._data(n,\"submitBubbles\")&&(ie.event.add(n,\"submit._submit\",function(e){e._submit_bubble=!0}),ie._data(n,\"submitBubbles\",!0))})},postDispatch:function(e){e._submit_bubble&&(delete e._submit_bubble,this.parentNode&&!e.isTrigger&&ie.event.simulate(\"submit\",this.parentNode,e,!0))},teardown:function(){return ie.nodeName(this,\"form\")?!1:void ie.event.remove(this,\"._submit\")}}),ne.changeBubbles||(ie.event.special.change={setup:function(){return Le.test(this.nodeName)?((\"checkbox\"===this.type||\"radio\"===this.type)&&(ie.event.add(this,\"propertychange._change\",function(e){\"checked\"===e.originalEvent.propertyName&&(this._just_changed=!0)}),ie.event.add(this,\"click._change\",function(e){this._just_changed&&!e.isTrigger&&(this._just_changed=!1),ie.event.simulate(\"change\",this,e,!0)})),!1):void ie.event.add(this,\"beforeactivate._change\",function(e){var t=e.target;Le.test(t.nodeName)&&!ie._data(t,\"changeBubbles\")&&(ie.event.add(t,\"change._change\",function(e){!this.parentNode||e.isSimulated||e.isTrigger||ie.event.simulate(\"change\",this.parentNode,e,!0)}),ie._data(t,\"changeBubbles\",!0))})},handle:function(e){var t=e.target;return this!==t||e.isSimulated||e.isTrigger||\"radio\"!==t.type&&\"checkbox\"!==t.type?e.handleObj.handler.apply(this,arguments):void 0},teardown:function(){return ie.event.remove(this,\"._change\"),!Le.test(this.nodeName)}}),ne.focusinBubbles||ie.each({focus:\"focusin\",blur:\"focusout\"},function(e,t){var n=function(e){ie.event.simulate(t,e.target,ie.event.fix(e),!0)};ie.event.special[t]={setup:function(){var r=this.ownerDocument||this,i=ie._data(r,t);i||r.addEventListener(e,n,!0),ie._data(r,t,(i||0)+1)},teardown:function(){var r=this.ownerDocument||this,i=ie._data(r,t)-1;i?ie._data(r,t,i):(r.removeEventListener(e,n,!0),ie._removeData(r,t))}}}),ie.fn.extend({on:function(e,t,n,r,i){var o,a;if(\"object\"==typeof e){\"string\"!=typeof t&&(n=n||t,t=void 0);for(o in e)this.on(o,t,n,e[o],i);return this}if(null==n&&null==r?(r=t,n=t=void 0):null==r&&(\"string\"==typeof t?(r=n,n=void 0):(r=n,n=t,t=void 0)),r===!1)r=d;else if(!r)return this;return 1===i&&(a=r,r=function(e){return ie().off(e),a.apply(this,arguments)},r.guid=a.guid||(a.guid=ie.guid++)),this.each(function(){ie.event.add(this,e,r,n,t)})},one:function(e,t,n,r){return this.on(e,t,n,r,1)},off:function(e,t,n){var r,i;if(e&&e.preventDefault&&e.handleObj)return r=e.handleObj,ie(e.delegateTarget).off(r.namespace?r.origType+\".\"+r.namespace:r.origType,r.selector,r.handler),this;if(\"object\"==typeof e){for(i in e)this.off(i,t,e[i]);return this}return(t===!1||\"function\"==typeof t)&&(n=t,t=void 0),n===!1&&(n=d),this.each(function(){ie.event.remove(this,e,n,t)})},trigger:function(e,t){return this.each(function(){ie.event.trigger(e,t,this)})},triggerHandler:function(e,t){var n=this[0];return n?ie.event.trigger(e,t,n,!0):void 0}});var Me=\"abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|header|hgroup|mark|meter|nav|output|progress|section|summary|time|video\",$e=/ jQuery\\d+=\"(?:null|\\d+)\"/g,Fe=new RegExp(\"<(?:\"+Me+\")[\\\\s/>]\",\"i\"),Pe=/^\\s+/,Re=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\\w:]+)[^>]*)\\/>/gi,Be=/<([\\w:]+)/,We=/<tbody/i,Ie=/<|&#?\\w+;/,ze=/<(?:script|style|link)/i,Xe=/checked\\s*(?:[^=]|=\\s*.checked.)/i,Ze=/^$|\\/(?:java|ecma)script/i,Ue=/^true\\/(.*)/,Ve=/^\\s*<!(?:\\[CDATA\\[|--)|(?:\\]\\]|--)>\\s*$/g,Je={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:ne.htmlSerialize?[0,\"\",\"\"]:[1,\"X<div>\",\"</div>\"]},Qe=g(he),Ye=Qe.appendChild(he.createElement(\"div\"));Je.optgroup=Je.option,Je.tbody=Je.tfoot=Je.colgroup=Je.caption=Je.thead,Je.th=Je.td,ie.extend({clone:function(e,t,n){var r,i,o,a,s,u=ie.contains(e.ownerDocument,e);if(ne.html5Clone||ie.isXMLDoc(e)||!Fe.test(\"<\"+e.nodeName+\">\")?o=e.cloneNode(!0):(Ye.innerHTML=e.outerHTML,Ye.removeChild(o=Ye.firstChild)),!(ne.noCloneEvent&&ne.noCloneChecked||1!==e.nodeType&&11!==e.nodeType||ie.isXMLDoc(e)))for(r=m(o),s=m(e),a=0;null!=(i=s[a]);++a)r[a]&&T(i,r[a]);if(t)if(n)for(s=s||m(e),r=r||m(o),a=0;null!=(i=s[a]);a++)k(i,r[a]);else k(e,o);return r=m(o,\"script\"),r.length>0&&w(r,!u&&m(e,\"script\")),r=s=i=null,o},buildFragment:function(e,t,n,r){for(var i,o,a,s,u,l,c,f=e.length,p=g(t),d=[],h=0;f>h;h++)if(o=e[h],o||0===o)if(\"object\"===ie.type(o))ie.merge(d,o.nodeType?[o]:o);else if(Ie.test(o)){for(s=s||p.appendChild(t.createElement(\"div\")),u=(Be.exec(o)||[\"\",\"\"])[1].toLowerCase(),c=Je[u]||Je._default,s.innerHTML=c[1]+o.replace(Re,\"<$1></$2>\")+c[2],i=c[0];i--;)s=s.lastChild;if(!ne.leadingWhitespace&&Pe.test(o)&&d.push(t.createTextNode(Pe.exec(o)[0])),!ne.tbody)for(o=\"table\"!==u||We.test(o)?\"<table>\"!==c[1]||We.test(o)?0:s:s.firstChild,i=o&&o.childNodes.length;i--;)ie.nodeName(l=o.childNodes[i],\"tbody\")&&!l.childNodes.length&&o.removeChild(l);for(ie.merge(d,s.childNodes),s.textContent=\"\";s.firstChild;)s.removeChild(s.firstChild);s=p.lastChild}else d.push(t.createTextNode(o));for(s&&p.removeChild(s),ne.appendChecked||ie.grep(m(d,\"input\"),y),h=0;o=d[h++];)if((!r||-1===ie.inArray(o,r))&&(a=ie.contains(o.ownerDocument,o),s=m(p.appendChild(o),\"script\"),a&&w(s),n))for(i=0;o=s[i++];)Ze.test(o.type||\"\")&&n.push(o);return s=null,p},cleanData:function(e,t){for(var n,r,i,o,a=0,s=ie.expando,u=ie.cache,l=ne.deleteExpando,c=ie.event.special;null!=(n=e[a]);a++)if((t||ie.acceptData(n))&&(i=n[s],o=i&&u[i])){if(o.events)for(r in o.events)c[r]?ie.event.remove(n,r):ie.removeEvent(n,r,o.handle);u[i]&&(delete u[i],l?delete n[s]:typeof n.removeAttribute!==Te?n.removeAttribute(s):n[s]=null,V.push(i))}}}),ie.fn.extend({text:function(e){return Ae(this,function(e){return void 0===e?ie.text(this):this.empty().append((this[0]&&this[0].ownerDocument||he).createTextNode(e))},null,e,arguments.length)},append:function(){return this.domManip(arguments,function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=v(this,e);t.appendChild(e)}})},prepend:function(){return this.domManip(arguments,function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=v(this,e);t.insertBefore(e,t.firstChild)}})},before:function(){return this.domManip(arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this)})},after:function(){return this.domManip(arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)})},remove:function(e,t){for(var n,r=e?ie.filter(e,this):this,i=0;null!=(n=r[i]);i++)t||1!==n.nodeType||ie.cleanData(m(n)),n.parentNode&&(t&&ie.contains(n.ownerDocument,n)&&w(m(n,\"script\")),n.parentNode.removeChild(n));return this},empty:function(){for(var e,t=0;null!=(e=this[t]);t++){for(1===e.nodeType&&ie.cleanData(m(e,!1));e.firstChild;)e.removeChild(e.firstChild);e.options&&ie.nodeName(e,\"select\")&&(e.options.length=0)}return this},clone:function(e,t){return e=null==e?!1:e,t=null==t?e:t,this.map(function(){return ie.clone(this,e,t)})},html:function(e){return Ae(this,function(e){var t=this[0]||{},n=0,r=this.length;if(void 0===e)return 1===t.nodeType?t.innerHTML.replace($e,\"\"):void 0;if(!(\"string\"!=typeof e||ze.test(e)||!ne.htmlSerialize&&Fe.test(e)||!ne.leadingWhitespace&&Pe.test(e)||Je[(Be.exec(e)||[\"\",\"\"])[1].toLowerCase()])){e=e.replace(Re,\"<$1></$2>\");try{for(;r>n;n++)t=this[n]||{},1===t.nodeType&&(ie.cleanData(m(t,!1)),t.innerHTML=e);t=0}catch(i){}}t&&this.empty().append(e)},null,e,arguments.length)},replaceWith:function(){var e=arguments[0];return this.domManip(arguments,function(t){e=this.parentNode,ie.cleanData(m(this)),e&&e.replaceChild(t,this)}),e&&(e.length||e.nodeType)?this:this.remove()},detach:function(e){return this.remove(e,!0)},domManip:function(e,t){e=Q.apply([],e);var n,r,i,o,a,s,u=0,l=this.length,c=this,f=l-1,p=e[0],d=ie.isFunction(p);if(d||l>1&&\"string\"==typeof p&&!ne.checkClone&&Xe.test(p))return this.each(function(n){var r=c.eq(n);d&&(e[0]=p.call(this,n,r.html())),r.domManip(e,t)});if(l&&(s=ie.buildFragment(e,this[0].ownerDocument,!1,this),n=s.firstChild,1===s.childNodes.length&&(s=n),n)){for(o=ie.map(m(s,\"script\"),b),i=o.length;l>u;u++)r=s,u!==f&&(r=ie.clone(r,!0,!0),i&&ie.merge(o,m(r,\"script\"))),t.call(this[u],r,u);if(i)for(a=o[o.length-1].ownerDocument,ie.map(o,x),u=0;i>u;u++)r=o[u],Ze.test(r.type||\"\")&&!ie._data(r,\"globalEval\")&&ie.contains(a,r)&&(r.src?ie._evalUrl&&ie._evalUrl(r.src):ie.globalEval((r.text||r.textContent||r.innerHTML||\"\").replace(Ve,\"\")));s=n=null}return this}}),ie.each({appendTo:\"append\",prependTo:\"prepend\",insertBefore:\"before\",insertAfter:\"after\",replaceAll:\"replaceWith\"},function(e,t){ie.fn[e]=function(e){for(var n,r=0,i=[],o=ie(e),a=o.length-1;a>=r;r++)n=r===a?this:this.clone(!0),ie(o[r])[t](n),Y.apply(i,n.get());return this.pushStack(i)}});var Ge,Ke={};!function(){var e;ne.shrinkWrapBlocks=function(){if(null!=e)return e;e=!1;var t,n,r;return n=he.getElementsByTagName(\"body\")[0],n&&n.style?(t=he.createElement(\"div\"),r=he.createElement(\"div\"),r.style.cssText=\"position:absolute;border:0;width:0;height:0;top:0;left:-9999px\",\nn.appendChild(r).appendChild(t),typeof t.style.zoom!==Te&&(t.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\",t.appendChild(he.createElement(\"div\")).style.width=\"5px\",e=3!==t.offsetWidth),n.removeChild(r),e):void 0}}();var et,tt,nt=/^margin/,rt=new RegExp(\"^(\"+Ne+\")(?!px)[a-z%]+$\",\"i\"),it=/^(top|right|bottom|left)$/;e.getComputedStyle?(et=function(t){return t.ownerDocument.defaultView.opener?t.ownerDocument.defaultView.getComputedStyle(t,null):e.getComputedStyle(t,null)},tt=function(e,t,n){var r,i,o,a,s=e.style;return n=n||et(e),a=n?n.getPropertyValue(t)||n[t]:void 0,n&&(\"\"!==a||ie.contains(e.ownerDocument,e)||(a=ie.style(e,t)),rt.test(a)&&nt.test(t)&&(r=s.width,i=s.minWidth,o=s.maxWidth,s.minWidth=s.maxWidth=s.width=a,a=n.width,s.width=r,s.minWidth=i,s.maxWidth=o)),void 0===a?a:a+\"\"}):he.documentElement.currentStyle&&(et=function(e){return e.currentStyle},tt=function(e,t,n){var r,i,o,a,s=e.style;return n=n||et(e),a=n?n[t]:void 0,null==a&&s&&s[t]&&(a=s[t]),rt.test(a)&&!it.test(t)&&(r=s.left,i=e.runtimeStyle,o=i&&i.left,o&&(i.left=e.currentStyle.left),s.left=\"fontSize\"===t?\"1em\":a,a=s.pixelLeft+\"px\",s.left=r,o&&(i.left=o)),void 0===a?a:a+\"\"||\"auto\"}),function(){function t(){var t,n,r,i;n=he.getElementsByTagName(\"body\")[0],n&&n.style&&(t=he.createElement(\"div\"),r=he.createElement(\"div\"),r.style.cssText=\"position:absolute;border:0;width:0;height:0;top:0;left:-9999px\",n.appendChild(r).appendChild(t),t.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,u=!0,e.getComputedStyle&&(o=\"1%\"!==(e.getComputedStyle(t,null)||{}).top,a=\"4px\"===(e.getComputedStyle(t,null)||{width:\"4px\"}).width,i=t.appendChild(he.createElement(\"div\")),i.style.cssText=t.style.cssText=\"-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:0\",i.style.marginRight=i.style.width=\"0\",t.style.width=\"1px\",u=!parseFloat((e.getComputedStyle(i,null)||{}).marginRight),t.removeChild(i)),t.innerHTML=\"<table><tr><td></td><td>t</td></tr></table>\",i=t.getElementsByTagName(\"td\"),i[0].style.cssText=\"margin:0;border:0;padding:0;display:none\",s=0===i[0].offsetHeight,s&&(i[0].style.display=\"\",i[1].style.display=\"none\",s=0===i[0].offsetHeight),n.removeChild(r))}var n,r,i,o,a,s,u;n=he.createElement(\"div\"),n.innerHTML=\" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>\",i=n.getElementsByTagName(\"a\")[0],r=i&&i.style,r&&(r.cssText=\"float:left;opacity:.5\",ne.opacity=\"0.5\"===r.opacity,ne.cssFloat=!!r.cssFloat,n.style.backgroundClip=\"content-box\",n.cloneNode(!0).style.backgroundClip=\"\",ne.clearCloneStyle=\"content-box\"===n.style.backgroundClip,ne.boxSizing=\"\"===r.boxSizing||\"\"===r.MozBoxSizing||\"\"===r.WebkitBoxSizing,ie.extend(ne,{reliableHiddenOffsets:function(){return null==s&&t(),s},boxSizingReliable:function(){return null==a&&t(),a},pixelPosition:function(){return null==o&&t(),o},reliableMarginRight:function(){return null==u&&t(),u}}))}(),ie.swap=function(e,t,n,r){var i,o,a={};for(o in t)a[o]=e.style[o],e.style[o]=t[o];i=n.apply(e,r||[]);for(o in t)e.style[o]=a[o];return i};var ot=/alpha\\([^)]*\\)/i,at=/opacity\\s*=\\s*([^)]*)/,st=/^(none|table(?!-c[ea]).+)/,ut=new RegExp(\"^(\"+Ne+\")(.*)$\",\"i\"),lt=new RegExp(\"^([+-])=(\"+Ne+\")\",\"i\"),ct={position:\"absolute\",visibility:\"hidden\",display:\"block\"},ft={letterSpacing:\"0\",fontWeight:\"400\"},pt=[\"Webkit\",\"O\",\"Moz\",\"ms\"];ie.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=tt(e,\"opacity\");return\"\"===n?\"1\":n}}}},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\":ne.cssFloat?\"cssFloat\":\"styleFloat\"},style:function(e,t,n,r){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var i,o,a,s=ie.camelCase(t),u=e.style;if(t=ie.cssProps[s]||(ie.cssProps[s]=E(u,s)),a=ie.cssHooks[t]||ie.cssHooks[s],void 0===n)return a&&\"get\"in a&&void 0!==(i=a.get(e,!1,r))?i:u[t];if(o=typeof n,\"string\"===o&&(i=lt.exec(n))&&(n=(i[1]+1)*i[2]+parseFloat(ie.css(e,t)),o=\"number\"),null!=n&&n===n&&(\"number\"!==o||ie.cssNumber[s]||(n+=\"px\"),ne.clearCloneStyle||\"\"!==n||0!==t.indexOf(\"background\")||(u[t]=\"inherit\"),!(a&&\"set\"in a&&void 0===(n=a.set(e,n,r)))))try{u[t]=n}catch(l){}}},css:function(e,t,n,r){var i,o,a,s=ie.camelCase(t);return t=ie.cssProps[s]||(ie.cssProps[s]=E(e.style,s)),a=ie.cssHooks[t]||ie.cssHooks[s],a&&\"get\"in a&&(o=a.get(e,!0,n)),void 0===o&&(o=tt(e,t,r)),\"normal\"===o&&t in ft&&(o=ft[t]),\"\"===n||n?(i=parseFloat(o),n===!0||ie.isNumeric(i)?i||0:o):o}}),ie.each([\"height\",\"width\"],function(e,t){ie.cssHooks[t]={get:function(e,n,r){return n?st.test(ie.css(e,\"display\"))&&0===e.offsetWidth?ie.swap(e,ct,function(){return L(e,t,r)}):L(e,t,r):void 0},set:function(e,n,r){var i=r&&et(e);return A(e,n,r?j(e,t,r,ne.boxSizing&&\"border-box\"===ie.css(e,\"boxSizing\",!1,i),i):0)}}}),ne.opacity||(ie.cssHooks.opacity={get:function(e,t){return at.test((t&&e.currentStyle?e.currentStyle.filter:e.style.filter)||\"\")?.01*parseFloat(RegExp.$1)+\"\":t?\"1\":\"\"},set:function(e,t){var n=e.style,r=e.currentStyle,i=ie.isNumeric(t)?\"alpha(opacity=\"+100*t+\")\":\"\",o=r&&r.filter||n.filter||\"\";n.zoom=1,(t>=1||\"\"===t)&&\"\"===ie.trim(o.replace(ot,\"\"))&&n.removeAttribute&&(n.removeAttribute(\"filter\"),\"\"===t||r&&!r.filter)||(n.filter=ot.test(o)?o.replace(ot,i):o+\" \"+i)}}),ie.cssHooks.marginRight=N(ne.reliableMarginRight,function(e,t){return t?ie.swap(e,{display:\"inline-block\"},tt,[e,\"marginRight\"]):void 0}),ie.each({margin:\"\",padding:\"\",border:\"Width\"},function(e,t){ie.cssHooks[e+t]={expand:function(n){for(var r=0,i={},o=\"string\"==typeof n?n.split(\" \"):[n];4>r;r++)i[e+Ee[r]+t]=o[r]||o[r-2]||o[0];return i}},nt.test(e)||(ie.cssHooks[e+t].set=A)}),ie.fn.extend({css:function(e,t){return Ae(this,function(e,t,n){var r,i,o={},a=0;if(ie.isArray(t)){for(r=et(e),i=t.length;i>a;a++)o[t[a]]=ie.css(e,t[a],!1,r);return o}return void 0!==n?ie.style(e,t,n):ie.css(e,t)},e,t,arguments.length>1)},show:function(){return _(this,!0)},hide:function(){return _(this)},toggle:function(e){return\"boolean\"==typeof e?e?this.show():this.hide():this.each(function(){_e(this)?ie(this).show():ie(this).hide()})}}),ie.Tween=D,D.prototype={constructor:D,init:function(e,t,n,r,i,o){this.elem=e,this.prop=n,this.easing=i||\"swing\",this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=o||(ie.cssNumber[n]?\"\":\"px\")},cur:function(){var e=D.propHooks[this.prop];return e&&e.get?e.get(this):D.propHooks._default.get(this)},run:function(e){var t,n=D.propHooks[this.prop];return this.pos=t=this.options.duration?ie.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):D.propHooks._default.set(this),this}},D.prototype.init.prototype=D.prototype,D.propHooks={_default:{get:function(e){var t;return null==e.elem[e.prop]||e.elem.style&&null!=e.elem.style[e.prop]?(t=ie.css(e.elem,e.prop,\"\"),t&&\"auto\"!==t?t:0):e.elem[e.prop]},set:function(e){ie.fx.step[e.prop]?ie.fx.step[e.prop](e):e.elem.style&&(null!=e.elem.style[ie.cssProps[e.prop]]||ie.cssHooks[e.prop])?ie.style(e.elem,e.prop,e.now+e.unit):e.elem[e.prop]=e.now}}},D.propHooks.scrollTop=D.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},ie.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2}},ie.fx=D.prototype.init,ie.fx.step={};var dt,ht,gt=/^(?:toggle|show|hide)$/,mt=new RegExp(\"^(?:([+-])=|)(\"+Ne+\")([a-z%]*)$\",\"i\"),yt=/queueHooks$/,vt=[M],bt={\"*\":[function(e,t){var n=this.createTween(e,t),r=n.cur(),i=mt.exec(t),o=i&&i[3]||(ie.cssNumber[e]?\"\":\"px\"),a=(ie.cssNumber[e]||\"px\"!==o&&+r)&&mt.exec(ie.css(n.elem,e)),s=1,u=20;if(a&&a[3]!==o){o=o||a[3],i=i||[],a=+r||1;do s=s||\".5\",a/=s,ie.style(n.elem,e,a+o);while(s!==(s=n.cur()/r)&&1!==s&&--u)}return i&&(a=n.start=+a||+r||0,n.unit=o,n.end=i[1]?a+(i[1]+1)*i[2]:+i[2]),n}]};ie.Animation=ie.extend(F,{tweener:function(e,t){ie.isFunction(e)?(t=e,e=[\"*\"]):e=e.split(\" \");for(var n,r=0,i=e.length;i>r;r++)n=e[r],bt[n]=bt[n]||[],bt[n].unshift(t)},prefilter:function(e,t){t?vt.unshift(e):vt.push(e)}}),ie.speed=function(e,t,n){var r=e&&\"object\"==typeof e?ie.extend({},e):{complete:n||!n&&t||ie.isFunction(e)&&e,duration:e,easing:n&&t||t&&!ie.isFunction(t)&&t};return r.duration=ie.fx.off?0:\"number\"==typeof r.duration?r.duration:r.duration in ie.fx.speeds?ie.fx.speeds[r.duration]:ie.fx.speeds._default,(null==r.queue||r.queue===!0)&&(r.queue=\"fx\"),r.old=r.complete,r.complete=function(){ie.isFunction(r.old)&&r.old.call(this),r.queue&&ie.dequeue(this,r.queue)},r},ie.fn.extend({fadeTo:function(e,t,n,r){return this.filter(_e).css(\"opacity\",0).show().end().animate({opacity:t},e,n,r)},animate:function(e,t,n,r){var i=ie.isEmptyObject(e),o=ie.speed(t,n,r),a=function(){var t=F(this,ie.extend({},e),o);(i||ie._data(this,\"finish\"))&&t.stop(!0)};return a.finish=a,i||o.queue===!1?this.each(a):this.queue(o.queue,a)},stop:function(e,t,n){var r=function(e){var t=e.stop;delete e.stop,t(n)};return\"string\"!=typeof e&&(n=t,t=e,e=void 0),t&&e!==!1&&this.queue(e||\"fx\",[]),this.each(function(){var t=!0,i=null!=e&&e+\"queueHooks\",o=ie.timers,a=ie._data(this);if(i)a[i]&&a[i].stop&&r(a[i]);else for(i in a)a[i]&&a[i].stop&&yt.test(i)&&r(a[i]);for(i=o.length;i--;)o[i].elem!==this||null!=e&&o[i].queue!==e||(o[i].anim.stop(n),t=!1,o.splice(i,1));(t||!n)&&ie.dequeue(this,e)})},finish:function(e){return e!==!1&&(e=e||\"fx\"),this.each(function(){var t,n=ie._data(this),r=n[e+\"queue\"],i=n[e+\"queueHooks\"],o=ie.timers,a=r?r.length:0;for(n.finish=!0,ie.queue(this,e,[]),i&&i.stop&&i.stop.call(this,!0),t=o.length;t--;)o[t].elem===this&&o[t].queue===e&&(o[t].anim.stop(!0),o.splice(t,1));for(t=0;a>t;t++)r[t]&&r[t].finish&&r[t].finish.call(this);delete n.finish})}}),ie.each([\"toggle\",\"show\",\"hide\"],function(e,t){var n=ie.fn[t];ie.fn[t]=function(e,r,i){return null==e||\"boolean\"==typeof e?n.apply(this,arguments):this.animate(O(t,!0),e,r,i)}}),ie.each({slideDown:O(\"show\"),slideUp:O(\"hide\"),slideToggle:O(\"toggle\"),fadeIn:{opacity:\"show\"},fadeOut:{opacity:\"hide\"},fadeToggle:{opacity:\"toggle\"}},function(e,t){ie.fn[e]=function(e,n,r){return this.animate(t,e,n,r)}}),ie.timers=[],ie.fx.tick=function(){var e,t=ie.timers,n=0;for(dt=ie.now();n<t.length;n++)e=t[n],e()||t[n]!==e||t.splice(n--,1);t.length||ie.fx.stop(),dt=void 0},ie.fx.timer=function(e){ie.timers.push(e),e()?ie.fx.start():ie.timers.pop()},ie.fx.interval=13,ie.fx.start=function(){ht||(ht=setInterval(ie.fx.tick,ie.fx.interval))},ie.fx.stop=function(){clearInterval(ht),ht=null},ie.fx.speeds={slow:600,fast:200,_default:400},ie.fn.delay=function(e,t){return e=ie.fx?ie.fx.speeds[e]||e:e,t=t||\"fx\",this.queue(t,function(t,n){var r=setTimeout(t,e);n.stop=function(){clearTimeout(r)}})},function(){var e,t,n,r,i;t=he.createElement(\"div\"),t.setAttribute(\"className\",\"t\"),t.innerHTML=\" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>\",r=t.getElementsByTagName(\"a\")[0],n=he.createElement(\"select\"),i=n.appendChild(he.createElement(\"option\")),e=t.getElementsByTagName(\"input\")[0],r.style.cssText=\"top:1px\",ne.getSetAttribute=\"t\"!==t.className,ne.style=/top/.test(r.getAttribute(\"style\")),ne.hrefNormalized=\"/a\"===r.getAttribute(\"href\"),ne.checkOn=!!e.value,ne.optSelected=i.selected,ne.enctype=!!he.createElement(\"form\").enctype,n.disabled=!0,ne.optDisabled=!i.disabled,e=he.createElement(\"input\"),e.setAttribute(\"value\",\"\"),ne.input=\"\"===e.getAttribute(\"value\"),e.value=\"t\",e.setAttribute(\"type\",\"radio\"),ne.radioValue=\"t\"===e.value}();var xt=/\\r/g;ie.fn.extend({val:function(e){var t,n,r,i=this[0];{if(arguments.length)return r=ie.isFunction(e),this.each(function(n){var i;1===this.nodeType&&(i=r?e.call(this,n,ie(this).val()):e,null==i?i=\"\":\"number\"==typeof i?i+=\"\":ie.isArray(i)&&(i=ie.map(i,function(e){return null==e?\"\":e+\"\"})),t=ie.valHooks[this.type]||ie.valHooks[this.nodeName.toLowerCase()],t&&\"set\"in t&&void 0!==t.set(this,i,\"value\")||(this.value=i))});if(i)return t=ie.valHooks[i.type]||ie.valHooks[i.nodeName.toLowerCase()],t&&\"get\"in t&&void 0!==(n=t.get(i,\"value\"))?n:(n=i.value,\"string\"==typeof n?n.replace(xt,\"\"):null==n?\"\":n)}}}),ie.extend({valHooks:{option:{get:function(e){var t=ie.find.attr(e,\"value\");return null!=t?t:ie.trim(ie.text(e))}},select:{get:function(e){for(var t,n,r=e.options,i=e.selectedIndex,o=\"select-one\"===e.type||0>i,a=o?null:[],s=o?i+1:r.length,u=0>i?s:o?i:0;s>u;u++)if(n=r[u],!(!n.selected&&u!==i||(ne.optDisabled?n.disabled:null!==n.getAttribute(\"disabled\"))||n.parentNode.disabled&&ie.nodeName(n.parentNode,\"optgroup\"))){if(t=ie(n).val(),o)return t;a.push(t)}return a},set:function(e,t){for(var n,r,i=e.options,o=ie.makeArray(t),a=i.length;a--;)if(r=i[a],ie.inArray(ie.valHooks.option.get(r),o)>=0)try{r.selected=n=!0}catch(s){r.scrollHeight}else r.selected=!1;return n||(e.selectedIndex=-1),i}}}}),ie.each([\"radio\",\"checkbox\"],function(){ie.valHooks[this]={set:function(e,t){return ie.isArray(t)?e.checked=ie.inArray(ie(e).val(),t)>=0:void 0}},ne.checkOn||(ie.valHooks[this].get=function(e){return null===e.getAttribute(\"value\")?\"on\":e.value})});var wt,kt,Tt=ie.expr.attrHandle,Ct=/^(?:checked|selected)$/i,St=ne.getSetAttribute,Nt=ne.input;ie.fn.extend({attr:function(e,t){return Ae(this,ie.attr,e,t,arguments.length>1)},removeAttr:function(e){return this.each(function(){ie.removeAttr(this,e)})}}),ie.extend({attr:function(e,t,n){var r,i,o=e.nodeType;if(e&&3!==o&&8!==o&&2!==o)return typeof e.getAttribute===Te?ie.prop(e,t,n):(1===o&&ie.isXMLDoc(e)||(t=t.toLowerCase(),r=ie.attrHooks[t]||(ie.expr.match.bool.test(t)?kt:wt)),void 0===n?r&&\"get\"in r&&null!==(i=r.get(e,t))?i:(i=ie.find.attr(e,t),null==i?void 0:i):null!==n?r&&\"set\"in r&&void 0!==(i=r.set(e,n,t))?i:(e.setAttribute(t,n+\"\"),n):void ie.removeAttr(e,t))},removeAttr:function(e,t){var n,r,i=0,o=t&&t.match(be);if(o&&1===e.nodeType)for(;n=o[i++];)r=ie.propFix[n]||n,ie.expr.match.bool.test(n)?Nt&&St||!Ct.test(n)?e[r]=!1:e[ie.camelCase(\"default-\"+n)]=e[r]=!1:ie.attr(e,n,\"\"),e.removeAttribute(St?n:r)},attrHooks:{type:{set:function(e,t){if(!ne.radioValue&&\"radio\"===t&&ie.nodeName(e,\"input\")){var n=e.value;return e.setAttribute(\"type\",t),n&&(e.value=n),t}}}}}),kt={set:function(e,t,n){return t===!1?ie.removeAttr(e,n):Nt&&St||!Ct.test(n)?e.setAttribute(!St&&ie.propFix[n]||n,n):e[ie.camelCase(\"default-\"+n)]=e[n]=!0,n}},ie.each(ie.expr.match.bool.source.match(/\\w+/g),function(e,t){var n=Tt[t]||ie.find.attr;Tt[t]=Nt&&St||!Ct.test(t)?function(e,t,r){var i,o;return r||(o=Tt[t],Tt[t]=i,i=null!=n(e,t,r)?t.toLowerCase():null,Tt[t]=o),i}:function(e,t,n){return n?void 0:e[ie.camelCase(\"default-\"+t)]?t.toLowerCase():null}}),Nt&&St||(ie.attrHooks.value={set:function(e,t,n){return ie.nodeName(e,\"input\")?void(e.defaultValue=t):wt&&wt.set(e,t,n)}}),St||(wt={set:function(e,t,n){var r=e.getAttributeNode(n);return r||e.setAttributeNode(r=e.ownerDocument.createAttribute(n)),r.value=t+=\"\",\"value\"===n||t===e.getAttribute(n)?t:void 0}},Tt.id=Tt.name=Tt.coords=function(e,t,n){var r;return n?void 0:(r=e.getAttributeNode(t))&&\"\"!==r.value?r.value:null},ie.valHooks.button={get:function(e,t){var n=e.getAttributeNode(t);return n&&n.specified?n.value:void 0},set:wt.set},ie.attrHooks.contenteditable={set:function(e,t,n){wt.set(e,\"\"===t?!1:t,n)}},ie.each([\"width\",\"height\"],function(e,t){ie.attrHooks[t]={set:function(e,n){return\"\"===n?(e.setAttribute(t,\"auto\"),n):void 0}}})),ne.style||(ie.attrHooks.style={get:function(e){return e.style.cssText||void 0},set:function(e,t){return e.style.cssText=t+\"\"}});var Et=/^(?:input|select|textarea|button|object)$/i,_t=/^(?:a|area)$/i;ie.fn.extend({prop:function(e,t){return Ae(this,ie.prop,e,t,arguments.length>1)},removeProp:function(e){return e=ie.propFix[e]||e,this.each(function(){try{this[e]=void 0,delete this[e]}catch(t){}})}}),ie.extend({propFix:{\"for\":\"htmlFor\",\"class\":\"className\"},prop:function(e,t,n){var r,i,o,a=e.nodeType;if(e&&3!==a&&8!==a&&2!==a)return o=1!==a||!ie.isXMLDoc(e),o&&(t=ie.propFix[t]||t,i=ie.propHooks[t]),void 0!==n?i&&\"set\"in i&&void 0!==(r=i.set(e,n,t))?r:e[t]=n:i&&\"get\"in i&&null!==(r=i.get(e,t))?r:e[t]},propHooks:{tabIndex:{get:function(e){var t=ie.find.attr(e,\"tabindex\");return t?parseInt(t,10):Et.test(e.nodeName)||_t.test(e.nodeName)&&e.href?0:-1}}}}),ne.hrefNormalized||ie.each([\"href\",\"src\"],function(e,t){ie.propHooks[t]={get:function(e){return e.getAttribute(t,4)}}}),ne.optSelected||(ie.propHooks.selected={get:function(e){var t=e.parentNode;return t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex),null}}),ie.each([\"tabIndex\",\"readOnly\",\"maxLength\",\"cellSpacing\",\"cellPadding\",\"rowSpan\",\"colSpan\",\"useMap\",\"frameBorder\",\"contentEditable\"],function(){ie.propFix[this.toLowerCase()]=this}),ne.enctype||(ie.propFix.enctype=\"encoding\");var At=/[\\t\\r\\n\\f]/g;ie.fn.extend({addClass:function(e){var t,n,r,i,o,a,s=0,u=this.length,l=\"string\"==typeof e&&e;if(ie.isFunction(e))return this.each(function(t){ie(this).addClass(e.call(this,t,this.className))});if(l)for(t=(e||\"\").match(be)||[];u>s;s++)if(n=this[s],r=1===n.nodeType&&(n.className?(\" \"+n.className+\" \").replace(At,\" \"):\" \")){for(o=0;i=t[o++];)r.indexOf(\" \"+i+\" \")<0&&(r+=i+\" \");a=ie.trim(r),n.className!==a&&(n.className=a)}return this},removeClass:function(e){var t,n,r,i,o,a,s=0,u=this.length,l=0===arguments.length||\"string\"==typeof e&&e;if(ie.isFunction(e))return this.each(function(t){ie(this).removeClass(e.call(this,t,this.className))});if(l)for(t=(e||\"\").match(be)||[];u>s;s++)if(n=this[s],r=1===n.nodeType&&(n.className?(\" \"+n.className+\" \").replace(At,\" \"):\"\")){for(o=0;i=t[o++];)for(;r.indexOf(\" \"+i+\" \")>=0;)r=r.replace(\" \"+i+\" \",\" \");a=e?ie.trim(r):\"\",n.className!==a&&(n.className=a)}return this},toggleClass:function(e,t){var n=typeof e;return\"boolean\"==typeof t&&\"string\"===n?t?this.addClass(e):this.removeClass(e):this.each(ie.isFunction(e)?function(n){ie(this).toggleClass(e.call(this,n,this.className,t),t)}:function(){if(\"string\"===n)for(var t,r=0,i=ie(this),o=e.match(be)||[];t=o[r++];)i.hasClass(t)?i.removeClass(t):i.addClass(t);else(n===Te||\"boolean\"===n)&&(this.className&&ie._data(this,\"__className__\",this.className),this.className=this.className||e===!1?\"\":ie._data(this,\"__className__\")||\"\")})},hasClass:function(e){for(var t=\" \"+e+\" \",n=0,r=this.length;r>n;n++)if(1===this[n].nodeType&&(\" \"+this[n].className+\" \").replace(At,\" \").indexOf(t)>=0)return!0;return!1}}),ie.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(e,t){ie.fn[t]=function(e,n){return arguments.length>0?this.on(t,null,e,n):this.trigger(t)}}),ie.fn.extend({hover:function(e,t){return this.mouseenter(e).mouseleave(t||e)},bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return 1===arguments.length?this.off(e,\"**\"):this.off(t,e||\"**\",n)}});var jt=ie.now(),Lt=/\\?/,Dt=/(,)|(\\[|{)|(}|])|\"(?:[^\"\\\\\\r\\n]|\\\\[\"\\\\\\/bfnrt]|\\\\u[\\da-fA-F]{4})*\"\\s*:?|true|false|null|-?(?!0\\d)\\d+(?:\\.\\d+|)(?:[eE][+-]?\\d+|)/g;ie.parseJSON=function(t){if(e.JSON&&e.JSON.parse)return e.JSON.parse(t+\"\");var n,r=null,i=ie.trim(t+\"\");return i&&!ie.trim(i.replace(Dt,function(e,t,i,o){return n&&t&&(r=0),0===r?e:(n=i||t,r+=!o-!i,\"\")}))?Function(\"return \"+i)():ie.error(\"Invalid JSON: \"+t)},ie.parseXML=function(t){var n,r;if(!t||\"string\"!=typeof t)return null;try{e.DOMParser?(r=new DOMParser,n=r.parseFromString(t,\"text/xml\")):(n=new ActiveXObject(\"Microsoft.XMLDOM\"),n.async=\"false\",n.loadXML(t))}catch(i){n=void 0}return n&&n.documentElement&&!n.getElementsByTagName(\"parsererror\").length||ie.error(\"Invalid XML: \"+t),n};var qt,Ot,Ht=/#.*$/,Mt=/([?&])_=[^&]*/,$t=/^(.*?):[ \\t]*([^\\r\\n]*)\\r?$/gm,Ft=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Pt=/^(?:GET|HEAD)$/,Rt=/^\\/\\//,Bt=/^([\\w.+-]+:)(?:\\/\\/(?:[^\\/?#]*@|)([^\\/?#:]*)(?::(\\d+)|)|)/,Wt={},It={},zt=\"*/\".concat(\"*\");try{Ot=location.href}catch(Xt){Ot=he.createElement(\"a\"),Ot.href=\"\",Ot=Ot.href}qt=Bt.exec(Ot.toLowerCase())||[],ie.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:Ot,type:\"GET\",isLocal:Ft.test(qt[1]),global:!0,processData:!0,async:!0,contentType:\"application/x-www-form-urlencoded; charset=UTF-8\",accepts:{\"*\":zt,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\":ie.parseJSON,\"text xml\":ie.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?B(B(e,ie.ajaxSettings),t):B(ie.ajaxSettings,e)},ajaxPrefilter:P(Wt),ajaxTransport:P(It),ajax:function(e,t){function n(e,t,n,r){var i,c,y,v,x,k=t;2!==b&&(b=2,s&&clearTimeout(s),l=void 0,a=r||\"\",w.readyState=e>0?4:0,i=e>=200&&300>e||304===e,n&&(v=W(f,w,n)),v=I(f,v,w,i),i?(f.ifModified&&(x=w.getResponseHeader(\"Last-Modified\"),x&&(ie.lastModified[o]=x),x=w.getResponseHeader(\"etag\"),x&&(ie.etag[o]=x)),204===e||\"HEAD\"===f.type?k=\"nocontent\":304===e?k=\"notmodified\":(k=v.state,c=v.data,y=v.error,i=!y)):(y=k,(e||!k)&&(k=\"error\",0>e&&(e=0))),w.status=e,w.statusText=(t||k)+\"\",i?h.resolveWith(p,[c,k,w]):h.rejectWith(p,[w,k,y]),w.statusCode(m),m=void 0,u&&d.trigger(i?\"ajaxSuccess\":\"ajaxError\",[w,f,i?c:y]),g.fireWith(p,[w,k]),u&&(d.trigger(\"ajaxComplete\",[w,f]),--ie.active||ie.event.trigger(\"ajaxStop\")))}\"object\"==typeof e&&(t=e,e=void 0),t=t||{};var r,i,o,a,s,u,l,c,f=ie.ajaxSetup({},t),p=f.context||f,d=f.context&&(p.nodeType||p.jquery)?ie(p):ie.event,h=ie.Deferred(),g=ie.Callbacks(\"once memory\"),m=f.statusCode||{},y={},v={},b=0,x=\"canceled\",w={readyState:0,getResponseHeader:function(e){var t;if(2===b){if(!c)for(c={};t=$t.exec(a);)c[t[1].toLowerCase()]=t[2];t=c[e.toLowerCase()]}return null==t?null:t},getAllResponseHeaders:function(){return 2===b?a:null},setRequestHeader:function(e,t){var n=e.toLowerCase();return b||(e=v[n]=v[n]||e,y[e]=t),this},overrideMimeType:function(e){return b||(f.mimeType=e),this},statusCode:function(e){var t;if(e)if(2>b)for(t in e)m[t]=[m[t],e[t]];else w.always(e[w.status]);return this},abort:function(e){var t=e||x;return l&&l.abort(t),n(0,t),this}};if(h.promise(w).complete=g.add,w.success=w.done,w.error=w.fail,f.url=((e||f.url||Ot)+\"\").replace(Ht,\"\").replace(Rt,qt[1]+\"//\"),f.type=t.method||t.type||f.method||f.type,f.dataTypes=ie.trim(f.dataType||\"*\").toLowerCase().match(be)||[\"\"],null==f.crossDomain&&(r=Bt.exec(f.url.toLowerCase()),f.crossDomain=!(!r||r[1]===qt[1]&&r[2]===qt[2]&&(r[3]||(\"http:\"===r[1]?\"80\":\"443\"))===(qt[3]||(\"http:\"===qt[1]?\"80\":\"443\")))),f.data&&f.processData&&\"string\"!=typeof f.data&&(f.data=ie.param(f.data,f.traditional)),R(Wt,f,t,w),2===b)return w;u=ie.event&&f.global,u&&0===ie.active++&&ie.event.trigger(\"ajaxStart\"),f.type=f.type.toUpperCase(),f.hasContent=!Pt.test(f.type),o=f.url,f.hasContent||(f.data&&(o=f.url+=(Lt.test(o)?\"&\":\"?\")+f.data,delete f.data),f.cache===!1&&(f.url=Mt.test(o)?o.replace(Mt,\"$1_=\"+jt++):o+(Lt.test(o)?\"&\":\"?\")+\"_=\"+jt++)),f.ifModified&&(ie.lastModified[o]&&w.setRequestHeader(\"If-Modified-Since\",ie.lastModified[o]),ie.etag[o]&&w.setRequestHeader(\"If-None-Match\",ie.etag[o])),(f.data&&f.hasContent&&f.contentType!==!1||t.contentType)&&w.setRequestHeader(\"Content-Type\",f.contentType),w.setRequestHeader(\"Accept\",f.dataTypes[0]&&f.accepts[f.dataTypes[0]]?f.accepts[f.dataTypes[0]]+(\"*\"!==f.dataTypes[0]?\", \"+zt+\"; q=0.01\":\"\"):f.accepts[\"*\"]);for(i in f.headers)w.setRequestHeader(i,f.headers[i]);if(f.beforeSend&&(f.beforeSend.call(p,w,f)===!1||2===b))return w.abort();x=\"abort\";for(i in{success:1,error:1,complete:1})w[i](f[i]);if(l=R(It,f,t,w)){w.readyState=1,u&&d.trigger(\"ajaxSend\",[w,f]),f.async&&f.timeout>0&&(s=setTimeout(function(){w.abort(\"timeout\")},f.timeout));try{b=1,l.send(y,n)}catch(k){if(!(2>b))throw k;n(-1,k)}}else n(-1,\"No Transport\");return w},getJSON:function(e,t,n){return ie.get(e,t,n,\"json\")},getScript:function(e,t){return ie.get(e,void 0,t,\"script\")}}),ie.each([\"get\",\"post\"],function(e,t){ie[t]=function(e,n,r,i){return ie.isFunction(n)&&(i=i||r,r=n,n=void 0),ie.ajax({url:e,type:t,dataType:i,data:n,success:r})}}),ie._evalUrl=function(e){return ie.ajax({url:e,type:\"GET\",dataType:\"script\",async:!1,global:!1,\"throws\":!0})},ie.fn.extend({wrapAll:function(e){if(ie.isFunction(e))return this.each(function(t){ie(this).wrapAll(e.call(this,t))});if(this[0]){var t=ie(e,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&t.insertBefore(this[0]),t.map(function(){for(var e=this;e.firstChild&&1===e.firstChild.nodeType;)e=e.firstChild;return e}).append(this)}return this},wrapInner:function(e){return this.each(ie.isFunction(e)?function(t){ie(this).wrapInner(e.call(this,t))}:function(){var t=ie(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)})},wrap:function(e){var t=ie.isFunction(e);return this.each(function(n){ie(this).wrapAll(t?e.call(this,n):e)})},unwrap:function(){return this.parent().each(function(){ie.nodeName(this,\"body\")||ie(this).replaceWith(this.childNodes)}).end()}}),ie.expr.filters.hidden=function(e){return e.offsetWidth<=0&&e.offsetHeight<=0||!ne.reliableHiddenOffsets()&&\"none\"===(e.style&&e.style.display||ie.css(e,\"display\"))},ie.expr.filters.visible=function(e){return!ie.expr.filters.hidden(e)};var Zt=/%20/g,Ut=/\\[\\]$/,Vt=/\\r?\\n/g,Jt=/^(?:submit|button|image|reset|file)$/i,Qt=/^(?:input|select|textarea|keygen)/i;ie.param=function(e,t){var n,r=[],i=function(e,t){t=ie.isFunction(t)?t():null==t?\"\":t,r[r.length]=encodeURIComponent(e)+\"=\"+encodeURIComponent(t)};if(void 0===t&&(t=ie.ajaxSettings&&ie.ajaxSettings.traditional),ie.isArray(e)||e.jquery&&!ie.isPlainObject(e))ie.each(e,function(){i(this.name,this.value)});else for(n in e)z(n,e[n],t,i);return r.join(\"&\").replace(Zt,\"+\")},ie.fn.extend({serialize:function(){return ie.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var e=ie.prop(this,\"elements\");return e?ie.makeArray(e):this}).filter(function(){var e=this.type;return this.name&&!ie(this).is(\":disabled\")&&Qt.test(this.nodeName)&&!Jt.test(e)&&(this.checked||!je.test(e))}).map(function(e,t){var n=ie(this).val();return null==n?null:ie.isArray(n)?ie.map(n,function(e){return{name:t.name,value:e.replace(Vt,\"\\r\\n\")}}):{name:t.name,value:n.replace(Vt,\"\\r\\n\")}}).get()}}),ie.ajaxSettings.xhr=void 0!==e.ActiveXObject?function(){return!this.isLocal&&/^(get|post|head|put|delete|options)$/i.test(this.type)&&X()||Z()}:X;var Yt=0,Gt={},Kt=ie.ajaxSettings.xhr();e.attachEvent&&e.attachEvent(\"onunload\",function(){for(var e in Gt)Gt[e](void 0,!0)}),ne.cors=!!Kt&&\"withCredentials\"in Kt,Kt=ne.ajax=!!Kt,Kt&&ie.ajaxTransport(function(e){if(!e.crossDomain||ne.cors){var t;return{send:function(n,r){var i,o=e.xhr(),a=++Yt;if(o.open(e.type,e.url,e.async,e.username,e.password),e.xhrFields)for(i in e.xhrFields)o[i]=e.xhrFields[i];e.mimeType&&o.overrideMimeType&&o.overrideMimeType(e.mimeType),e.crossDomain||n[\"X-Requested-With\"]||(n[\"X-Requested-With\"]=\"XMLHttpRequest\");for(i in n)void 0!==n[i]&&o.setRequestHeader(i,n[i]+\"\");o.send(e.hasContent&&e.data||null),t=function(n,i){var s,u,l;if(t&&(i||4===o.readyState))if(delete Gt[a],t=void 0,o.onreadystatechange=ie.noop,i)4!==o.readyState&&o.abort();else{l={},s=o.status,\"string\"==typeof o.responseText&&(l.text=o.responseText);try{u=o.statusText}catch(c){u=\"\"}s||!e.isLocal||e.crossDomain?1223===s&&(s=204):s=l.text?200:404}l&&r(s,u,l,o.getAllResponseHeaders())},e.async?4===o.readyState?setTimeout(t):o.onreadystatechange=Gt[a]=t:t()},abort:function(){t&&t(void 0,!0)}}}}),ie.ajaxSetup({accepts:{script:\"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript\"},contents:{script:/(?:java|ecma)script/},converters:{\"text script\":function(e){return ie.globalEval(e),e}}}),ie.ajaxPrefilter(\"script\",function(e){void 0===e.cache&&(e.cache=!1),e.crossDomain&&(e.type=\"GET\",e.global=!1)}),ie.ajaxTransport(\"script\",function(e){if(e.crossDomain){var t,n=he.head||ie(\"head\")[0]||he.documentElement;return{send:function(r,i){t=he.createElement(\"script\"),t.async=!0,e.scriptCharset&&(t.charset=e.scriptCharset),t.src=e.url,t.onload=t.onreadystatechange=function(e,n){(n||!t.readyState||/loaded|complete/.test(t.readyState))&&(t.onload=t.onreadystatechange=null,t.parentNode&&t.parentNode.removeChild(t),t=null,n||i(200,\"success\"))},n.insertBefore(t,n.firstChild)},abort:function(){t&&t.onload(void 0,!0)}}}});var en=[],tn=/(=)\\?(?=&|$)|\\?\\?/;ie.ajaxSetup({jsonp:\"callback\",jsonpCallback:function(){var e=en.pop()||ie.expando+\"_\"+jt++;return this[e]=!0,e}}),ie.ajaxPrefilter(\"json jsonp\",function(t,n,r){var i,o,a,s=t.jsonp!==!1&&(tn.test(t.url)?\"url\":\"string\"==typeof t.data&&!(t.contentType||\"\").indexOf(\"application/x-www-form-urlencoded\")&&tn.test(t.data)&&\"data\");return s||\"jsonp\"===t.dataTypes[0]?(i=t.jsonpCallback=ie.isFunction(t.jsonpCallback)?t.jsonpCallback():t.jsonpCallback,s?t[s]=t[s].replace(tn,\"$1\"+i):t.jsonp!==!1&&(t.url+=(Lt.test(t.url)?\"&\":\"?\")+t.jsonp+\"=\"+i),t.converters[\"script json\"]=function(){return a||ie.error(i+\" was not called\"),a[0]},t.dataTypes[0]=\"json\",o=e[i],e[i]=function(){a=arguments},r.always(function(){e[i]=o,t[i]&&(t.jsonpCallback=n.jsonpCallback,en.push(i)),a&&ie.isFunction(o)&&o(a[0]),a=o=void 0}),\"script\"):void 0}),ie.parseHTML=function(e,t,n){if(!e||\"string\"!=typeof e)return null;\"boolean\"==typeof t&&(n=t,t=!1),t=t||he;var r=fe.exec(e),i=!n&&[];return r?[t.createElement(r[1])]:(r=ie.buildFragment([e],t,i),i&&i.length&&ie(i).remove(),ie.merge([],r.childNodes))};var nn=ie.fn.load;ie.fn.load=function(e,t,n){if(\"string\"!=typeof e&&nn)return nn.apply(this,arguments);var r,i,o,a=this,s=e.indexOf(\" \");return s>=0&&(r=ie.trim(e.slice(s,e.length)),e=e.slice(0,s)),ie.isFunction(t)?(n=t,t=void 0):t&&\"object\"==typeof t&&(o=\"POST\"),a.length>0&&ie.ajax({url:e,type:o,dataType:\"html\",data:t}).done(function(e){i=arguments,a.html(r?ie(\"<div>\").append(ie.parseHTML(e)).find(r):e)}).complete(n&&function(e,t){a.each(n,i||[e.responseText,t,e])}),this},ie.each([\"ajaxStart\",\"ajaxStop\",\"ajaxComplete\",\"ajaxError\",\"ajaxSuccess\",\"ajaxSend\"],function(e,t){ie.fn[t]=function(e){return this.on(t,e)}}),ie.expr.filters.animated=function(e){return ie.grep(ie.timers,function(t){return e===t.elem}).length};var rn=e.document.documentElement;ie.offset={setOffset:function(e,t,n){var r,i,o,a,s,u,l,c=ie.css(e,\"position\"),f=ie(e),p={};\"static\"===c&&(e.style.position=\"relative\"),s=f.offset(),o=ie.css(e,\"top\"),u=ie.css(e,\"left\"),l=(\"absolute\"===c||\"fixed\"===c)&&ie.inArray(\"auto\",[o,u])>-1,l?(r=f.position(),a=r.top,i=r.left):(a=parseFloat(o)||0,i=parseFloat(u)||0),ie.isFunction(t)&&(t=t.call(e,n,s)),null!=t.top&&(p.top=t.top-s.top+a),null!=t.left&&(p.left=t.left-s.left+i),\"using\"in t?t.using.call(e,p):f.css(p)}},ie.fn.extend({offset:function(e){if(arguments.length)return void 0===e?this:this.each(function(t){ie.offset.setOffset(this,e,t)});var t,n,r={top:0,left:0},i=this[0],o=i&&i.ownerDocument;if(o)return t=o.documentElement,ie.contains(t,i)?(typeof i.getBoundingClientRect!==Te&&(r=i.getBoundingClientRect()),n=U(o),{top:r.top+(n.pageYOffset||t.scrollTop)-(t.clientTop||0),left:r.left+(n.pageXOffset||t.scrollLeft)-(t.clientLeft||0)}):r},position:function(){if(this[0]){var e,t,n={top:0,left:0},r=this[0];return\"fixed\"===ie.css(r,\"position\")?t=r.getBoundingClientRect():(e=this.offsetParent(),t=this.offset(),ie.nodeName(e[0],\"html\")||(n=e.offset()),n.top+=ie.css(e[0],\"borderTopWidth\",!0),n.left+=ie.css(e[0],\"borderLeftWidth\",!0)),{top:t.top-n.top-ie.css(r,\"marginTop\",!0),left:t.left-n.left-ie.css(r,\"marginLeft\",!0)}}},offsetParent:function(){return this.map(function(){for(var e=this.offsetParent||rn;e&&!ie.nodeName(e,\"html\")&&\"static\"===ie.css(e,\"position\");)e=e.offsetParent;\n\nreturn e||rn})}}),ie.each({scrollLeft:\"pageXOffset\",scrollTop:\"pageYOffset\"},function(e,t){var n=/Y/.test(t);ie.fn[e]=function(r){return Ae(this,function(e,r,i){var o=U(e);return void 0===i?o?t in o?o[t]:o.document.documentElement[r]:e[r]:void(o?o.scrollTo(n?ie(o).scrollLeft():i,n?i:ie(o).scrollTop()):e[r]=i)},e,r,arguments.length,null)}}),ie.each([\"top\",\"left\"],function(e,t){ie.cssHooks[t]=N(ne.pixelPosition,function(e,n){return n?(n=tt(e,t),rt.test(n)?ie(e).position()[t]+\"px\":n):void 0})}),ie.each({Height:\"height\",Width:\"width\"},function(e,t){ie.each({padding:\"inner\"+e,content:t,\"\":\"outer\"+e},function(n,r){ie.fn[r]=function(r,i){var o=arguments.length&&(n||\"boolean\"!=typeof r),a=n||(r===!0||i===!0?\"margin\":\"border\");return Ae(this,function(t,n,r){var i;return ie.isWindow(t)?t.document.documentElement[\"client\"+e]:9===t.nodeType?(i=t.documentElement,Math.max(t.body[\"scroll\"+e],i[\"scroll\"+e],t.body[\"offset\"+e],i[\"offset\"+e],i[\"client\"+e])):void 0===r?ie.css(t,n,a):ie.style(t,n,r,a)},t,o?r:void 0,o,null)}})}),ie.fn.size=function(){return this.length},ie.fn.andSelf=ie.fn.addBack,\"function\"==typeof define&&define.amd&&define(\"jquery\",[],function(){return ie});var on=e.jQuery,an=e.$;return ie.noConflict=function(t){return e.$===ie&&(e.$=an),t&&e.jQuery===ie&&(e.jQuery=on),ie},typeof t===Te&&(e.jQuery=e.$=ie),ie}),function(){var e=this,t=e._,n={},r=Array.prototype,i=Object.prototype,o=Function.prototype,a=r.push,s=r.slice,u=r.concat,l=i.toString,c=i.hasOwnProperty,f=r.forEach,p=r.map,d=r.reduce,h=r.reduceRight,g=r.filter,m=r.every,y=r.some,v=r.indexOf,b=r.lastIndexOf,x=Array.isArray,w=Object.keys,k=o.bind,T=function(e){return e instanceof T?e:this instanceof T?void(this._wrapped=e):new T(e)};\"undefined\"!=typeof exports?(\"undefined\"!=typeof module&&module.exports&&(exports=module.exports=T),exports._=T):e._=T,T.VERSION=\"1.6.0\";var C=T.each=T.forEach=function(e,t,r){if(null==e)return e;if(f&&e.forEach===f)e.forEach(t,r);else if(e.length===+e.length){for(var i=0,o=e.length;o>i;i++)if(t.call(r,e[i],i,e)===n)return}else for(var a=T.keys(e),i=0,o=a.length;o>i;i++)if(t.call(r,e[a[i]],a[i],e)===n)return;return e};T.map=T.collect=function(e,t,n){var r=[];return null==e?r:p&&e.map===p?e.map(t,n):(C(e,function(e,i,o){r.push(t.call(n,e,i,o))}),r)};var S=\"Reduce of empty array with no initial value\";T.reduce=T.foldl=T.inject=function(e,t,n,r){var i=arguments.length>2;if(null==e&&(e=[]),d&&e.reduce===d)return r&&(t=T.bind(t,r)),i?e.reduce(t,n):e.reduce(t);if(C(e,function(e,o,a){i?n=t.call(r,n,e,o,a):(n=e,i=!0)}),!i)throw new TypeError(S);return n},T.reduceRight=T.foldr=function(e,t,n,r){var i=arguments.length>2;if(null==e&&(e=[]),h&&e.reduceRight===h)return r&&(t=T.bind(t,r)),i?e.reduceRight(t,n):e.reduceRight(t);var o=e.length;if(o!==+o){var a=T.keys(e);o=a.length}if(C(e,function(s,u,l){u=a?a[--o]:--o,i?n=t.call(r,n,e[u],u,l):(n=e[u],i=!0)}),!i)throw new TypeError(S);return n},T.find=T.detect=function(e,t,n){var r;return N(e,function(e,i,o){return t.call(n,e,i,o)?(r=e,!0):void 0}),r},T.filter=T.select=function(e,t,n){var r=[];return null==e?r:g&&e.filter===g?e.filter(t,n):(C(e,function(e,i,o){t.call(n,e,i,o)&&r.push(e)}),r)},T.reject=function(e,t,n){return T.filter(e,function(e,r,i){return!t.call(n,e,r,i)},n)},T.every=T.all=function(e,t,r){t||(t=T.identity);var i=!0;return null==e?i:m&&e.every===m?e.every(t,r):(C(e,function(e,o,a){return(i=i&&t.call(r,e,o,a))?void 0:n}),!!i)};var N=T.some=T.any=function(e,t,r){t||(t=T.identity);var i=!1;return null==e?i:y&&e.some===y?e.some(t,r):(C(e,function(e,o,a){return i||(i=t.call(r,e,o,a))?n:void 0}),!!i)};T.contains=T.include=function(e,t){return null==e?!1:v&&e.indexOf===v?-1!=e.indexOf(t):N(e,function(e){return e===t})},T.invoke=function(e,t){var n=s.call(arguments,2),r=T.isFunction(t);return T.map(e,function(e){return(r?t:e[t]).apply(e,n)})},T.pluck=function(e,t){return T.map(e,T.property(t))},T.where=function(e,t){return T.filter(e,T.matches(t))},T.findWhere=function(e,t){return T.find(e,T.matches(t))},T.max=function(e,t,n){if(!t&&T.isArray(e)&&e[0]===+e[0]&&e.length<65535)return Math.max.apply(Math,e);var r=-(1/0),i=-(1/0);return C(e,function(e,o,a){var s=t?t.call(n,e,o,a):e;s>i&&(r=e,i=s)}),r},T.min=function(e,t,n){if(!t&&T.isArray(e)&&e[0]===+e[0]&&e.length<65535)return Math.min.apply(Math,e);var r=1/0,i=1/0;return C(e,function(e,o,a){var s=t?t.call(n,e,o,a):e;i>s&&(r=e,i=s)}),r},T.shuffle=function(e){var t,n=0,r=[];return C(e,function(e){t=T.random(n++),r[n-1]=r[t],r[t]=e}),r},T.sample=function(e,t,n){return null==t||n?(e.length!==+e.length&&(e=T.values(e)),e[T.random(e.length-1)]):T.shuffle(e).slice(0,Math.max(0,t))};var E=function(e){return null==e?T.identity:T.isFunction(e)?e:T.property(e)};T.sortBy=function(e,t,n){return t=E(t),T.pluck(T.map(e,function(e,r,i){return{value:e,index:r,criteria:t.call(n,e,r,i)}}).sort(function(e,t){var n=e.criteria,r=t.criteria;if(n!==r){if(n>r||void 0===n)return 1;if(r>n||void 0===r)return-1}return e.index-t.index}),\"value\")};var _=function(e){return function(t,n,r){var i={};return n=E(n),C(t,function(o,a){var s=n.call(r,o,a,t);e(i,s,o)}),i}};T.groupBy=_(function(e,t,n){T.has(e,t)?e[t].push(n):e[t]=[n]}),T.indexBy=_(function(e,t,n){e[t]=n}),T.countBy=_(function(e,t){T.has(e,t)?e[t]++:e[t]=1}),T.sortedIndex=function(e,t,n,r){n=E(n);for(var i=n.call(r,t),o=0,a=e.length;a>o;){var s=o+a>>>1;n.call(r,e[s])<i?o=s+1:a=s}return o},T.toArray=function(e){return e?T.isArray(e)?s.call(e):e.length===+e.length?T.map(e,T.identity):T.values(e):[]},T.size=function(e){return null==e?0:e.length===+e.length?e.length:T.keys(e).length},T.first=T.head=T.take=function(e,t,n){return null==e?void 0:null==t||n?e[0]:0>t?[]:s.call(e,0,t)},T.initial=function(e,t,n){return s.call(e,0,e.length-(null==t||n?1:t))},T.last=function(e,t,n){return null==e?void 0:null==t||n?e[e.length-1]:s.call(e,Math.max(e.length-t,0))},T.rest=T.tail=T.drop=function(e,t,n){return s.call(e,null==t||n?1:t)},T.compact=function(e){return T.filter(e,T.identity)};var A=function(e,t,n){return t&&T.every(e,T.isArray)?u.apply(n,e):(C(e,function(e){T.isArray(e)||T.isArguments(e)?t?a.apply(n,e):A(e,t,n):n.push(e)}),n)};T.flatten=function(e,t){return A(e,t,[])},T.without=function(e){return T.difference(e,s.call(arguments,1))},T.partition=function(e,t,n){t=E(t);var r=[],i=[];return C(e,function(e){(t.call(n,e)?r:i).push(e)}),[r,i]},T.uniq=T.unique=function(e,t,n,r){T.isFunction(t)&&(r=n,n=t,t=!1);var i=n?T.map(e,n,r):e,o=[],a=[];return C(i,function(n,r){(t?r&&a[a.length-1]===n:T.contains(a,n))||(a.push(n),o.push(e[r]))}),o},T.union=function(){return T.uniq(T.flatten(arguments,!0))},T.intersection=function(e){var t=s.call(arguments,1);return T.filter(T.uniq(e),function(e){return T.every(t,function(t){return T.contains(t,e)})})},T.difference=function(e){var t=u.apply(r,s.call(arguments,1));return T.filter(e,function(e){return!T.contains(t,e)})},T.zip=function(){for(var e=T.max(T.pluck(arguments,\"length\").concat(0)),t=new Array(e),n=0;e>n;n++)t[n]=T.pluck(arguments,\"\"+n);return t},T.object=function(e,t){if(null==e)return{};for(var n={},r=0,i=e.length;i>r;r++)t?n[e[r]]=t[r]:n[e[r][0]]=e[r][1];return n},T.indexOf=function(e,t,n){if(null==e)return-1;var r=0,i=e.length;if(n){if(\"number\"!=typeof n)return r=T.sortedIndex(e,t),e[r]===t?r:-1;r=0>n?Math.max(0,i+n):n}if(v&&e.indexOf===v)return e.indexOf(t,n);for(;i>r;r++)if(e[r]===t)return r;return-1},T.lastIndexOf=function(e,t,n){if(null==e)return-1;var r=null!=n;if(b&&e.lastIndexOf===b)return r?e.lastIndexOf(t,n):e.lastIndexOf(t);for(var i=r?n:e.length;i--;)if(e[i]===t)return i;return-1},T.range=function(e,t,n){arguments.length<=1&&(t=e||0,e=0),n=arguments[2]||1;for(var r=Math.max(Math.ceil((t-e)/n),0),i=0,o=new Array(r);r>i;)o[i++]=e,e+=n;return o};var j=function(){};T.bind=function(e,t){var n,r;if(k&&e.bind===k)return k.apply(e,s.call(arguments,1));if(!T.isFunction(e))throw new TypeError;return n=s.call(arguments,2),r=function(){if(!(this instanceof r))return e.apply(t,n.concat(s.call(arguments)));j.prototype=e.prototype;var i=new j;j.prototype=null;var o=e.apply(i,n.concat(s.call(arguments)));return Object(o)===o?o:i}},T.partial=function(e){var t=s.call(arguments,1);return function(){for(var n=0,r=t.slice(),i=0,o=r.length;o>i;i++)r[i]===T&&(r[i]=arguments[n++]);for(;n<arguments.length;)r.push(arguments[n++]);return e.apply(this,r)}},T.bindAll=function(e){var t=s.call(arguments,1);if(0===t.length)throw new Error(\"bindAll must be passed function names\");return C(t,function(t){e[t]=T.bind(e[t],e)}),e},T.memoize=function(e,t){var n={};return t||(t=T.identity),function(){var r=t.apply(this,arguments);return T.has(n,r)?n[r]:n[r]=e.apply(this,arguments)}},T.delay=function(e,t){var n=s.call(arguments,2);return setTimeout(function(){return e.apply(null,n)},t)},T.defer=function(e){return T.delay.apply(T,[e,1].concat(s.call(arguments,1)))},T.throttle=function(e,t,n){var r,i,o,a=null,s=0;n||(n={});var u=function(){s=n.leading===!1?0:T.now(),a=null,o=e.apply(r,i),r=i=null};return function(){var l=T.now();s||n.leading!==!1||(s=l);var c=t-(l-s);return r=this,i=arguments,0>=c?(clearTimeout(a),a=null,s=l,o=e.apply(r,i),r=i=null):a||n.trailing===!1||(a=setTimeout(u,c)),o}},T.debounce=function(e,t,n){var r,i,o,a,s,u=function(){var l=T.now()-a;t>l?r=setTimeout(u,t-l):(r=null,n||(s=e.apply(o,i),o=i=null))};return function(){o=this,i=arguments,a=T.now();var l=n&&!r;return r||(r=setTimeout(u,t)),l&&(s=e.apply(o,i),o=i=null),s}},T.once=function(e){var t,n=!1;return function(){return n?t:(n=!0,t=e.apply(this,arguments),e=null,t)}},T.wrap=function(e,t){return T.partial(t,e)},T.compose=function(){var e=arguments;return function(){for(var t=arguments,n=e.length-1;n>=0;n--)t=[e[n].apply(this,t)];return t[0]}},T.after=function(e,t){return function(){return--e<1?t.apply(this,arguments):void 0}},T.keys=function(e){if(!T.isObject(e))return[];if(w)return w(e);var t=[];for(var n in e)T.has(e,n)&&t.push(n);return t},T.values=function(e){for(var t=T.keys(e),n=t.length,r=new Array(n),i=0;n>i;i++)r[i]=e[t[i]];return r},T.pairs=function(e){for(var t=T.keys(e),n=t.length,r=new Array(n),i=0;n>i;i++)r[i]=[t[i],e[t[i]]];return r},T.invert=function(e){for(var t={},n=T.keys(e),r=0,i=n.length;i>r;r++)t[e[n[r]]]=n[r];return t},T.functions=T.methods=function(e){var t=[];for(var n in e)T.isFunction(e[n])&&t.push(n);return t.sort()},T.extend=function(e){return C(s.call(arguments,1),function(t){if(t)for(var n in t)e[n]=t[n]}),e},T.pick=function(e){var t={},n=u.apply(r,s.call(arguments,1));return C(n,function(n){n in e&&(t[n]=e[n])}),t},T.omit=function(e){var t={},n=u.apply(r,s.call(arguments,1));for(var i in e)T.contains(n,i)||(t[i]=e[i]);return t},T.defaults=function(e){return C(s.call(arguments,1),function(t){if(t)for(var n in t)void 0===e[n]&&(e[n]=t[n])}),e},T.clone=function(e){return T.isObject(e)?T.isArray(e)?e.slice():T.extend({},e):e},T.tap=function(e,t){return t(e),e};var L=function(e,t,n,r){if(e===t)return 0!==e||1/e==1/t;if(null==e||null==t)return e===t;e instanceof T&&(e=e._wrapped),t instanceof T&&(t=t._wrapped);var i=l.call(e);if(i!=l.call(t))return!1;switch(i){case\"[object String]\":return e==String(t);case\"[object Number]\":return e!=+e?t!=+t:0==e?1/e==1/t:e==+t;case\"[object Date]\":case\"[object Boolean]\":return+e==+t;case\"[object RegExp]\":return e.source==t.source&&e.global==t.global&&e.multiline==t.multiline&&e.ignoreCase==t.ignoreCase}if(\"object\"!=typeof e||\"object\"!=typeof t)return!1;for(var o=n.length;o--;)if(n[o]==e)return r[o]==t;var a=e.constructor,s=t.constructor;if(a!==s&&!(T.isFunction(a)&&a instanceof a&&T.isFunction(s)&&s instanceof s)&&\"constructor\"in e&&\"constructor\"in t)return!1;n.push(e),r.push(t);var u=0,c=!0;if(\"[object Array]\"==i){if(u=e.length,c=u==t.length)for(;u--&&(c=L(e[u],t[u],n,r)););}else{for(var f in e)if(T.has(e,f)&&(u++,!(c=T.has(t,f)&&L(e[f],t[f],n,r))))break;if(c){for(f in t)if(T.has(t,f)&&!u--)break;c=!u}}return n.pop(),r.pop(),c};T.isEqual=function(e,t){return L(e,t,[],[])},T.isEmpty=function(e){if(null==e)return!0;if(T.isArray(e)||T.isString(e))return 0===e.length;for(var t in e)if(T.has(e,t))return!1;return!0},T.isElement=function(e){return!(!e||1!==e.nodeType)},T.isArray=x||function(e){return\"[object Array]\"==l.call(e)},T.isObject=function(e){return e===Object(e)},C([\"Arguments\",\"Function\",\"String\",\"Number\",\"Date\",\"RegExp\"],function(e){T[\"is\"+e]=function(t){return l.call(t)==\"[object \"+e+\"]\"}}),T.isArguments(arguments)||(T.isArguments=function(e){return!(!e||!T.has(e,\"callee\"))}),\"function\"!=typeof/./&&(T.isFunction=function(e){return\"function\"==typeof e}),T.isFinite=function(e){return isFinite(e)&&!isNaN(parseFloat(e))},T.isNaN=function(e){return T.isNumber(e)&&e!=+e},T.isBoolean=function(e){return e===!0||e===!1||\"[object Boolean]\"==l.call(e)},T.isNull=function(e){return null===e},T.isUndefined=function(e){return void 0===e},T.has=function(e,t){return c.call(e,t)},T.noConflict=function(){return e._=t,this},T.identity=function(e){return e},T.constant=function(e){return function(){return e}},T.property=function(e){return function(t){return t[e]}},T.matches=function(e){return function(t){if(t===e)return!0;for(var n in e)if(e[n]!==t[n])return!1;return!0}},T.times=function(e,t,n){for(var r=Array(Math.max(0,e)),i=0;e>i;i++)r[i]=t.call(n,i);return r},T.random=function(e,t){return null==t&&(t=e,e=0),e+Math.floor(Math.random()*(t-e+1))},T.now=Date.now||function(){return(new Date).getTime()};var D={escape:{\"&\":\"&amp;\",\"<\":\"&lt;\",\">\":\"&gt;\",'\"':\"&quot;\",\"'\":\"&#x27;\"}};D.unescape=T.invert(D.escape);var q={escape:new RegExp(\"[\"+T.keys(D.escape).join(\"\")+\"]\",\"g\"),unescape:new RegExp(\"(\"+T.keys(D.unescape).join(\"|\")+\")\",\"g\")};T.each([\"escape\",\"unescape\"],function(e){T[e]=function(t){return null==t?\"\":(\"\"+t).replace(q[e],function(t){return D[e][t]})}}),T.result=function(e,t){if(null==e)return void 0;var n=e[t];return T.isFunction(n)?n.call(e):n},T.mixin=function(e){C(T.functions(e),function(t){var n=T[t]=e[t];T.prototype[t]=function(){var e=[this._wrapped];return a.apply(e,arguments),F.call(this,n.apply(T,e))}})};var O=0;T.uniqueId=function(e){var t=++O+\"\";return e?e+t:t},T.templateSettings={evaluate:/<%([\\s\\S]+?)%>/g,interpolate:/<%=([\\s\\S]+?)%>/g,escape:/<%-([\\s\\S]+?)%>/g};var H=/(.)^/,M={\"'\":\"'\",\"\\\\\":\"\\\\\",\"\\r\":\"r\",\"\\n\":\"n\",\"\t\":\"t\",\"\\u2028\":\"u2028\",\"\\u2029\":\"u2029\"},$=/\\\\|'|\\r|\\n|\\t|\\u2028|\\u2029/g;T.template=function(e,t,n){var r;n=T.defaults({},n,T.templateSettings);var i=new RegExp([(n.escape||H).source,(n.interpolate||H).source,(n.evaluate||H).source].join(\"|\")+\"|$\",\"g\"),o=0,a=\"__p+='\";e.replace(i,function(t,n,r,i,s){return a+=e.slice(o,s).replace($,function(e){return\"\\\\\"+M[e]}),n&&(a+=\"'+\\n((__t=(\"+n+\"))==null?'':_.escape(__t))+\\n'\"),r&&(a+=\"'+\\n((__t=(\"+r+\"))==null?'':__t)+\\n'\"),i&&(a+=\"';\\n\"+i+\"\\n__p+='\"),o=s+t.length,t}),a+=\"';\\n\",n.variable||(a=\"with(obj||{}){\\n\"+a+\"}\\n\"),a=\"var __t,__p='',__j=Array.prototype.join,print=function(){__p+=__j.call(arguments,'');};\\n\"+a+\"return __p;\\n\";try{r=new Function(n.variable||\"obj\",\"_\",a)}catch(s){throw s.source=a,s}if(t)return r(t,T);var u=function(e){return r.call(this,e,T)};return u.source=\"function(\"+(n.variable||\"obj\")+\"){\\n\"+a+\"}\",u},T.chain=function(e){return T(e).chain()};var F=function(e){return this._chain?T(e).chain():e};T.mixin(T),C([\"pop\",\"push\",\"reverse\",\"shift\",\"sort\",\"splice\",\"unshift\"],function(e){var t=r[e];T.prototype[e]=function(){var n=this._wrapped;return t.apply(n,arguments),\"shift\"!=e&&\"splice\"!=e||0!==n.length||delete n[0],F.call(this,n)}}),C([\"concat\",\"join\",\"slice\"],function(e){var t=r[e];T.prototype[e]=function(){return F.call(this,t.apply(this._wrapped,arguments))}}),T.extend(T.prototype,{chain:function(){return this._chain=!0,this},value:function(){return this._wrapped}}),\"function\"==typeof define&&define.amd&&define(\"underscore\",[],function(){return T})}.call(this),function(){function e(e){this.tokens=[],this.tokens.links={},this.options=e||l.defaults,this.rules=c.normal,this.options.gfm&&(this.rules=this.options.tables?c.tables:c.gfm)}function t(e,t){if(this.options=t||l.defaults,this.links=e,this.rules=f.normal,this.renderer=this.options.renderer||new n,this.renderer.options=this.options,!this.links)throw new Error(\"Tokens array requires a `links` property.\");this.options.gfm?this.rules=this.options.breaks?f.breaks:f.gfm:this.options.pedantic&&(this.rules=f.pedantic)}function n(e){this.options=e||{}}function r(e){this.tokens=[],this.token=null,this.options=e||l.defaults,this.options.renderer=this.options.renderer||new n,this.renderer=this.options.renderer,this.renderer.options=this.options}function i(e,t){return e.replace(t?/&/g:/&(?!#?\\w+;)/g,\"&amp;\").replace(/</g,\"&lt;\").replace(/>/g,\"&gt;\").replace(/\"/g,\"&quot;\").replace(/'/g,\"&#39;\")}function o(e){return e.replace(/&([#\\w]+);/g,function(e,t){return t=t.toLowerCase(),\"colon\"===t?\":\":\"#\"===t.charAt(0)?String.fromCharCode(\"x\"===t.charAt(1)?parseInt(t.substring(2),16):+t.substring(1)):\"\"})}function a(e,t){return e=e.source,t=t||\"\",function n(r,i){return r?(i=i.source||i,i=i.replace(/(^|[^\\[])\\^/g,\"$1\"),e=e.replace(r,i),n):new RegExp(e,t)}}function s(){}function u(e){for(var t,n,r=1;r<arguments.length;r++){t=arguments[r];for(n in t)Object.prototype.hasOwnProperty.call(t,n)&&(e[n]=t[n])}return e}function l(t,n,o){if(o||\"function\"==typeof n){o||(o=n,n=null),n=u({},l.defaults,n||{});var a,s,c=n.highlight,f=0;try{a=e.lex(t,n)}catch(p){return o(p)}s=a.length;var d=function(e){if(e)return n.highlight=c,o(e);var t;try{t=r.parse(a,n)}catch(i){e=i}return n.highlight=c,e?o(e):o(null,t)};if(!c||c.length<3)return d();if(delete n.highlight,!s)return d();for(;f<a.length;f++)!function(e){return\"code\"!==e.type?--s||d():c(e.text,e.lang,function(t,n){return t?d(t):null==n||n===e.text?--s||d():(e.text=n,e.escaped=!0,void(--s||d()))})}(a[f])}else try{return n&&(n=u({},l.defaults,n)),r.parse(e.lex(t,n),n)}catch(p){if(p.message+=\"\\nPlease report this to https://github.com/chjj/marked.\",(n||l.defaults).silent)return\"<p>An error occured:</p><pre>\"+i(p.message+\"\",!0)+\"</pre>\";throw p}}var c={newline:/^\\n+/,code:/^( {4}[^\\n]+\\n*)+/,fences:s,hr:/^( *[-*_]){3,} *(?:\\n+|$)/,heading:/^ *(#{1,6}) *([^\\n]+?) *#* *(?:\\n+|$)/,nptable:s,lheading:/^([^\\n]+)\\n *(=|-){2,} *(?:\\n+|$)/,blockquote:/^( *>[^\\n]+(\\n(?!def)[^\\n]+)*\\n*)+/,list:/^( *)(bull) [\\s\\S]+?(?:hr|def|\\n{2,}(?! )(?!\\1bull )\\n*|\\s*$)/,html:/^ *(?:comment *(?:\\n|\\s*$)|closed *(?:\\n{2,}|\\s*$)|closing *(?:\\n{2,}|\\s*$))/,def:/^ *\\[([^\\]]+)\\]: *<?([^\\s>]+)>?(?: +[\"(]([^\\n]+)[\")])? *(?:\\n+|$)/,table:s,paragraph:/^((?:[^\\n]+\\n?(?!hr|heading|lheading|blockquote|tag|def))+)\\n*/,text:/^[^\\n]+/};c.bullet=/(?:[*+-]|\\d+\\.)/,c.item=/^( *)(bull) [^\\n]*(?:\\n(?!\\1bull )[^\\n]*)*/,c.item=a(c.item,\"gm\")(/bull/g,c.bullet)(),c.list=a(c.list)(/bull/g,c.bullet)(\"hr\",\"\\\\n+(?=\\\\1?(?:[-*_] *){3,}(?:\\\\n+|$))\")(\"def\",\"\\\\n+(?=\"+c.def.source+\")\")(),c.blockquote=a(c.blockquote)(\"def\",c.def)(),c._tag=\"(?!(?:a|em|strong|small|s|cite|q|dfn|abbr|data|time|code|var|samp|kbd|sub|sup|i|b|u|mark|ruby|rt|rp|bdi|bdo|span|br|wbr|ins|del|img)\\\\b)\\\\w+(?!:/|[^\\\\w\\\\s@]*@)\\\\b\",c.html=a(c.html)(\"comment\",/<!--[\\s\\S]*?-->/)(\"closed\",/<(tag)[\\s\\S]+?<\\/\\1>/)(\"closing\",/<tag(?:\"[^\"]*\"|'[^']*'|[^'\">])*?>/)(/tag/g,c._tag)(),c.paragraph=a(c.paragraph)(\"hr\",c.hr)(\"heading\",c.heading)(\"lheading\",c.lheading)(\"blockquote\",c.blockquote)(\"tag\",\"<\"+c._tag)(\"def\",c.def)(),c.normal=u({},c),c.gfm=u({},c.normal,{fences:/^ *(`{3,}|~{3,}) *(\\S+)? *\\n([\\s\\S]+?)\\s*\\1 *(?:\\n+|$)/,paragraph:/^/}),c.gfm.paragraph=a(c.paragraph)(\"(?!\",\"(?!\"+c.gfm.fences.source.replace(\"\\\\1\",\"\\\\2\")+\"|\"+c.list.source.replace(\"\\\\1\",\"\\\\3\")+\"|\")(),c.tables=u({},c.gfm,{nptable:/^ *(\\S.*\\|.*)\\n *([-:]+ *\\|[-| :]*)\\n((?:.*\\|.*(?:\\n|$))*)\\n*/,table:/^ *\\|(.+)\\n *\\|( *[-:]+[-| :]*)\\n((?: *\\|.*(?:\\n|$))*)\\n*/}),e.rules=c,e.lex=function(t,n){var r=new e(n);return r.lex(t)},e.prototype.lex=function(e){return e=e.replace(/\\r\\n|\\r/g,\"\\n\").replace(/\\t/g,\" \").replace(/\\u00a0/g,\" \").replace(/\\u2424/g,\"\\n\"),this.token(e,!0)},e.prototype.token=function(e,t,n){for(var r,i,o,a,s,u,l,f,p,e=e.replace(/^ +$/gm,\"\");e;)if((o=this.rules.newline.exec(e))&&(e=e.substring(o[0].length),o[0].length>1&&this.tokens.push({type:\"space\"})),o=this.rules.code.exec(e))e=e.substring(o[0].length),o=o[0].replace(/^ {4}/gm,\"\"),this.tokens.push({type:\"code\",text:this.options.pedantic?o:o.replace(/\\n+$/,\"\")});else if(o=this.rules.fences.exec(e))e=e.substring(o[0].length),this.tokens.push({type:\"code\",lang:o[2],text:o[3]});else if(o=this.rules.heading.exec(e))e=e.substring(o[0].length),this.tokens.push({type:\"heading\",depth:o[1].length,text:o[2]});else if(t&&(o=this.rules.nptable.exec(e))){for(e=e.substring(o[0].length),u={type:\"table\",header:o[1].replace(/^ *| *\\| *$/g,\"\").split(/ *\\| */),align:o[2].replace(/^ *|\\| *$/g,\"\").split(/ *\\| */),cells:o[3].replace(/\\n$/,\"\").split(\"\\n\")},f=0;f<u.align.length;f++)u.align[f]=/^ *-+: *$/.test(u.align[f])?\"right\":/^ *:-+: *$/.test(u.align[f])?\"center\":/^ *:-+ *$/.test(u.align[f])?\"left\":null;for(f=0;f<u.cells.length;f++)u.cells[f]=u.cells[f].split(/ *\\| */);this.tokens.push(u)}else if(o=this.rules.lheading.exec(e))e=e.substring(o[0].length),this.tokens.push({type:\"heading\",depth:\"=\"===o[2]?1:2,text:o[1]});else if(o=this.rules.hr.exec(e))e=e.substring(o[0].length),this.tokens.push({type:\"hr\"});else if(o=this.rules.blockquote.exec(e))e=e.substring(o[0].length),this.tokens.push({type:\"blockquote_start\"}),o=o[0].replace(/^ *> ?/gm,\"\"),this.token(o,t,!0),this.tokens.push({type:\"blockquote_end\"});else if(o=this.rules.list.exec(e)){for(e=e.substring(o[0].length),a=o[2],this.tokens.push({type:\"list_start\",ordered:a.length>1}),o=o[0].match(this.rules.item),r=!1,p=o.length,f=0;p>f;f++)u=o[f],l=u.length,u=u.replace(/^ *([*+-]|\\d+\\.) +/,\"\"),~u.indexOf(\"\\n \")&&(l-=u.length,u=this.options.pedantic?u.replace(/^ {1,4}/gm,\"\"):u.replace(new RegExp(\"^ {1,\"+l+\"}\",\"gm\"),\"\")),this.options.smartLists&&f!==p-1&&(s=c.bullet.exec(o[f+1])[0],a===s||a.length>1&&s.length>1||(e=o.slice(f+1).join(\"\\n\")+e,f=p-1)),i=r||/\\n\\n(?!\\s*$)/.test(u),f!==p-1&&(r=\"\\n\"===u.charAt(u.length-1),i||(i=r)),this.tokens.push({type:i?\"loose_item_start\":\"list_item_start\"}),this.token(u,!1,n),this.tokens.push({type:\"list_item_end\"});this.tokens.push({type:\"list_end\"})}else if(o=this.rules.html.exec(e))e=e.substring(o[0].length),this.tokens.push({type:this.options.sanitize?\"paragraph\":\"html\",pre:\"pre\"===o[1]||\"script\"===o[1]||\"style\"===o[1],text:o[0]});else if(!n&&t&&(o=this.rules.def.exec(e)))e=e.substring(o[0].length),this.tokens.links[o[1].toLowerCase()]={href:o[2],title:o[3]};else if(t&&(o=this.rules.table.exec(e))){for(e=e.substring(o[0].length),u={type:\"table\",header:o[1].replace(/^ *| *\\| *$/g,\"\").split(/ *\\| */),align:o[2].replace(/^ *|\\| *$/g,\"\").split(/ *\\| */),cells:o[3].replace(/(?: *\\| *)?\\n$/,\"\").split(\"\\n\")},f=0;f<u.align.length;f++)u.align[f]=/^ *-+: *$/.test(u.align[f])?\"right\":/^ *:-+: *$/.test(u.align[f])?\"center\":/^ *:-+ *$/.test(u.align[f])?\"left\":null;for(f=0;f<u.cells.length;f++)u.cells[f]=u.cells[f].replace(/^ *\\| *| *\\| *$/g,\"\").split(/ *\\| */);this.tokens.push(u)}else if(t&&(o=this.rules.paragraph.exec(e)))e=e.substring(o[0].length),this.tokens.push({type:\"paragraph\",text:\"\\n\"===o[1].charAt(o[1].length-1)?o[1].slice(0,-1):o[1]});else if(o=this.rules.text.exec(e))e=e.substring(o[0].length),this.tokens.push({type:\"text\",text:o[0]});else if(e)throw new Error(\"Infinite loop on byte: \"+e.charCodeAt(0));return this.tokens};var f={escape:/^\\\\([\\\\`*{}\\[\\]()#+\\-.!_>])/,autolink:/^<([^ >]+(@|:\\/)[^ >]+)>/,url:s,tag:/^<!--[\\s\\S]*?-->|^<\\/?\\w+(?:\"[^\"]*\"|'[^']*'|[^'\">])*?>/,link:/^!?\\[(inside)\\]\\(href\\)/,reflink:/^!?\\[(inside)\\]\\s*\\[([^\\]]*)\\]/,nolink:/^!?\\[((?:\\[[^\\]]*\\]|[^\\[\\]])*)\\]/,strong:/^__([\\s\\S]+?)__(?!_)|^\\*\\*([\\s\\S]+?)\\*\\*(?!\\*)/,em:/^\\b_((?:__|[\\s\\S])+?)_\\b|^\\*((?:\\*\\*|[\\s\\S])+?)\\*(?!\\*)/,code:/^(`+)\\s*([\\s\\S]*?[^`])\\s*\\1(?!`)/,br:/^ {2,}\\n(?!\\s*$)/,del:s,text:/^[\\s\\S]+?(?=[\\\\<!\\[_*`]| {2,}\\n|$)/};f._inside=/(?:\\[[^\\]]*\\]|[^\\[\\]]|\\](?=[^\\[]*\\]))*/,f._href=/\\s*<?([\\s\\S]*?)>?(?:\\s+['\"]([\\s\\S]*?)['\"])?\\s*/,f.link=a(f.link)(\"inside\",f._inside)(\"href\",f._href)(),f.reflink=a(f.reflink)(\"inside\",f._inside)(),f.normal=u({},f),f.pedantic=u({},f.normal,{strong:/^__(?=\\S)([\\s\\S]*?\\S)__(?!_)|^\\*\\*(?=\\S)([\\s\\S]*?\\S)\\*\\*(?!\\*)/,em:/^_(?=\\S)([\\s\\S]*?\\S)_(?!_)|^\\*(?=\\S)([\\s\\S]*?\\S)\\*(?!\\*)/}),f.gfm=u({},f.normal,{escape:a(f.escape)(\"])\",\"~|])\")(),url:/^(https?:\\/\\/[^\\s<]+[^<.,:;\"')\\]\\s])/,del:/^~~(?=\\S)([\\s\\S]*?\\S)~~/,text:a(f.text)(\"]|\",\"~]|\")(\"|\",\"|https?://|\")()}),f.breaks=u({},f.gfm,{br:a(f.br)(\"{2,}\",\"*\")(),text:a(f.gfm.text)(\"{2,}\",\"*\")()}),t.rules=f,t.output=function(e,n,r){var i=new t(n,r);return i.output(e)},t.prototype.output=function(e){for(var t,n,r,o,a=\"\";e;)if(o=this.rules.escape.exec(e))e=e.substring(o[0].length),a+=o[1];else if(o=this.rules.autolink.exec(e))e=e.substring(o[0].length),\"@\"===o[2]?(n=this.mangle(\":\"===o[1].charAt(6)?o[1].substring(7):o[1]),r=this.mangle(\"mailto:\")+n):(n=i(o[1]),r=n),a+=this.renderer.link(r,null,n);else if(this.inLink||!(o=this.rules.url.exec(e))){if(o=this.rules.tag.exec(e))!this.inLink&&/^<a /i.test(o[0])?this.inLink=!0:this.inLink&&/^<\\/a>/i.test(o[0])&&(this.inLink=!1),e=e.substring(o[0].length),a+=this.options.sanitize?i(o[0]):o[0];else if(o=this.rules.link.exec(e))e=e.substring(o[0].length),this.inLink=!0,a+=this.outputLink(o,{href:o[2],title:o[3]}),this.inLink=!1;else if((o=this.rules.reflink.exec(e))||(o=this.rules.nolink.exec(e))){if(e=e.substring(o[0].length),t=(o[2]||o[1]).replace(/\\s+/g,\" \"),t=this.links[t.toLowerCase()],!t||!t.href){a+=o[0].charAt(0),e=o[0].substring(1)+e;continue}this.inLink=!0,a+=this.outputLink(o,t),this.inLink=!1}else if(o=this.rules.strong.exec(e))e=e.substring(o[0].length),a+=this.renderer.strong(this.output(o[2]||o[1]));else if(o=this.rules.em.exec(e))e=e.substring(o[0].length),a+=this.renderer.em(this.output(o[2]||o[1]));else if(o=this.rules.code.exec(e))e=e.substring(o[0].length),a+=this.renderer.codespan(i(o[2],!0));else if(o=this.rules.br.exec(e))e=e.substring(o[0].length),a+=this.renderer.br();else if(o=this.rules.del.exec(e))e=e.substring(o[0].length),a+=this.renderer.del(this.output(o[1]));else if(o=this.rules.text.exec(e))e=e.substring(o[0].length),a+=i(this.smartypants(o[0]));else if(e)throw new Error(\"Infinite loop on byte: \"+e.charCodeAt(0))}else e=e.substring(o[0].length),n=i(o[1]),r=n,a+=this.renderer.link(r,null,n);return a},t.prototype.outputLink=function(e,t){var n=i(t.href),r=t.title?i(t.title):null;return\"!\"!==e[0].charAt(0)?this.renderer.link(n,r,this.output(e[1])):this.renderer.image(n,r,i(e[1]))},t.prototype.smartypants=function(e){return this.options.smartypants?e.replace(/--/g,\"—\").replace(/(^|[-\\u2014/(\\[{\"\\s])'/g,\"$1‘\").replace(/'/g,\"’\").replace(/(^|[-\\u2014/(\\[{\\u2018\\s])\"/g,\"$1“\").replace(/\"/g,\"”\").replace(/\\.{3}/g,\"…\"):e},t.prototype.mangle=function(e){for(var t,n=\"\",r=e.length,i=0;r>i;i++)t=e.charCodeAt(i),Math.random()>.5&&(t=\"x\"+t.toString(16)),n+=\"&#\"+t+\";\";return n},n.prototype.code=function(e,t,n){if(this.options.highlight){var r=this.options.highlight(e,t);null!=r&&r!==e&&(n=!0,e=r)}return t?'<pre><code class=\"'+this.options.langPrefix+i(t,!0)+'\">'+(n?e:i(e,!0))+\"\\n</code></pre>\\n\":\"<pre><code>\"+(n?e:i(e,!0))+\"\\n</code></pre>\"},n.prototype.blockquote=function(e){return\"<blockquote>\\n\"+e+\"</blockquote>\\n\"},n.prototype.html=function(e){return e},n.prototype.heading=function(e,t,n){return\"<h\"+t+' id=\"'+this.options.headerPrefix+n.toLowerCase().replace(/[^\\w]+/g,\"-\")+'\">'+e+\"</h\"+t+\">\\n\"},n.prototype.hr=function(){return this.options.xhtml?\"<hr/>\\n\":\"<hr>\\n\"},n.prototype.list=function(e,t){var n=t?\"ol\":\"ul\";return\"<\"+n+\">\\n\"+e+\"</\"+n+\">\\n\"},n.prototype.listitem=function(e){return\"<li>\"+e+\"</li>\\n\"},n.prototype.paragraph=function(e){return\"<p>\"+e+\"</p>\\n\"},n.prototype.table=function(e,t){return\"<table>\\n<thead>\\n\"+e+\"</thead>\\n<tbody>\\n\"+t+\"</tbody>\\n</table>\\n\"},n.prototype.tablerow=function(e){return\"<tr>\\n\"+e+\"</tr>\\n\"},n.prototype.tablecell=function(e,t){var n=t.header?\"th\":\"td\",r=t.align?\"<\"+n+' style=\"text-align:'+t.align+'\">':\"<\"+n+\">\";return r+e+\"</\"+n+\">\\n\"},n.prototype.strong=function(e){return\"<strong>\"+e+\"</strong>\"},n.prototype.em=function(e){return\"<em>\"+e+\"</em>\"},n.prototype.codespan=function(e){return\"<code>\"+e+\"</code>\"},n.prototype.br=function(){return this.options.xhtml?\"<br/>\":\"<br>\"},n.prototype.del=function(e){return\"<del>\"+e+\"</del>\"},n.prototype.link=function(e,t,n){if(this.options.sanitize){try{var r=decodeURIComponent(o(e)).replace(/[^\\w:]/g,\"\").toLowerCase()}catch(i){return\"\"}if(0===r.indexOf(\"javascript:\"))return\"\"}var a='<a href=\"'+e+'\"';return t&&(a+=' title=\"'+t+'\"'),a+=\">\"+n+\"</a>\"},n.prototype.image=function(e,t,n){var r='<img src=\"'+e+'\" alt=\"'+n+'\"';return t&&(r+=' title=\"'+t+'\"'),r+=this.options.xhtml?\"/>\":\">\"},r.parse=function(e,t,n){var i=new r(t,n);return i.parse(e)},r.prototype.parse=function(e){this.inline=new t(e.links,this.options,this.renderer),this.tokens=e.reverse();for(var n=\"\";this.next();)n+=this.tok();return n},r.prototype.next=function(){return this.token=this.tokens.pop()},r.prototype.peek=function(){return this.tokens[this.tokens.length-1]||0},r.prototype.parseText=function(){for(var e=this.token.text;\"text\"===this.peek().type;)e+=\"\\n\"+this.next().text;return this.inline.output(e)},r.prototype.tok=function(){switch(this.token.type){case\"space\":return\"\";case\"hr\":return this.renderer.hr();case\"heading\":return this.renderer.heading(this.inline.output(this.token.text),this.token.depth,this.token.text);case\"code\":return this.renderer.code(this.token.text,this.token.lang,this.token.escaped);case\"table\":var e,t,n,r,i,o=\"\",a=\"\";for(n=\"\",e=0;e<this.token.header.length;e++)r={header:!0,align:this.token.align[e]},n+=this.renderer.tablecell(this.inline.output(this.token.header[e]),{header:!0,align:this.token.align[e]});for(o+=this.renderer.tablerow(n),e=0;e<this.token.cells.length;e++){for(t=this.token.cells[e],n=\"\",i=0;i<t.length;i++)n+=this.renderer.tablecell(this.inline.output(t[i]),{header:!1,align:this.token.align[i]});a+=this.renderer.tablerow(n)}return this.renderer.table(o,a);case\"blockquote_start\":for(var a=\"\";\"blockquote_end\"!==this.next().type;)a+=this.tok();return this.renderer.blockquote(a);case\"list_start\":for(var a=\"\",s=this.token.ordered;\"list_end\"!==this.next().type;)a+=this.tok();return this.renderer.list(a,s);case\"list_item_start\":for(var a=\"\";\"list_item_end\"!==this.next().type;)a+=\"text\"===this.token.type?this.parseText():this.tok();return this.renderer.listitem(a);case\"loose_item_start\":for(var a=\"\";\"list_item_end\"!==this.next().type;)a+=this.tok();return this.renderer.listitem(a);case\"html\":var u=this.token.pre||this.options.pedantic?this.token.text:this.inline.output(this.token.text);return this.renderer.html(u);case\"paragraph\":return this.renderer.paragraph(this.inline.output(this.token.text));case\"text\":return this.renderer.paragraph(this.parseText())}},s.exec=s,l.options=l.setOptions=function(e){return u(l.defaults,e),l},l.defaults={gfm:!0,tables:!0,breaks:!1,pedantic:!1,sanitize:!1,smartLists:!1,silent:!1,highlight:null,langPrefix:\"lang-\",smartypants:!1,headerPrefix:\"\",renderer:new n,xhtml:!1},l.Parser=r,l.parser=r.parse,l.Renderer=n,l.Lexer=e,l.lexer=e.lex,l.InlineLexer=t,l.inlineLexer=t.output,l.parse=l,\"undefined\"!=typeof module&&\"object\"==typeof exports?module.exports=l:\"function\"==typeof define&&define.amd?define(function(){return l}):this.marked=l}.call(function(){return this||(\"undefined\"!=typeof window?window:global)}());var LZString={_keyStr:\"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=\",_f:String.fromCharCode,compressToBase64:function(e){if(null==e)return\"\";var t,n,r,i,o,a,s,u=\"\",l=0;for(e=LZString.compress(e);l<2*e.length;)l%2==0?(t=e.charCodeAt(l/2)>>8,n=255&e.charCodeAt(l/2),r=l/2+1<e.length?e.charCodeAt(l/2+1)>>8:0/0):(t=255&e.charCodeAt((l-1)/2),(l+1)/2<e.length?(n=e.charCodeAt((l+1)/2)>>8,r=255&e.charCodeAt((l+1)/2)):n=r=0/0),l+=3,i=t>>2,o=(3&t)<<4|n>>4,a=(15&n)<<2|r>>6,s=63&r,isNaN(n)?a=s=64:isNaN(r)&&(s=64),u=u+LZString._keyStr.charAt(i)+LZString._keyStr.charAt(o)+LZString._keyStr.charAt(a)+LZString._keyStr.charAt(s);return u;\n\n},decompressFromBase64:function(e){if(null==e)return\"\";var t,n,r,i,o,a,s,u,l=\"\",c=0,f=0,p=LZString._f;for(e=e.replace(/[^A-Za-z0-9\\+\\/\\=]/g,\"\");f<e.length;)o=LZString._keyStr.indexOf(e.charAt(f++)),a=LZString._keyStr.indexOf(e.charAt(f++)),s=LZString._keyStr.indexOf(e.charAt(f++)),u=LZString._keyStr.indexOf(e.charAt(f++)),n=o<<2|a>>4,r=(15&a)<<4|s>>2,i=(3&s)<<6|u,c%2==0?(t=n<<8,64!=s&&(l+=p(t|r)),64!=u&&(t=i<<8)):(l+=p(t|n),64!=s&&(t=r<<8),64!=u&&(l+=p(t|i))),c+=3;return LZString.decompress(l)},compressToUTF16:function(e){if(null==e)return\"\";var t,n,r,i=\"\",o=0,a=LZString._f;for(e=LZString.compress(e),t=0;t<e.length;t++)switch(n=e.charCodeAt(t),o++){case 0:i+=a((n>>1)+32),r=(1&n)<<14;break;case 1:i+=a(r+(n>>2)+32),r=(3&n)<<13;break;case 2:i+=a(r+(n>>3)+32),r=(7&n)<<12;break;case 3:i+=a(r+(n>>4)+32),r=(15&n)<<11;break;case 4:i+=a(r+(n>>5)+32),r=(31&n)<<10;break;case 5:i+=a(r+(n>>6)+32),r=(63&n)<<9;break;case 6:i+=a(r+(n>>7)+32),r=(127&n)<<8;break;case 7:i+=a(r+(n>>8)+32),r=(255&n)<<7;break;case 8:i+=a(r+(n>>9)+32),r=(511&n)<<6;break;case 9:i+=a(r+(n>>10)+32),r=(1023&n)<<5;break;case 10:i+=a(r+(n>>11)+32),r=(2047&n)<<4;break;case 11:i+=a(r+(n>>12)+32),r=(4095&n)<<3;break;case 12:i+=a(r+(n>>13)+32),r=(8191&n)<<2;break;case 13:i+=a(r+(n>>14)+32),r=(16383&n)<<1;break;case 14:i+=a(r+(n>>15)+32,(32767&n)+32),o=0}return i+a(r+32)},decompressFromUTF16:function(e){if(null==e)return\"\";for(var t,n,r=\"\",i=0,o=0,a=LZString._f;o<e.length;){switch(n=e.charCodeAt(o)-32,i++){case 0:t=n<<1;break;case 1:r+=a(t|n>>14),t=(16383&n)<<2;break;case 2:r+=a(t|n>>13),t=(8191&n)<<3;break;case 3:r+=a(t|n>>12),t=(4095&n)<<4;break;case 4:r+=a(t|n>>11),t=(2047&n)<<5;break;case 5:r+=a(t|n>>10),t=(1023&n)<<6;break;case 6:r+=a(t|n>>9),t=(511&n)<<7;break;case 7:r+=a(t|n>>8),t=(255&n)<<8;break;case 8:r+=a(t|n>>7),t=(127&n)<<9;break;case 9:r+=a(t|n>>6),t=(63&n)<<10;break;case 10:r+=a(t|n>>5),t=(31&n)<<11;break;case 11:r+=a(t|n>>4),t=(15&n)<<12;break;case 12:r+=a(t|n>>3),t=(7&n)<<13;break;case 13:r+=a(t|n>>2),t=(3&n)<<14;break;case 14:r+=a(t|n>>1),t=(1&n)<<15;break;case 15:r+=a(t|n),i=0}o++}return LZString.decompress(r)},compress:function(e){if(null==e)return\"\";var t,n,r,i={},o={},a=\"\",s=\"\",u=\"\",l=2,c=3,f=2,p=\"\",d=0,h=0,g=LZString._f;for(r=0;r<e.length;r+=1)if(a=e.charAt(r),Object.prototype.hasOwnProperty.call(i,a)||(i[a]=c++,o[a]=!0),s=u+a,Object.prototype.hasOwnProperty.call(i,s))u=s;else{if(Object.prototype.hasOwnProperty.call(o,u)){if(u.charCodeAt(0)<256){for(t=0;f>t;t++)d<<=1,15==h?(h=0,p+=g(d),d=0):h++;for(n=u.charCodeAt(0),t=0;8>t;t++)d=d<<1|1&n,15==h?(h=0,p+=g(d),d=0):h++,n>>=1}else{for(n=1,t=0;f>t;t++)d=d<<1|n,15==h?(h=0,p+=g(d),d=0):h++,n=0;for(n=u.charCodeAt(0),t=0;16>t;t++)d=d<<1|1&n,15==h?(h=0,p+=g(d),d=0):h++,n>>=1}l--,0==l&&(l=Math.pow(2,f),f++),delete o[u]}else for(n=i[u],t=0;f>t;t++)d=d<<1|1&n,15==h?(h=0,p+=g(d),d=0):h++,n>>=1;l--,0==l&&(l=Math.pow(2,f),f++),i[s]=c++,u=String(a)}if(\"\"!==u){if(Object.prototype.hasOwnProperty.call(o,u)){if(u.charCodeAt(0)<256){for(t=0;f>t;t++)d<<=1,15==h?(h=0,p+=g(d),d=0):h++;for(n=u.charCodeAt(0),t=0;8>t;t++)d=d<<1|1&n,15==h?(h=0,p+=g(d),d=0):h++,n>>=1}else{for(n=1,t=0;f>t;t++)d=d<<1|n,15==h?(h=0,p+=g(d),d=0):h++,n=0;for(n=u.charCodeAt(0),t=0;16>t;t++)d=d<<1|1&n,15==h?(h=0,p+=g(d),d=0):h++,n>>=1}l--,0==l&&(l=Math.pow(2,f),f++),delete o[u]}else for(n=i[u],t=0;f>t;t++)d=d<<1|1&n,15==h?(h=0,p+=g(d),d=0):h++,n>>=1;l--,0==l&&(l=Math.pow(2,f),f++)}for(n=2,t=0;f>t;t++)d=d<<1|1&n,15==h?(h=0,p+=g(d),d=0):h++,n>>=1;for(;;){if(d<<=1,15==h){p+=g(d);break}h++}return p},decompress:function(e){if(null==e)return\"\";if(\"\"==e)return null;var t,n,r,i,o,a,s,u,l=[],c=4,f=4,p=3,d=\"\",h=\"\",g=LZString._f,m={string:e,val:e.charCodeAt(0),position:32768,index:1};for(n=0;3>n;n+=1)l[n]=n;for(i=0,a=Math.pow(2,2),s=1;s!=a;)o=m.val&m.position,m.position>>=1,0==m.position&&(m.position=32768,m.val=m.string.charCodeAt(m.index++)),i|=(o>0?1:0)*s,s<<=1;switch(t=i){case 0:for(i=0,a=Math.pow(2,8),s=1;s!=a;)o=m.val&m.position,m.position>>=1,0==m.position&&(m.position=32768,m.val=m.string.charCodeAt(m.index++)),i|=(o>0?1:0)*s,s<<=1;u=g(i);break;case 1:for(i=0,a=Math.pow(2,16),s=1;s!=a;)o=m.val&m.position,m.position>>=1,0==m.position&&(m.position=32768,m.val=m.string.charCodeAt(m.index++)),i|=(o>0?1:0)*s,s<<=1;u=g(i);break;case 2:return\"\"}for(l[3]=u,r=h=u;;){if(m.index>m.string.length)return\"\";for(i=0,a=Math.pow(2,p),s=1;s!=a;)o=m.val&m.position,m.position>>=1,0==m.position&&(m.position=32768,m.val=m.string.charCodeAt(m.index++)),i|=(o>0?1:0)*s,s<<=1;switch(u=i){case 0:for(i=0,a=Math.pow(2,8),s=1;s!=a;)o=m.val&m.position,m.position>>=1,0==m.position&&(m.position=32768,m.val=m.string.charCodeAt(m.index++)),i|=(o>0?1:0)*s,s<<=1;l[f++]=g(i),u=f-1,c--;break;case 1:for(i=0,a=Math.pow(2,16),s=1;s!=a;)o=m.val&m.position,m.position>>=1,0==m.position&&(m.position=32768,m.val=m.string.charCodeAt(m.index++)),i|=(o>0?1:0)*s,s<<=1;l[f++]=g(i),u=f-1,c--;break;case 2:return h}if(0==c&&(c=Math.pow(2,p),p++),l[u])d=l[u];else{if(u!==f)return null;d=r+r.charAt(0)}h+=d,l[f++]=r+d.charAt(0),c--,r=d,0==c&&(c=Math.pow(2,p),p++)}}};\"undefined\"!=typeof module&&null!=module&&(module.exports=LZString),_.extend(Passage.prototype,{render:function(){var e=_.template(_.unescape(this.source),{s:window.story.state,$:this._readyFunc});e=e.replace(/\\/\\*.*\\*\\//g,\"\"),e=e.replace(/\\/\\/.*(\\r\\n?|\\n)/g,\"\");for(var t=/\\[[\\r\\n+]([^\\]]*?)[\\r\\n+]\\]\\{(.*?)\\}/g,n=_.bind(function(e,t,n){return this._renderEl(\"div\",t,n)},this);t.test(e);)e=e.replace(t,n);for(var r=/\\[(.*?)\\]\\{(.*?)\\}/g,i=_.bind(function(e,t,n){return this._renderEl(\"span\",t,n)},this);r.test(e);)e=e.replace(r,i);return e=e.replace(/\\[\\[(.*?)\\]\\]/g,function(e,t){var n=t,r=t.indexOf(\"|\");if(-1!=r)n=t.substr(0,r),t=t.substr(r+1);else{var i=t.indexOf(\"->\");if(-1!=i)n=t.substr(0,i),t=t.substr(i+2);else{var o=t.indexOf(\"<-\");-1!=o&&(n=t.substr(o+2),t=t.substr(0,o))}}return/^\\w+:\\/\\/\\/?\\w/i.test(t)?'<a href=\"'+t+'\">'+n+\"</a>\":'<a href=\"javascript:void(0)\" data-passage=\"'+_.escape(t)+'\">'+n+\"</a>\"}),marked(e)},_readyFunc:function(){return 1==arguments.length&&\"function\"==typeof arguments[0]?jQuery(window).one(\"showpassage:after\",_.bind(arguments[0],jQuery(\"#passage\"))):jQuery.apply(window,arguments)},_renderEl:function(e,t,n){var r=\"<\"+e;if(console.log(\"rendering\",e,t,n),n){\"-\"==n[0]&&(r+=' style=\"display:none\"');for(var i=[],o=null,a=/([#\\.])([^#\\.]+)/g,s=a.exec(n);null!==s;){switch(s[1]){case\"#\":o=s[2];break;case\".\":i.push(s[2]);break;default:throw new Error(\"Don't know how to apply selector \"+s[0])}s=a.exec(n)}null!==o&&(r+=' id=\"'+o+'\"'),i.length>0&&(r+=' class=\"'+i.join(\" \")+'\"')}return r+=\">\",null!==t&&(r+=t),r+\"</\"+e+\">\"}}),_.extend(Story.prototype,{start:function(){$(window).on(\"popstate\",function(e){var t=e.originalEvent.state;t?(this.state=t.state,this.history=t.history,this.checkpointName=t.checkpointName,this.show(this.history[this.history.length-1],!0)):this.history.length>1&&(this.state={},this.history=[],this.checkpointName=\"\",this.show(this.startPassage,!0))}.bind(this)),$(\"body\").on(\"click\",\"a[data-passage]\",function(e){this.show(_.unescape($(e.target).attr(\"data-passage\")))}.bind(this)),$(window).on(\"hashchange\",function(){this.restore(window.location.hash.replace(\"#\",\"\"))}.bind(this)),window.onerror=function(e,t,n){this.errorMessage&&\"string\"==typeof this.errorMessage||(this.errorMessage=Story.prototype.errorMessage),this.ignoreErrors||(t&&(e+=\" (\"+t,n&&(e+=\": \"+n),e+=\")\"),$(\"#passage\").html(this.errorMessage.replace(\"%s\",e)))}.bind(this),_.each(this.userStyles,function(e){$(\"body\").append(\"<style>\"+e+\"</style>\")}),_.each(this.userScripts,function(script){eval(script)}),$.event.trigger(\"startstory\",{story:this}),\"\"!==window.location.hash&&this.restore(window.location.hash.replace(\"#\",\"\"))||(this.show(this.startPassage),this.atCheckpoint=!0)},passage:function(e){return _.isNumber(e)?this.passages[e]:_.isString(e)?_.findWhere(this.passages,{name:e}):void 0},show:function(e,t){var n=this.passage(e);if(!n)throw new Error('There is no passage with the ID or name \"'+e+'\"');$.event.trigger(\"hidepassage\",{passage:window.passage}),$.event.trigger(\"showpassage\",{passage:window.passage}),t||(this.history.push(n.id),this.atCheckpoint?window.history.pushState({state:this.state,history:this.history,checkpointName:this.checkpointName},\"\",\"\"):window.history.replaceState({state:this.state,history:this.history,checkpointName:this.checkpointName},\"\",\"\")),window.passage=n,this.atCheckpoint=!1,$(\"#passage\").html(n.render()),$.event.trigger(\"showpassage:after\",{passage:n})},render:function(e){var t=this.passage(e);if(!t)throw new Error(\"There is no passage with the ID or name \"+e);return t.render()},checkpoint:function(e){document.title=this.name+\": \"+e,this.checkpointName=e,this.atCheckpoint=!0,$.event.trigger(\"checkpoint\")},saveHash:function(){return LZString.compressToBase64(JSON.stringify({state:this.state,history:this.history,checkpointName:this.checkpointName}))},save:function(){$.event.trigger(\"save\"),window.location.hash=this.saveHash()},restore:function(e){$.event.trigger(\"restore\");try{var t=JSON.parse(LZString.decompressFromBase64(e));this.state=t.state,this.history=t.history,this.checkpointName=t.checkpointName,this.show(this.history[this.history.length-1],!0)}catch(n){return $.event.trigger(\"restorefailed\"),!1}return $.event.trigger(\"restore:after\"),!0}}),$(document).ready(function(){window.story=new Story($(\"tw-storydata\")),window.story.start()});</script></script></body></html>"})
@@ -0,0 +1,436 @@
1
+ <?xml version="1.0" encoding="UTF-8" standalone="no"?>
2
+ <!-- Created with Inkscape (http://www.inkscape.org/) -->
3
+
4
+ <svg
5
+ xmlns:osb="http://www.openswatchbook.org/uri/2009/osb"
6
+ xmlns:dc="http://purl.org/dc/elements/1.1/"
7
+ xmlns:cc="http://creativecommons.org/ns#"
8
+ xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
9
+ xmlns:svg="http://www.w3.org/2000/svg"
10
+ xmlns="http://www.w3.org/2000/svg"
11
+ xmlns:xlink="http://www.w3.org/1999/xlink"
12
+ xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
13
+ xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
14
+ width="256"
15
+ height="256"
16
+ id="svg2"
17
+ version="1.1"
18
+ inkscape:version="0.48.5 r10040"
19
+ sodipodi:docname="icon.svg">
20
+ <defs
21
+ id="defs4">
22
+ <pattern
23
+ inkscape:collect="always"
24
+ xlink:href="#cloth_bitmap"
25
+ id="pattern5527"
26
+ patternTransform="translate(-50.178571,-56.071429)" />
27
+ <pattern
28
+ id="cloth_bitmap"
29
+ inkscape:stockid="Cloth (bitmap)"
30
+ height="181"
31
+ width="181"
32
+ patternUnits="userSpaceOnUse"
33
+ inkscape:collect="always">
34
+ <!-- Image by SoylentGreen from http://commons.wikimedia.org/wiki/Image:Jute_nahtlos.png -->
35
+ <!-- License: GFDL or CC Attribution ShareAlike -->
36
+ <image
37
+ xlink:href="data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAALoAAAC7CAQAAAB4W0zfAAAAAmJLR0QA/4ePzL8AAAAJcEhZcwAA DdcAAA3XAUIom3gAAAAHdElNRQfXDAUAKxazZdM8AAAgAElEQVR42kTb+ZPcZ34f9lef0z19TPf0 3PdgMMAMAAIgCBAkdsldLqU9uFntZcku6050uCQnjl1JFFdUDpP84EriKscVO3alFDtRqaSoXIq0 sla7svakdskllyRAgrgxmPvsOXr6Pmfyy5D7L7y+z/d5ns/zeX8C7x8v+xeWvKzgdWm/74pf93vO mtdn06jf9jX/RMoLxryn7B/4tN/zv3jauIT3fdqv+N/t6VGx5gN7/g+v+AN/YkbGG7r9Iz/rT/2R bX0Kqob8v4o+qeq6I3dc8wue9n3/ypYv4P/z33nZf+UvnXVN2G0v+qKabe/b8ZTTfmjVrJIHEo4c iInrE/HImLCGR5qmZTW9Le28DVnr0mZsqDur4UfWPeOaH1jwq8Z9y4KvKrpt1c8b8pa7Oma8I+MV L0j6L91xVdkT/K4ef+wbLqAkKuJXNHzdPTeMu+tF/4lp/8LX9JhT88dCvuFD6dBXX+3X5UXPGPSs eccymiZ81XWTTusXdVrKZ806Y86QgJhRV3zBeVnjGHfWhCHTTnvGnF5pYWmfdsacEaPistadccUV MyJ6jOjW5wXjTsvokdC0I2NKyLCsiKhDswaFlEyaEBKzJWVG2S0HEspuG/P3VdVsijiwIuxll9Qt CKnpsuSn/QNNG3qFtL1p0jmfteFdT6tbM+gXPa/oB/odWHPKGdOG1YTMo+qUAaf8QJcbzmHCoEll dR9zzpxZI047Y1NaVtSUMVvmJD1yyYBB867L+lA6NPxq1L6stryqokXbCnode2zfsgV5TVltG5YU lZTkxTWUvO8NS5oODVhWV1dUFrDh0IB9W5bdU7WipGXVsIyyjrp1UUcSDuwqo2xFl17T2sq65S2b 0WPEsH5Jx6gq2UDYgTs2pRyZMOG8AYfWTEvr0++8c97zgVPmTcsaldZvR68bxjzlrIgZNWHnpD0r oEfIodNyejxjVE1bVNEZU+Y9bdO2uKxxR1LOaCqYcOCCPgFhQYOKqJuQURK36LFDAxLOaGjoyFv2 oXSo99Vjf+g9XR77uluSdrzhpoSLyt70N7KO/KFVz+h2yweiQjb8WMjnhfy5TU0t3/dQWshrvq9L zbu+7mXn/IVFWWV3rCtLSrjl27Kqvudt/QbdtKjXiiPfw5ia1y0J2nVT0bQth4oSEkqeWHfNz1m3 4poxSRU9bjh0WtCQrKKa0/oMe9aILU0l+/p0Oa9k34HbYrZtiauJ2LVj0Z6Ct+1puuWOutsO3bRk Wctb3pez4L53JW35A09ENK14S9M5t92xZ1vF37hr3IFvOFa26cg3PdTjkW95V8CH0sGkJdue9o89 77GSLi1Bj13zi37NFXvKKnpd8IyPS7rjAIuarjrvhiMF3RpumfIP/bZp3Y607Cl4wZe9LChryJ49 H/d5X/GCqIyGQ/Oe90uu2LSi7pGip/2cn/eidSF0m/eMK6Kaimq6zLpmQMRVH3dGyqodN71lSVvc ptdtKbptw7LHuvEDizY88OfeE1Ly1+7ZcM/b/qWM5zzxzsknKHrO/+gXlC1gzzdk/ZYZD9y3pu6W N/0dv+MSdh1qqPkZX/YlPfLYkvCy/9bnhKVExN1y7AUXfdk5LT+RDr8k4pJBDRN+yzlzIkruiHlX t+v+uTl5Z3SsmPCUIefkFOxb8YYhv61H2qEvm7eo33lX9MjYcVUJX3RKvwHzVhxbMeiCv21Wt5i2 Nq5pGtOlbVLMYyEzftmMmEeiymIqhoxpqAjJ2fE9DVeNe1dE0bKUbVmf8qYfa8l4Q8kdv+gzqt7T lrJkT5+fdcv7QpICLtrzRWd926rr6vZNmVY25ywmtf2Cp2TkfErAGQGjtuyZctkFM/osmsemnDOe E5NRwCODrsk4I6SobUyfc/bknPlIOvSPX+0ya9eqQcMmhIW1NOxY0RaT1hRS9cSefjPO6FW268ih iqycfgFpvQpWhGUk5XRUHVlzZF+fmA0Hop44dKwlJqQkr2pRU0xMn4SklpI9B1ZMSWoqKDkU0xIS ErWrYsmhuAUPHbnvPS0pdEsI2LNn1JRhCQ0zJj0U9aKnjbsoq42yC66acsYF26JiZk3J6NMrr6Ks y7RhpwzbVZfWZUQGPQ4tyurolrIupGPXipgNXSYNqlmyLyntaWllAQFlZREpg8Z9KB3+Awk79p21 4LG6uJi6Q8OiYvLyCvbFtLR0yakoyaur6xPwprIJB9YsiQgqKSvKqIrZtWRHS1HSsW1JHTuaeiyp G7FiW82xrKKQYTVLUqoSlt1y3bZvirqhbcue66YN+q6mFTFHwm64oqQiLS3oCc55xkMc61HzxF39 XjCEsg3vuWNURtWyXQ01627jyIJVAWGHThsQ9JqwLg1pYatWHFiQFNTQsSzsbeOiNnBa0r6/tGpe R1CPEQ03FR05sGdcn6yGVXclPpIO/ZtXN/xfymqK3vDIr/lp3/Q3IuKqVs34qogf2FSXsuyHrrng kQUNg5b92K4uT6yJCutSsyAhg3W7Bqx5bMCMR3YkHCirWDZn2mPb0vo1/FCvWTwREpJyLOkp/R5r m9Cv49h1o8IKerwk61i3pIyylC4DOupiijq23T85HFtSqt6yo6BiybqUjPvuiwlZtGLbmEPfMmzA E98SVRey7Y7nddxW0avivoAvu+ybllTkRBz7qose2zGg48CBPn/fiP/Tm451bPmRL/klW2KOTWu6 5T3/gw+lw+fl9SGlR8K0T5o275Z5ae/rddkzunzdnBFBt9VlfN6OH0pbd6hpxhfc946mmIg9CZdd dMc3DEmqueLnTIh7TcmkkCPdzkpYFzEmdbJPXnNbS6+QlG5RcXUz4rpUtSSVlHRMiok7FBbzvgHH Rsx5bFFI0V1pU55Xsiok5oGwDQmXHCkj5EBdwismfcNrEkKOTHvZdf/OllHsqPtVP+sHXrMlLWHZ VXP6fNx/NG5eW8uM09a8q1tQTdppH9P2Z1b0ahrRdMNztn3NEyEH8vb9RDr82JTfMqlP3A273jbl S/qN67hiQ95NCf+5hJCOGSuoe1lWwoCCdVEDhtQFBJWQciBm1g2X9JvQ0tT0opKCOVWHwloGTAoa kFSVU7SuLaUkpGrTsDFlRQnUbeGWsqagVfvaQuqaBtSNGtVyV9uAhB0xz6n6sR0dTXH9Mobta9iR VpZ04EBWj7Ma+k0YkhLR66pTEloCZm0761PaLgqb029ZymWTJnXbUPZY1riKtD4tB2rekHDRz5hQ 07Kv6D2cdkWvsqodP5EOjb9aFxC15qHCyX5XcWTHgmUld2xjzbL7luwr2NbRLSirpeHAgrouB3JG xAVFbQvKGBR3rK1tRdiIlkE90mqONcUdGTQooalgR01CUK9Zo2ry9iQd2zJrVlNJQV3JhgVP+6q/ 8EBWWkPZiHEkDcpoiTkW0dFtxLxhHfvCeoRNuShrTJ9Ny6JKUlrCKra1DUg7Z0q/iJpVJS1xx8ra 9hS10BLwwKJ9GwLuS2pbd2DDgX15TUW33HKk7cCmsqALokqWHNjxoXT4TS1v2vGCdT/WcFnBsbtm vOhrbhlSUfQ9URcd2bclKe6BJ0LO4KEdVTWvKxjXq+yRhKSSvCNdtm0Y1LSraFGvXssK2io2HJoR t+KRFtiQNqHuoYasLiPodRqHjuV0WzTomisue0+PHnEbeMq471tHxL73fdFP+b+tq+jYUnZBzq4f +MC2fQ0XzKj6jkPjiqLYcsq613UEbesxYtqyJ1LqEnaNiQj6a08J+KGyy1atWhDT675HpgQduO1b fsOEP/EpbWkNKz6QkvCeTTsfSYeefzXtoev+qT4P3XFB07pNv+2aqMf29dvxxH/t111214KcQYv2 zPpZY/5S24imDzzt58y6ZV1Ql7q7zrrqkTVR/bo8kPI5p0Q8cGhISd0N4/IOzHhK25FuI7pV9BmX dCQnooK6K84YlpVWNmDEBdc8ZcqIAkLelBTQlDIorOMtQ07JO9anR9mSml8067GCoLiiNed9Rd0K Ujpuedqvuuy+e+r6bev2C44ldLTUpGVdcM5Dx6ICwna85HNigrZQkZfyr33cX0o7J+GBoGt+2itK vuuCD6XDZzFnEnM+adAzuqxqibvveXfcMa5qwogFN5yz7WlDMspeMiwhh9PiVt1wXchr8uYM2tGn X6+0hFGjKoKmTepVkJPRtKFHxLSqLRmHStYNoSGrquGuTTmTOh56Ii/n2LqwsCPdKna8qyCm7VBI yKwl66JY1yXiFZf8zzYlFDyy5zmnRI3aExIXddklfSY9dKSmqOO0sxj3beM2HOrVb8yGbWdlLKi7 7qoFf2ZQzkP7Ys44dmRJjzMu2NEw6jNWHQsYl/aCjD45A34iHfrNVwcNalgQ0+Npkyb0C1nRMqvX cy6Y12fZPT3qPm5CTo9pyx6JGXFZUsykQysieuXMGdRrQEnKiHmXZdX0CjoQlBUy67SwmI6YtoyA SUm0EFDVkDSlaVtYXEVJUr+IR5ZUdTm0pq5k0bqAoC1tTVVrmiKaAtrq9uSVJWQMyMgoGVBVd0Gv sIBlvQZUzJg2LaNgVcC+KS84ZVZDWNaOS3p169GNoIQhnzbrrLPajqVVPe2yGYNqFvSJ69MnbsCQ kh0Rhy4a8qF0+M8U7Yg6a1PBhoSUlruaTmlbcSCtZV2flu9YVzSqJS9jz7CKZQSUram57IkJFU/s iWLFvln7gooeW3JK3rY+ZV3agvIOdYQ1tY1bc2RBy5i8dbPm/AdFJQllK2b8sgN/5UBFQc6CV3za X6jo0SVtW8fHPK3mhzpGrfvAjGckdOHYofzJlS2qZcuubW3PGDSp6L5udQX7kvrEbKo58MC6z0k6 sOuuqI5xZUeWrMiraeu24zlvWtPlwLK6eTRsGfPImqYvqTt06K6Dj6RD//zVI+9YNSnua5r+M1O+ 5b6mnKIDafMmfEfHkY5FC37Z87Zs2JC1q6nfs5JqNkWF1N0ScVrYglU9Kg4dS0u7i6SigpuK+vzA ki5xDUsyMjryaqbkTi6XvRZNmDMlrWXQJVk7ci74tGE5067YcWTMkKiQqG4ZUXm0rAsYkPOeioyy Q1V1ARWruqTUNQWk8YGyUfseqUpru2dTQsy7tqXFLVrwGS/J+44xITULpnRZ8K6mgE1rPvBPfMUf S8noeE3BNT9j2GM1aU880PArPpQOv2zBsknsGjVv3Cm/r+FT5m3JGfechPesuOjYTbOmnPK6gGcM OHTXnE943ZALBiXtqRlz2R0hF0w4MG7CqLpVYbOW1BX8vE9YUjEjpWTYOUOabhmSVFESkpL0nCMT WkIuS7gnYc60MWFreu1bdtaIMevWxYWsWHfWpyS8oaXsoYqUITO2ldUFreKSG3aQc1/DY0kf96Lf s6WFBw580icULFiQUrDseV/BstelNYQ861njyu6I6mg6cMFlTWOyDh048innzAlK+CslOSsu+ol0 +JFxX3DaWR3XxWya9opPntwmqkJCxn1Gy7C4S0re0+8Fd3Q75di8blUXTgqZmJCEglU1WVcEUVYW lNFvV9mouj01285oGpd034onghLIoiwu7x0FK0J2dala1yei4oEDw7YUhKQsGRKVte99QWHNkxMh 67FHjpyzr2JLVsuCmJgtAQnvy4uo6sgio+aJKdtiLtjzUFtFwLSOSyIyeM8lHT+vDztSFl3xnIhz ejRMOHZX2g0RKfO2tG07NKALId0mtf1EOjT46qgxs9JWrdq1qS4mKWXPQ8vqOg5tyshbdSCvqEuX IwE/9ESPlCWUHPnAroJNu4IG7IopSylZVtej6NiMAR1NKwLa0vp0izq0qiLqUMEpE7qs2nWspqBh QkHelrYDt71hypeEPLQnY9EdSWMCjhXldMlq6uhyaNywQTF5WedUZQ0bllFQEDOgauJk5X4gb0xC rwNNAYt2Zew5qyWmqWxDXciA3EkPLaotZUavLWVth57IigoZUlfX0lCXUlEXtmPHskc+lA6/q2TL kJiIFUuGFQStq52srbJ+50/KgLSyuxLaxt3S1O9QXkrBhElPLOtI6VPxRMN9Gy4p+0C/d5WsCTml 7chde8piSJu25q6QgI4tIb3GFW3oFtF2x8uuqWj7sbxRfboNOKfimwJe9tgDVYNOu+1vTIrZtWLW FdsOPDSg6lhH0CUlN+3JaatpObSgpVdDWNyqY0fuWhcUVFA52e3XsS8ppywghfua7rmuy4rHClqI 2zCpY8WqtKAyZm24qaqOHnvu6vpIOnT+1SPfV/EVdT8Q1KWMVc97RdCKXUeKvmdAzL4DJUENeWWc U3bHsoxhhx4KmvFYScKmjooz4opWBA2oCdvW0FGyoseotj0ZQTv2jZk1ISSuo6mJq8Yc6RNyYFzE lGk9pp0X0nTatOdQlrCpKWzBOd0oGrXlSNmMecd2xRzbVrYqq9eWkJYn2mo+5bNWPZHUrWTDOf+p EVX7utTs6fLLMt7V7UhJyLCcWU/ctqvHbV/3Ff/MoLyiiKDbgv6NMX9h3bFj99XEjRtyT9CxD6XD 47oN+rRP+fdWXNZlTJdZn3HJaS3vy6q7bMa8lj/yyAVZdWGfNappX8OYZR3DzuoYsO6yHhtCPqHk NVnDJjQti7thypJFERGLWv6Wilv6NBxoWXdoWEVb0aqqx2rGFKQ8kNevriCvR9imdX1W3HIgo25N S8h9hGzZVdIvpWLLil3PyquacVXetzQcCeoXccp5t9yW1yeobcCwXillOXVVs0aVhcX0C0jIm/Cy wslf+pwe43rNeqIip8eMWePS/q5HxuUc2JbxFRxa0vxIOvTfvDrpORNK5o274SU3nDGpgGnHJl10 3riYPtfU9Lps3qheAVlpUUlpI6b02XTFqClFp1zVbc+slCETZvVZdmxEUsS+YVd1nazCmH4JnzBv xb4u3fbc9ZJn3bWpLqqmquzv+YQdP1TTZ8lfy/ody94RN3Tywa44b8AtZb0qip4RsGhIUlxCWs68 CSldLjunreiiqIhpY4YF7Ssb09ZjQMyouH0FWVcNG3EsqiUiZcZ1E0aMqIhqOnLFM+aNObJm2LjL XpQQ0WdIyGlVadM+lA732LPsSMl5bYdWVFGTsq+s5FBeTNmWqphxdX1CEspet+4ppGX1yvhzS7Im VZRURE764b2qqjJ2sOe+bf2ODThlXcR7rpm1aMqsqCCScg6NGhIzZFNETtaB54xIG5aTlbFv2Iwh x7rMuCAgY9DPyCm7q8+QJWX9JvVaVjPhUMGaMWMaSAvptup7RowqCOtoO1Q0YNu6oIC6TQcmTAu6 LS1kA3tmVeQVVFRsabskbM2BhroNj3WEdFu3bl9D1J4dad26P5IO/K/HNQ/VjYr7tqBhSYdaelzV 6x2HJ42Ggo4ZBatmTOm46cCg83bkjRqx7fuGXTPmrqox/d7XMiRuX0hWzK5dY+pyypouWvO+qCFx W2IG9HpHwrSMbjtW5NT1GBN2bNOujhcdWDVrUMWGTeOOrWkYkLKny7E+Ye8ZVNJUFDbmyJ6GtmMN FQxqWtXWcSwkZUTAloSmqramnJplaTExNd2G3JPQZ1veIxkTjj3RJylhx6YLMg7U7etX8tionIKW lpgJQWvOygpY1edD6XBa3G2HhqQcGfIPDfu39nXZtOKOkF+x63saTttSVdCUs6Msr8cTNWHDWm5J OifpgWWXDSmpImpH3rCSIw3saNrQkFO2qqbtgYK8a/psCasoeqSmKKGqokfDhj1BAfvK5o3Z9bp1 x1rWZe3q9R+kRFV1qcuKKVuSFxKzrd+KQYfuqEs58ki3pj7cEjEiLykqY8GytLjHclqmbXtTSq9l JfN6RS2JOLIjosdL0v5URsWBHVVdrpj1XU0hFe8b9ndl3PO+u9Iq7nvD//SRdPi8533PtrPqvmhU v1kT2uqOdZwXctZ537VmWkPUoXNm7DlAUkhS3TCuqDhyk5MHpXs69qRsK5rzrLx7Ng0ICSiLCwiq ISeopCIsas+umqSmJ0akHLktb0zOIwey1hT9yGkDVtx1VsKSu2ZVFSTsylozYE5QRFDNnrIdTS+q +L78SdBjXtB5CXm39Klp6Tduz2N7WpKODbpo05qmDWwYNCV3UuDlNOSMmHPTln7DupTsmRXT5bo5 OReNO6NXRM2KARl9zviJdOjsq90u+GlPS0lru+/IuGk9zurXZ86apIwLRvTLGVWXNKHbx1wyIKpL TLeaHt1mjEtYU5PVNiYjq8+xmJCQrPPm5RSV9Ikru+xnjOioqYtpyfqSM5Y9tmBKW8E58+JW3JGS su11WV9yaNehupAVc35d2A/1ypoW1eu6aXfEjBkSx7RZ55yRkDZmyLarYu5JmXdRjw1Dzkvrd8Yz xhQ1TBswZtq4eRkdMYOuSRnQL2rHnm6DxowZcUaXJ+ISskbENW1YlhBy7OdMn5xG7/lQOnxLXcq+ lC15HX32JZXUNVS8L+55i0qCqooa6loWnVXRtqxoVcs9c8J29duXl1cyZEReSq+AH4vaNWHXlkkD Ch6p6RGzZFzHng2rpkU1dVT1OuOmnBEbdg04p2bDgY8J2vNTZvS44C19nhKXMiDtRcvC0nL2NJRN e1pbXV1ZwKZ+03q1NcRPmg6nDJiQUdWjW920Y7c8PqlF6wYkPLSmakhUQFNIW96qmKKWqGFxdW1R ZTW7SnpVLDqy5cCAoFFv2xXT7b5VkY+kQ4FXe+x46FmnPPHEgIBvO/B5XzFu0bsOBH0g6Te87MhD K9ryth37nAkr7qgatmrZKeN2rAnrUlHTa0xKXkdW27KKaTE161JmDAlqaOtRMeSGHm07dqXEhVyW MWJKWUWPokvOuqBfzq4e87p92pw5SSuqYoJ6JHXL6XLokZawYXElTXuq9k9eROuK9jXsWxARsSNn RNVji5pGdNm2KarjkaLTuhTtyQq47wNnvGTHsrKsgh943idx5JSMjA0/8nMmPZCUErZmU8g5ce95 aNOH0uFzLlgw6LMO3JGQM+pIyg0D+vxIUNqwmGflBAwb1u2KI/uedV39JAvSo+B5zwgJyxvSr6LL aaN+oEu/cS19AmLSgmYtqziwrl/KjgNFSdz2xKycvE3HGrbsGLClZEncd9FRs23Ps9atYVvFoX0b 1s1Y80hKWFPToJorGp5YkbQnKyWpaFdeA8vuue60sj+Vktat7jOe8WML9u0r2/VZr/iOJ9b0C4vb Nu8lt5WMG7cq52lnlYUlzKpqu+pZUf9S3KSqPrM6xsx4zaDUR9Khf/1q1oQpG7px2ZRTruq1aNeU tGmf9LwLWJdSc95LLpoQE3Vbj7oxrxjXZ13TgGMRUX1yAvaEHUhL69ejrCkpbs+2mNOCdnU5bdtD Bf0m7Vk1YNSmPVkDylqqstpu23RBzIo31IQ1vWvfvFW3FUzIK9tUMebIirJT2hLGRa17bNqgiq6T kFxFVlRUSpczJtxEr4CmqKKAYznPGZaWFJbW54aMkCnTjmSNGfCsS+ZMqiobsq2qW785aTUjwl5x xhnjJ8fymAnXXPehdPg1EUcSSvbs2Je3rF/EvoSGPe/LyQhbt2tNUFPYhrJjDREFbFpz1qYF+7pF FZVMG/FjP7QhqyDqgpKSFSXrOjZ93hk/dOTYbR3d0l7Qa9eWjj29Vpx33n2bukWsYdIvSvtnggja dseX/YZ/5VsygmKK3vO7vmTZ/2NbxpaSp40YO2mBTNu04pPS3lFVlBLT0jDj1z1R19Gwb9dV8/ZF hMWs+cC8U+JuWxA2YEvAiJyG9+zokbdzctFcN6WmYl1Tr5KQZR0tBR/oxWuCH0mH35Z2KCOo5K81 3XDZd2yhX1DFBy4b0/DAkYBdy8ZM6fNdm84pC9k2KmPBloZ35CzpeKJu8aRwzhu3rGlHn6SQgJyy JbuOxfRKianb01Q2bNQcEkqq5l3WkNbj0GNv+SlfMS9pSMhX7St6ScuIHofy5nQsihvWrVuPZQui jly0KyHmjF67Ep72ho60sIYDq3as6ZIQFFa15dAjMUF11EWkhbUMatnDY4t2hSSwZEdTXUlA46TH 1GNFzZimuMc29Bnz1/ix0EfSod979W+76Q01E97R8b/5gvvuKzurV9lZvytsWVxERlvJdf8IT9QM SokY8xUJYQH9Mo51uWb2ZHxk0J6EKf1StuVMCarZtGXs5PGqZtehqKSgfVGzKnbsWREVUZHT1HFg XcGukjxWPRSy6khY1rSUY1S8Y1NZypi4rIglC6ryhgwp2FPyxJYjvcaVbDqWt6yibVrempq6ok0R nzDqDQ1xdZuKhmW8766whh2PXDHpvk1NXSonc1BBOx4IqKnZNOtT0pa9Y1DKgQ2/40PpcMeA/8Kk cVnTbqvjJd3SJ12cYW3n7NpVEDZmSNKhcR/3jJy4Q3UVhEyfZF0f25KRPYkVHWqJ6BU/edqNqDvU wYFHJ1mx26b1qLlr0wfCShads2TfOwZFJU7yVUFV+8Z0+0DaooakVV121QU9Qt2eqC73HaMte9Kv j7ljzZGIh4rOKDlyU1xCTke3M971HaOG1Swa06+pIiKuZlfEC57ytn0TAgYdmtKjqU/CoLZeFXsG rOjRq1fVhgkpe0ZlTYhL2fcT6dDEqyFRaXMKjo14JKmirU+3uB5VbxvUpyV4Em8oqzjWNCxkX962 bU1lUUdaQgLWbWtZ1zRi3KZtZUeaevQYEdV0KGDEgdMuCZycE3Fhm2Z8TNNdHTlVFaNeFrDqoY4+ RUVRAUveERFQ9DeYEVNQl9IR8oGCmGUhY9LqDkWMyQiqyUrLaDh20X3DzujVrYBRI3qdljAnaF/M iIviEkaENA1r+4xzsgZN25fQY1LOsahJ67hh2KSXnZHVLyAigIvmHNt0wZs+lA5/IGTAggQKCprW 5SxqyDpCy74q7uniZC5iy1NWLUjLnPR7tu0rW3LDi27b1XTPtkf+nm53RSQkPVD2U3qte0OXjkFr xg0YUPBtM6pKer3oqoZ/70hQVcUFf6eqVisAACAASURBVMuP3XdFVlTNppDz0iLm9dn2rFmfM+yP /UgOh/ac8wnf910pIVFVPSbEpUU1RQTtGjfqKQUHujXsW3TRczbsKItruqNX0ootg0L2RdwWdmhB ScWxkIqIbhV7Kt6yq8+oIxVvidgWtKMkrupd31S1ZUj1I+lwUd07/soXzGmczBcUPPZxFwTd82NJ e1Y0fFmvJTe1tazYN+nzjn1PxbaQtoxfNiYrjXkJQRdd9r64AZP6JA0YN6OmV695XYo6quL6PGVC UtoFbUue8psmDNpTUfGapBc9b1tAy6YV+56SkJb1nIKwVTHPGdSj6sDT9pTdMGbSgCOPJWyKWrRj GHEZNff16RezryqjZUFbXL+UI2Q90hZwWcA9DTlLAm4ad9Zti9rCig5MGhR1Twlv6fG2IV3iiiI6 Dm0LuCAkIe8n0uGkYRn7Xjbn3zntKSk1cVc8LWVERExKy5QvKKubceC8tlWjWpJSouZlFEyeROSy uqSR1auhasaUjJKoGR1bpr2ocRK16HNsz4EzOg5sCTllX1xe3rG6orADU+4pCCoLC7ur14hDB27p EbajYMykvGVLarIqtsW0RG3aF9LjLXX9zos6tCdv34YuQ3o0rTuUkLbtilEVD2w569C6WafUvStk X9GOkJfFvW5Zr5RdLed80R1ftyon6bYhvybhD902YVbTXb/kZyX9ud/3E+nQv3112ISrDs3KmJDW 0jElri2uiUl9BgWt6HWg35yOlmEl7+kRl5aSlMV9ZWU1AWlDim460u1Y1ZygDXXrtlQt6/eKsFua 2HZsy6DP4I4wnviWeX/HH3ngSMyBOxb1GLChYk3Nsm1J47Y8UFB2bN9jFX0iHsoLC8rrdlrHuoeC 4rocG9ZRUdQU1+1QzAUdeX0GJIU1pYyLSssYEVIxImxWWsSAp/TJ63fNZ+RMela3ul5Zn/d50+YM 4WOyJnzZjKxTntE2rOOyl30oHf6RqHccyKk7sGlQTE1Awag5b3vskoiyDWWLWvJCusXELVgSVbcj aUbUPfsGTHqiYFrKhjVRQzYc+ATWjYuo2dRy1pCyHg0Fccf6XNQvYUrAsLZ+n3DJdQtOGRAQsSDr jKgFlzTFvKHkqil/IiQnYsVbfsVvavnv3TQobce0L1n2NY+NSIg4lDUmYs22jE1d4gY9LeZQU6+m dVPG3HJbyjjWDRrT5YktJQ0FVWfFNb0vIKIqY1aPQ29pCbkl6VBY0X9UVfNE7WRAbEfkI+nQlVdn Lfu6AcPeVzduTNN9/aoWbdoRNyrkkbCaHXdwSsiOh0JGNJQMm1K0rtekLkFPuailKmhOTkifjChm PeWyrJSKI22HzrugV5eAlqANWadkxL0gYFXOMz5uUlPMpKSAmH5XXHfJJyW09Os24VkzJszoEXOk 4ZJZWT2SCjqqAqaMiahI6FVVdNaQPgMCmqrKMsIKgtInU39X5eyoiTn0yLZ5DdvqKlr23RHT57F1 NR1r3vTQZVk/cldKzGtumXHdhm9pG/XEbW/L+lA6nHFF2fdMGbarYVZLWceSaVWk3NDtDS1FM0JG XfdlC27aMykrJOW6pofCBvVbcmRet7JBOzoeWXJev1Uhx2o+sG5LWtyBTVlr1qzLqWlZsGlK3Kby SaZ907Cmhw5MiwmblffInhXDgrrty2m7LS6gbtVNk2Kywmra8h7q0+95OYvW1b3lfS94Rr8V65LW vCXtujH/P1N39iTrfd/3/dX7NkvPvq9nlrOv2A5ALIQIEqRIiCIlKpIoW1JK0YVlKWWnXImdVBDf 5Ma+iKvsSqVSSZXLdkWRbVmMKIEiGVIESRALgYMDnG3mnDmzbz1Ld8/0vuXCDTD/Qde7+nme3+/7 /SxvWxfSqYKLnrHqlj2jQva94oaYjHu6LTrxtqc96wPbRjSUHOty2ZPuWNWUkRUz7yse6FfTsKck 6hekQy+8/oyw666qCcmLOCepKmxEn15D5o070uuaSVO6tMREMWpITFNTUqI9YQ4pKsqipqwoIeFQ XlrLLUc61GRtKknJtpXiDRtyAsKqcir6ld11ImnfvxMwI+49d8W17PtbH5pR9UDeqaYtJUWPbHvP hpJTdy1Z9rF1h6J2FDyWk3HLmriglIz7Nt2T16FfU6ntmMrY1CeImqhjQSnjZnXbU9Fh0LCisDlh u3Zd9YQbZlwwpWZW3nlXjJh2TaeUExN+yZSzZvUq+4R06MbrDTWnPlAT0NQSlFQ1rakq215ZdQgo OLbjRN522+SaRVXOoapuFQVFUccOBFTcs2xGvw07GkbkZAw7q2FTQVCHrKbPiyh7aEdIS8YNr2ko 6TGuZNff9VUce2hcVMO6OV93qqxLSMJtS573ory/EjeuasVn/X0rfmREj5gtHb7sjDOKmHbooaKv SaiJCKk7se2qc+JShkxYt+5ln9UhKyToxEO95nRKSolJe6TXrMvtxUhR1aoDp5KiSsrKcvZ0uyJg XV5OwL5PSIeXxRz7QNWMQfviiFuyj6seu29URdaWiJCGFQOC+hXkjHpC1QMnpoUcSXhaSN6uioQN NYfScpLCyrqsKgsbUDPv7H8e/djU5UkVNSOykkLSritI6dGnW9q6Xl8x6LoOQQu2dFn0U3POmTRi RcRNnBjQreGcQaO+5JFpA5qiBoxJOpXUoVeHsroOHZoYVHeo6lhCt1tKiKhZVWi7Ojp0SdjTUPbQ sQ4ta06NWZN3pKHsRMWeiPsKwoKKBvQ45yNviyKrputT0qErryd9JO+/EPZzWQ0NBW8b9Dn9dhyK GpX1vuteEhIQM2TEoAUXDanaM25BQNG8yyYdi7rivCm9OvQ4NSglJaQuZdCAkBETWkJCMhJq6pJK AtJOZRVtiwk71pT1jnFBA86jZkbDmhlPe1FC2aikA1VVAVfMCIoqumPAomsuSuoXt25fS8OEIYPS umTEtNoHxZwu+7ZFhc1pietw2jZr9jmQ1aNoz0N546pOlKQtWzPonKi8uoQhq/hDn3GiQ0VU0595 0j92zYl7+n1KekzLgg1fVPFdHWoaQi674LPGBBy3nfGXnXfWPSN6JI3ocuJYxkMxE+1dzRPC7jqR sOltNRfNuW1FzbyKD235migClnzsUAPDbTlzSsu+bXMSli0jb9C+kgkf21b12KG0XY91WbPrvBO7 ajrNe0fBO5IuuK0iZlTeqllFGcfK0hqeUXRgRdGBE1O67Zm04p4d16Wt6zLjlo9UpfSo6feCqk1V G2piTv2qL/oXljEkom7Nr8n7Kwkd9gyLuGnQlmXjxrW8a8YZZ2x7yy9Ih/7318/5nBft6dbjs37J VYNGNGTVzBox2U4eyuuQMSwmI2fV2/ZE1IUUDRrWtCFsxY5diyaFEFGVEDVnThBpCXe8KexVUx66 bU7SkYo5i8JyTo04ljVs3LaiIz1yHrntoi+p+DP3pQW8r+68FzXlZMQ8tu5lzxhW822Tyu7qMS/h 2KaguKJVEePqvu24/WTNuyYt5kiHiF5BITNtjfyQoKCyRa8aFtFvUVJC3KCLRo27qEfAhLDPmDfq CWM2pcTMmNBhxGcFRDSEjfuiT0iH31BxIibjkpp1GTk1RTvSPvaidZW2963kO8JqTjSMittTV9KS UPCsmp8pSRu064yvi/uuVQ/MqImr2BeT1mirAed8zn2rFozpklQw5wlPmbBhwYGyc77sXzsxIaho WJcvuInnbHpZQ4cez0hZV9Ohx7guZ93wOf/SNw2qiHjKFy172X+QNWxN2pRFw85gQsiKDTdd9LEP dAnJqFswpNfP0atpV8WMUQHLaloeODHngoZ37UlrOFX3jKJHtjx0rCEvKS/rkbJL0t4yqSzjF6QD v9Gas+GRoPP25EwasWNFU79+Y95x0aR9O7pkRYVUdLms7l0BXc4pOHXOqp+6bkynPQ3DhmzJ6dBt Q0NYy0f6XNanrqykQ8SKQWMSlt2W9WvSMvaFdTqy5QVZj81Ji8hqKuoX9cCClF39luw6o6hToD3T XsOL3tetx6FjAZ1tmH2ayg7clzIno09KSdOOiEWnVkzZc4KUtKaamLwNMS0NvUIyYg6dGtJ0ol9Z zrEoeqU8EnVO3sdSekTdN2LefQ+kXTLk1E8lfUI6/A0v+xc+VDAl57Zv+G1/4c9VxEXtinvKvJ95 H2cdCxgwrqFuxIA+vVac0a3XOSOKHssbVvJI3aZhGUvibgq4JKDpbSEtHbL6VWSsq8i5q9fHkloi 1lQ1bMqZtuNEn7KMXVGLeizZsK0i6EDGnH4lYXUFIS1NR3L6pJTlNQxKoq4pY0XBsZCQGlasC6mr 29Rvz66ikk4T3tcwqcNdd3RIyen1dSN+IKfiQMMDf2TCv5Gzr1vWqYo/8TnfkbWj7NCeaz4n6037 OvUpqPkF6fCEtGuWtTyhz4ReUdfcUTUnYVeXkC5Joyal1W2pY1hd1a6ydXmnogqC1uSRldepx7Ks lpICqloea2BdRMu0WRnvOTGsoaSp04G8HQlBrLUdT3f1CYipWZKW8HMfqbpq3y01NX3q3vR1I77j wFlpW+q2jcn7wLCsiB7rMrrE5W3oc4wjKUk79k1ZFzKpblneoYyWgB4NJZ3i+iQMS0pq6BHRVJXS rVufM3qElR2LqtlXc0WvmIpzGrI6zZq0ICBt1i9Ih66/Tqc+v21Qr3l71vUp6tfdvgrknYoYElTT 92l6VU1QQU3IZtvofarmkh45W8qm5FSNGnFkTElFXVPVnFFLRtXtW5GwKC5nQkRRzG1TflnQI4R0 Whfziqdse0uvgB1VT/onKt7RbdS0krx/4DkD9gSd2rFt2tes+Y+SquIOtLzs103Kum1cXcWe3xDy Y/POGFRWddVX9LovZF6fvCu+5Bk5ITOiNmTMedGUmj6L9hwb8KwhB+LSBq0pGpAxqNOghlPd5l1y Q4+YeRMe+IR0+Ce2NKz7Djpl1IxZcduJqFEF9/V4yqBDy54wrWjbiTUVIUFnTPhWW1jwN6a8qOYd 9wy648g9V6U03NbnjJx95zxrwIYtI4YMimhIq9pxyZ6KmAlD4r6rx1lxN1yw6KKAVYtmJBwYlvUZ ZWFxMYciVvXrNKxPp4KgC+a84sCsPmV5FfOmjaqJuSBq37ZjV61b0C9oz5Y9i/pcNyKgYU9ORljI qaiIoIw+YUceGdeQtSssquo9IU1BTVkT3haUsCviVNSijGUPDeAjyU9Jh869XrbqbU8Z8xPHUpri lj3lH5sT9XM9OsQVTTmnatSMXQlJURNGjTg2YlzChBeNieqUNm7IkCkvCFgVM6NTWkKfSSnbaiYM mnCkalFIQ4+YCVPKQgIiLrvijElN2wIiRl1ES1HFkZSEUdMWDeizIaFH0Kwx/SJObZmSMGBQv4aA XVuCdk3qkJdzZEufmrJNGRENH8lKCavotCOi6pFjHSa02uOCnJy4uIRDQV0O3DHtKxJ2FXWI2BX0 kkkHWpoaPvJTIb8i4iNHIj4hHf4Vp5bEfFWX7zpvwQACnjGl00MvGZNEyZQRH4tiUciemJSEmBdk DDjSKd7+mUFlUY9V3bcrbFBYRcGwsPtCHmvYd8u2Xj1W2rqRlDuyYqrGrYug4B1FkzZlHRpx0J7X Xfaeuj4FRUHdot4Sticmp6piQMx9x4pS7WSwlJR7cvJKCkKCCgrK4gpWJNWlHNuRsiaJUyU9Knps 2HUgLWrfuAuqbtkUNKGJYb3mPRLSq8+htKfl3JWRMq2sZtbnrdtV94VPSYf++9cHXPQMOpxz0wXp 9jps05GslLS0APYd2VC1rarp1KETYXl5JU2pT80dh9bEDMm5b1+HijsiumxalVD3yGN1N523Jyuu Q9y2sjNidgUNatpQMuNYwYFzQta97arPS9pSNGbPd31szry/8mP9mnbdE/GCIT+3r0vAqWX9hiSc isg4VVd0VVTekqhwW83bY1NRr5K4MwLuqiArJCYoJy9tVljdiKaQTsMWjYjol7JiQMxlST0iIrbt 63fdkwaNmZVyLIaEJ3xCOvwD7LX/H5OWHdttJ7OlJIQ0fKzXZQUnDhRkVKUsaNlQcKolK+P3hP3Q sUNjMgpuGnJbP1bs2PEFizbc88DzklJuuC6nJG9GwbGy6867rSGl4kRWxu/4yIfOCUsL+VX/SNKw a1bt69HrPc/6TUe+i05xt73kmzjyp24Iy7vhFQMKNh34kYCaF/2et/yVbf06nLrh8/gr92XNKSno 8cd+Zle3tEMho6ZMOfbXTkVVnZh3XcaqXU25NuSCjG15HDlnwYk1jxRFRD02qezYL0iH/9SgQfcd mfOellmTqn6m4JyqlIwBQ0oaqg5REzHqrCUnysKCesQt2hcw4qxhSREnxkyr69JlDJ0SpgSNGVE3 LG6lvW0fUdRjR4+gEXOmRKSdtS7g9wyaNixuTtZ9LVOOhE1J+yVfdSjrq84Y1q3ogn73zHjSkLSy cR20FQUxL2upKHrfmGs6LWipS1vS56yoA71OtcRNWLYurdW+f484FdbQISQm7NQDQXuaao6M27Ui rceUjKKmundRlJR16tRlQYM2vfEp6cBPWiX/SkPFmDW9/pm4/9t9DQuSjt113UVVHzgwJmjHnEt2 dLunblBVWYdBJSu6VVSUpcQNC7sjoUfZvj59lpwaErZnVZ95GXk9ok6EBCRMabllVsWJsnXTrlvV sKVhSKeQDkO+L2fGoQP98vpNC6gryFk3YtCkgiUVeVzSraVpWcWEhMeWTHpWTcWOXQEhdJvUEJZV 0LBpxJiSThF3pZTkXPCUZWsO7EipCLgq5V0FcZOyDpzxTbzvTV0ilrVM+l3/3vcMGcdjIX/kE9Lh q47NGzYppqSsKm3RtKAOe4KuG5G0p1dUEgnZtjiu16EdWaNabkmKyDlRdKjmnJiKui2PUFBVsWXN kIhevTbFlO16aE6fJQ3XbXlLwYZhNYNq3nPkjl4BDauGDBqQU1Gw59CSAxMO7brjiiGrdpygasWu bg0PHLupKabqUNZtk3bUJcVUHTmWEzOMAx2yisJOZAQMSyoIiWo4kJeRE5ORlFbVoamqU0vajLCk fiOyYjo9paospmhYv7Oqzko4Mq7bL0iHbrzepazTuKSWug+dmnMkp6ol5NAmwmoC+tpj2YqQ20ry Jk1Z9Z6cqvsKzjuralNIxIl1Sa/IOJATVLGuz98xZN0WDuUkXTNs35BVW4p+qt+X1Py/opoa8kZ9 xawOuw6FpaRsO+vXLVkRMeHYgV81q2DXsW4FW6b9Q1fcsSolrqXprKfNCljSUnek6aYhdw1bVFRR 1WlEp24BXaIeaXlKpw9Ujct7IGbEl6RkRaU1ndpzxZAtdU0NK23N5qGUAWedOJXWKaEpbVzAA5+Q Dn+oKm7fYzFp29Zti3loT79hOeuWVIw6UNclrWhTsb2/GTDsonc9cLX9HPRZtCulrKmhYNEZ33Lb gCFJZXHjmv6TRVtCxh2ZsGjXvpCwqGFzLrvsnooFpyacUdc0bs2CupyipEEzzjgUtijshrPGTIna M6VlUFXLgssOJNpTy2HP+cC6Z/TotyFsyj669eiSVxNG1I4hXYr6JTXNGlY2oCbnWNK2EXV1/QLK zourWdInZV9E2Kw71tSUTKrYNamhIiugqCr4KenAb7f6jaiLqOu1745+MxoORQUM2tAwrS6IFCpu iZgXV8WYeX+t4JKomm0Jkx7KOycpo6johgPvSzsjLeO+fv2WDau0Y6R6xJXVNaXFFKwb97xla1Ii Tmx64LIha2YRUdd0ZL5tdh+0raguYFBWWFNZy6Y+57RktJzI2VezoMfHukUk7dkzataOgnh7mbiv S5cVCd3iGvbEzNpyohM77b3WJU0nTtRV5GXMOVVTlTUoqGBfUsqRnIo+vUiLCtnzsbRPSAe+1oo4 EXFVyLojYWkBEb3SKrZVxfWqIqEpb8ySAUk7Rgy1H6w+Q7KOHSGtKqtPTVZWh0mD3hJR0ZCS0mnS bXfM6rKvV1DQOT8WN+ixY3EvGPRQXlpBRM4tNw15JC3bdvnf16NP0YigdXc8KWRHSQVpZYdmzOpy rKTkWF5Nw5M2ZQxrKtjQ9JR1YRFVYSkh3WqqMpJSio51WJS1K44tFR1Czmgoa8nZcSpmTK+6ffuG RNBy1raMokfGNEVM61ez47G0T0l/4/URSSU9plQdmDQi4a6U61LW7Cvq1JSzL6wo61RMtK0s7Lfm jkw7izMjIWbLB+a9KmJbWMkDt4y67oEfCpjR4ZF7rpiW8Y4OPT70Q4Oed+D7mprWfc+HXjXiT+UN 2bcj6gmTutz2lrxJTbeNuOKRJaMaDjXx93Ta80MRLUfum7ao7J5dYUH31TxtzJE1FTUP3XDegnfc EXCAhoJLIt5RVVby0LYZlwXcd2JF1JGEUXF1J6I61IQ86UkBBSEho6Lt8O9+w9JGfMFrPrDpKZ+Q Dv9y20v2WIfX3FQRNWzSB46kPW9J2HN6feyOMwJ2dZr0vLo3PBC1aUjAokFpfykkZFrLFc87oyCr KaXmZV+W8f8Yk7Gn7BlPuaEiKiRoxAs+5xULTgy6LGbUsa8JeMO4mFMxKfPOSwlbVDHs2IQZz/tI Qkq/87aMGRPU0ikpYM+0S17wkqQ9w8qqEubNO9JpXME1M0aMSnpTULp9bX/Rvh+ZMCCEPhddcrN9 hk84lNJrzqQsGjZEhE3pMamipWBS3LCQdVVhEZvO+4rXhD4lHfgHrT0pBYeeNuRIQ0yXXY+MG9Br H5N6PLBjSHf7TJPWbc2BEcQc6bbokRNDopr2VAyY8p6EsJojKTMeum/OqJBDGZNmrTs1bsymNSE3 9HjPkJQOTT9U9ZTDdiBU2EMR5w15qCRt1baQuq/acWRUWc5DZ8S0FBRMi6taN2hYzLqqqBM78mZd tKcm7UC2LbzolpVQV1eSMWDaHSEJPXadKJh2zQfKYnIybdfJgaCgkJKQnLCWgpqipLi0kLADDUU5 USNOhRR9Qjp8wQv+1IpDQ4oe+bqkj2yoC3rkjpoFZT9zoqomZ1nAjC0BsK9kX8CAmjUsC+lSd2TZ qnVJTWsCBp1qIi+kIGtJ1Z4DOfd0y1rRLaPXXXkNVQVZabsagoJOnBgQsqch5SODepXbKvENnR4Y tWzZz51RVnOgQwrHJpQMKaDg0L68Ubd0yjmUU9QjYVLFiRk7ghoei5hSFbSjAxFbttRsKSkpKWs4 lhKyb01DREhNzLi4Q+9gQLeYOf1WvOvUqG2P7funn5IO/cXrZ71t2aizino9Z1BMzoEO49J2TDjn A3kxdRknuKnLh+38rIb79o068MhDLWk7MorC9iwJ+aywdU1d1rxjyIiABx5IaDn0N666bM99OSlF D4T9vtf8r953Scvbdpwzb8WfScp5bNNHzjljQ9SAurK6GU0Bd/1QwKnHuK5l06qmHTm39Lqq7Du2 BIV8YMnTTqwL47StvWlJ2fVYU8aGSQNttVpEXETWsZK0kCKu6/IOkhKawuad02tIy5Y5NQ0DnlJ1 ZMZZUwZd8Y98Qjr8Q5f9iif0C4nJ+ljMZcdGLejTMKsuYErFnjNesOHP/cST5g1Y8KqEf+W2MQU9 Kp51ww/9BwVXNPT6iuf9R+saelT1mPdlOSdOXTDins/4hgV70i4acKDHmCv63TDshpZHftNZ4xI6 hfXLOjRp0dPe8LEva9i37zmvumVZtzF9bkl6xaE7YsKm1PW75rxRbzpwXVhAyjeV/M/tMNiIhIRX zPnf5DzZTv29Luxbdl0RFBQxZkDVfTEX5OSNes6in1vREpdXdtGkSzqQdWDLuG+aVUfZsf8f6YnX H6o48dCmkmNHgoIyWjJta3bEpKCkli4zRuyJmtWhU0LBgLx+Y4bEhRQETRr1GfPG9SKnKOY5F8xa aFtve9wwp9+0YQEHWvokjFm0IORIS8kXzDvvRX3utxUn08YtGjKvqs+kMZOmjerW0q0h4KZrFp2X UDWtZcJl3WaN2HHgqn6/5aV26dSmbj0uWTBpTFy3LnldunQbMulIzKJjY/pFVQVETAk4EBNVUzcr qaGgrkNeUsoDMQUnIlpqaqpOBDx2bMuK+z4hHfijVkLZnj4J9DrVJ2xZp34JXfIKetWc6JTRa8I9 fVr2hGxpuORQVES5nWB3QVDeuLxjRZ2K6gqmtRwKKguZ11K3r1tX+1PWdKQXjXZLwCXZdkdA0aE9 l11xR0JNWVZWyLRjCQVBx/YNSOt3LIROJzKSxoVlNRwJ2RExYdyOuBOktZwatqkh5lBTr7qqhElH 1h1piJs34T3dTlWQUDYkDDbFhNWk9emypeigvdXqamdohDSkRW1J62y//8/7hHRo5PWUirc94Wu+ Z1tIUN6yPtPtadzbDhzbV8GRRx4aEtHUUlV17IHHWvIijoXs2/SRuyoq1hRk7doXFFVWkFVXs+09 7HjXrhUHNm2KOLRuX1bEng1b7S6lXScClmyIKdhwy6qSExU/1alqRdZBe659oKpm1bv6dVhy5FiX TT+RERT2c2+ZceKRgiUheWsmTNrwNw7VNIXcl5ZyrKrProKKkEE59+2Jiau5LaFm156Som5LctKO PRBUN6TlPYcKUg7s6/cl53zXiphPSIf/QFrJVRQ9L2NETKcRJet6VTT0GRBX0BBAh6vGZVWUHUgh rc+spA0PpOQd6fWKl2355zbN2/Ezi656w0PjRtScannCtH/vfR0iYMbn3fIdj/WpyNnw3yr7Jzr8 sqBla0Ium7Ppx2ba6oTrLvof3dEj3R6nvWa6XSEyZt8jr/qiN90SVbUvZtLv6fbn/k9l5xW86pIB fZbQK+6RTr/htkMNJQPSAhZMOvRvhYwpazjropYteU0BJRecFbbqnIIRFYteFbGloUdL0KTztm05 9ynpcLD9H75r3YykfWfMaPlLcVHdpnTrc957/saEUbtWNUz4gr+w6auGnWgIuCEuJG1KXVFKyHm/ Y88UHhmUdKYtT+qWtWXKGS8Zz4WKIQAAIABJREFUNGtCzn0zBnzTgPddNGDHkXMift+wRUcGvazL vMs6XTAlrWRS0IjfdaLXmIplO8qGPS+iX6cuZ42p+oqoQaNO7Tq16ooZ3zBkyKEBO1qmvSJtvO1c nRNz10TblRFUcuKaEwUhxbZxuUfatE4Z2waVnJfS5VBZTUxat7DHqgKyVhwY1afxKenAf9eqtaOv 5yw6cSDkimO3nNEnLmdDyPPC/i+XTdq3JWzSglX7BnRZt6XgCXkMKDlQ0tA0qaxHWN6J+zpFVV1o x+5V7ZoUtmZCTUZW3aybdoX1yvlQWdiCsi5xLRUb1iVc12VTlzs4kveSQxFDsh5qOhFxTURDVU7Y hqxu52X1y1lTEtEwISjqRKW90xz0tHv6NG3Jqrgs6UDcvn1lYZ3S+m2JW3UsgahhD0wIyKmAKTF5 RTsKFg041qWuZF+hfT/dNuAT0uG6y+62vV/35c1K2fNY04l1RSVNcW8aMS9o1bYTnXZtO9Dyt7ZR NyCn388FRTwWtCBuz6GWETyyYU63Xas65HxLl3EZLR8b1euRJUOyjjTsCao5sOEzun3fkUVpFYdO UFTwQ8+a85Z3jWp6bM+YF2x5R68bdtTcl1byrjueM+rIibxZBzbVTUvbsmLYA+V2H0HSW3bNarov Ky9lXV2fY+9Kui4qqWxP3Ea7K6AiZ9+ckjWHwrKG2vKVNWX96DMsIeueEUWn7vnVT0mH/ofXr1uT N6ZPXtWEmKBdQdtO9djRNOjQgaADx3b8rSF5jxVtGPOqqGVJUcfe8g/9sZqsqJaCTRXPSHikakLK Y3u+4VUF7xkVl/VtX/RfCvuOScMK1t3zol/1ge/owfeU/ZZpG94UNem0XZLy+0r+tX7D1hz5mr9v 1ra6pE33PfLbfs07sqYcKdkz6Z+66gdCOhxbwh+b8dC2LmeceOia/9qChi1xeXcl/KabNuwqSyJn wt8RdVdVGGlTnjMnb1u/AUO6XVUT1KmoZspZnQpGDZvXkvJrPiEdXtXQ7ZKIpBsq/taOcwYcavhN iz70I/vOybjjvIsCHlvyeUlVSZ/3hBu+p2nYoUvOCLtiz7Dr9uWUfU7Bx6542bEhp0ZMecW4OVll 54wYN+nrXhBXcFdV1GWvaPiSrK+K6ZD0WQcGvazDmk1BRbP+xBNiXvTAgnV5w2L6LQjLyQv7Zc/p UBeVUXNXnycFpHS6btmOS55VMyntsZuiAi554Iopna7Y1XTNH/qOcb3KjqTM6sKwmKpTEXULtoSN 6ZZF2FP6FYV0Ccsa81u6nCj4rCOPPyUd6n89L+2wnRNakFc3p09ezIiYSTXDpnQKqysL6DVnzIRe vfLtMMwvecrTnnBX3oyIm6YFJUSUxE2ZVxUxoMMDxzYljJlSNC5uz5ZJ46Ki4pK2lbBoUrcZpzat iTpnQFNVTK8HsmoG9avqbL9963pM6VXVZ9iPFFUUtMTUlZTl5EX1aqqKq1gxIGxe2rGQuLK8vA6j hjU0nWqIm9FtUF1U1bK8qg4Twir6FOyLClswqCqvoihlUJcuMeV2WEPOYw+seuCeT0iHt4zYtqVH wVuGTeiREDSl4q5TwzLGBNRVVSW8q+mKgkOldmtVTVbFroaoVTMy7rlvT0vKibIFYWVVVfu29NpV dODHQnb0C3nakXf1qgnJKOv1A3G7BuWtChkSsqospUtQ0ra7bV9b0667eqX0WlCwaVLZgfflxf1Q 2DnsWxFz07aSPT2idhyirqbDsS2RtsLrQy1ZKWvuSHhORcRdZUlVHysrCPhQv6SapqC0uqa8uBX7 6oLOmnfLiW5FaSUh/aYlrXtT56ekQ8+/3qWk6tBF2/ZtWxK1a0XdgKIlyzKWrXhkRbpdqRZVs+lY QdyKtwT1e8PbUo6sWDbsrA0fKevW8K6sS8ruWPMZNeve8Lt+231/LSUnKWDSawY9tIWgoCUvGPUT QQdKit7zmq86a9X/4qR9wnnRb9mxakdN3kNZZ9xw6PsG7NoScMEfmPWmqpiAZSGved5tfylozKop r/l1dW87FZexa8sfuORdmyZsWvXYr/umsH+jYFzIHS/4u8q+qyCFI0ued11dRcCoFTlPu2ZP1Zge Udc8r6yowyekQ//89T5fMOTAppSmiA4v+NB3NI16aE1Rvz8R8FODUmJaNvxXnvADHwrodirpNb/v I1mzLiuZ8Yov+yU/8bE5MUOedtW+mpdMSCnr8mVPabrtWWc1hT3tmklhnc4668CAr7jhWNznDEk7 66ZBQT9TdtZFqXbn42Mbht10VkWX51zUJWFSlzldBk2g4iVzooJekbSgpctrJjX1GLWg6B2XzFvQ ZclvO+tDHc7pE3fi+Xbe9hkLAroNGjVktZ070xDzJeeEdKvo9VivVzwpq2VAnwhCxt2w6BPSoXOv nxq24Q1NKTFxUU/o84akYYx6bMSvG7HnRS8554wxZ8xq6jLrqlnD+vTYc9mv+GU3jMjIGtXhBRcs GlcWlVZwTlKfYV0eKouZsSilKmjfO4paus04a1BETtKQq3okJfQ5tqrHGSO+YkGveTuCBj3lRVPi uoR0qEioGDQiIqLDgaqUGXSaVHBXXa8FV/SbU1Z1JKnTDdOG9OrTEtL0qjnjGlISsjol3DRt2IgT dUPCnjZsRKdOOXEB+4YMGDSoICmioltIREFJwT2PfUI6nJd2IOR5z5kUkrVqxWX/Dcb1qbnowN/q dK095Cmpe0fOlApONcS8bU1F0wd+7sSxUZV22tvPdKrKSki771jSllM1DWVJD4yoOJJ0qMNDcQFZ SZwYtKzPpvcNyCp5RUlKyPve1eXYgYZhP1cVcapuU9WM54Tt6bDrgS0TxnRaVtDfngjW1UUc6NIU c2jGih57Otq1sPedc86pg3Zd7YmSj8xb9xMpUSuyLsrJCAnbt6woIGfKDw0iZ8czegUUBZ0KqslI tROL/zPp0Fdfv6ep5kTZA+9asumxsoZuj93xXfeUrdtwx7old+36WMausg/UbFnzc8s6dPq+FYc+ tmVWScD3vGfIqfftG7HiQwHDrtn3gZigbTtmXLNrxaGUvIwdF53xrn1JUzKW/KZvSHlPUF3Qz/w7 F/yhd70pbMgD33bG/+SK/8OBsrigR0Zd8JceCRp14CeG/bEr/q1dUU0HHvi8Od9S1mXHXd8SbX9D 7htQckfJTc/Y80hBwQcOXPL3/MR/UjNkxY+MuWneQw/EjNvwgddM+YG8iLgDK3pdUFWzrOaciE9I h2Oq9nT60PfdULKkT0zZHS0X9In6yIFBKXcd+Ka8DyXtiHrbx14267FvuSrtkQ/8I69a8s9sO+Pb PvY7PmNb1F01cUGfc82Lmn5mVJ83FcRcd+pWO5k6IarXE3LesG7Kvmeddd2oHzs1rOXUOdeN+7xD IyLGPGnWnBGjmq4Z0dJnxMvesGvOoCkNQ8IWfM6eWb1OMGnAs0LqggK6HBqVtmjEZUcyRn1erxXb 4pKSdiSc8Sv+2iXDghZNm9dpwbf1qFoy4DMOlR0r2rJt01eNG7LiUJcBu5+SDs28viyi6kjcH7mo KKOm6UTMs74o5C0NLcOOXPD7rnusaVyPNRfNeMWw71oQFTHgkpe0HKiKi7poUMIlp7pcdFlKXNGM nIqrPuNpk2J6deKmZ1133rwek2o6XdNpwBm31M3LuuSMHhdd10Sn/4+o+4yRPM/v+/6qXF2hq7u6 qnPu6Z48O7Oz8TbxAm/vjjqSOi4pniiREHkiBRGw7Ce2YEDAAn4k64lsQzJgUSYsG4ZMiZBEUUyn 4x33wt7u3obZMHmmc+6u6urqyskPWLv3uJ698cevft/f9xPmvWrepOdErQkb9yXPmTRuTFnLNS+5 JmXcDE6FXfS8J3SEZJyac1HakhUXPWtUUUrOvHOyzokrSAmqe9kTrlpxKmjGtBULJszq6aoaMOJJ SXOmbUuakfWEMRNi8gL9IIsZEe/6lHR40luChowLWvWcl53IG3LDvpqIKRcMumrYlLo3nPOkbZcE XHHmxJqgv2VM16BJW76rZEnEqXFhLR86UjDgTM+XfWjff5Z3U9GfSao4NSYgJegdYYcWtZxqO0NJ 0wNVu85kHepa72tWDoz40G3sailbcsuhrJa6nrtydoTtCAgq6Rqwry5kU1zNW8LG9STd19VTUhIx rKLuEws23Ddp2rGigkcSDhw6kzJmTVtNWcWEooQpMW0bqqoi9mVFdCRV5WyKKzp2JGzJT0mH/uXr P3bOnKo9ARcExMXtCzhSNmhKzLgxaz5xrCuhZUDY+z72hhA+tGZLWtG7dmwZ8rafuKrmjx3ZU/eR HxoV9bZ/aVrHj/2/Zv2yH/pzEW2n3lLyP5j2I/uOBNzxjq95yh+qG3Ao4Ac+sSznY7cdm3Dbf/SE 533bnwgbsu7Hjv19v6Ds++6Y1fR/+qrPS/mv7pvR8rGAX/a3bfoPSnL2veGCX5L2Z/ak7fmvAv65 hB9pm7btgaarViz7C8dGrPuuhK865890hJ3a9q6f9bK2HygYsuquK6YdOFWUF1W2Y8CvWfQp6XDQ z5sVcojHvqNty3OyvmvHskd2vavuH5n3HUUNIfc1/I8y/r2SM3c1fcff9N/7PR+4JqZo2Dm/q44/ cknHpjF/V8Tvua5s0Ziky57zQEnLuKBxnzNnzDUfGdIz5rwvS7tmw7BJDXFfM21W0oamhIBnveI1 v2/UggVjgtIWnPMz3jBhRNmvmDSmKmrAoAwmnGiYcNWUFe8adNMX9CwImhNxZtiol7zrgRvOVA26 ZkHGd921ZNMVN1ww7I8d64k6dt2iZR0PfGBcUtKiS0rW5dQEJTwv57HcZ6TD72ir2bXuSMwGhoxq KziU0NGx6rwnlZV0pUVNybmGW048KW7QlDlxX/CWZ6SdGJdzS9q0n3FJzA0F+0Y9b96T2s6cV7Pv moYnDDq2rO0NExZNmJZT8cCbrnvGiov9SM6UqLxX1GWl+yXIj3zTb5mSx5ZVH9oy6G/LStqzZ999 4/6htLy2i8ruGXPdlKS2jKaaH4r7pryktivKbpv0dR1RPYsKPlZxzStuyspLaLnnKV9CVljJgQ1N JTe8ZFjZPftyAoZNydnWENLUsfoZ6cD/1ntsxbR/qyhvUlLCgBmr6kakhX2k6lUpf2zamJiasrBJ x8qWNNSwKSlrV05RR8imEZMaTgUlNByIu+hYz7GAhCMPXJOzKqysIyooZNmOjy2b0LWj47KKgLg1 J/0e6EWL7osrG3Bm0zkDCsK6WqqODAi55FhFAYdOTHhBV8++bSVhQZNmdcWdaPSrDC/akxRQcmrf sEtKRjVsOxOw5wkLyoo4taGNF7S1BcWcOBEVVVUyJuOxAzErEtZ1LIjacGbfpCmfkg63hc153oE3 BaWEbUoa95It9xWEdBx64IZxQUVtGx4ZMSfuY2uijrVsGjbhgZSioq6q8wZd8OdaxtUFXPDIA4dK Mh6pC9ux5G0TrnjgIysm1W36Yy/KeFfUspAj3zNo3pqmCwaNe9t/MmPBHR+as6frhyZc1fWJlnNy 1r1v1Kl9DTVFUTU1g4qO1S1o+AuM2Xdf1aBBNfdFpAUl3NXVdFfdkJRHFjR94BBrVoQd2JZzV0HR sim7tg1qirrroqfs+HPLck49NG7OiJQ/MWXAT0mH/sHraQENQTGLhkVExRXdFnWko+7IiYSST3wk KqLrRMq0lkfOWRHwWM2oIbeM+FU5P9SQFtR05Juue7c/a6458zd9S8VbTvqtXa94zZmirLiSiiH/ jX/gtj+xp62n5Ib/w6SyukFt97zha/47f+CD/hvfW17wvxj2L1WNavvEuG94zR3fRkbAd7X8HTO+ 7Z4hp9bds2DenoicjLgzLTeM2/dIVsIjS75u2m1t+kK/jq849ZEhc4YVHHjJjD37ZgyYNmjevLCq aROyIiacM6Ap5prLIj4lHb6PbXekHbus5U8dG3WGMy/IetcjMUXHWiKeN+htQafuatqT93X3nFmV 0DPjWc8Y9mdGJNRteMWL0n5oQ00AGUktV12V8bSkMx15Lys6MyTiuP/odcnXLcsjZ17LnFF3xZ3o WdKU9LxTYy6rC1oS85IXxTzrWFReUszTOs4bcKRkQMZT3veWSUldM657RtI9bWEt+y5ZcM0mzsmY 9JTr6hr+ixFTas7kjXmsaFhKBRdNmfOOhEbfbRfXcWTOkFM1W8JWTaobUbXp9DPSocXX79pVVXcm 2x/Nu0ZVNEyacM+GtoS0WH/LfujYvGWTJgRVHInImbYop2tKS8cFL3rSJfPOhDDjOZfMWtFRlTfo CzLaAgqoapsxZcwg/aLZS25IGrQgbt+Bjp/xoiV5c3qGDXrOV1wwaUbIhkkJV3XkLKs60JIxJyUu ZUIMOTOe94wrZuU1PKEr6bIZUTOCGqYNWPacMfO6GibktV01Y1BE15yEnotGDerqqQopIiKrqaAl o+BQVE5PWdmpsh3HfqjsyKekwy/4DV+TELFuw8/LmFUVElPxQNgzgprykjbtuytnWU/akXY/uGDK rn1hXQEVxy5Y0FZQU9KUEFd3YFdX2KmMCXMe2tdxVxkpLQdG7WqpaFlw5sxdZ7oGzUkIytvWceTE AxsG1eStCzjW0RI2aMeREwEFx0J6NmS8L6Qloe7UtoaworSWsgdqWlLuGJPRULCv6pa0kHsayqp2 9AwZVRFQU9DxpmFhTTFtBfs2tKQVjZux4ZETTWPSKi6KqNl0oiPmnim/453PSIf+59ePzLpk2pC4 RZdVrKKmJCLmBe95244dW4omTQv7U0U1b/u2E0NC3vcjeQ2PnDgV8thPFDR94gMlaV1vm1bXVFXp K3ib5h17x6QBXQcqrhnwE6diKnb9oVf8Yz9yYlZHzUN7uhbwfj/N6A9c8UUf+gt7Ru25b83f8LQ3 3JUw4LZ3Pe8ZZVt2ZLR94ifa5hy4pyum4AfKelo2rAv19WpDOj62Ju1UyS2H0nqOPFIQdUdFTsmO Q8OSqg6NyCm4Y8KSMTEjxmSF1V0yL69n1qI5n5IO/cPXp1wzKWFQ26aGj8VNKxowLObAgVG/K+hI 1phdW2q+5auO1cTEBFQs+XuGbapIiXho3j/xVSE/cGjIiQO/bkpESaAf53feS3ruiWnquuuSv2VW 2oEjEbT9fV+266FZsx4p+Vlf9qq8P3Tanxt+11fUbOOiulte8aqYmLd1Jb3tS37Ll434nn3XdGya 8wt+2a5/Z9SEfQf+sW8K+U+CMpI2nPiGqHvKxkw5VfYlXzNmz6ZhcdtWvNQ3wN2U1lQ1aUQbeTH7 zqRVnVntp3/0hHQcmPIp6fCPrRmxY0dL0rhtHYsC7imbFFfTdUEGOwYdazswqqxk1ICaMSMSIgpS xpWN6ElJWJOUFnTOiLYLTkzZEDDgoop7GkJe8KG8JQUhMUw7bxdPybirruhFp0ZFvOjMZR01bc+Z tqBiSlHBJd8Usazh8+I+suhVR7JyPiffj8l60VdNSVszpqNowS+ZM+XMspiWFV/SdFXbroqaEXOm XZF2akq73022bEhNUEvRjIuCms7UlZXVhKQEnDpxqGRZ3QM1j406sWtATuAz0qGV108dWFF3JmRQ Tc2+uHS/PGRaWtGRqJCsMTOmDTiVkbfnSXlVVQ8FPKFnwZgxY5ruaQmadVNeTs8Ds5rmzdnQMqSi 2vcADQma0LMt48xAPyB21ydqMlqGnNnU0rHlTFdY1qGeknVr/XrwooCC246R0TMphD0PldTULThW cibixwqCklK2VZWtWhfvW1aakrr2ZS1YNqqoKqNiT8SArBtGhHQ0tESkDLuGpoKeurK6J2Ws25MR VFf3M57W9q6alo5PSYfvK0j6lohTQ5KSjh0adMmQ73pbUMA9s55UVnDmxF4/jmZI0ZFBdUcOTTrT smtdCAUJE1Jq3tNy6raYMXk/ENRxYN20hlG3NHHoVNSKoD1/YMnT/tj7bkq55yMrxux5001P+pGU 96TV3XXHRc/Z94asJ9TctyauZq3vbz62ZtnHar5v0MtKVpVERNz30KyofW8bdcGRqPJn+UTr/VzG YR0fKrogY0fMvn0N9xVMqmjYc11LQ1FRXtiesm/YtS5u26KCh77pFT3/l0FFPyUd+tevXzMlJ+fM kllRMUOa6nqilg0oiWtJOXDkvLyAsKC2mIJr/R7OuIiIbUFflXdXVU7Fqj1XXHLogWEZB3b9Xb9t wZ9LyggqecYXdX2iYtihimPf8ju2VE0J+UTLC37Z0wataQu7re7XvOZ9JQ3nbfjAa35LyO8JWjBs 37grvqLiHUFpRd/3c35b1qqQlAFnsl72nG7/sS1j27qrrjn2SNKQjiEZS5KOTIorK7vtVUnf61ef 12XMyWo4kDctpmTMZXExL7ppXs60UWNa8q77RS/7lHT4+yqS3rNg1qwzd9QNKXlo2bIp9z3QVnBH T15C25k1eRuKYubxWN66jGNc9LyHPnRqGFV5T4o78ANxKasGTYkbsWDUqGNXJawIekPUqJyitBF0 rKjKmDduWlja09JumxVUljLuoB/JOeSbov0VedJX9NRE5C0ZUBZzyaaOrLIFUxZMmHLPvhVDlp13 ZNGZeZvmpdUtmTLgsRELRjQ8MmFAxLoxVzRd0TSha8usWD8db1rDkR1jToSk0OpbmcveFNCW7tdH /DXp0KXXD63ad2BXS8xj23adOtXT1PbQx46MyWLfgKwjh+YlRcQU7QhLKromY0rLrriIc553Tkpb WVrJlBsmzRmyI2tf1otmTOppS5qV8otuypl0sV9mM+YJX3LVmKKIIRkR88bkDNkSNu2ar7og5ryA lqxRv2hBUlrMSN+eddOQSXNC9i2LygqJGnLTmUGDAtoOhJWFbImqyFrSEVTQMCHgSF3KmJiAiKCQ cTMGVe1pCKqriglKSNnXsOek78z4axlTxx0/8tiJkk9Jh3/ev/DAq0J+4swv+oJdH2FYTMdD13Sc iokZdGbbTUFpYQVJB8oSxhVkHKoZUHbqJcN2/ZGmAUfuiKiK2FARcmBEwziOtVV8IOeeEykb7ilK OkRZyiMJj/rm9qaykG1dVQVrDh2ZRNG6VVui7rnkxLGOM/u6hpwTs6+sKGTHiRkfqCo4dduIq6I+ khex67GwtIqWrEGfaEkI21d0Zk7dORfUHDr0ly4qG1QTE3LqQF3KphXP6/iOLXF5Rft+3qh1dX/l goJbgv6J6c9Ih2e8LOq6UTmnDj0lZd2wvC1FAW1DHhlCUcSMPQOmrNqU7pdvH6vY9YSqXaN63pNz JCBo07Gku/J2dUR8rK6hZNuAiPeduqftV6z7K03PG7CjrGRI01uuGu8rCxZ9qCWmZUrLqX133FF0 3qKUMzU9Z4q2TJtRdewTpwLWLMob0FDUUZT2Y4tWrPm2phFPqfqJqLCKnEdoWJdy3jv2DWs6tKmm aNiB28Z0BVXMGbPqwKiOhmhfKh2RNGFKT1ta3oqsLVMuyKhL+Cnp0C+/PuBpTX/pyKFDTQ/MGrKh LaptXdSym6Lq9rFrw30jrnnggYgtFSHP+B0xP1KTELJn1Le8IGlXXcS6nr/tRe84ldYUMCbh56W9 qaij7aEx/7svKngsLOPUHf/Wax56T1hK14FBT3vajn0Tokr+yM/5sn/vI0OqAoIm/SPPqlhXEXdP 2SVhW7YVZXWUDHhSxn1bos45dqzlgoi3JOQdKJn1jE3H6qZlBfW0LYsralk0aE3GVZtKepaNSaoJ iTvRkrLUD0c50TahYF5dWVLQqRGfkg6/67aOC2K+J2zBx9q2dXUklawaU9PGkVvWPCNgy6wRE8ad 2NJ03qmulmVzOsL98rItS24oORG3aUFNU8qCWYPqqroG3fA1YWlpTyhalZfxeU2jKmadavm6WSPS yjY0zXpGx0D/a5v3FfOuCVqQN6VswaAFAQ1Vo6Zkpbzsfb+vKyGhZMENAWdyCKqLe8YgalgyaV/E VRUfOWfKsKLHrrgqrW1XGiXTZm0bFlCQ0bTrxIyAlk9MClsTMa+g7h1pN7R8YMcFPyUdGn99zZrf k/BvRJw3oOTYq77c/6qWRGy44WVteWljlkSw7IJhUZdckfZY1qywcZPywgo2ZcUVZDQMCdq3J+t5 cT1J3b4GZNSCjK64kpK0kGGXLEqKerPfuXWhb1DPafe1k8tG5CxZV3bDmCfNyBnSsCVlUNiESTM6 GHQZT7rqolltG1JS2ibknLfgnqobxgw4csmiY3tWzBi25KKGDcH+ZqrtFVec2XYqIyPlpl8w5F0h cT3vyfqmsPf6tSUtNT/r1815z/flFXxKOvzl/jka83k51006Veif8R8ZsahkTVvPs8YdGBQS1XDb tIwhFbt64t5Vk7AvKKYhYMcteXeREHLi2KgxD52oS1lVMaLUn0ubuG1RW8qGsqCOti09SXHd/j/E kXG7ZnWti1v1QMZHMo7F7Ig4EzenLe0TdREDTh06dN6xEy1RZ9YdaBpX0hUyYNVbxuRFPRJy4sSO PTQUNcQdCTi17kBGXVvdAE5d1FRBQVnYmHNyEqoOxVzTNm5JyYCIE8PO+YZnhT8jHXjQK9lR9ISS slNp9b7zOadgQNWRoJqMGUdaqpoaOkoSEo50VPp1rwnjDsT7L4kx1X59R86ppIRJq+quOPXQura8 nHuGnVMSd9ukQWc66mZ0/IWseUWb8hZ1ZD2Qt6TlQ1y0blvXKx76D274klNrWvIu2/GJrBu2bOjK S9nQctOCbW8YMC1vVdKsph/gWVcUrBuwoOmuYZMKWgKi0o71DCnJ2zRr0H2HkmKO9UxJiVh1QVRP xK4D47quCKs41fLAiKe0pMR1fEo6/M9sGTbv0H0L9my6ZM2ICmaklWwrixh0rGDUuG9734yUgKyM lBve95amsF1JVxV84ETeobyUaxb8P1ZFvKdizDXTqj4wp6Uo7zmv+gN3ZbUc6Cl6zgs+siBpRNGI 33TJQ296y7KkQ++45hsEiPp5AAAgAElEQVS+7197RU/SC37R37HufzKr4I4day74ln/l+zJGHGio 9iNIjkQNampYsOChrFGj3rMj6jcduG9NV8d9UddlHVrXkHbqnhNjqjZVlXRs6ZmRceTYh1JqDrUt KFi3L+FEUU/AupYhIYc+/Ix0eMmBU2diCo48LWG374Xu9guMq3ra2krqxj1lX71fRTxuxJjrDn1H 26SekKZx42Ki5sw7MWLYU07UUBRXlxH2hKyctKackieUhMwZErMmqiFswSUrKmpSGhYU/Lpx0wL+ hl1BP+fXvGDBnmfFrcp6UcmQhGVfknXiJR9bNqVuXciEBY8dmLLQVylMaKHnQMK8hK4Rk0bFkZcw 6YI3RbXl5HRtOTNiSNslKRu2nMgK6ujJa/YrmpekbTrvqnXva5ix58fe8pqfkg791uv3bKujYNC3 POtdBVMWjDl1ybOaNpw3aEhd0qwrnpTopzofSrhsXcZVS31ZxtcsGjRsob+8HrVowIC4nAklIRnP GFbQVnbonpq8MXUtHWH3HcpL4shdb3ugasxjl43qqNpUclfaFct6Tpzad1vArJSogJIjSZsScnI2 lSWd2hM1Ys6SpIquyl/HUoqYkNFz6H0DqgZkDQqrKQqICBl31byjvr68pO1nPals06malBM3fEXM Q+9KGnVHwlfNabrr0LimooqfMeZT0uGnrVlww4SSB1Zd96oHBsUNGFRwIONFHWcKQkoeyUlIyAro 9iU9XSnsSVpxbFNXwx0dWXUNm/IeetR3DRFxZk3YsbgDBQEL/SDlv7aLH6iKWjUorqSubNBtj/zE BRMee2DfiJptAeMq3jdhwZseSRqXtuM7Rl11y5rzJpXctSptx7gDIwateaBh23lbai4oe6SmrqWp KeecI++bUJX2gQmzko7s6lhXdmBDTdmxCSnEbLtl1AUlV/qxgDWTujYFveDEnlVxPyUd+o3XI+aN 6DizZRNlbSkFPS0N7zp0aNiEU0cOHKjYVJXSsW1X1Ynb6hZVHUtpOnRfyJddtm/Nnog1JX/DsgNb QkYcumXc74r5joABMd/xpL8nqeyCZRPOvONlv+1ND0xLOVA1YMV12/6LqrhZj53zLQGHqsYcet/P +ge+iE9si2s58ZpvGlf1lhhOJHzObxhw4L5RURuWPG3EmW0XRETk3TCuqWnUmI6qKeOiWprGLUtp 6UpIaVhx3pkDm5oyDo3KqogLOnCipe2cipi6qh2LPiUd/jMdH5py5MSZST0lQ/b8SFBKXcRsX6Zw zy1RC0oypmz33QpZqw7EJE34V75n3KiaK/2Fbk/CibIpsyrSopICxnWlDVm0IO6ysJ5FHXmLGpLO GemXnIyZcV7IiKZ1UZcdeM2IAYPaVgwbdlXUjGFPmdbQcd1r6qaFFAw7FDLpG2bM21O0rGbJgmWz SqIWJKWsqFkQ0BIxpmRLxpgMMkIGJGXFVT2w69iijO966JErznykYtptHwuZUPVQ1byOjDvesyup qCQg8Rnp0Mzra1b9ukl/ZcechDNrar7pWUV1SzLKbrpsxIGEJwz3zYhPqEsZkTIqKe0JcXHzfbHw ESYNes5V86KOjRj1shkFUSs6asYtWTYqY0LPHVklZRUJSUP2ZORccF1Osn8pG3TeoLxRETPObBmQ sKQibNyBd9WtODFh0ZSUR3YMqLthSlNDxAP35VXMmjeq4ZaEQV0dMTPGbdgWFO/LP4JO1YScOFL2 gsu6KgZ1VBya8YKZfutYQknLz0iqCOmYcM+m6/6euFuOhHV9Sjp8wx08pe2PJIyKSbvnKS8b0/Q9 AU1bgs7LK7mvblJYQcaKpFV3jIipaqu5LmZHwIiGDRFTonaEtRzqCsurKjhSMIyiklM9VXuimkJ+ LOPEbU1te6L+s0ElBXc11TVkRc34Sx/ICBkxqKNnTcqxspQ2Htr1IzUxF+07xLIjAQUdIVtSfUzf MW/GezYE1VTclTWj6Z6iy5qO+qvsTUUNUVWDzilZU3MqJipt0pQdGVk1MVN2XbTqO0qWkRWRd9ll m4YdynxGOvQvXv+cGWXTxnzFc+ZlXRGwp6cibU5WT0PPoY6MKQlReXVF41oC8qKiAk5teagnqakt oKHQX0AfKAurajoTFDbsRANF9+yK9sWgTQPWdC0bF/ahgrLHKs5MGfSBfYu67tix6uc03PGRtCP/ Rto/ctWf2nMqpumxuK860rJlSMsH1r3gZRU/6Qf9nUi6quNAS1RLFSMiKvZMmnYmI4OilqtGxSW0 VXX6qRtZQwbFNdWcmve0KUO6jg1Z9AXjplwU8UDIsJyoG57wKenw74s4k9FW1O4HXO+4L22j/9R0 KuuxDTkNWZPWbKhq6rhrybSyO/1CyHFd5xX9lZiIhIaK5z3lf/WWmwLuOPO0Z33XfzJvQtiG677q Dz0QFVVxYtygpi0lbRFsinvZsRP/RtxTpr3nFb9t2z9VEDXinKu+pOo7bpm1JGrC3/E5/zdGZXRd cexpLyi6qWIJPYue9bHLUobEFGU9YUbTvppjh6aMmNa2pSqmZt89cVnbmoI2VZTcNKJi26QHDpSd mBT2ga4xIXUn6t50Xw0H7n9GOnwg4My+kLuagk4kHSmac19UU8W2ITF5m0rmLKg7cCChp2XWXTl1 q86LoCliwJkdl8Q1dJ0pGfWsGR099Jx34nOmJA1aFNMyJmhQStg5dWsWZU1alNO0Ji9sF7/pqq4T rwr7ni/6Db8kp+KqXQ8s+bzPywjo6qpZ93l3jSmJqJmybs6kV/tNNnuq7moIWzKoKmzdJypGERaR sa0rrC6l4VTYsIyylogjORlnTu0Kazpw35hht237ggcOHNiVFtJy3I83Lrvgp6RDf/P17ymZVrfq 1Fe8oudARljUpj1P6XokJyugrGW5vxiIm5DQte0XneiakZfQsG3eDefkxIyZdcuAvEltAeMi9kV1 XXBJS8eApoK8Ual+4NO+Q/OuibtiWlBSyLFxVTFdNbd1lXwoYF9T3XtONd3V9NiRPQ17au65I+/A oWJ/3b2vqmvXsUfuWbflRNmJggeCog7sKTm2quUmPu7f3KtCZuXs21USklLyeYsaKg6cySuL+VXX 3LdmwJB1Ia/5u35i1SOzKva0DMj6lHT4uoS4WU2XxC142lUhcWn7Isouu4qgEREhUTlTgh4JIN6P aZ9T0dDWURawJy9lX1MXdZvGHdmT1LHRX2Kv23MmakvMiHFlGUeC7joQMWjfsbfFBbSFZe1q2XOi 7EzIkIBPrDs2Kmvbuohiv1rhWNChsqiWB+oWBfqR3g3jbom7ZkTDgXK/gTrphpAjSWFlGxaNedsd l4U0vW3FTYO23bFsQ9uWoryn3VFwSU3SBWMmrNhxxYxTWSPGXTUlL+hMwqawn5IO/ebrf137Pikr btt9SYNGJYQs9IsU8m64ZM6wMWX3bCgYkxTAmbKmuAsS/ZjWvy4NXOzL9AZ0PFLwlCds2zah6sBd OV/RcVdRSMD3Bd103gOP1AS0vCNlyrGCjwwpe0vRl33diG07OvK+64Ff1bYn4ZIRx8q+4XPOWVcx qeWhV/2SKTyWMqqFr3lBwANxXXkJX/cLBjUdmnRZTNbPG/SxEZdM6ol6ypJpXU2XLUnqmpNW1HFJ XEBGTgkjFiwbkBfq16xkrKiYNGfCthWfkg5/IKij610ZBSfSjhV0bSgjJmxHU0reoZpRB+qGLBtS UVawLmnMoJ60ntvCZjSdWtJQcmJWyJmAsLi4pE7frviMEdTkXNJx0yUvGfSuu667Yc8lX/WSW/65 K65rOrbieZflHMm4YcGyfS85UDVjDEvOzMsa1LYmrSXrmlEdGV8SNaTo1ImPDVmUkxRUN66prWSq X1HMJ+Yk5QzrKYtruGXeqEkpcfftKcja0FGSxfsGnHNmzTtWBL0jYRItDy1IK+LMqpHPSIdGX39X wXUX3HIqKqDhQ2Vf9pK6W8KyugJ+xVM6PpQwbkDLiFltdRUjhjXwpHltOSNGpVSEfE7MiagpA/al zVk2pyllxahHZr3iKzKiLutZEzDnaS9ImTTsjohFeTelBQUta/dH8JdllAV0rJsVktSwoy7uQFTD RwJGdER9ZE1SwbCgPT0p92wYcablVETbhtsoO3XqiqRPPBQ24NiAz9mxpmbLiT1HfsnLjtzTcaQu oO0rrjq1ZUTLRw79M+f9f8JS4or2FF0060TYvpJPSYf/lj1vqVv0OXcsSzi2L+kFC9p+IifvQEbW gEV/qWpCyq6mSaw7QlfHtLacWSeOJQVVxYWdWhUyKC3qsRlV7FgVtu/ErKBjt21LqveXJqtIaLqn qeN9D4R0Rf1Y2hesinhTwQ09/07c06rekDNrzI6aln0Jbwi6JmHHgQOb1pWlLIg78b6UhLtCpg25 776IuIDHFqVtO9VU01EQ1hAQNiYurWxRy4mUnCkj2kpGJRT6n9CothsCYr4hZ1pPxbiaeQNO1fyq oc9Ih37j9VkLDpAyZMqEMbPi9uzquO4Zw2KGrSkKGva0SQOoaIuJetJTRszr2rCJKTm7TmXVPdbz ss876d9u79v0RSuq2kp9DXnTr2h55FhUyW23fMFr9rwnYNymdy36XaN+qOSCivfsGPWEFfe852VR RUuuC9p25JyiA0UZC3JK7osLKur4nCecOFJ1wYiYITf7/QI3jGpb9ophdQxZ1JWybFirf1KPoO7Y gB2DLsioCStoaFo1I+tU2IJb6rIWTap5KGFYQcOIvGktn5IO/1MHpozbNiPlYw0DiraVDRrTFEND TdRPXBDVUPOmiqjbnjOuoegdSYP2NC1btGPPiXUDOv2jaM+GnKiaKQltKUUdGQU7IuIqjg2a0BGT 1HPBnh9LC+OCERP9P+6wmAUdFXHPesOEiwI2+3frsLoPXNCRNeXz7ij2Z8e0Q+ddFdCTMq8iaNy8 D7QlJDWsmdZS0pFxZtsnjuRVHNoUsW/bupKnRH2gKaTiobLZvnX+A3MSHtozZ949e+a1Hdp1Sdy4 uE+EHHxGOvQ7r0elHIs69J5xVWd+7J6kgA3bJqx6x4lhUUc2hMX6w8qkpCP3NEQVxcxKqtiVck5U Uc6SgB2TzsvqmLAka8OJeResiBnwhKxNAU/6oitWTLn0mUvpRZNmXOrfhGe8ZsmkOeeERUwadFND 24CyIefFpF0xLGFa2oBhA+YsyMkLKqtqyvR/C2tqGBE12FcjFO1IqjnQsWRYxbER3Nc1JSvgWENM R1POvIaixwKCYrpWTCqpihhy27ZXfVnJx4pyGja8a8lzPiUdXvIfjcgZt23TBf+togdqJkUVjfmH jvyalBbaql5w3qYht6TUrNnzWxL+vO8w6tgzZk5atx+a+qYFnzfm2/YdSzkxJC+oouNMzY6YJ0Q1 PNZQ0LNn3aiSTzQ1nEpJmbLitg8EtXScGNdW8R5WtFQ91tFWcaon7L6wDZcdaNnRURAQtC6joykk a8OZdTN6TmzLK9uT8aEzd6QsO7EuYk5SxKanpdx1YlhNygOXzKnpWHOKU8e+ZQlpg0Y8MO8lecue dl9OT9IjK35KOjzjVzXlTOm5ouzMhFdNGOq3ed227O9rWERBXU/NgIoFc3LmbKuJymHaoD2jah4Z VtYxJeYpDT+RknKqqWdSwH1s2DQibU9QQ0Csf5U8VjOq7p62rJozbRmHHnpkVtYjm7pCwt7SNOQ9 EVsu6im40zecnNhX0/WeqpV+M/aYsmHbsp4268xdKXF7Tlz3pP+fqPt+ki2/z/v+ms4z3dMzPTmn OzfntAm7y0UgsEgLLgIzKFMkSyIplUWLphzKpZXlkss2q1QqSaZluVwuk4JEUUyQIUIIJMICF4tN d+/uzXPv5Nwz0zkH/8Be4F94n1PnnO/nPJ/388gDB3p0G9CtaMK4UfSb7thfZhWcc1LOCO44pqWt V0jekBXjJgRMCGhqWvLY07r9tAV1NWcV/Zh06A09TuryLsLa/sKkXTkn5b0j4b51KX36pFVxw5sG zckIyCgKWdOvIeLQim1hE37QeQhsy2pa8kifk4bdctOwmLocPmnP6wrGZDxwzEdM+DNdonoU1P1N L/lDbyqIGPQNAf/SpG/4PZt6LNtyzD/0z9wSsi2ioOAjPmTVYxlDUrpFfELQ9w2IGzUmKtDJt0y4 IqDLCZfFTTppTJ+GQQEx+4KiGtJ2NUU7DUchy3ZQF9OyhW1FTUHvqMjbsq0pLyuIHptYsmRMw5Yf kw69Zl3SgJiignldVt1x4Dk7SpaN6/dIxICqXRsGhZwSt6pXl2UbRp1UMixh27uSgqrS5tx3S0ZT Ur97ooYcmVOxKazstGfc8ypChgzJ6nLet9xzStUJZ8TFnVVUMaHPsA1hzDtn1DUNH1Vy3oeU9RiT EnXWojETjtw2pcclOT1CMs6qCQt03jk1LUMO1bR1i1p306ZVXbYM+aBuyw6VnbHjbeMaCnbc0RCT 60RMt2yrGxf0QNoVCXeVNRWNuqPfOTfcMW3AsDteVbH3I9LBq68cWPNRn9Wv7r6EtlVn/bqn9PsB ui3p8fNOiAvaNy9jVcIlM264a0RIWo8XPGFSU9WsHg1DrpuREzRlUl3WjE+7IiTinF5rhs15ypiK MVOyus16wVmDUgY8cqhXvwlF+06asKElpMcHjBk0I+qmcWN+wvmOjHXJcscrOqBbUMNuZ3qTVpa1 5G1lLRUFva4b9cCOqAM55/yi86L2tcWljDhjSkpbUsEPPPTTfk7IiqAzQipGPW/esCMDnaTQx816 aEC3mF33bfuvnXPbnwlb8D7p0MsKKsKCQh0/edBTMjKeVPM3TGh3gvVNc876muMy6ugy6sMWzBi1 I2vbNc8ICgjalBeXlJST16uupdhxf+VkNOVFOsVjD21qdQrQzip7aEfdkaqMaVlbGlYNmDZoT6+7 1hF0iJRFj7yupqQljyFZA16zoMeRurr7IvbsmnRaWcGWvHF5NQ2vu+eUmBk5g1JqgkLqnTP2QyV7 IvqkPK1fn7aIZ40ZVTYgK+KSk6Li+sVtmDWnYMKkupYNMYsCnhY0a/hHpIM/90qfqPdkJfXqVdYt ruJ1RUUxc2JGhdxXlVbylAlJQUceCEk57YS6pCGrNtQsg5KQkENFfc5IOFDUK2tJU4+kuqIueW+p WNBWUFV0aM+3tH3SGUeqmkreVPeiY77vlpoxRcvSnjHrsSVNJXflfNAlm/Y76sllFRfFrFsVE+zo t6f0qEg47pzzQo6JOpByQaDjbtnSUBczqylt1JCEmovGNHWblrElpGpERMC692SMKnaqZsf1uKdf SFvCsKCosDeENY0658j7pEP/WkDOjiEXrYsZ8ciRab3augQ8FnSgZs66qIp3Ne0qqaiKG1AStKau LKRXWtyufZsS5lXtG7DgoRtCxrVUXbPo275vymP9bkl50pJdRUlxu4pOe9aqPmV1VREpQ6IKWgr2 JWyb8yuKXrOtX0xBzCeNWbMjqV/Ivjlnxb2raFivLd3GjKmLi+oTs64mhqi6tC15GVdNWLctY9+2 tKbL6npkrdkU0zKnHyvS9rTsKZvzlqKophVNh5pqmtKdkW7arlNaNm0qKf2IdPAXX/mKh2pmzLrn rJ+RdIR+BRWrJsR8w5KGtKod23o7krW6Pi15wxZtOzQmpixpzoRhaetIShgx5JSUCdNm9ehWkXLZ pHFnTIlpm/I5p5006pweJUERwyZMOCcqaEDbFR81aNCCPuNS2hZ8xowTTusyIKnmiqtmTOgT1WPf tLiwunUltc6WXFHBkbRyp2i2pktMVU5KwraYiLaqcSFZy0o2VRVlTWhZcUPGsJq6XiF1G94UMKxg R0jEgcdoidq0Li7jjttmnfM+6dBLNqyJGlB1aNYxvZZtqSkqOO4lJX8qIa5XTdEzPo+bHksa0JST 8JzvOG7RkAPbRn1Uy6E+4wbdV/JBw77pu0bFrbpn1sfFfE3RiKK/MmhKwg8dSYqqWnHdlpykhpI9 DTNeFLTpyKBua/7IdXmnpGxKOvSqPSENj6yLKMs5NG9E0WZn0l+34VBMW1Fc202D2qpuu+AZ97zX CXMf4ZxVWSVLUrox7arbbsjLORBy3LANFXNqSsj7qGHf9ANTyqLKzntO2z9xJKYuZdBPmf8R6VDU p6WNiqtYUHfXlFMWjAvIiys4529rGBOQkZaybs6gLxjSb9+OfVWfUjMiImnQY2+ZdLGzyXxF0dud u7lbw4iKqm0JDYNCamJ2pG2LiNrr9MK9a8ueOctayjJ6bKtq6rXlHRsuWLVv3aAeLfsGZAW86pxp QXfdcF1bzIayJwU8Y92ODQ0BI2Zt2pG0J2vd01IGREWV7WjqdULZO/ac01JQd8VpI1bsOGNRTEnZ KSvyBpUNO6toxqzznjak7lmDupz0Cy47IaXLhoQfkw4+9UpeXElEVdiBjKCioJCCA0eWO+2DFWzY d+CemnUlRffct2lZScWeB27aUfXYjoqYhxoKHqvKSQvrQdpRR/RBt6wVh7p0uSPq5805sCNmREbF J3xMUUZdrx3vSfv7rlqy4ZK4qgf4n2z6oaQZMVEl/9gXDNjrdMHHBHxKj4LTYvLm9TlmSr9REecN 6ve0syL6TBgzaVLEZUMeajhpSI9RoyK67XpsQkRWUNaQuKaEPhEJMZlOHHVCSsi+FTuyDo3iliUb MoreJx161SODYsr29Zk27D91/mIHHGHRuj63pAQcqEjptyxpQ0tLU9gBugQN2bavasCRPZc1vKGp z0O9EhIObVszYsiWoCEJZXtyZvWYMG9f0oQQBtWVDKmJO4EpMdvSBo14wY6nTEo7L+Kk57RcNC2g ZFrNvqZeP2lCU0ZdUUtayJHzjlREQNAxQUFNRY+NIyakJe2hdduKIvY1kTGv4KZteyrmPLBj0IYS dkTEva3S6cDbMaps1atGHbfinrJTWLVuruM+iykLfuiVdV8x4H9W8X+r6NXwnqbf8ik535Q0iD2n XXdRTEJGURI/67ojm7LG7Et6zjXdcgb0aZuX1NQQ6CSzuhAw47yAmhFd0mJOumwINf3eUzNoRK+q srw1D42Zd0ZAWUzSij0RFcMSGJZyx6xZYyqdzq6HlmXVBGT1dGSVaVvqVuQ0Fa0pqtuyo2RIywOb 2LVm3xW9tmXkxd2Wc0rMLQ90q3tkyzM+pt+SLqPCynbMmVeXN4i8bxkx7b6AsOMCHlnw254UkNCj z/ukQ/Ou+LxD58VtSpnteF4uifuCG45J2XHCk6Y69dl3LWPGVT2ycsadseW0J407bsFNI2qqGn7R im8Yk3IkJ+mMbgNueNuiXhm9rmp6TduenKo1MyKq9u3rkdanqU/OqrQeTZMmjDhyCwnbcgJO61Jx ICph1YhuYWElNRclFDQcaNvW9qRRW5ZFNRWsOeEZX/VYwICYx84bUZI3Y8+OLRedwOs2rDnvsmnn BJStO6clZ8+YywbcFDYopscTkq77qqDLJvU763MWVXzINXdVfkQ6+CuvRKR0u2/QmAXjnfT5jpwu oxa0jJgQUbRt3a5RV41IWxE2JOhpCWNiHnmIun7Dwp0v65BNUSlt1FXV9IkYMqbLUMep2CcjpmJK ypacec8Y1xI05cCqtBOmLTvQJSxmQ01QW822urZbhrxs2pG7evSKOLLrqjFtW5qdmfcJU4Zk5Eya 02/EcfMearloQcqQpLxRTZx22knTQgKqnvCMlII6MvYkXBDRbVy3gF4Bg8bE9QkpOuWiMeN6jFqw b0lF2Lcw5n3Sof9oU7eYtluaulXULQk4Z0ifb6koKZr0rIakonuSuhw60pQ3oup7HiiL6tdrUgp7 diXcddNpC7qE5dX0eGTAVU/7K2l7moKC2p5XtKlXN+KCnrTotkNN/bLC4r4g7zXnzar6gUO/5UP+ 2O+7ImxA1Ye8bEnay5IGNTwy5qzejsllQtauy5J2PKNPj4acWd1ek3JB231VRVNaVoSVLAvaE3BS 22NdnZtpR0G/LV1W9SoriKt74I6yk52U0KbfN2AVyzhjVNKRurekvP4j0sG/+UrNd1UlRH1PzTkF eSVxIQ8VnHLBkbWOG6CoKWFNWM6uqJqcqFFtNUOCGqJKAgZF5YSNiNjULaJiVRMNLSXD5gT0G9Aj blmXs4YEO+7qhoJJKQnj5g1KSIk4b8GYp1wW1SfX8dedcFVYVlLMuBHdshKiYrqkDXTCcTUH+mRk HSnJa2LHqlpnv5+0XcNKsvLaAlpKAvJ2FPUZllC0IS5tQ9uQLo8Nqnrslk2HBuyKWdWy474+C3ql rXUOXlUll7xPOvh/vNLwroxxPda95Bl99twRV1dR8TlfsO4/61EW15bwadc7y1MRaUdOuu6rCq4Z lNUQ7XQcRfUI25J3yTkrHjuFdWkjzrjsrm0RIUeappx2x7qWPWmb+oU8klGSEPVAn7Yu+3JKqm7L GlFQU3Fg3yO3xA27ZU9DXMY9jyW1HHV6VQ/d0mvPkpZuz0n5c4+FFT0w5lljdm0L49BdL1rwNVuq uu246ZO+KOuWkE1FFbM+rkdRl1vK7rrjl3zWu34oKWbbqCueFRNV19DoOL3+tvdJh+pmfELVZZM+ aFLL8+Iu6BfQlHZk13P2pUQ0NG1r6hf2jB5jalYMSHlORa8+KUVVeyasq5rTZVDJniHzinqNqCgo uiliQUhKTMGYQ/uamrrV1XTLuuuxiEMxEV0aokKKQoo2dDmQV3OgYFDcpm39tqyrmhFStKXHppa8 gl4BTbse6RHQ1COuW0WfeSH9wkL6xc2ZktR0tjOfqeozr1+vgEMMmvbAggNR3QYNaboi6pRdUQk/ q0vEpDlBvOq4hj6nVeVEzfsx6eDiKxHjTpmRtiJn25qsqKp9QWk5eQkL+kW01FQtKQo51OPIoW0r 6kbkNRQEBbVUNVVV1FQFHThQFpDvZFw35Tqijx4ZaTm7VpUM6HZkVUCXx/bEpFC2rCFnW6VTIrwl rdZp6IprqDpUR9y3txIAABcKSURBVFNIW05et4DTesUMG3DQkdpOGjdkQFvbgZBr5vVIqNiRlzZr XANddgwa0GdGnxGDHttU09JjXlO3AWvSphSMievXKytoTNiIqH4x73rktIYhdW1jZoXc9j7p0BvS dvWbUvWmHtd8TcCq4wY88oYBObvSipLSNtXUHRlywxkDCo7c15RVt6BqT8WAlKCoNWFjcvaElPW6 K2ZYwbYeeYcSisZUrVoXklUUFjKgbktY3pywe/odaauoqbtiyF13DEjYtG7E83Jew7SiTW1PGLDl h1pyulU09dM5X9e8o+CMcds2rGjbty+jZETajgemtK0qmFGw710D6vaNOqkLf+nQE4J2JSSNWfEV H9bjrxy5LupVN6XMKag6VHVLUdWgfOd28SPSwRdfSVkT8fNq/oOoEU1Tqn7bpc50LuDQqgWfcM6B h1LiNqQ97bqK+yL6bHnCJZ/Q7U0BdS0hXZ520ffs6VWSds9Zz7rkoWVtATFBc0aMiRg0ICLjuI+Y 1BYzImLYuOOeMGvBGbNO+qx5uz7ommOO6ZN00ZgJpxw3ZdW8KUEVLeMuGBZUNCGrJWDSBQM29Qi5 Jy3umJA9OyZlHdn0Oz4hpqzbgRURv+J53/KuhCEZ6074lAU3ZQzIeUuXn/KsLVuSArL+0jW/Y8v/ 47iIHQXP+JAPmPaWjAXvkw5ddeCasKgnfMJxw87LmlLXtOizwlL2FI2ZMiBk0qiWfTvGndMr4qSm 3c6SwAVJ60YUVTBm3lUZ05Jy5kyLuuhnvWFc02GnhaWkT1DLgT4BB3osymqqqBrvbLPua4l5FxE/ pce2Q2FNqxYtKjvUa8qaB5h1yZJZF1V9T8AJKQU1i854ZNWqUf0m9VoQkxc2aspZO6oi5qzo7qgd xoxImTQPTlk0atiToqIGnVF2zFPKTjhnVsULanpd9xsW5QTVdYk5Y96aMeUfke76UntTWsk1Ux6Z QsMbei0o6LJlVJ9ue6qmBLXlhGQ6eceTBhRRcCArptuEjJS6ppYtWZcVFVUMqMpLC/hgx7eccyQk Y1ZQU0lQFxp29MmKWRfUq7ezV5dXsqrbsIptYUld2rZEPacka1pD1SN9UqIIiBpUsalmWlhZl6qk hIyYlIqKQ1NSHphEWE5W1oxuG4akZQT1GrUuaFRC3WM1s/qsSZgU8Y60MRdUrenRkHLku2ad6Kw2 7glZlzKm15qQhvdJhx4bkFH12DsCNkzZs+mW6Y4LKCGs2wPH3BAXcySl4rFl45aMWxOzI29A3JRN h8axbtCmAxuC+hUVxYXlFA0grSCirmhTn0seeCwtrktAjxFnbFv1lkGTKhY8q+DPbBuXceBN/8iv +Y7/zpYh2/ZM+WTnkBIUULcr4FO6vCkipmTDkstOuSerqCmsKG1Ww7KH3pA3akBR2a6AJVMidjUc V/PIoTMisjYUNDTdVzViyLK0ATvaXjcsadfXzchas6VlXNmGUZPekrRvz7UfkQ59wBtec00Qmy45 a0TeloRuRY/8PQmvqdoXU3bHSZ9W9C/dFRJXdsuv+aL/rRMW2jWtLu5zlrxmVNuaqOc0PfKmEQta ugTFxTWF9UsJORD1ooa0kiGTWk5Y1GNcSEkEM57UY1SvhpdcFvGMJzFpzI4p+8aEZQWc1G/fkl51 xNUxJ96pZN6RN+2CrD/WxLq2ps8re82mcRzhs0Z8ydsyQjZkvWTcmleFOsPZir+l7P+UN4VdZU/6 u971J5iw7qbfdAH/ylvi8jYtm/Fj0qExT/hPIgY0HSk64Yxtv6rfiKy7Up61ZcW0Xt2G9cpa9Dlh HxOTcd15z9uwaVpNRknQdU8btGVOnwN1va7rEzRmSAYp0+KdIpOw2wZ9wDUbfqiBrLCgWZ+TEdew bFO3885oyWvo9bodsz6jibAzHviBRaOmDRozYETYkKpLStZ9zJTX/Rt3zKLqJ52StS5l0YighicN GvNVM07ICLosYUaPUdNSNh130pAv4LKimHGz8uZNmBYwYFi/oraf8aRJ8655Wtuin7XW0Vid0OvH pLv+fTtpX0NSzaqCE2YsixrUr2TDposa1vWpqQjZ0PSsFiYcqWDFGMqGHWkoawno6Wip6iJKGj7p kTV9mgqCnYz7OtoauiSEDSCj4QAjdrQN2tEtqKatz65BOvqDoj5xAUeyEkbVMakurSXgpIh7FvTZ V5GR8JS875oRk9Gw7ZRx7+mWkJF1KOmyhoiEgnQnybAt4njHnJ43YtiRPllDyva0Ow0EIfO6ZKy7 IGrDvJZ+Bat2fUbVAyERFYfKJrxPuusftGuKWoIyqtpGJQQVlUUEpXU7Liin6qhjVzxpXt5jYSSk NHULeseYhryqHgFBi9rWlOwIWDRpTUNQXkuoE9mIdC5Ln13DUmakraHWKbGaEHAHbX1G7Gk6o9cj b+AJUVuyPqZmw4i8aSvWXTGmKmxHVa88euWMyqqakVbSsCehz6YRVJVkjZiwpaG7Y9mlriBmTE5J o1Pjva+i2PGLliXtiUrZ06Wo5KwhOYPyCg6VVD2v7ciQjCOHnT+qf006GH8l5ZFA5yGypWnbrh3z Tgr6vrwT0lZVXNDtB9Y7vT1f80nP2nHgB7qE1Zz3nHHf8VivoKhVg05paukV1a1p3AUzbtmWFBez bciEghoOjalpO6GlpW5cT6f9ImZcXM2YD/l5ZbecNm1aU8FL5nxFRFJUU8iUsC41ty1pKWsIays4 FDUnKiyuokvZsog+AZRE3ZaxZ9QxR+6KKFmSNSulqC4kIm/ZlpO2vWvVpowjJZMSNm3qVbHnrh19 8h6q61N2S1FUw75XpZW8Tzo0jmlJH1O2ZMBZPQ7cN+E5BY/tCghbdd55CZuWnRUV8axLXnTe70o4 reaa6waM+7Cvm5dUFfNTht0RExaUELFo2HFRb5vRZdeCQcftORLQkpNy3aI9++4aURTza0Zl3DYq ru5Q1tOipgR0O2fTbbNeFhI3LOQdy/ok1c2ZNKvmvn0pdXGTqsqaXld0yZGf0OOYgO9piJtWM+8T rviqA0FzCg5d0vCOmlMm5OXN+LSc/1faSVFb+EnnvOpPrFgQk3HSr/l3fs8vOe+xrLqI5xWsd17T f0266+vtin1bntJn06SotmW70i5Y9K5eXWrSssKesKNoQc6WA2Hz4h4bFRRQVpJ13V1Bc0qatsw4 6WsqhuVU0RR3RdqWtpyqtpoZG3qNdL7eu40btaJiQ9mAsyqS1lQdCjkya9aBiIp9QasyHdF2wxOm 3PCWE0alpGUdc9IfecdTku6oO+uqIf9a0gcFbNq0YNxdYTOSDh1qmRf1SJ9eJXuKglY6rRx98vaN G/KmgDlxm/YMe1bQa6JOObKmYlLVoQkxBzK61M065TV1Se+T7vq77SNROy5IWDIh6JEDPXpcNKCk aFfdnpxxo3pUNS2rSOgybtCBnF0BKd2KXrRvQ1vNsoLz5hW1FKxLY9yIHmVlGZtIaplXtGdCQUVR QJ9pWQ0lW+LOqAjoEZH1GH36rQuYE9ZyoOaSXgVFcWPuCprR0JKWNuQFK3ad0bahoMu0uHUhaU17 CpJOymuqWVMUN4RhOaOqjqw4dMmhuBFLsqZ1yTtjU1PCji1Nva44bU1C0Z57eh037KFxEV3q3lI2 7oo1VbveJx38568M+adWDVjzhj0veMFtu0aF5HxXl0vu+bcaRuwquuGaix56qGHKhjfNGnfTuqJ+ QbfdtGhUyyM1vOdNfU54YElV0L4uS8ZFbEirKOuWNm1G1oY9AUkBMcMeCjtUEDNh1D0rDg3JuWHQ 54276cCILt9VdlzcjjU1q+54YE1bwz1BLFvxugM99t226r57NtxzICBjzdfNirup3DEHvysjKmdZ WUvZXQXHNXzJvl6HbnrVrFE3vSOlZsM7lpW03LBlzJHftysu53UVTTlp3/cD/4P3SYeecNq/kjbj QNw1H9TnKd/ElpqMS16S8MhxXXKSkp5zxZ6cOXsqWuY9q+DbAsY01E14yTF/6a6WnLqIkz6r379z KNhJPH1Bt9+1LSkp4pLzjhmwa8icpC7TInKaypr69ZjyIR9RlsAVY0Y6Y9KQhAGRjnhyQEPZT+At dQkF6yKSxix7S1JARljArxv1x/69KWX3TfpHNvC2QUFVTPlwp1f1aSuWDXhZTduBcQ0pq15y0qqM 4yICtvX7TUP+o4icPSs+75P27Pu3XrYoJ+ADfky66zvtSX9h0YCanBXn1KzZ7fzzDFtySsyqsJhe GdsiztqwpVdCt007PubQtglhe0rqJr1gzQ0JfZoea/iUUd9VNyKjbNMJl7wmKankUEHFCS3vGpKQ kxGzKCOPmJg9KRNGOyqyliVpiw6EVJw17KEvG3JM1Q0XfVHAfX9mSL81Beedtu1LLjnRkZucdclX /RvPGrEt6gVRSx55XtKqnIhn3XDbWeNWtDqHmzelzEvLaet2zJ8acVLNpvuOPO8Dft+02U5hbJ8B be85Z0HAliOT3ifd9Q/bc8qCdjuvupAJCQUhBXvO+7JpPVYlBRQVVc2Z0KCz5tHy2FVJJf3WlPSq 6TesT07Aji1FvS47ZdOBHUFV96ScsadPXc6gkD3TkhqStj1W06XfOWVZ5FESlxCzrypnzaCzonZE DRnBlh4zjuwK6nNB2T3TWnY8EhREzLAebXlHqq5ISxjWJeKeJS9oOjSqYk/dngn9ovY6GYYNXYYc GjCgYV+3XhH3DQmoC9m1L+yUrAl1NYd29CpZQFVDSI+ykvdJh75nRVu3eW95pEfECVEPjDqmzx+5 pd93rbruon7fcE/JkZhbjrnkvh+qCEuIKqoruGfbEx6K2bCo1xseeE7IPduqLmr6uruuC3hL3sfl /KW8YReNWBGT8lhRxnFRq9ZNqWjpQZdLnrbhy37gRUfSco6re828poweeV1Kyp3itYKiA5vGJN3T q65LRtCGsKA7wkJ2VMUEVLRsSdoQ7Az0Bq0ZEZX2Np6WseORD9tz26iUa7JedVLQnneMGdQl67su umPFgEFV6+77goiYR/7c4o9IBydfCbmt19/S4w2HIkIO7DjnI7otCana123IJ3zEew7N6rIj1KkS /kMtx+XkfMYXXPCXcgYFNbzl437drm+a1bJlySV/36L3vO2YXrvGfNEJd20bF3doyyW/LC6pZsyu JR/z83rsmDZpRMpVg/pdMi3huLq2IfvKHunS43vShox6YNmBoKBH7snqEXVHyRVNbyqICrgv50Wn /B4S8h5J+ZyflPZ1MQMyDpx1wo4jp5yy7R3DftdP+JbXLMqKm/FJn9MrIy8satOEX1a2Ktgpb5vy q17Q9Adum/Q+6dAv4oQu/1nNBVw1add7Tug26qOyupXtYE/Eec8asqOoV4/bzvh1T4rYsm3fin6L jjlrUEg/4ub9HSclFDzQZ1/DB8xaUDKl4bYnXRewaFrLiAFdZsSVTNsRNyzgjMeGdasp+6EFZz3h lglzir5t06CqpNPO+4Yv+4yM2xKW/JwX/S9Krkqoa5r0ebd836ERbecFfULVixacNuquGf2eMOee GVPiguYNeseHzAn4CSncc9IHXXRZyEMRdRkLntewqOF1w/q8rGVO0q6MpC1lYU+45MqPSAd/7pVi xx4xLOwJNSvSDlUUtWyqK9u0o6pqV8mBHftaNtyyJ9yZ2oTV5RUU9Bo3qi6tLq0ka65TTLMiaQdB dIsK2JbV3SmZbGsoKdgy6ZaAoLYueW29aoLqAuqK8m76qoKKhNc0nTdvTkLYKT2OXHLcRbNq5pxE wjXXzJnR1i1lxLxzjhuXsK+g7IrzjuuXs6ai7pTzIoa1PNCtpSGpLi8o7Z4uDT0KNm3hhjsOtDXl hFQdWdY2jAdy0soKtp3VZVDS+6RDryp6Xc5LDvwHU0Yt+p53zLrQUVFHrPq2mCtSttx3xaTvKnSu 7kOD5qTtmLGjy6Z+89as+o4JGXVBA8hbUbHqtogts+rete6sqGVJ84asu4dRSa+rmrHvtnnDgnY6 hjudzGLcgIqiUeeck5JTcMtDF4SFxQUUPS/tz4V0W3Ok27JVOSc11G06FJex56yGN92w78iIJ9w3 aMWqTSOW9duzbteCmH37Csa1rSu7ICfvPooeCSsY0bQrbsyRnFtSJnzPuKtK3vAD3/fCj0iHft2q LfXOMmrOv3DFr7mhpeq+bfymoD/RqykmL+mTPur/8r+6rFvJgav+C/9cQtOeDe858L/7HX9gyzFB P9Tjv/IFf+rQriFbSsb8EzkvaOq26q7rnnbZt92244o7bvrvfdhvWxVzz5J3Pe9JZbtu2TPpqu9Z V5H3qq9pORLT7a6wh6aEVD1UMy+l5g1JZ211djYObKk4qeXrNl0VdM8jv+wZ3/DIE9L+yrpf8EE/ FFUwat+AZzwn4e/Zk7LuMX5Fnz90yzmHnT3Bj6j6irsGBG37nE+Z98/8udtOec9XBP2YdPBzrwyL et5Vo55wWlu/mhmf86RZi4ZFLOr1ouNOOGVMl5hJV3zaWSnTmHbSjDHzFl11quNlTvqoE06ZMKlb yqYTrrjimLA+E3oMec60Rf36xNXs6TcnaLxTu5x13KigvFkzgmJ29Dqm4KYjcQXvmvJ3lJRtCzuy JuTDLqp4JKgsasVP+i/VbBkQ1PCaWWe8aMtbLqvYMOqLnpbzqmFHNiw4Yd64sqDTKFkwYsGrop5x BjNGzSqo+IAzTjluwqITtiWlRMyZsuOUhIcuGjHqtCelvE86OP5KxKGUhn0lOct2ZQxoW3Jo1SP7 alIatqzIycvb160q75YbVtRkO60+FbnO7+ysEYd2rLqrZE1e3bpx/Z0ugE0RLXFH0p1q5b/expnX UNBj36pj+kwYNyyhjZK8LYQcuW1br5YZM84akbVhXtKQYWed8Y73LDhtXsqkpGF7BjxjynknhR1T FnJG0hO69AnKWjSoz1WTyhoick6Yc9pl23Z1S5nW0uuEmowZR84Z6pTKjcqhYka/vG7LlmSNiDuh qqpp36r3SQcHXmn7kndELfmKmxL23PC2uAsKXvNdKS1fsu6qHje9JyJoy+uCPinoy7bV1H3bA0lB 3/FtUWVv+YoPO+P/syyl4LZNBQlxN31TSsm3vGHYqLctG7Cm5VuYUvZ9KwLS3pYzb0dWTlxc3mOb rvtpm9ZcNyWhqM8zshYFjEnJKVs0ZNwTJuyoyTs0JOqsvENH3hWza0e3srC0PcsOZLzhQM1Nt1W8 K+ttK1bV/dAtgx655y0JO/7AY2E1a36o5ox33XZgV9F33THtyF9oK9jW8lUP9HnoG97S5X3SgYQV uy77bz1tSV5UXcCS677oV11xoKBowDlXPSvhtiMsq7nmrGe0ZPSoumnOb/lN83q01B3IeM7LPiwg ZcyBA8/6pM96TkS/qqzTnvZLrti2puKhnMt+2i943mZHaXDaVVdE1OSURR133Yiwa551Qq91e972 Qysaum37vh0579qyakkPXrVsy31f9o6gvK+7a8tdb/gX+j3lsTc7lyDnKf+jX1TwCAf+QspvONYZ kFXc9Jqf9Q9cRFpWVdlLXvZT+ux3/PEf9t/4uJBeYd1uanvOBS87o+7HpEMfFHbRqKoZv+GMU8Ly bot5S48n/VOn7Duhac2M88acMSjj0JobxvymPklZLztt2bCzrujTb881eXzGgmEjTlvTtmbUOT/j uB4xDQ1cVzMlqmFWzJKgY/6GY2IeiiiIdaJOVUVBg/Z8S9U1094SlrOq166UD3nN6+r63ZB32xd9 TMk7GnqtODDkC2661alrveDAZ5z0TeueVHFozryCU05iVsMvOq/foA/pckKXSTsOzLnknGOGLDuN bYNOeEpM//8/hg8MDAy3GcQZTBkEGNQYmBk+MfxhkGEQYdBieMsgzKAGD2kAVWcN+P8fRIcAAAAA SUVORK5CYII= "
38
+ y="0"
39
+ x="0"
40
+ id="image11"
41
+ height="187"
42
+ width="186" />
43
+ </pattern>
44
+ <linearGradient
45
+ id="linearGradient5383">
46
+ <stop
47
+ style="stop-color:#ff0f0f;stop-opacity:1;"
48
+ offset="0"
49
+ id="stop5385" />
50
+ <stop
51
+ id="stop5393"
52
+ offset="0.2260073"
53
+ style="stop-color:#9b0000;stop-opacity:1;" />
54
+ <stop
55
+ style="stop-color:#9d0000;stop-opacity:1;"
56
+ offset="1"
57
+ id="stop5387" />
58
+ </linearGradient>
59
+ <linearGradient
60
+ id="linearGradient5351">
61
+ <stop
62
+ style="stop-color:#191919;stop-opacity:1;"
63
+ offset="0"
64
+ id="stop5353" />
65
+ <stop
66
+ id="stop5359"
67
+ offset="0.58179837"
68
+ style="stop-color:#393939;stop-opacity:1;" />
69
+ <stop
70
+ style="stop-color:#191919;stop-opacity:1;"
71
+ offset="1"
72
+ id="stop5355" />
73
+ </linearGradient>
74
+ <linearGradient
75
+ id="linearGradient5341">
76
+ <stop
77
+ style="stop-color:#9b0000;stop-opacity:1;"
78
+ offset="0"
79
+ id="stop5343" />
80
+ <stop
81
+ style="stop-color:#9b0000;stop-opacity:1;"
82
+ offset="1"
83
+ id="stop5345" />
84
+ </linearGradient>
85
+ <linearGradient
86
+ id="linearGradient3798">
87
+ <stop
88
+ style="stop-color:#ffffff;stop-opacity:1;"
89
+ offset="0"
90
+ id="stop3800" />
91
+ <stop
92
+ id="stop3806"
93
+ offset="0.44642857"
94
+ style="stop-color:#ffffff;stop-opacity:1;" />
95
+ <stop
96
+ style="stop-color:#dadada;stop-opacity:0;"
97
+ offset="1"
98
+ id="stop3802" />
99
+ </linearGradient>
100
+ <linearGradient
101
+ id="linearGradient6495">
102
+ <stop
103
+ style="stop-color:#ffffff;stop-opacity:1;"
104
+ offset="0"
105
+ id="stop6497" />
106
+ <stop
107
+ style="stop-color:#e0e0e0;stop-opacity:1;"
108
+ offset="1"
109
+ id="stop6499" />
110
+ </linearGradient>
111
+ <linearGradient
112
+ id="linearGradient6365"
113
+ osb:paint="solid">
114
+ <stop
115
+ style="stop-color:#000000;stop-opacity:1;"
116
+ offset="0"
117
+ id="stop6367" />
118
+ </linearGradient>
119
+ <linearGradient
120
+ id="linearGradient3811"
121
+ osb:paint="solid">
122
+ <stop
123
+ style="stop-color:#000000;stop-opacity:1;"
124
+ offset="0"
125
+ id="stop3813" />
126
+ </linearGradient>
127
+ <radialGradient
128
+ inkscape:collect="always"
129
+ xlink:href="#linearGradient3798"
130
+ id="radialGradient3804"
131
+ cx="139.90613"
132
+ cy="173.1675"
133
+ fx="139.90613"
134
+ fy="173.1675"
135
+ r="43.436558"
136
+ gradientUnits="userSpaceOnUse"
137
+ gradientTransform="matrix(-0.16610605,1.1810274,-1.3730424,-0.19311205,400.9117,41.375256)" />
138
+ <radialGradient
139
+ inkscape:collect="always"
140
+ xlink:href="#linearGradient3798"
141
+ id="radialGradient3810"
142
+ gradientUnits="userSpaceOnUse"
143
+ gradientTransform="matrix(-0.36191024,1.5027056,-1.3480124,-0.32465404,423.91697,18.532771)"
144
+ cx="138.62917"
145
+ cy="165.35785"
146
+ fx="138.62917"
147
+ fy="165.35785"
148
+ r="43.436558" />
149
+ <radialGradient
150
+ inkscape:collect="always"
151
+ xlink:href="#linearGradient3798"
152
+ id="radialGradient3816"
153
+ gradientUnits="userSpaceOnUse"
154
+ gradientTransform="matrix(-0.36191024,1.5027056,-1.3480124,-0.32465404,423.91697,18.532771)"
155
+ cx="138.62917"
156
+ cy="165.35785"
157
+ fx="138.62917"
158
+ fy="165.35785"
159
+ r="43.436558" />
160
+ <radialGradient
161
+ inkscape:collect="always"
162
+ xlink:href="#linearGradient6495"
163
+ id="radialGradient5243"
164
+ cx="138.75"
165
+ cy="61.892857"
166
+ fx="138.75"
167
+ fy="61.892857"
168
+ r="21.607143"
169
+ gradientUnits="userSpaceOnUse"
170
+ gradientTransform="matrix(0.49506892,-0.00135429,0.00113129,0.41355202,69.989169,36.484849)" />
171
+ <filter
172
+ style="color-interpolation-filters:sRGB;"
173
+ inkscape:label="Drop Shadow"
174
+ id="filter5329">
175
+ <feFlood
176
+ flood-opacity="0.35"
177
+ flood-color="rgb(0,0,0)"
178
+ result="flood"
179
+ id="feFlood5331" />
180
+ <feComposite
181
+ in="flood"
182
+ in2="SourceGraphic"
183
+ operator="in"
184
+ result="composite1"
185
+ id="feComposite5333" />
186
+ <feGaussianBlur
187
+ in="composite"
188
+ stdDeviation="2"
189
+ result="blur"
190
+ id="feGaussianBlur5335" />
191
+ <feOffset
192
+ dx="0"
193
+ dy="0"
194
+ result="offset"
195
+ id="feOffset5337" />
196
+ <feComposite
197
+ in="SourceGraphic"
198
+ in2="offset"
199
+ operator="over"
200
+ result="composite2"
201
+ id="feComposite5339" />
202
+ </filter>
203
+ <linearGradient
204
+ inkscape:collect="always"
205
+ xlink:href="#linearGradient5341"
206
+ id="linearGradient5347"
207
+ x1="112.9087"
208
+ y1="882.8879"
209
+ x2="152.70504"
210
+ y2="882.8879"
211
+ gradientUnits="userSpaceOnUse" />
212
+ <linearGradient
213
+ inkscape:collect="always"
214
+ xlink:href="#linearGradient5351"
215
+ id="linearGradient5357"
216
+ x1="118.08041"
217
+ y1="834.55255"
218
+ x2="148.64336"
219
+ y2="834.55255"
220
+ gradientUnits="userSpaceOnUse" />
221
+ <linearGradient
222
+ inkscape:collect="always"
223
+ xlink:href="#linearGradient5383"
224
+ id="linearGradient5395"
225
+ x1="133.95372"
226
+ y1="880.81787"
227
+ x2="138.98145"
228
+ y2="920.99646"
229
+ gradientUnits="userSpaceOnUse" />
230
+ <filter
231
+ inkscape:label="Liquid drawing"
232
+ inkscape:menu-tooltip="Gives a fluid and wavy expressionist drawing effect to images"
233
+ inkscape:menu="Image effects"
234
+ x="-0.25"
235
+ width="1.5"
236
+ y="-0.25"
237
+ height="1.5"
238
+ color-interpolation-filters="sRGB"
239
+ id="filter5543">
240
+ <feGaussianBlur
241
+ result="result11"
242
+ stdDeviation="2"
243
+ id="feGaussianBlur5545" />
244
+ <feGaussianBlur
245
+ in="SourceGraphic"
246
+ stdDeviation="0.5"
247
+ result="result8"
248
+ id="feGaussianBlur5547" />
249
+ <feTurbulence
250
+ result="result9"
251
+ baseFrequency="0.08"
252
+ numOctaves="1"
253
+ type="fractalNoise"
254
+ id="feTurbulence5549" />
255
+ <feDisplacementMap
256
+ result="result10"
257
+ in2="result11"
258
+ xChannelSelector="G"
259
+ scale="100"
260
+ yChannelSelector="R"
261
+ id="feDisplacementMap5551" />
262
+ <feConvolveMatrix
263
+ bias="0"
264
+ result="result0"
265
+ preserveAlpha="true"
266
+ targetY="1"
267
+ targetX="1"
268
+ divisor="1"
269
+ in="result10"
270
+ kernelMatrix="1 1 1 1 -8 1 1 1 1 "
271
+ order="3 3"
272
+ id="feConvolveMatrix5553" />
273
+ <feColorMatrix
274
+ in="result0"
275
+ values="0 -6 0 0 1 0 -6 0 0 1 0 -6 0 0 1 0 0 0 1 0 "
276
+ result="result3"
277
+ id="feColorMatrix5555" />
278
+ <feComposite
279
+ operator="in"
280
+ in2="SourceGraphic"
281
+ in="result3"
282
+ result="fbSourceGraphic"
283
+ id="feComposite5557" />
284
+ <feBlend
285
+ in2="result8"
286
+ mode="multiply"
287
+ result="result12"
288
+ id="feBlend5559" />
289
+ <feGaussianBlur
290
+ stdDeviation="0.01"
291
+ in="result12"
292
+ result="result7"
293
+ id="feGaussianBlur5561" />
294
+ <feBlend
295
+ mode="screen"
296
+ in2="result12"
297
+ id="feBlend5563" />
298
+ <feComposite
299
+ operator="in"
300
+ in2="SourceGraphic"
301
+ id="feComposite5565" />
302
+ </filter>
303
+ <clipPath
304
+ clipPathUnits="userSpaceOnUse"
305
+ id="clipPath5578">
306
+ <rect
307
+ style="opacity:0.1125;fill:none;stroke:#323232;stroke-opacity:1"
308
+ id="rect5580"
309
+ width="113.03571"
310
+ height="87.321426"
311
+ x="74.285713"
312
+ y="815.75507" />
313
+ </clipPath>
314
+ <linearGradient
315
+ inkscape:collect="always"
316
+ xlink:href="#linearGradient5383"
317
+ id="linearGradient5582"
318
+ gradientUnits="userSpaceOnUse"
319
+ x1="133.95372"
320
+ y1="880.81787"
321
+ x2="138.98145"
322
+ y2="920.99646" />
323
+ <linearGradient
324
+ inkscape:collect="always"
325
+ xlink:href="#linearGradient5351"
326
+ id="linearGradient5584"
327
+ gradientUnits="userSpaceOnUse"
328
+ x1="118.08041"
329
+ y1="834.55255"
330
+ x2="148.64336"
331
+ y2="834.55255" />
332
+ <linearGradient
333
+ inkscape:collect="always"
334
+ xlink:href="#linearGradient5351"
335
+ id="linearGradient3161"
336
+ gradientUnits="userSpaceOnUse"
337
+ x1="118.08041"
338
+ y1="834.55255"
339
+ x2="148.64336"
340
+ y2="834.55255"
341
+ gradientTransform="matrix(3.0050877,0,0,3.0050877,-267.64675,-1659.919)" />
342
+ <filter
343
+ inkscape:collect="always"
344
+ id="filter3934">
345
+ <feGaussianBlur
346
+ inkscape:collect="always"
347
+ stdDeviation="1.3291467"
348
+ id="feGaussianBlur3936" />
349
+ </filter>
350
+ </defs>
351
+ <sodipodi:namedview
352
+ id="base"
353
+ pagecolor="#ffffff"
354
+ bordercolor="#666666"
355
+ borderopacity="1.0"
356
+ inkscape:pageopacity="0.0"
357
+ inkscape:pageshadow="2"
358
+ inkscape:zoom="1.4"
359
+ inkscape:cx="0.48166857"
360
+ inkscape:cy="110.43791"
361
+ inkscape:document-units="px"
362
+ inkscape:current-layer="layer1"
363
+ showgrid="false"
364
+ inkscape:snap-global="true"
365
+ inkscape:window-width="1216"
366
+ inkscape:window-height="752"
367
+ inkscape:window-x="0"
368
+ inkscape:window-y="0"
369
+ inkscape:window-maximized="0">
370
+ <inkscape:grid
371
+ type="xygrid"
372
+ id="grid2985"
373
+ empspacing="5"
374
+ visible="true"
375
+ enabled="true"
376
+ snapvisiblegridlinesonly="true" />
377
+ </sodipodi:namedview>
378
+ <metadata
379
+ id="metadata7">
380
+ <rdf:RDF>
381
+ <cc:Work
382
+ rdf:about="">
383
+ <dc:format>image/svg+xml</dc:format>
384
+ <dc:type
385
+ rdf:resource="http://purl.org/dc/dcmitype/StillImage" />
386
+ <dc:title />
387
+ </cc:Work>
388
+ </rdf:RDF>
389
+ </metadata>
390
+ <g
391
+ inkscape:label="Layer 1"
392
+ inkscape:groupmode="layer"
393
+ id="layer1"
394
+ transform="translate(0,-796.36218)">
395
+ <path
396
+ style="fill:#ffffff;fill-opacity:1;fill-rule:nonzero;stroke:#000000;stroke-opacity:1;filter:url(#filter3934);stroke-width:0.66553798;stroke-miterlimit:4;stroke-dasharray:none"
397
+ d="m 132.96372,842.26411 c -11.85724,0 -21.46351,9.60627 -21.46351,21.4635 0,6.98977 3.34236,13.19676 8.51371,17.11703 -13.71577,5.03111 -23.502312,18.21421 -23.502312,33.67396 0,11.25681 5.192192,21.29924 13.308272,27.8712 -12.291951,7.57221 -20.47771,21.15718 -20.47771,36.65375 0,23.75745 19.2592,43.01665 43.01663,43.01665 23.75743,0 43.01663,-19.2592 43.01663,-43.01665 0,-15.49657 -8.18575,-29.08154 -20.47771,-36.65375 8.11608,-6.57196 13.30828,-16.61439 13.30828,-27.8712 0,-15.16284 -9.41595,-28.12117 -22.71817,-33.36029 5.41258,-3.89791 8.9394,-10.25129 8.9394,-17.4307 0,-11.85723 -9.60628,-21.4635 -21.46351,-21.4635 z"
398
+ id="path2987"
399
+ inkscape:connector-curvature="0"
400
+ transform="matrix(3.0050877,0,0,3.0050877,-267.64675,-1659.919)" />
401
+ <path
402
+ transform="matrix(3.0050877,0,0,3.0050877,-267.64675,-1659.919)"
403
+ inkscape:connector-curvature="0"
404
+ id="path3938"
405
+ d="m 132.96372,842.26411 c -11.85724,0 -21.46351,9.60627 -21.46351,21.4635 0,6.98977 3.34236,13.19676 8.51371,17.11703 -13.71577,5.03111 -23.502312,18.21421 -23.502312,33.67396 0,11.25681 5.192192,21.29924 13.308272,27.8712 -12.291951,7.57221 -20.47771,21.15718 -20.47771,36.65375 0,23.75745 19.2592,43.01665 43.01663,43.01665 23.75743,0 43.01663,-19.2592 43.01663,-43.01665 0,-15.49657 -8.18575,-29.08154 -20.47771,-36.65375 8.11608,-6.57196 13.30828,-16.61439 13.30828,-27.8712 0,-15.16284 -9.41595,-28.12117 -22.71817,-33.36029 5.41258,-3.89791 8.9394,-10.25129 8.9394,-17.4307 0,-11.85723 -9.60628,-21.4635 -21.46351,-21.4635 z"
406
+ style="fill:#ffffff;fill-opacity:1;fill-rule:nonzero;stroke:none;stroke-opacity:1;stroke-width:0.66553797999999997;stroke-miterlimit:4;stroke-dasharray:none" />
407
+ <path
408
+ sodipodi:type="arc"
409
+ style="fill:none"
410
+ id="path3757"
411
+ sodipodi:cx="110"
412
+ sodipodi:cy="206"
413
+ sodipodi:rx="10"
414
+ sodipodi:ry="10"
415
+ d="m 120,206 a 10,10 0 1 1 -20,0 10,10 0 1 1 20,0 z"
416
+ transform="matrix(2.4858033,0,0,2.4858033,-193.58817,821.31126)" />
417
+ <path
418
+ inkscape:connector-curvature="0"
419
+ id="path6489"
420
+ style="fill:none;stroke:url(#linearGradient5582);stroke-width:9.89949226;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none;filter:url(#filter5543)"
421
+ d="m 141.0012,887.15834 c 0,0 1.46229,13.32555 0,29.61967 m -23.70487,-35.84882 c 0,0 16.21558,8.28812 31.02108,0.75346"
422
+ transform="matrix(3.0050877,0,0,3.0050877,-267.64675,-1659.919)" />
423
+ <path
424
+ style="fill:url(#linearGradient3161);fill-opacity:1;stroke:none"
425
+ d="m 87.195238,884.52169 c 0,0 0,0.87971 0,-58.72082 12.345591,-18.89756 79.185712,-19.37669 91.844312,0 0,20.03573 0,58.17203 0,58.17203"
426
+ id="path6493"
427
+ inkscape:connector-curvature="0"
428
+ sodipodi:nodetypes="cccc" />
429
+ <path
430
+ style="fill:none;stroke:#323232;stroke-width:15.90914154;stroke-linecap:round;stroke-linejoin:miter;stroke-miterlimit:4;stroke-opacity:1;stroke-dasharray:none"
431
+ d="m 63.870047,885.94217 c 72.192393,11.92743 138.494723,0 138.494723,0"
432
+ id="path6491"
433
+ inkscape:connector-curvature="0"
434
+ sodipodi:nodetypes="cc" />
435
+ </g>
436
+ </svg>